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
SimplifyPath
/** */ import java.util.Deque; import java.util.LinkedList; /** * Title 71 : * * <p>iven an absolute path for a file (Unix-style), simplify it. Or in other words, convert it to * the canonical path. * * <p>In a UNIX-style file system, a period . refers to the current directory. Furthermore, a double * period .. moves the directory up a level. * * <p>Note that the returned canonical path must always begin with a slash /, and there must be only * a single slash / between two directory names. The last directory name (if it exists) must not end * with a trailing /. Also, the canonical path must be the shortest string representing the absolute * path. * * <p>Example 1: * * <p>Input: "/home/" Output: "/home" Explanation: Note that there is no trailing slash after the * last directory name. * * <p>Example 2: * * <p>Input: "/../" Output: "/" Explanation: Going one level up from the root directory is a no-op, * as the root level is the highest level you can go. * * <p>Example 3: * * <p>Input: "/home//foo/" Output: "/home/foo" Explanation: In the canonical path, multiple * consecutive slashes are replaced by a single one. * * <p>Example 4: * * <p>Input: "/a/./b/../../c/" Output: "/c" * * <p>Example 5: * * <p>Input: "/a/../../b/../c//.//" Output: "/c" * * <p>Example 6: * * <p>Input: "/a//b////c/d//././/.." Output: "/a/b/c" * * @author bramanarayan * @date Jun 29, 2020 */ public class SimplifyPath { /** * @param args */ public static void main(String[] args) { SimplifyPath solution = new SimplifyPath(); System.out.println(solution.simplifyPath("/home/")); System.out.println(solution.simplifyPath("/home//foo/")); System.out.println(solution.simplifyPath("/a/./b/../../c/")); System.out.println(solution.simplifyPath("/a//b////c/d//././/../")); System.out.println(solution.simplifyPath("/a/../../b/../c//.//")); } public String simplifyPath(String s) { Deque<String> st = new LinkedList<String>(); String[] tokens = s.split("/"); // CATCH for (int i = 0; i < tokens.length; i++) { String next = tokens[i]; if (next.equals("..")) { if (!st.isEmpty()) { st.removeLast(); } } else if (next.equals(".") || next.isEmpty()) { // DO nothing here - its current directory } else { st.addLast(next); } } // IF the stack is empty, then its root. if (st.isEmpty()) { return "/"; } // Now, pop the stack and return StringBuilder sb = new StringBuilder(); while (!st.isEmpty()) { sb.append("/"); sb.append(st.removeFirst()); } return sb.toString(); } }
.version 52 0 .class public super SimplifyPath .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 58 .end linenumbertable .end code .end method .method public static main : ([Ljava/lang/String;)V .code stack 3 locals 2 L0: new SimplifyPath L3: dup L4: invokespecial Method SimplifyPath <init> ()V L7: astore_1 L8: getstatic Field java/lang/System out Ljava/io/PrintStream; L11: aload_1 L12: ldc '/home/' L14: invokevirtual Method SimplifyPath simplifyPath (Ljava/lang/String;)Ljava/lang/String; L17: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V L20: getstatic Field java/lang/System out Ljava/io/PrintStream; L23: aload_1 L24: ldc '/home//foo/' L26: invokevirtual Method SimplifyPath simplifyPath (Ljava/lang/String;)Ljava/lang/String; L29: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V L32: getstatic Field java/lang/System out Ljava/io/PrintStream; L35: aload_1 L36: ldc '/a/./b/../../c/' L38: invokevirtual Method SimplifyPath simplifyPath (Ljava/lang/String;)Ljava/lang/String; L41: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V L44: getstatic Field java/lang/System out Ljava/io/PrintStream; L47: aload_1 L48: ldc '/a//b////c/d//././/../' L50: invokevirtual Method SimplifyPath simplifyPath (Ljava/lang/String;)Ljava/lang/String; L53: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V L56: getstatic Field java/lang/System out Ljava/io/PrintStream; L59: aload_1 L60: ldc '/a/../../b/../c//.//' L62: invokevirtual Method SimplifyPath simplifyPath (Ljava/lang/String;)Ljava/lang/String; L65: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V L68: return L69: .linenumbertable L0 64 L8 65 L20 66 L32 67 L44 68 L56 70 L68 72 .end linenumbertable .end code .end method .method public simplifyPath : (Ljava/lang/String;)Ljava/lang/String; .code stack 2 locals 6 L0: new java/util/LinkedList L3: dup L4: invokespecial Method java/util/LinkedList <init> ()V L7: astore_2 L8: aload_1 L9: ldc '/' L11: invokevirtual Method java/lang/String split (Ljava/lang/String;)[Ljava/lang/String; L14: astore_3 L15: iconst_0 L16: istore 4 .stack append Object java/util/Deque Object [Ljava/lang/String; Integer L18: iload 4 L20: aload_3 L21: arraylength L22: if_icmpge L95 L25: aload_3 L26: iload 4 L28: aaload L29: astore 5 L31: aload 5 L33: ldc '..' L35: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z L38: ifeq L60 L41: aload_2 L42: invokeinterface InterfaceMethod java/util/Deque isEmpty ()Z 1 L47: ifne L89 L50: aload_2 L51: invokeinterface InterfaceMethod java/util/Deque removeLast ()Ljava/lang/Object; 1 L56: pop L57: goto L89 .stack append Object java/lang/String L60: aload 5 L62: ldc '.' L64: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z L67: ifne L89 L70: aload 5 L72: invokevirtual Method java/lang/String isEmpty ()Z L75: ifeq L81 L78: goto L89 .stack same L81: aload_2 L82: aload 5 L84: invokeinterface InterfaceMethod java/util/Deque addLast (Ljava/lang/Object;)V 2 .stack chop 1 L89: iinc 4 1 L92: goto L18 .stack chop 1 L95: aload_2 L96: invokeinterface InterfaceMethod java/util/Deque isEmpty ()Z 1 L101: ifeq L107 L104: ldc '/' L106: areturn .stack same L107: new java/lang/StringBuilder L110: dup L111: invokespecial Method java/lang/StringBuilder <init> ()V L114: astore 4 .stack append Object java/lang/StringBuilder L116: aload_2 L117: invokeinterface InterfaceMethod java/util/Deque isEmpty ()Z 1 L122: ifne L151 L125: aload 4 L127: ldc '/' L129: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L132: pop L133: aload 4 L135: aload_2 L136: invokeinterface InterfaceMethod java/util/Deque removeFirst ()Ljava/lang/Object; 1 L141: checkcast java/lang/String L144: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L147: pop L148: goto L116 .stack same L151: aload 4 L153: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; L156: areturn L157: .linenumbertable L0 76 L8 78 L15 80 L25 81 L31 82 L41 83 L50 84 L60 86 L81 89 L89 80 L95 94 L104 95 L107 99 L116 100 L125 101 L133 102 L151 104 .end linenumbertable .end code .end method .sourcefile 'SimplifyPath.java' .end class
/* * This file was automatically generated by EvoSuite * Fri Jul 01 14: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 SimplifyPath_ESTest extends SimplifyPath_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { SimplifyPath.main((String[]) null); SimplifyPath simplifyPath0 = new SimplifyPath(); simplifyPath0.simplifyPath(""); SimplifyPath.main((String[]) null); } @Test(timeout = 4000) public void test1() throws Throwable { SimplifyPath simplifyPath0 = new SimplifyPath(); String string0 = simplifyPath0.simplifyPath("/a/../../b/../c//.//"); assertEquals("/c", string0); } @Test(timeout = 4000) public void test2() throws Throwable { SimplifyPath simplifyPath0 = new SimplifyPath(); String string0 = simplifyPath0.simplifyPath("/a//b////c/d//././/../"); assertEquals("/a/b/c", string0); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Fri Jul 01 14: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 SimplifyPath_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000); @BeforeClass public static void initEvoSuiteFramework() { org.evosuite.runtime.RuntimeSettings.className = "SimplifyPath"; org.evosuite.runtime.GuiSupport.initialize(); org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); org.evosuite.runtime.classhandling.JDKClassResetter.init(); setSystemProperties(); initializeClasses(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); } @AfterClass public static void clearEvoSuiteFramework(){ Sandbox.resetDefaultSecurityManager(); java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); } @Before public void initTestCase(){ threadStopper.storeCurrentThreads(); threadStopper.startRecordingTime(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); setSystemProperties(); org.evosuite.runtime.GuiSupport.setHeadless(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); org.evosuite.runtime.agent.InstrumentingAgent.activate(); } @After public void doneWithTestCase(){ threadStopper.killAndJoinClientThreads(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); org.evosuite.runtime.classhandling.JDKClassResetter.reset(); resetClasses(); org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); } public static void setSystemProperties() { java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); java.lang.System.setProperty("file.encoding", "UTF-8"); java.lang.System.setProperty("java.awt.headless", "true"); java.lang.System.setProperty("java.io.tmpdir", "/tmp"); java.lang.System.setProperty("user.country", "US"); java.lang.System.setProperty("user.dir", "/tmp/tmptjd_l5vu"); java.lang.System.setProperty("user.home", "/home/bmcdanel"); java.lang.System.setProperty("user.language", "en"); java.lang.System.setProperty("user.name", "bmcdanel"); java.lang.System.setProperty("user.timezone", "America/New_York"); } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(SimplifyPath_ESTest_scaffolding.class.getClassLoader() , "SimplifyPath" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(SimplifyPath_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "SimplifyPath" ); } }
2,200
TypeUri
/* * * * Copyright (C) 2016 Shohei Kawano. * * * * 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.UnsupportedEncodingException; import java.net.URI; import java.net.URLDecoder; import java.util.ArrayList; import java.util.Collections; import java.util.LinkedHashMap; import java.util.LinkedList; import java.util.List; import java.util.Map; public final class TypeUri { private final URI uri; private final List<String> pathSegments; private final Map<String, List<String>> queryMap; /** * Creates new {@code TypeUri} by parsing the given {@code uri} argument. * * @param uri {@code URI} to be parsed as {@code TypeUri}. * @return new {@code TypeUri} based on parsing the given {@code uri}. */ public static TypeUri parse(URI uri) { return new TypeUri(uri); } /** * Creates new {@code TypeUri} by parsing the given {@code url} argument. * * @param url {@code String} url to be parsed as {@code TypeUri}. * @return new {@code TypeUri} based on parsing the given {@code url}. */ public static TypeUri parse(String url) { return new TypeUri(URI.create(url)); } private TypeUri(URI uri) { this.uri = uri; this.pathSegments = parsePathSegments(uri.getPath()); try { this.queryMap = createQueryMap(uri.getQuery()); } catch (UnsupportedEncodingException e) { throw new IllegalArgumentException(e); } } /** * Returns the raw {@code URI} that was parsed or created when this class is created. * * @return raw {@code uri} that was parsed or created when this class is created. */ public URI URI() { return uri; } /** * Returns query map of this {@code TypeUri}. This is null-safe; it returns an empty map if there * is no associated query map. * * @return {@code queryMap} of this {@code TypeUri}. */ public Map<String, List<String>> queryMap() { return queryMap; } /** * Returns path segments of this {@code TypeUri}. This is null-safe; it returns an empty list if * there is no associated path segments. * * @return {@code pathSegments} of this {@code TypeUri}. */ public List<String> getPathSegments() { return pathSegments; } /** * Returns whether this {@code TypeUri} has no path segments. * * @return {@code true} if this {@code TypeUri} has empty path segments. {@code false} otherwise. */ public boolean hasEmptyPath() { return pathSegments.isEmpty(); } /** * Returns whether this {@code TypeUri} is network type. Network type means if the host of this * {@code TypeUri} is either "http" or "https". * * @return {@code true} if the host of this {@code TypeUri} is either "http" or "https". {@code * false} otherwise. */ public boolean isNetwork() { String scheme = uri.getScheme(); return "http".equals(scheme) || "https".equals(scheme); } /** * Returns whether the host of this {@code TypeUri} is "http". * * @return {@code true} if the host of this {@code TypeUri} is "http". {@code false} otherwise. */ public boolean isHttp() { return "http".equals(uri.getScheme()); } /** * Returns whether the host of this {@code TypeUri} is "https". * * @return {@code true} if the host of this {@code TypeUri} is "https". {@code false} otherwise. */ public boolean isHttps() { return "https".equals(uri.getScheme()); } /** * Returns whether the host of this {@code TypeUri} is the same as the given {@code host}. * * @return {@code true} if the host of this {@code TypeUri} is is the same as the given {@code * host}. {@code false} otherwise. */ public boolean isHost(String host) { return host.equals(uri.getHost()); } /** * Returns whether the scheme of this {@code TypeUri} is the same as the given {@code scheme}. * * @return {@code true} if the scheme of this {@code TypeUri} is is the same as the given {@code * scheme}. {@code false} otherwise. */ public boolean isScheme(String scheme) { return scheme.equals(uri.getScheme()); } /** * Returns whether this {@code TypeUri} has query. * * @return {@code true} if this {@code TypeUri} has query. {@code false} otherwise. */ public boolean hasQuery() { return uri.getQuery() != null; } /** * Returns whether this {@code TypeUri} has the given {@code query}. * * @return {@code true} if this {@code TypeUri} has the given {@code query}. {@code false} * otherwise. */ public boolean hasQuery(String query) { if (queryMap == null || queryMap.isEmpty()) { return false; } return queryMap.containsKey(query); } /** * Returns whether this {@code TypeUri} contains the given {@code queryMap}. * * @return {@code true} if this {@code TypeUri} contains the given {@code queryMap}. {@code false} * otherwise. */ public boolean containsQueryMap(Map<String, String> queryMap) { if (queryMap == null || queryMap.isEmpty()) { return false; } for (Map.Entry<String, String> query : queryMap.entrySet()) { if (containsQueryMap(query.getKey(), query.getValue())) { return true; } } return false; } /** * Returns whether this {@code TypeUri} contains the given {@code queryKey} and {@code queryValue} * map. * * @return {@code true} if this {@code TypeUri} contains the given ontains the given {@code * queryKey} and {@code queryValue} map. */ public boolean containsQueryMap(String queryKey, String queryValue) { List<String> queryValues = queryMap.get(queryKey); if (queryValues == null || queryValues.isEmpty()) { return false; } for (int i = 0, size = queryValues.size(); i < size; i++) { if (queryValue.equals(queryValues.get(i))) { return true; } } return false; } private Map<String, List<String>> createQueryMap(String query) throws UnsupportedEncodingException { if (query == null || query.isEmpty()) { return Collections.emptyMap(); } String[] queryParameters = query.split("&"); int length = queryParameters.length; Map<String, List<String>> queryMap = new LinkedHashMap<>(length); for (int i = 0; i < length; i++) { String parameter = queryParameters[i]; int equalIndex = parameter.indexOf("="); String key; if (equalIndex > 0) { key = URLDecoder.decode(parameter.substring(0, equalIndex), "UTF-8"); } else { key = parameter; } if (!queryMap.containsKey(key)) { queryMap.put(key, new LinkedList<String>()); } String value; if (equalIndex > 0 && parameter.length() > equalIndex + 1) { value = URLDecoder.decode(parameter.substring(equalIndex + 1), "UTF-8"); } else { value = ""; } queryMap.get(key).add(value); } return queryMap; } private List<String> parsePathSegments(String pathString) { if (pathString == null || pathString.isEmpty()) { return Collections.emptyList(); } String[] splitter = pathString.split("/"); List<String> pathSegments = new ArrayList<>(splitter.length); for (int i = 0, length = splitter.length; i < length; i++) { String pathSegment = splitter[i]; if (!pathSegment.isEmpty()) { pathSegments.add(pathSegment); } } if (pathSegments.isEmpty()) { return Collections.emptyList(); } else { return pathSegments; } } @Override public boolean equals(Object o) { if (this == o) return true; if (o == null || getClass() != o.getClass()) return false; TypeUri typeUri = (TypeUri) o; return uri != null ? uri.equals(typeUri.uri) : typeUri.uri == null && (queryMap != null ? queryMap.equals(typeUri.queryMap) : typeUri.queryMap == null && (pathSegments != null ? pathSegments.equals(typeUri.pathSegments) : typeUri.pathSegments == null)); } @Override public int hashCode() { int result = uri != null ? uri.hashCode() : 0; result = 31 * result + (queryMap != null ? queryMap.hashCode() : 0); result = 31 * result + (pathSegments != null ? pathSegments.hashCode() : 0); return result; } @Override public String toString() { return String.format( "TypeUri{uri=%s, queryMap=%s, pathSegments=%s}", uri, queryMap, pathSegments); } }
.version 52 0 .class public final super TypeUri .super java/lang/Object .field private final uri Ljava/net/URI; .field private final pathSegments Ljava/util/List; .fieldattributes .signature Ljava/util/List<Ljava/lang/String;>; .end fieldattributes .field private final queryMap Ljava/util/Map; .fieldattributes .signature Ljava/util/Map<Ljava/lang/String;Ljava/util/List<Ljava/lang/String;>;>; .end fieldattributes .method public static parse : (Ljava/net/URI;)LTypeUri; .code stack 3 locals 1 L0: new TypeUri L3: dup L4: aload_0 L5: invokespecial Method TypeUri <init> (Ljava/net/URI;)V L8: areturn L9: .linenumbertable L0 43 .end linenumbertable .end code .end method .method public static parse : (Ljava/lang/String;)LTypeUri; .code stack 3 locals 1 L0: new TypeUri L3: dup L4: aload_0 L5: invokestatic Method java/net/URI create (Ljava/lang/String;)Ljava/net/URI; L8: invokespecial Method TypeUri <init> (Ljava/net/URI;)V L11: areturn L12: .linenumbertable L0 53 .end linenumbertable .end code .end method .method private <init> : (Ljava/net/URI;)V .code stack 3 locals 3 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: aload_0 L5: aload_1 L6: putfield Field TypeUri uri Ljava/net/URI; L9: aload_0 L10: aload_0 L11: aload_1 L12: invokevirtual Method java/net/URI getPath ()Ljava/lang/String; L15: invokespecial Method TypeUri parsePathSegments (Ljava/lang/String;)Ljava/util/List; L18: putfield Field TypeUri pathSegments Ljava/util/List; .catch java/io/UnsupportedEncodingException from L21 to L33 using L36 L21: aload_0 L22: aload_0 L23: aload_1 L24: invokevirtual Method java/net/URI getQuery ()Ljava/lang/String; L27: invokespecial Method TypeUri createQueryMap (Ljava/lang/String;)Ljava/util/Map; L30: putfield Field TypeUri queryMap Ljava/util/Map; L33: goto L46 .stack full locals Object TypeUri Object java/net/URI stack Object java/io/UnsupportedEncodingException .end stack L36: astore_2 L37: new java/lang/IllegalArgumentException L40: dup L41: aload_2 L42: invokespecial Method java/lang/IllegalArgumentException <init> (Ljava/lang/Throwable;)V L45: athrow .stack same L46: return L47: .linenumbertable L0 56 L4 57 L9 58 L21 61 L33 64 L36 62 L37 63 L46 65 .end linenumbertable .end code .end method .method public URI : ()Ljava/net/URI; .code stack 1 locals 1 L0: aload_0 L1: getfield Field TypeUri uri Ljava/net/URI; L4: areturn L5: .linenumbertable L0 73 .end linenumbertable .end code .end method .method public queryMap : ()Ljava/util/Map; .code stack 1 locals 1 L0: aload_0 L1: getfield Field TypeUri queryMap Ljava/util/Map; L4: areturn L5: .linenumbertable L0 83 .end linenumbertable .end code .signature ()Ljava/util/Map<Ljava/lang/String;Ljava/util/List<Ljava/lang/String;>;>; .end method .method public getPathSegments : ()Ljava/util/List; .code stack 1 locals 1 L0: aload_0 L1: getfield Field TypeUri pathSegments Ljava/util/List; L4: areturn L5: .linenumbertable L0 93 .end linenumbertable .end code .signature ()Ljava/util/List<Ljava/lang/String;>; .end method .method public hasEmptyPath : ()Z .code stack 1 locals 1 L0: aload_0 L1: getfield Field TypeUri pathSegments Ljava/util/List; L4: invokeinterface InterfaceMethod java/util/List isEmpty ()Z 1 L9: ireturn L10: .linenumbertable L0 102 .end linenumbertable .end code .end method .method public isNetwork : ()Z .code stack 2 locals 2 L0: aload_0 L1: getfield Field TypeUri uri Ljava/net/URI; L4: invokevirtual Method java/net/URI getScheme ()Ljava/lang/String; L7: astore_1 L8: ldc 'http' L10: aload_1 L11: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z L14: ifne L26 L17: ldc 'https' L19: aload_1 L20: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z L23: ifeq L30 .stack append Object java/lang/String L26: iconst_1 L27: goto L31 .stack same L30: iconst_0 .stack stack_1 Integer L31: ireturn L32: .linenumbertable L0 113 L8 114 .end linenumbertable .end code .end method .method public isHttp : ()Z .code stack 2 locals 1 L0: ldc 'http' L2: aload_0 L3: getfield Field TypeUri uri Ljava/net/URI; L6: invokevirtual Method java/net/URI getScheme ()Ljava/lang/String; L9: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z L12: ireturn L13: .linenumbertable L0 123 .end linenumbertable .end code .end method .method public isHttps : ()Z .code stack 2 locals 1 L0: ldc 'https' L2: aload_0 L3: getfield Field TypeUri uri Ljava/net/URI; L6: invokevirtual Method java/net/URI getScheme ()Ljava/lang/String; L9: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z L12: ireturn L13: .linenumbertable L0 132 .end linenumbertable .end code .end method .method public isHost : (Ljava/lang/String;)Z .code stack 2 locals 2 L0: aload_1 L1: aload_0 L2: getfield Field TypeUri uri Ljava/net/URI; L5: invokevirtual Method java/net/URI getHost ()Ljava/lang/String; L8: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z L11: ireturn L12: .linenumbertable L0 142 .end linenumbertable .end code .end method .method public isScheme : (Ljava/lang/String;)Z .code stack 2 locals 2 L0: aload_1 L1: aload_0 L2: getfield Field TypeUri uri Ljava/net/URI; L5: invokevirtual Method java/net/URI getScheme ()Ljava/lang/String; L8: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z L11: ireturn L12: .linenumbertable L0 152 .end linenumbertable .end code .end method .method public hasQuery : ()Z .code stack 1 locals 1 L0: aload_0 L1: getfield Field TypeUri uri Ljava/net/URI; L4: invokevirtual Method java/net/URI getQuery ()Ljava/lang/String; L7: ifnull L14 L10: iconst_1 L11: goto L15 .stack same L14: iconst_0 .stack stack_1 Integer L15: ireturn L16: .linenumbertable L0 161 .end linenumbertable .end code .end method .method public hasQuery : (Ljava/lang/String;)Z .code stack 2 locals 2 L0: aload_0 L1: getfield Field TypeUri queryMap Ljava/util/Map; L4: ifnull L19 L7: aload_0 L8: getfield Field TypeUri queryMap Ljava/util/Map; L11: invokeinterface InterfaceMethod java/util/Map isEmpty ()Z 1 L16: ifeq L21 .stack same L19: iconst_0 L20: ireturn .stack same L21: aload_0 L22: getfield Field TypeUri queryMap Ljava/util/Map; L25: aload_1 L26: invokeinterface InterfaceMethod java/util/Map containsKey (Ljava/lang/Object;)Z 2 L31: ireturn L32: .linenumbertable L0 171 L19 172 L21 175 .end linenumbertable .end code .end method .method public containsQueryMap : (Ljava/util/Map;)Z .code stack 3 locals 4 L0: aload_1 L1: ifnull L13 L4: aload_1 L5: invokeinterface InterfaceMethod java/util/Map isEmpty ()Z 1 L10: ifeq L15 .stack same L13: iconst_0 L14: ireturn .stack same L15: aload_1 L16: invokeinterface InterfaceMethod java/util/Map entrySet ()Ljava/util/Set; 1 L21: invokeinterface InterfaceMethod java/util/Set iterator ()Ljava/util/Iterator; 1 L26: astore_2 .stack append Object java/util/Iterator L27: aload_2 L28: invokeinterface InterfaceMethod java/util/Iterator hasNext ()Z 1 L33: ifeq L76 L36: aload_2 L37: invokeinterface InterfaceMethod java/util/Iterator next ()Ljava/lang/Object; 1 L42: checkcast java/util/Map$Entry L45: astore_3 L46: aload_0 L47: aload_3 L48: invokeinterface InterfaceMethod java/util/Map$Entry getKey ()Ljava/lang/Object; 1 L53: checkcast java/lang/String L56: aload_3 L57: invokeinterface InterfaceMethod java/util/Map$Entry getValue ()Ljava/lang/Object; 1 L62: checkcast java/lang/String L65: invokevirtual Method TypeUri containsQueryMap (Ljava/lang/String;Ljava/lang/String;)Z L68: ifeq L73 L71: iconst_1 L72: ireturn .stack same L73: goto L27 .stack chop 1 L76: iconst_0 L77: ireturn L78: .linenumbertable L0 185 L13 186 L15 189 L46 190 L71 191 L73 193 L76 195 .end linenumbertable .end code .signature (Ljava/util/Map<Ljava/lang/String;Ljava/lang/String;>;)Z .end method .method public containsQueryMap : (Ljava/lang/String;Ljava/lang/String;)Z .code stack 3 locals 6 L0: aload_0 L1: getfield Field TypeUri queryMap Ljava/util/Map; L4: aload_1 L5: invokeinterface InterfaceMethod java/util/Map get (Ljava/lang/Object;)Ljava/lang/Object; 2 L10: checkcast java/util/List L13: astore_3 L14: aload_3 L15: ifnull L27 L18: aload_3 L19: invokeinterface InterfaceMethod java/util/List isEmpty ()Z 1 L24: ifeq L29 .stack append Object java/util/List L27: iconst_0 L28: ireturn .stack same L29: iconst_0 L30: istore 4 L32: aload_3 L33: invokeinterface InterfaceMethod java/util/List size ()I 1 L38: istore 5 .stack append Integer Integer L40: iload 4 L42: iload 5 L44: if_icmpge L70 L47: aload_2 L48: aload_3 L49: iload 4 L51: invokeinterface InterfaceMethod java/util/List get (I)Ljava/lang/Object; 2 L56: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z L59: ifeq L64 L62: iconst_1 L63: ireturn .stack same L64: iinc 4 1 L67: goto L40 .stack chop 2 L70: iconst_0 L71: ireturn L72: .linenumbertable L0 206 L14 207 L27 208 L29 211 L47 212 L62 213 L64 211 L70 217 .end linenumbertable .end code .end method .method private createQueryMap : (Ljava/lang/String;)Ljava/util/Map; .code stack 4 locals 10 L0: aload_1 L1: ifnull L11 L4: aload_1 L5: invokevirtual Method java/lang/String isEmpty ()Z L8: ifeq L15 .stack same L11: invokestatic Method java/util/Collections emptyMap ()Ljava/util/Map; L14: areturn .stack same L15: aload_1 L16: ldc '&' L18: invokevirtual Method java/lang/String split (Ljava/lang/String;)[Ljava/lang/String; L21: astore_2 L22: aload_2 L23: arraylength L24: istore_3 L25: new java/util/LinkedHashMap L28: dup L29: iload_3 L30: invokespecial Method java/util/LinkedHashMap <init> (I)V L33: astore 4 L35: iconst_0 L36: istore 5 .stack full locals Object TypeUri Object java/lang/String Object [Ljava/lang/String; Integer Object java/util/Map Integer stack .end stack L38: iload 5 L40: iload_3 L41: if_icmpge L181 L44: aload_2 L45: iload 5 L47: aaload L48: astore 6 L50: aload 6 L52: ldc '=' L54: invokevirtual Method java/lang/String indexOf (Ljava/lang/String;)I L57: istore 7 L59: iload 7 L61: ifle L82 L64: aload 6 L66: iconst_0 L67: iload 7 L69: invokevirtual Method java/lang/String substring (II)Ljava/lang/String; L72: ldc 'UTF-8' L74: invokestatic Method java/net/URLDecoder decode (Ljava/lang/String;Ljava/lang/String;)Ljava/lang/String; L77: astore 8 L79: goto L86 .stack append Object java/lang/String Integer L82: aload 6 L84: astore 8 .stack append Object java/lang/String L86: aload 4 L88: aload 8 L90: invokeinterface InterfaceMethod java/util/Map containsKey (Ljava/lang/Object;)Z 2 L95: ifne L115 L98: aload 4 L100: aload 8 L102: new java/util/LinkedList L105: dup L106: invokespecial Method java/util/LinkedList <init> ()V L109: invokeinterface InterfaceMethod java/util/Map put (Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; 3 L114: pop .stack same L115: iload 7 L117: ifle L151 L120: aload 6 L122: invokevirtual Method java/lang/String length ()I L125: iload 7 L127: iconst_1 L128: iadd L129: if_icmple L151 L132: aload 6 L134: iload 7 L136: iconst_1 L137: iadd L138: invokevirtual Method java/lang/String substring (I)Ljava/lang/String; L141: ldc 'UTF-8' L143: invokestatic Method java/net/URLDecoder decode (Ljava/lang/String;Ljava/lang/String;)Ljava/lang/String; L146: astore 9 L148: goto L155 .stack same L151: ldc '' L153: astore 9 .stack append Object java/lang/String L155: aload 4 L157: aload 8 L159: invokeinterface InterfaceMethod java/util/Map get (Ljava/lang/Object;)Ljava/lang/Object; 2 L164: checkcast java/util/List L167: aload 9 L169: invokeinterface InterfaceMethod java/util/List add (Ljava/lang/Object;)Z 2 L174: pop L175: iinc 5 1 L178: goto L38 .stack full locals Object TypeUri Object java/lang/String Object [Ljava/lang/String; Integer Object java/util/Map stack .end stack L181: aload 4 L183: areturn L184: .linenumbertable L0 222 L11 223 L15 226 L22 227 L25 228 L35 230 L44 231 L50 232 L59 235 L64 236 L82 238 L86 241 L98 242 L115 246 L132 247 L151 249 L155 252 L175 230 L181 255 .end linenumbertable .end code .exceptions java/io/UnsupportedEncodingException .signature (Ljava/lang/String;)Ljava/util/Map<Ljava/lang/String;Ljava/util/List<Ljava/lang/String;>;>; .end method .method private parsePathSegments : (Ljava/lang/String;)Ljava/util/List; .code stack 3 locals 7 L0: aload_1 L1: ifnull L11 L4: aload_1 L5: invokevirtual Method java/lang/String isEmpty ()Z L8: ifeq L15 .stack same L11: invokestatic Method java/util/Collections emptyList ()Ljava/util/List; L14: areturn .stack same L15: aload_1 L16: ldc '/' L18: invokevirtual Method java/lang/String split (Ljava/lang/String;)[Ljava/lang/String; L21: astore_2 L22: new java/util/ArrayList L25: dup L26: aload_2 L27: arraylength L28: invokespecial Method java/util/ArrayList <init> (I)V L31: astore_3 L32: iconst_0 L33: istore 4 L35: aload_2 L36: arraylength L37: istore 5 .stack full locals Object TypeUri Object java/lang/String Object [Ljava/lang/String; Object java/util/List Integer Integer stack .end stack L39: iload 4 L41: iload 5 L43: if_icmpge L75 L46: aload_2 L47: iload 4 L49: aaload L50: astore 6 L52: aload 6 L54: invokevirtual Method java/lang/String isEmpty ()Z L57: ifne L69 L60: aload_3 L61: aload 6 L63: invokeinterface InterfaceMethod java/util/List add (Ljava/lang/Object;)Z 2 L68: pop .stack same L69: iinc 4 1 L72: goto L39 .stack chop 2 L75: aload_3 L76: invokeinterface InterfaceMethod java/util/List isEmpty ()Z 1 L81: ifeq L88 L84: invokestatic Method java/util/Collections emptyList ()Ljava/util/List; L87: areturn .stack same L88: aload_3 L89: areturn L90: .linenumbertable L0 259 L11 260 L15 263 L22 264 L32 265 L46 266 L52 267 L60 268 L69 265 L75 272 L84 273 L88 275 .end linenumbertable .end code .signature (Ljava/lang/String;)Ljava/util/List<Ljava/lang/String;>; .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 TypeUri L28: astore_2 L29: aload_0 L30: getfield Field TypeUri uri Ljava/net/URI; L33: ifnull L50 L36: aload_0 L37: getfield Field TypeUri uri Ljava/net/URI; L40: aload_2 L41: getfield Field TypeUri uri Ljava/net/URI; L44: invokevirtual Method java/net/URI equals (Ljava/lang/Object;)Z L47: goto L128 .stack append Object TypeUri L50: aload_2 L51: getfield Field TypeUri uri Ljava/net/URI; L54: ifnonnull L127 L57: aload_0 L58: getfield Field TypeUri queryMap Ljava/util/Map; L61: ifnull L83 L64: aload_0 L65: getfield Field TypeUri queryMap Ljava/util/Map; L68: aload_2 L69: getfield Field TypeUri queryMap Ljava/util/Map; L72: invokeinterface InterfaceMethod java/util/Map equals (Ljava/lang/Object;)Z 2 L77: ifeq L127 L80: goto L123 .stack same L83: aload_2 L84: getfield Field TypeUri queryMap Ljava/util/Map; L87: ifnonnull L127 L90: aload_0 L91: getfield Field TypeUri pathSegments Ljava/util/List; L94: ifnull L116 L97: aload_0 L98: getfield Field TypeUri pathSegments Ljava/util/List; L101: aload_2 L102: getfield Field TypeUri pathSegments Ljava/util/List; L105: invokeinterface InterfaceMethod java/util/List equals (Ljava/lang/Object;)Z 2 L110: ifeq L127 L113: goto L123 .stack same L116: aload_2 L117: getfield Field TypeUri pathSegments Ljava/util/List; L120: ifnonnull L127 .stack same L123: iconst_1 L124: goto L128 .stack same L127: iconst_0 .stack stack_1 Integer L128: ireturn L129: .linenumbertable L0 280 L7 281 L24 283 L29 284 L72 285 L105 286 L128 284 .end linenumbertable .end code .end method .method public hashCode : ()I .code stack 2 locals 2 L0: aload_0 L1: getfield Field TypeUri uri Ljava/net/URI; L4: ifnull L17 L7: aload_0 L8: getfield Field TypeUri uri Ljava/net/URI; L11: invokevirtual Method java/net/URI hashCode ()I L14: goto L18 .stack same L17: iconst_0 .stack stack_1 Integer L18: istore_1 L19: bipush 31 L21: iload_1 L22: imul L23: aload_0 L24: getfield Field TypeUri queryMap Ljava/util/Map; L27: ifnull L42 L30: aload_0 L31: getfield Field TypeUri queryMap Ljava/util/Map; L34: invokeinterface InterfaceMethod java/util/Map hashCode ()I 1 L39: goto L43 .stack full locals Object TypeUri Integer stack Integer .end stack L42: iconst_0 .stack full locals Object TypeUri Integer stack Integer Integer .end stack L43: iadd L44: istore_1 L45: bipush 31 L47: iload_1 L48: imul L49: aload_0 L50: getfield Field TypeUri pathSegments Ljava/util/List; L53: ifnull L68 L56: aload_0 L57: getfield Field TypeUri pathSegments Ljava/util/List; L60: invokeinterface InterfaceMethod java/util/List hashCode ()I 1 L65: goto L69 .stack stack_1 Integer L68: iconst_0 .stack full locals Object TypeUri Integer stack Integer Integer .end stack L69: iadd L70: istore_1 L71: iload_1 L72: ireturn L73: .linenumbertable L0 291 L19 292 L45 293 L71 294 .end linenumbertable .end code .end method .method public toString : ()Ljava/lang/String; .code stack 5 locals 1 L0: ldc 'TypeUri{uri=%s, queryMap=%s, pathSegments=%s}' L2: iconst_3 L3: anewarray java/lang/Object L6: dup L7: iconst_0 L8: aload_0 L9: getfield Field TypeUri uri Ljava/net/URI; L12: aastore L13: dup L14: iconst_1 L15: aload_0 L16: getfield Field TypeUri queryMap Ljava/util/Map; L19: aastore L20: dup L21: iconst_2 L22: aload_0 L23: getfield Field TypeUri pathSegments Ljava/util/List; L26: aastore L27: invokestatic Method java/lang/String format (Ljava/lang/String;[Ljava/lang/Object;)Ljava/lang/String; L30: areturn L31: .linenumbertable L0 298 .end linenumbertable .end code .end method .sourcefile 'TypeUri.java' .innerclasses java/util/Map$Entry java/util/Map Entry public static interface abstract .end innerclasses .end class
/* * This file was automatically generated by EvoSuite * Sat Jul 02 11:46:48 GMT 2022 */ import org.junit.Test; import static org.junit.Assert.*; import java.net.URI; import java.util.HashMap; import java.util.Map; import org.evosuite.runtime.EvoRunner; import org.evosuite.runtime.EvoRunnerParameters; import org.evosuite.runtime.mock.java.net.MockURI; import org.junit.runner.RunWith; @RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) public class TypeUri_ESTest extends TypeUri_ESTest_scaffolding { @Test(timeout = 4000) public void test00() throws Throwable { TypeUri typeUri0 = TypeUri.parse(""); TypeUri typeUri1 = TypeUri.parse(""); typeUri1.toString(); typeUri0.hashCode(); URI uRI0 = MockURI.aFileURI; TypeUri typeUri2 = TypeUri.parse(uRI0); typeUri2.queryMap(); boolean boolean0 = typeUri1.isNetwork(); String string0 = typeUri2.toString(); assertEquals("TypeUri{uri=file:///tmp/foo.bar, queryMap={}, pathSegments=[tmp, foo.bar]}", string0); typeUri2.getPathSegments(); boolean boolean1 = typeUri0.hasQuery(""); assertFalse(boolean1); boolean boolean2 = typeUri1.equals(typeUri0); assertFalse(boolean2 == boolean0); assertFalse(typeUri1.equals((Object)typeUri2)); assertTrue(boolean2); } @Test(timeout = 4000) public void test01() throws Throwable { URI uRI0 = MockURI.URI("bB", "/", "/", "/", "bB"); TypeUri typeUri0 = TypeUri.parse(uRI0); typeUri0.hashCode(); assertTrue(typeUri0.hasEmptyPath()); } @Test(timeout = 4000) public void test02() throws Throwable { TypeUri typeUri0 = TypeUri.parse("4vRIG"); typeUri0.hashCode(); assertFalse(typeUri0.hasEmptyPath()); } @Test(timeout = 4000) public void test03() throws Throwable { TypeUri typeUri0 = TypeUri.parse("/"); TypeUri.parse(""); typeUri0.getPathSegments(); boolean boolean0 = typeUri0.containsQueryMap((String) null, (String) null); HashMap<String, String> hashMap0 = new HashMap<String, String>(); boolean boolean1 = typeUri0.containsQueryMap((Map<String, String>) hashMap0); assertTrue(typeUri0.hasEmptyPath()); assertTrue(boolean1 == boolean0); assertFalse(boolean1); } @Test(timeout = 4000) public void test04() throws Throwable { TypeUri typeUri0 = TypeUri.parse("1+wvh?&2T!'Jc"); typeUri0.URI(); assertFalse(typeUri0.hasEmptyPath()); } @Test(timeout = 4000) public void test05() throws Throwable { URI uRI0 = MockURI.aHttpURI; TypeUri typeUri0 = TypeUri.parse(uRI0); boolean boolean0 = typeUri0.isHttp(); assertTrue(boolean0); } @Test(timeout = 4000) public void test06() throws Throwable { URI uRI0 = MockURI.aFTPURI; TypeUri typeUri0 = TypeUri.parse(uRI0); URI uRI1 = typeUri0.URI(); assertEquals("foo.bar", uRI1.getHost()); } @Test(timeout = 4000) public void test07() throws Throwable { TypeUri typeUri0 = TypeUri.parse(""); Object object0 = new Object(); boolean boolean0 = typeUri0.equals(object0); assertFalse(boolean0); } @Test(timeout = 4000) public void test08() throws Throwable { TypeUri typeUri0 = TypeUri.parse("4vRIG"); boolean boolean0 = typeUri0.equals((Object) null); assertFalse(typeUri0.hasEmptyPath()); assertFalse(boolean0); } @Test(timeout = 4000) public void test09() throws Throwable { TypeUri typeUri0 = TypeUri.parse(""); boolean boolean0 = typeUri0.equals(typeUri0); assertTrue(boolean0); } @Test(timeout = 4000) public void test10() throws Throwable { URI uRI0 = MockURI.URI("bB", "/", "/", "/", "bB"); URI uRI1 = MockURI.resolve(uRI0, "bB"); TypeUri typeUri0 = TypeUri.parse(uRI1); assertFalse(typeUri0.hasEmptyPath()); } @Test(timeout = 4000) public void test11() throws Throwable { URI uRI0 = MockURI.URI("https", "https", "https"); TypeUri typeUri0 = TypeUri.parse(uRI0); assertFalse(typeUri0.isHttp()); } @Test(timeout = 4000) public void test12() throws Throwable { URI uRI0 = MockURI.URI((String) null, (String) null, "", "", ""); TypeUri typeUri0 = TypeUri.parse(uRI0); assertFalse(typeUri0.isNetwork()); } @Test(timeout = 4000) public void test13() throws Throwable { TypeUri typeUri0 = TypeUri.parse("bB"); HashMap<String, String> hashMap0 = new HashMap<String, String>(); hashMap0.put("", "4Oc;-G#U{e~7}rY"); boolean boolean0 = typeUri0.containsQueryMap((Map<String, String>) hashMap0); assertFalse(boolean0); assertFalse(typeUri0.hasEmptyPath()); } @Test(timeout = 4000) public void test14() throws Throwable { TypeUri typeUri0 = TypeUri.parse(""); boolean boolean0 = typeUri0.containsQueryMap((Map<String, String>) null); assertFalse(boolean0); } @Test(timeout = 4000) public void test15() throws Throwable { TypeUri typeUri0 = TypeUri.parse("bB"); boolean boolean0 = typeUri0.hasQuery(); assertFalse(typeUri0.hasEmptyPath()); assertFalse(boolean0); } @Test(timeout = 4000) public void test16() throws Throwable { URI uRI0 = MockURI.aHttpURI; TypeUri typeUri0 = TypeUri.parse(uRI0); boolean boolean0 = typeUri0.isNetwork(); assertTrue(boolean0); } @Test(timeout = 4000) public void test17() throws Throwable { TypeUri typeUri0 = TypeUri.parse(""); boolean boolean0 = typeUri0.hasEmptyPath(); assertTrue(boolean0); } @Test(timeout = 4000) public void test18() throws Throwable { TypeUri typeUri0 = TypeUri.parse("bB"); boolean boolean0 = typeUri0.hasEmptyPath(); assertFalse(boolean0); } @Test(timeout = 4000) public void test19() throws Throwable { URI uRI0 = MockURI.URI("bB", "/", "/", "/", "bB"); TypeUri typeUri0 = TypeUri.parse(uRI0); boolean boolean0 = typeUri0.hasQuery(); assertTrue(boolean0); assertTrue(typeUri0.hasEmptyPath()); } @Test(timeout = 4000) public void test20() throws Throwable { TypeUri typeUri0 = TypeUri.parse("bB"); typeUri0.isScheme("%rSdbflCT"); assertFalse(typeUri0.hasEmptyPath()); } @Test(timeout = 4000) public void test21() throws Throwable { TypeUri typeUri0 = TypeUri.parse(""); boolean boolean0 = typeUri0.isHttps(); assertFalse(boolean0); } @Test(timeout = 4000) public void test22() throws Throwable { TypeUri typeUri0 = TypeUri.parse("http"); typeUri0.isHost(""); assertFalse(typeUri0.hasEmptyPath()); } @Test(timeout = 4000) public void test23() throws Throwable { TypeUri typeUri0 = TypeUri.parse("bB"); typeUri0.isHttp(); assertFalse(typeUri0.hasEmptyPath()); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sat Jul 02 11:46: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 TypeUri_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000); @BeforeClass public static void initEvoSuiteFramework() { org.evosuite.runtime.RuntimeSettings.className = "TypeUri"; org.evosuite.runtime.GuiSupport.initialize(); org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); org.evosuite.runtime.classhandling.JDKClassResetter.init(); setSystemProperties(); initializeClasses(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); } @AfterClass public static void clearEvoSuiteFramework(){ Sandbox.resetDefaultSecurityManager(); java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); } @Before public void initTestCase(){ threadStopper.storeCurrentThreads(); threadStopper.startRecordingTime(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); setSystemProperties(); org.evosuite.runtime.GuiSupport.setHeadless(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); org.evosuite.runtime.agent.InstrumentingAgent.activate(); } @After public void doneWithTestCase(){ threadStopper.killAndJoinClientThreads(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); org.evosuite.runtime.classhandling.JDKClassResetter.reset(); resetClasses(); org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); } public static void setSystemProperties() { java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); java.lang.System.setProperty("file.encoding", "UTF-8"); java.lang.System.setProperty("java.awt.headless", "true"); java.lang.System.setProperty("java.io.tmpdir", "/tmp"); java.lang.System.setProperty("user.country", "US"); java.lang.System.setProperty("user.dir", "/tmp/tmp5ncyhgou"); java.lang.System.setProperty("user.home", "/home/bmcdanel"); java.lang.System.setProperty("user.language", "en"); java.lang.System.setProperty("user.name", "bmcdanel"); java.lang.System.setProperty("user.timezone", "America/New_York"); } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(TypeUri_ESTest_scaffolding.class.getClassLoader() , "TypeUri" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(TypeUri_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "TypeUri" ); } }
2,201
App
/** Hello world! */ public class App { public static void main(String[] args) { System.out.println("Hello World!"); } }
.version 52 0 .class public super App .super java/lang/Object .method public <init> : ()V .code stack 1 locals 1 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: return L5: .linenumbertable L0 7 .end linenumbertable .end code .end method .method public static main : ([Ljava/lang/String;)V .code stack 2 locals 1 L0: getstatic Field java/lang/System out Ljava/io/PrintStream; L3: ldc 'Hello World!' L5: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V L8: return L9: .linenumbertable L0 11 L8 12 .end linenumbertable .end code .end method .sourcefile 'App.java' .end class
/* * This file was automatically generated by EvoSuite * Sat Jul 02 02:15: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 App_ESTest extends App_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { String[] stringArray0 = new String[2]; App.main(stringArray0); assertEquals(2, stringArray0.length); } @Test(timeout = 4000) public void test1() throws Throwable { App app0 = new App(); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sat Jul 02 02:15: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 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/tmp0w5zg7hs"); java.lang.System.setProperty("user.home", "/home/bmcdanel"); java.lang.System.setProperty("user.language", "en"); java.lang.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" ); } }
2,202
EchoResponse
public class EchoResponse { private String message; private int quantity; public String getMessage() { return message; } public int getQuantity() { return quantity; } public void setMessage(String message) { this.message = message; } public void setQuantity(int quantity) { this.quantity = quantity; } @Override public String toString() { return "EchoResponse{\n" + "\tmessage='" + message + "\'\n" + "\tquantity=" + quantity + "\n" + '}'; } }
.version 52 0 .class public super EchoResponse .super java/lang/Object .field private message Ljava/lang/String; .field private quantity I .method public <init> : ()V .code stack 1 locals 1 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: return L5: .linenumbertable L0 3 .end linenumbertable .end code .end method .method public getMessage : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field EchoResponse message Ljava/lang/String; L4: areturn L5: .linenumbertable L0 9 .end linenumbertable .end code .end method .method public getQuantity : ()I .code stack 1 locals 1 L0: aload_0 L1: getfield Field EchoResponse quantity I L4: ireturn L5: .linenumbertable L0 13 .end linenumbertable .end code .end method .method public setMessage : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field EchoResponse message Ljava/lang/String; L5: return L6: .linenumbertable L0 17 L5 18 .end linenumbertable .end code .end method .method public setQuantity : (I)V .code stack 2 locals 2 L0: aload_0 L1: iload_1 L2: putfield Field EchoResponse quantity I L5: return L6: .linenumbertable L0 21 L5 22 .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 "EchoResponse{\n\tmessage='" L9: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L12: aload_0 L13: getfield Field EchoResponse message Ljava/lang/String; L16: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L19: ldc "'\n\tquantity=" L21: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L24: aload_0 L25: getfield Field EchoResponse quantity I L28: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder; L31: ldc '\n' L33: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)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 26 .end linenumbertable .end code .end method .sourcefile 'EchoResponse.java' .end class
/* * This file was automatically generated by EvoSuite * Mon Jul 04 07:09:51 GMT 2022 */ import org.junit.Test; import static org.junit.Assert.*; import org.evosuite.runtime.EvoRunner; import org.evosuite.runtime.EvoRunnerParameters; import org.junit.runner.RunWith; @RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) public class EchoResponse_ESTest extends EchoResponse_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { EchoResponse echoResponse0 = new EchoResponse(); echoResponse0.setQuantity(7685); int int0 = echoResponse0.getQuantity(); assertEquals(7685, int0); } @Test(timeout = 4000) public void test1() throws Throwable { EchoResponse echoResponse0 = new EchoResponse(); echoResponse0.setQuantity((-1)); int int0 = echoResponse0.getQuantity(); assertEquals((-1), int0); } @Test(timeout = 4000) public void test2() throws Throwable { EchoResponse echoResponse0 = new EchoResponse(); echoResponse0.setMessage(" x"); String string0 = echoResponse0.getMessage(); assertEquals(" x", string0); } @Test(timeout = 4000) public void test3() throws Throwable { EchoResponse echoResponse0 = new EchoResponse(); String string0 = echoResponse0.getMessage(); assertNull(string0); } @Test(timeout = 4000) public void test4() throws Throwable { EchoResponse echoResponse0 = new EchoResponse(); int int0 = echoResponse0.getQuantity(); assertEquals(0, int0); } @Test(timeout = 4000) public void test5() throws Throwable { EchoResponse echoResponse0 = new EchoResponse(); echoResponse0.setMessage(""); String string0 = echoResponse0.getMessage(); assertEquals("", string0); } @Test(timeout = 4000) public void test6() throws Throwable { EchoResponse echoResponse0 = new EchoResponse(); String string0 = echoResponse0.toString(); assertEquals("EchoResponse{\n\tmessage='null'\n\tquantity=0\n}", string0); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Mon Jul 04 07:09: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 EchoResponse_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000); @BeforeClass public static void initEvoSuiteFramework() { org.evosuite.runtime.RuntimeSettings.className = "EchoResponse"; org.evosuite.runtime.GuiSupport.initialize(); org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); org.evosuite.runtime.classhandling.JDKClassResetter.init(); setSystemProperties(); initializeClasses(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); } @AfterClass public static void clearEvoSuiteFramework(){ Sandbox.resetDefaultSecurityManager(); java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); } @Before public void initTestCase(){ threadStopper.storeCurrentThreads(); threadStopper.startRecordingTime(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); setSystemProperties(); org.evosuite.runtime.GuiSupport.setHeadless(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); org.evosuite.runtime.agent.InstrumentingAgent.activate(); } @After public void doneWithTestCase(){ threadStopper.killAndJoinClientThreads(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); org.evosuite.runtime.classhandling.JDKClassResetter.reset(); resetClasses(); org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); } public static void setSystemProperties() { java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); java.lang.System.setProperty("file.encoding", "UTF-8"); java.lang.System.setProperty("java.awt.headless", "true"); java.lang.System.setProperty("java.io.tmpdir", "/tmp"); java.lang.System.setProperty("user.country", "US"); java.lang.System.setProperty("user.dir", "/tmp/tmp5vzzpg5q"); java.lang.System.setProperty("user.home", "/home/bmcdanel"); java.lang.System.setProperty("user.language", "en"); java.lang.System.setProperty("user.name", "bmcdanel"); java.lang.System.setProperty("user.timezone", "America/New_York"); } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(EchoResponse_ESTest_scaffolding.class.getClassLoader() , "EchoResponse" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(EchoResponse_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "EchoResponse" ); } }
2,203
SalegroupCateData
import java.io.Serializable; /** Created by xuebing on 15/10/29. */ public class SalegroupCateData implements Serializable { // ppid:品牌id // cateid:分类id // name:分类名称 // count:数量 private String ppid; private String cateid; private String name; private String count; public String getPpid() { return ppid; } public void setPpid(String ppid) { this.ppid = ppid; } public String getCateid() { return cateid; } public void setCateid(String cateid) { this.cateid = cateid; } public String getName() { return name; } public void setName(String name) { this.name = name; } public String getCount() { return count; } public void setCount(String count) { this.count = count; } }
.version 52 0 .class public super SalegroupCateData .super java/lang/Object .implements java/io/Serializable .field private ppid Ljava/lang/String; .field private cateid Ljava/lang/String; .field private name Ljava/lang/String; .field private count Ljava/lang/String; .method public <init> : ()V .code stack 1 locals 1 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: return L5: .linenumbertable L0 8 .end linenumbertable .end code .end method .method public getPpid : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field SalegroupCateData ppid Ljava/lang/String; L4: areturn L5: .linenumbertable L0 21 .end linenumbertable .end code .end method .method public setPpid : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field SalegroupCateData ppid Ljava/lang/String; L5: return L6: .linenumbertable L0 25 L5 26 .end linenumbertable .end code .end method .method public getCateid : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field SalegroupCateData cateid Ljava/lang/String; L4: areturn L5: .linenumbertable L0 29 .end linenumbertable .end code .end method .method public setCateid : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field SalegroupCateData cateid Ljava/lang/String; L5: return L6: .linenumbertable L0 33 L5 34 .end linenumbertable .end code .end method .method public getName : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field SalegroupCateData name Ljava/lang/String; L4: areturn L5: .linenumbertable L0 37 .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 SalegroupCateData name Ljava/lang/String; L5: return L6: .linenumbertable L0 41 L5 42 .end linenumbertable .end code .end method .method public getCount : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field SalegroupCateData count Ljava/lang/String; L4: areturn L5: .linenumbertable L0 45 .end linenumbertable .end code .end method .method public setCount : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field SalegroupCateData count Ljava/lang/String; L5: return L6: .linenumbertable L0 49 L5 50 .end linenumbertable .end code .end method .sourcefile 'SalegroupCateData.java' .end class
/* * This file was automatically generated by EvoSuite * Mon Jul 04 12:03:06 GMT 2022 */ import org.junit.Test; import static org.junit.Assert.*; import org.evosuite.runtime.EvoRunner; import org.evosuite.runtime.EvoRunnerParameters; import org.junit.runner.RunWith; @RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) public class SalegroupCateData_ESTest extends SalegroupCateData_ESTest_scaffolding { @Test(timeout = 4000) public void test00() throws Throwable { SalegroupCateData salegroupCateData0 = new SalegroupCateData(); salegroupCateData0.setPpid("%%p"); String string0 = salegroupCateData0.getPpid(); assertEquals("%%p", string0); } @Test(timeout = 4000) public void test01() throws Throwable { SalegroupCateData salegroupCateData0 = new SalegroupCateData(); salegroupCateData0.setName("/yRsEg"); String string0 = salegroupCateData0.getName(); assertEquals("/yRsEg", string0); } @Test(timeout = 4000) public void test02() throws Throwable { SalegroupCateData salegroupCateData0 = new SalegroupCateData(); salegroupCateData0.setName(""); String string0 = salegroupCateData0.getName(); assertEquals("", string0); } @Test(timeout = 4000) public void test03() throws Throwable { SalegroupCateData salegroupCateData0 = new SalegroupCateData(); salegroupCateData0.setCount(""); String string0 = salegroupCateData0.getCount(); assertEquals("", string0); } @Test(timeout = 4000) public void test04() throws Throwable { SalegroupCateData salegroupCateData0 = new SalegroupCateData(); salegroupCateData0.setCateid("v,j"); String string0 = salegroupCateData0.getCateid(); assertEquals("v,j", string0); } @Test(timeout = 4000) public void test05() throws Throwable { SalegroupCateData salegroupCateData0 = new SalegroupCateData(); salegroupCateData0.setCateid(""); String string0 = salegroupCateData0.getCateid(); assertEquals("", string0); } @Test(timeout = 4000) public void test06() throws Throwable { SalegroupCateData salegroupCateData0 = new SalegroupCateData(); String string0 = salegroupCateData0.getCount(); assertNull(string0); } @Test(timeout = 4000) public void test07() throws Throwable { SalegroupCateData salegroupCateData0 = new SalegroupCateData(); salegroupCateData0.setCount("a(d\"2#.IYhETskh"); String string0 = salegroupCateData0.getCount(); assertEquals("a(d\"2#.IYhETskh", string0); } @Test(timeout = 4000) public void test08() throws Throwable { SalegroupCateData salegroupCateData0 = new SalegroupCateData(); String string0 = salegroupCateData0.getPpid(); assertNull(string0); } @Test(timeout = 4000) public void test09() throws Throwable { SalegroupCateData salegroupCateData0 = new SalegroupCateData(); salegroupCateData0.setPpid(""); String string0 = salegroupCateData0.getPpid(); assertEquals("", string0); } @Test(timeout = 4000) public void test10() throws Throwable { SalegroupCateData salegroupCateData0 = new SalegroupCateData(); String string0 = salegroupCateData0.getName(); assertNull(string0); } @Test(timeout = 4000) public void test11() throws Throwable { SalegroupCateData salegroupCateData0 = new SalegroupCateData(); String string0 = salegroupCateData0.getCateid(); assertNull(string0); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Mon Jul 04 12:03:06 GMT 2022 */ import org.evosuite.runtime.annotation.EvoSuiteClassExclude; import org.junit.BeforeClass; import org.junit.Before; import org.junit.After; import org.junit.AfterClass; import org.evosuite.runtime.sandbox.Sandbox; import org.evosuite.runtime.sandbox.Sandbox.SandboxMode; @EvoSuiteClassExclude public class SalegroupCateData_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000); @BeforeClass public static void initEvoSuiteFramework() { org.evosuite.runtime.RuntimeSettings.className = "SalegroupCateData"; org.evosuite.runtime.GuiSupport.initialize(); org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); org.evosuite.runtime.classhandling.JDKClassResetter.init(); setSystemProperties(); initializeClasses(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); } @AfterClass public static void clearEvoSuiteFramework(){ Sandbox.resetDefaultSecurityManager(); java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); } @Before public void initTestCase(){ threadStopper.storeCurrentThreads(); threadStopper.startRecordingTime(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); setSystemProperties(); org.evosuite.runtime.GuiSupport.setHeadless(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); org.evosuite.runtime.agent.InstrumentingAgent.activate(); } @After public void doneWithTestCase(){ threadStopper.killAndJoinClientThreads(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); org.evosuite.runtime.classhandling.JDKClassResetter.reset(); resetClasses(); org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); } public static void setSystemProperties() { java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); java.lang.System.setProperty("file.encoding", "UTF-8"); java.lang.System.setProperty("java.awt.headless", "true"); java.lang.System.setProperty("java.io.tmpdir", "/tmp"); java.lang.System.setProperty("user.country", "US"); java.lang.System.setProperty("user.dir", "/tmp/tmpz57hyvka"); java.lang.System.setProperty("user.home", "/home/bmcdanel"); java.lang.System.setProperty("user.language", "en"); java.lang.System.setProperty("user.name", "bmcdanel"); java.lang.System.setProperty("user.timezone", "America/New_York"); } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(SalegroupCateData_ESTest_scaffolding.class.getClassLoader() , "SalegroupCateData" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(SalegroupCateData_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "SalegroupCateData" ); } }
2,204
Production2161
public class Production2161 { private String property0; public String getProperty0() { return property0; } public void setProperty0(String value) { property0 = value; } private String property1; public String getProperty1() { return property1; } public void setProperty1(String value) { property1 = value; } private String property2; public String getProperty2() { return property2; } public void setProperty2(String value) { property2 = value; } private String property3; public String getProperty3() { return property3; } public void setProperty3(String value) { property3 = value; } private String property4; public String getProperty4() { return property4; } public void setProperty4(String value) { property4 = value; } private String property5; public String getProperty5() { return property5; } public void setProperty5(String value) { property5 = value; } private String property6; public String getProperty6() { return property6; } public void setProperty6(String value) { property6 = value; } private String property7; public String getProperty7() { return property7; } public void setProperty7(String value) { property7 = value; } private String property8; public String getProperty8() { return property8; } public void setProperty8(String value) { property8 = value; } private String property9; public String getProperty9() { return property9; } public void setProperty9(String value) { property9 = value; } }
.version 52 0 .class public super Production2161 .super java/lang/Object .field private property0 Ljava/lang/String; .field private property1 Ljava/lang/String; .field private property2 Ljava/lang/String; .field private property3 Ljava/lang/String; .field private property4 Ljava/lang/String; .field private property5 Ljava/lang/String; .field private property6 Ljava/lang/String; .field private property7 Ljava/lang/String; .field private property8 Ljava/lang/String; .field private property9 Ljava/lang/String; .method public <init> : ()V .code stack 1 locals 1 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: return L5: .linenumbertable L0 3 .end linenumbertable .end code .end method .method public getProperty0 : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field Production2161 property0 Ljava/lang/String; L4: areturn L5: .linenumbertable L0 8 .end linenumbertable .end code .end method .method public setProperty0 : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field Production2161 property0 Ljava/lang/String; L5: return L6: .linenumbertable L0 12 L5 13 .end linenumbertable .end code .end method .method public getProperty1 : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field Production2161 property1 Ljava/lang/String; L4: areturn L5: .linenumbertable L0 18 .end linenumbertable .end code .end method .method public setProperty1 : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field Production2161 property1 Ljava/lang/String; L5: return L6: .linenumbertable L0 22 L5 23 .end linenumbertable .end code .end method .method public getProperty2 : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field Production2161 property2 Ljava/lang/String; L4: areturn L5: .linenumbertable L0 28 .end linenumbertable .end code .end method .method public setProperty2 : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field Production2161 property2 Ljava/lang/String; L5: return L6: .linenumbertable L0 32 L5 33 .end linenumbertable .end code .end method .method public getProperty3 : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field Production2161 property3 Ljava/lang/String; L4: areturn L5: .linenumbertable L0 38 .end linenumbertable .end code .end method .method public setProperty3 : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field Production2161 property3 Ljava/lang/String; L5: return L6: .linenumbertable L0 42 L5 43 .end linenumbertable .end code .end method .method public getProperty4 : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field Production2161 property4 Ljava/lang/String; L4: areturn L5: .linenumbertable L0 48 .end linenumbertable .end code .end method .method public setProperty4 : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field Production2161 property4 Ljava/lang/String; L5: return L6: .linenumbertable L0 52 L5 53 .end linenumbertable .end code .end method .method public getProperty5 : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field Production2161 property5 Ljava/lang/String; L4: areturn L5: .linenumbertable L0 58 .end linenumbertable .end code .end method .method public setProperty5 : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field Production2161 property5 Ljava/lang/String; L5: return L6: .linenumbertable L0 62 L5 63 .end linenumbertable .end code .end method .method public getProperty6 : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field Production2161 property6 Ljava/lang/String; L4: areturn L5: .linenumbertable L0 68 .end linenumbertable .end code .end method .method public setProperty6 : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field Production2161 property6 Ljava/lang/String; L5: return L6: .linenumbertable L0 72 L5 73 .end linenumbertable .end code .end method .method public getProperty7 : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field Production2161 property7 Ljava/lang/String; L4: areturn L5: .linenumbertable L0 78 .end linenumbertable .end code .end method .method public setProperty7 : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field Production2161 property7 Ljava/lang/String; L5: return L6: .linenumbertable L0 82 L5 83 .end linenumbertable .end code .end method .method public getProperty8 : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field Production2161 property8 Ljava/lang/String; L4: areturn L5: .linenumbertable L0 88 .end linenumbertable .end code .end method .method public setProperty8 : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field Production2161 property8 Ljava/lang/String; L5: return L6: .linenumbertable L0 92 L5 93 .end linenumbertable .end code .end method .method public getProperty9 : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field Production2161 property9 Ljava/lang/String; L4: areturn L5: .linenumbertable L0 98 .end linenumbertable .end code .end method .method public setProperty9 : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field Production2161 property9 Ljava/lang/String; L5: return L6: .linenumbertable L0 102 L5 103 .end linenumbertable .end code .end method .sourcefile 'Production2161.java' .end class
/* * This file was automatically generated by EvoSuite * Sat Jul 02 13:08: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 Production2161_ESTest extends Production2161_ESTest_scaffolding { @Test(timeout = 4000) public void test00() throws Throwable { Production2161 production2161_0 = new Production2161(); production2161_0.setProperty9("`"); String string0 = production2161_0.getProperty9(); assertEquals("`", string0); } @Test(timeout = 4000) public void test01() throws Throwable { Production2161 production2161_0 = new Production2161(); production2161_0.setProperty9(""); String string0 = production2161_0.getProperty9(); assertEquals("", string0); } @Test(timeout = 4000) public void test02() throws Throwable { Production2161 production2161_0 = new Production2161(); production2161_0.setProperty8("`"); String string0 = production2161_0.getProperty8(); assertEquals("`", string0); } @Test(timeout = 4000) public void test03() throws Throwable { Production2161 production2161_0 = new Production2161(); production2161_0.setProperty8(""); String string0 = production2161_0.getProperty8(); assertEquals("", string0); } @Test(timeout = 4000) public void test04() throws Throwable { Production2161 production2161_0 = new Production2161(); production2161_0.setProperty7("`"); String string0 = production2161_0.getProperty7(); assertEquals("`", string0); } @Test(timeout = 4000) public void test05() throws Throwable { Production2161 production2161_0 = new Production2161(); production2161_0.setProperty7(""); String string0 = production2161_0.getProperty7(); assertEquals("", string0); } @Test(timeout = 4000) public void test06() throws Throwable { Production2161 production2161_0 = new Production2161(); production2161_0.setProperty6(""); String string0 = production2161_0.getProperty6(); assertEquals("", string0); } @Test(timeout = 4000) public void test07() throws Throwable { Production2161 production2161_0 = new Production2161(); production2161_0.setProperty5("Production2161"); String string0 = production2161_0.getProperty5(); assertEquals("Production2161", string0); } @Test(timeout = 4000) public void test08() throws Throwable { Production2161 production2161_0 = new Production2161(); production2161_0.setProperty5(""); String string0 = production2161_0.getProperty5(); assertEquals("", string0); } @Test(timeout = 4000) public void test09() throws Throwable { Production2161 production2161_0 = new Production2161(); production2161_0.setProperty4("(7'n;0Nhxf`m7vNdM@p"); String string0 = production2161_0.getProperty4(); assertEquals("(7'n;0Nhxf`m7vNdM@p", string0); } @Test(timeout = 4000) public void test10() throws Throwable { Production2161 production2161_0 = new Production2161(); production2161_0.setProperty4(""); String string0 = production2161_0.getProperty4(); assertEquals("", string0); } @Test(timeout = 4000) public void test11() throws Throwable { Production2161 production2161_0 = new Production2161(); production2161_0.setProperty3("(7'n;0Nhxf`m7vNdM@p"); String string0 = production2161_0.getProperty3(); assertEquals("(7'n;0Nhxf`m7vNdM@p", string0); } @Test(timeout = 4000) public void test12() throws Throwable { Production2161 production2161_0 = new Production2161(); production2161_0.setProperty3(""); String string0 = production2161_0.getProperty3(); assertEquals("", string0); } @Test(timeout = 4000) public void test13() throws Throwable { Production2161 production2161_0 = new Production2161(); production2161_0.setProperty2("(7'n;0Nhxf`m7vNdM@p"); String string0 = production2161_0.getProperty2(); assertEquals("(7'n;0Nhxf`m7vNdM@p", string0); } @Test(timeout = 4000) public void test14() throws Throwable { Production2161 production2161_0 = new Production2161(); production2161_0.setProperty2(""); String string0 = production2161_0.getProperty2(); assertEquals("", string0); } @Test(timeout = 4000) public void test15() throws Throwable { Production2161 production2161_0 = new Production2161(); production2161_0.setProperty1(""); String string0 = production2161_0.getProperty1(); assertEquals("", string0); } @Test(timeout = 4000) public void test16() throws Throwable { Production2161 production2161_0 = new Production2161(); production2161_0.setProperty0("1n$;TRVMt_<S"); String string0 = production2161_0.getProperty0(); assertEquals("1n$;TRVMt_<S", string0); } @Test(timeout = 4000) public void test17() throws Throwable { Production2161 production2161_0 = new Production2161(); production2161_0.setProperty0(""); String string0 = production2161_0.getProperty0(); assertEquals("", string0); } @Test(timeout = 4000) public void test18() throws Throwable { Production2161 production2161_0 = new Production2161(); String string0 = production2161_0.getProperty9(); assertNull(string0); } @Test(timeout = 4000) public void test19() throws Throwable { Production2161 production2161_0 = new Production2161(); production2161_0.setProperty1("Production2161"); String string0 = production2161_0.getProperty1(); assertEquals("Production2161", string0); } @Test(timeout = 4000) public void test20() throws Throwable { Production2161 production2161_0 = new Production2161(); String string0 = production2161_0.getProperty3(); assertNull(string0); } @Test(timeout = 4000) public void test21() throws Throwable { Production2161 production2161_0 = new Production2161(); String string0 = production2161_0.getProperty5(); assertNull(string0); } @Test(timeout = 4000) public void test22() throws Throwable { Production2161 production2161_0 = new Production2161(); production2161_0.setProperty6("`"); String string0 = production2161_0.getProperty6(); assertEquals("`", string0); } @Test(timeout = 4000) public void test23() throws Throwable { Production2161 production2161_0 = new Production2161(); String string0 = production2161_0.getProperty6(); assertNull(string0); } @Test(timeout = 4000) public void test24() throws Throwable { Production2161 production2161_0 = new Production2161(); String string0 = production2161_0.getProperty2(); assertNull(string0); } @Test(timeout = 4000) public void test25() throws Throwable { Production2161 production2161_0 = new Production2161(); String string0 = production2161_0.getProperty1(); assertNull(string0); } @Test(timeout = 4000) public void test26() throws Throwable { Production2161 production2161_0 = new Production2161(); String string0 = production2161_0.getProperty7(); assertNull(string0); } @Test(timeout = 4000) public void test27() throws Throwable { Production2161 production2161_0 = new Production2161(); String string0 = production2161_0.getProperty8(); assertNull(string0); } @Test(timeout = 4000) public void test28() throws Throwable { Production2161 production2161_0 = new Production2161(); String string0 = production2161_0.getProperty4(); assertNull(string0); } @Test(timeout = 4000) public void test29() throws Throwable { Production2161 production2161_0 = new Production2161(); String string0 = production2161_0.getProperty0(); assertNull(string0); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sat Jul 02 13:08: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 Production2161_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000); @BeforeClass public static void initEvoSuiteFramework() { org.evosuite.runtime.RuntimeSettings.className = "Production2161"; org.evosuite.runtime.GuiSupport.initialize(); org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); org.evosuite.runtime.classhandling.JDKClassResetter.init(); setSystemProperties(); initializeClasses(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); } @AfterClass public static void clearEvoSuiteFramework(){ Sandbox.resetDefaultSecurityManager(); java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); } @Before public void initTestCase(){ threadStopper.storeCurrentThreads(); threadStopper.startRecordingTime(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); setSystemProperties(); org.evosuite.runtime.GuiSupport.setHeadless(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); org.evosuite.runtime.agent.InstrumentingAgent.activate(); } @After public void doneWithTestCase(){ threadStopper.killAndJoinClientThreads(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); org.evosuite.runtime.classhandling.JDKClassResetter.reset(); resetClasses(); org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); } public static void setSystemProperties() { java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); java.lang.System.setProperty("file.encoding", "UTF-8"); java.lang.System.setProperty("java.awt.headless", "true"); java.lang.System.setProperty("java.io.tmpdir", "/tmp"); java.lang.System.setProperty("user.country", "US"); java.lang.System.setProperty("user.dir", "/tmp/tmpaz3t3ij6"); java.lang.System.setProperty("user.home", "/home/bmcdanel"); java.lang.System.setProperty("user.language", "en"); java.lang.System.setProperty("user.name", "bmcdanel"); java.lang.System.setProperty("user.timezone", "America/New_York"); } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Production2161_ESTest_scaffolding.class.getClassLoader() , "Production2161" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Production2161_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "Production2161" ); } }
2,205
AcercadeDialog
/** * UNIVERSIDAD DE SAN CARLOS DE GUATEMALA FACULTAD DE INGENIERIA ESCUELA DE CIENCIAS Y SISTEMAS * COMPILADORES 1 PROYECTO 1 Creado el 23 de agosto 2011, 08:19AM */ /* * Temas de ayuda * @(#)AcercadeDialog.java * Proyecto1_200819312 application * @author David Y. Gonzalez */ public class AcercadeDialog extends javax.swing.JDialog { /** Creates new form AcercadeDialog */ public AcercadeDialog(java.awt.Frame parent, boolean modal) { super(parent, modal); initComponents(); } /** * This method is called from within the constructor to initialize the form. WARNING: Do NOT * modify this code. The content of this method is always regenerated by the Form Editor. */ @SuppressWarnings("unchecked") // <editor-fold defaultstate="collapsed" desc="Generated Code">//GEN-BEGIN:initComponents private void initComponents() { setDefaultCloseOperation(javax.swing.WindowConstants.DISPOSE_ON_CLOSE); javax.swing.GroupLayout layout = new javax.swing.GroupLayout(getContentPane()); getContentPane().setLayout(layout); layout.setHorizontalGroup( layout .createParallelGroup(javax.swing.GroupLayout.Alignment.LEADING) .addGap(0, 400, Short.MAX_VALUE)); layout.setVerticalGroup( layout .createParallelGroup(javax.swing.GroupLayout.Alignment.LEADING) .addGap(0, 300, Short.MAX_VALUE)); pack(); } // </editor-fold>//GEN-END:initComponents // Variables declaration - do not modify//GEN-BEGIN:variables // End of variables declaration//GEN-END:variables }
.version 52 0 .class public super AcercadeDialog .super javax/swing/JDialog .method public <init> : (Ljava/awt/Frame;Z)V .code stack 3 locals 3 L0: aload_0 L1: aload_1 L2: iload_2 L3: invokespecial Method javax/swing/JDialog <init> (Ljava/awt/Frame;Z)V L6: aload_0 L7: invokespecial Method AcercadeDialog initComponents ()V L10: return L11: .linenumbertable L0 23 L6 24 L10 25 .end linenumbertable .end code .end method .method private initComponents : ()V .code stack 5 locals 2 L0: aload_0 L1: iconst_2 L2: invokevirtual Method AcercadeDialog setDefaultCloseOperation (I)V L5: new javax/swing/GroupLayout L8: dup L9: aload_0 L10: invokevirtual Method AcercadeDialog getContentPane ()Ljava/awt/Container; L13: invokespecial Method javax/swing/GroupLayout <init> (Ljava/awt/Container;)V L16: astore_1 L17: aload_0 L18: invokevirtual Method AcercadeDialog getContentPane ()Ljava/awt/Container; L21: aload_1 L22: invokevirtual Method java/awt/Container setLayout (Ljava/awt/LayoutManager;)V L25: aload_1 L26: aload_1 L27: getstatic Field javax/swing/GroupLayout$Alignment LEADING Ljavax/swing/GroupLayout$Alignment; L30: invokevirtual Method javax/swing/GroupLayout createParallelGroup (Ljavax/swing/GroupLayout$Alignment;)Ljavax/swing/GroupLayout$ParallelGroup; L33: iconst_0 L34: sipush 400 L37: sipush 32767 L40: invokevirtual Method javax/swing/GroupLayout$ParallelGroup addGap (III)Ljavax/swing/GroupLayout$ParallelGroup; L43: invokevirtual Method javax/swing/GroupLayout setHorizontalGroup (Ljavax/swing/GroupLayout$Group;)V L46: aload_1 L47: aload_1 L48: getstatic Field javax/swing/GroupLayout$Alignment LEADING Ljavax/swing/GroupLayout$Alignment; L51: invokevirtual Method javax/swing/GroupLayout createParallelGroup (Ljavax/swing/GroupLayout$Alignment;)Ljavax/swing/GroupLayout$ParallelGroup; L54: iconst_0 L55: sipush 300 L58: sipush 32767 L61: invokevirtual Method javax/swing/GroupLayout$ParallelGroup addGap (III)Ljavax/swing/GroupLayout$ParallelGroup; L64: invokevirtual Method javax/swing/GroupLayout setVerticalGroup (Ljavax/swing/GroupLayout$Group;)V L67: aload_0 L68: invokevirtual Method AcercadeDialog pack ()V L71: return L72: .linenumbertable L0 36 L5 38 L17 39 L25 40 L30 41 L40 42 L43 40 L46 44 L51 45 L61 46 L64 44 L67 49 L71 50 .end linenumbertable .end code .end method .sourcefile 'AcercadeDialog.java' .innerclasses javax/swing/GroupLayout$Alignment javax/swing/GroupLayout Alignment public static final enum javax/swing/GroupLayout$ParallelGroup javax/swing/GroupLayout ParallelGroup public javax/swing/GroupLayout$Group javax/swing/GroupLayout Group public abstract .end innerclasses .end class
/* * This file was automatically generated by EvoSuite * Fri Jul 01 10:44:57 GMT 2022 */ import org.junit.Test; import static org.junit.Assert.*; import static org.evosuite.runtime.EvoAssertions.*; import java.awt.Frame; import java.awt.HeadlessException; import org.evosuite.runtime.EvoRunner; import org.evosuite.runtime.EvoRunnerParameters; import org.junit.runner.RunWith; @RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) public class AcercadeDialog_ESTest extends AcercadeDialog_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { AcercadeDialog acercadeDialog0 = null; try { acercadeDialog0 = new AcercadeDialog((Frame) null, false); fail("Expecting exception: HeadlessException"); } catch(HeadlessException e) { // // no message in exception (getMessage() returned null) // verifyException("java.awt.GraphicsEnvironment", e); } } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Fri Jul 01 10:44:57 GMT 2022 */ import org.evosuite.runtime.annotation.EvoSuiteClassExclude; import org.junit.BeforeClass; import org.junit.Before; import org.junit.After; import org.junit.AfterClass; import org.evosuite.runtime.sandbox.Sandbox; import org.evosuite.runtime.sandbox.Sandbox.SandboxMode; @EvoSuiteClassExclude public class AcercadeDialog_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000); @BeforeClass public static void initEvoSuiteFramework() { org.evosuite.runtime.RuntimeSettings.className = "AcercadeDialog"; org.evosuite.runtime.GuiSupport.initialize(); org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); org.evosuite.runtime.classhandling.JDKClassResetter.init(); setSystemProperties(); initializeClasses(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); } @AfterClass public static void clearEvoSuiteFramework(){ Sandbox.resetDefaultSecurityManager(); java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); } @Before public void initTestCase(){ threadStopper.storeCurrentThreads(); threadStopper.startRecordingTime(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); setSystemProperties(); org.evosuite.runtime.GuiSupport.setHeadless(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); org.evosuite.runtime.agent.InstrumentingAgent.activate(); } @After public void doneWithTestCase(){ threadStopper.killAndJoinClientThreads(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); org.evosuite.runtime.classhandling.JDKClassResetter.reset(); resetClasses(); org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); } public static void setSystemProperties() { java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); java.lang.System.setProperty("file.encoding", "UTF-8"); java.lang.System.setProperty("java.awt.headless", "true"); java.lang.System.setProperty("java.io.tmpdir", "/tmp"); java.lang.System.setProperty("user.country", "US"); java.lang.System.setProperty("user.dir", "/tmp/tmpxnzozst4"); java.lang.System.setProperty("user.home", "/home/bmcdanel"); java.lang.System.setProperty("user.language", "en"); java.lang.System.setProperty("user.name", "bmcdanel"); java.lang.System.setProperty("user.timezone", "America/New_York"); } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(AcercadeDialog_ESTest_scaffolding.class.getClassLoader() , "AcercadeDialog" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(AcercadeDialog_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "AcercadeDialog" ); } }
2,206
Matrix
/* * Copyright 2012 University of Helsinki. * * This file is part of BMVis. * * BMVis 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. * * BMVis 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 BMVis. If not, see * <http://www.gnu.org/licenses/>. */ public final class Matrix { private double[][] data; private int c, r; public double[][] getArray() { return data; } int rows() { return r; } int cols() { return c; } public Matrix(double[][] arr) { r = arr.length; c = arr[0].length; data = arr; for (int i = 0; i < arr.length; i++) if (arr[i].length != c) throw new IllegalArgumentException("variable number of columns in array"); } public Matrix(int r, int c) { this.r = r; this.c = c; data = new double[r][c]; } double dot(Matrix m) { if (cols() != m.cols() || rows() != m.rows()) throw new IllegalArgumentException("Incompatible matrix sizes for addition"); double s = 0; for (int i = 0; i < r; i++) { for (int j = 0; j < c; j++) s += get(i, j) * m.get(i, j); } return s; } double length() { double s = 0; for (int i = 0; i < r; i++) for (int j = 0; j < c; j++) s += data[i][j] * data[i][j]; return Math.sqrt(s); } double get(int row, int col) { return data[row][col]; } void set(int row, int col, double val) { data[row][col] = val; } Matrix mul(Matrix m) { if (cols() != m.rows()) throw new IllegalArgumentException("Incompatible matrix sizes for multiplication"); Matrix ret = new Matrix(rows(), m.cols()); for (int i = 0; i < rows(); i++) { for (int j = 0; j < m.cols(); j++) { double v = 0; for (int k = 0; k < cols(); k++) { v += get(i, k) * m.get(k, j); } ret.set(i, j, v); } } return ret; } Matrix copy() { Matrix ret = new Matrix(rows(), cols()); for (int i = 0; i < rows(); i++) for (int j = 0; j < cols(); j++) ret.set(i, j, get(i, j)); return ret; } void scale(double d) { for (int i = 0; i < rows(); i++) for (int j = 0; j < cols(); j++) set(i, j, get(i, j) * d); } Matrix scaled(double d) { Matrix ret = new Matrix(rows(), cols()); for (int i = 0; i < rows(); i++) for (int j = 0; j < cols(); j++) ret.set(i, j, get(i, j) * d); return ret; } Matrix plus(Matrix m) { if (cols() != m.cols() || rows() != m.rows()) throw new IllegalArgumentException("Incompatible matrix sizes for addition"); Matrix ret = new Matrix(m.rows(), m.cols()); for (int i = 0; i < m.rows(); i++) for (int j = 0; j < m.cols(); j++) ret.set(i, j, get(i, j) + m.get(i, j)); return ret; } void substract(Matrix m) { for (int i = 0; i < m.rows(); i++) for (int j = 0; j < m.cols(); j++) set(i, j, get(i, j) - m.get(i, j)); } void add(Matrix m) { for (int i = 0; i < m.rows(); i++) for (int j = 0; j < m.cols(); j++) set(i, j, get(i, j) + m.get(i, j)); } Matrix minus(Matrix m) { if (cols() != m.cols() || rows() != m.rows()) throw new IllegalArgumentException("Incompatible matrix sizes for addition"); Matrix ret = this.copy(); ret.substract(m); return ret; } void setIdentity() { for (int i = 0; i < r; i++) { for (int j = 0; j < c; j++) { data[i][j] = 0; } data[i][i] = 1; } } public String toString() { StringBuffer buf = new StringBuffer(); for (int i = 0; i < r; i++) { for (int j = 0; j < c; j++) buf.append(get(i, j) + " "); buf.append(";"); } return buf.toString(); } Matrix transpose() { Matrix ret = new Matrix(c, r); for (int i = 0; i < r; i++) for (int j = 0; j < c; j++) ret.set(j, i, get(i, j)); return ret; } }
.version 52 0 .class public final super Matrix .super java/lang/Object .field private data [[D .field private c I .field private r I .method public getArray : ()[[D .code stack 1 locals 1 L0: aload_0 L1: getfield Field Matrix data [[D L4: areturn L5: .linenumbertable L0 29 .end linenumbertable .end code .end method .method rows : ()I .code stack 1 locals 1 L0: aload_0 L1: getfield Field Matrix r I L4: ireturn L5: .linenumbertable L0 33 .end linenumbertable .end code .end method .method cols : ()I .code stack 1 locals 1 L0: aload_0 L1: getfield Field Matrix c I L4: ireturn L5: .linenumbertable L0 37 .end linenumbertable .end code .end method .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: aload_1 L6: arraylength L7: putfield Field Matrix r I L10: aload_0 L11: aload_1 L12: iconst_0 L13: aaload L14: arraylength L15: putfield Field Matrix c I L18: aload_0 L19: aload_1 L20: putfield Field Matrix data [[D L23: iconst_0 L24: istore_2 .stack full locals Object Matrix Object [[D Integer stack .end stack L25: iload_2 L26: aload_1 L27: arraylength L28: if_icmpge L58 L31: aload_1 L32: iload_2 L33: aaload L34: arraylength L35: aload_0 L36: getfield Field Matrix c I L39: if_icmpeq L52 L42: new java/lang/IllegalArgumentException L45: dup L46: ldc 'variable number of columns in array' L48: invokespecial Method java/lang/IllegalArgumentException <init> (Ljava/lang/String;)V L51: athrow .stack same L52: iinc 2 1 L55: goto L25 .stack chop 1 L58: return L59: .linenumbertable L0 40 L4 41 L10 42 L18 43 L23 44 L31 45 L42 46 L52 44 L58 48 .end linenumbertable .end code .end method .method public <init> : (II)V .code stack 3 locals 3 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: aload_0 L5: iload_1 L6: putfield Field Matrix r I L9: aload_0 L10: iload_2 L11: putfield Field Matrix c I L14: aload_0 L15: iload_1 L16: iload_2 L17: multianewarray [[D 2 L21: putfield Field Matrix data [[D L24: return L25: .linenumbertable L0 51 L4 52 L9 53 L14 54 L24 55 .end linenumbertable .end code .end method .method dot : (LMatrix;)D .code stack 7 locals 6 L0: aload_0 L1: invokevirtual Method Matrix cols ()I L4: aload_1 L5: invokevirtual Method Matrix cols ()I L8: if_icmpne L22 L11: aload_0 L12: invokevirtual Method Matrix rows ()I L15: aload_1 L16: invokevirtual Method Matrix rows ()I L19: if_icmpeq L32 .stack same L22: new java/lang/IllegalArgumentException L25: dup L26: ldc 'Incompatible matrix sizes for addition' L28: invokespecial Method java/lang/IllegalArgumentException <init> (Ljava/lang/String;)V L31: athrow .stack same L32: dconst_0 L33: dstore_2 L34: iconst_0 L35: istore 4 .stack append Double Integer L37: iload 4 L39: aload_0 L40: getfield Field Matrix r I L43: if_icmpge L90 L46: iconst_0 L47: istore 5 .stack append Integer L49: iload 5 L51: aload_0 L52: getfield Field Matrix c I L55: if_icmpge L84 L58: dload_2 L59: aload_0 L60: iload 4 L62: iload 5 L64: invokevirtual Method Matrix get (II)D L67: aload_1 L68: iload 4 L70: iload 5 L72: invokevirtual Method Matrix get (II)D L75: dmul L76: dadd L77: dstore_2 L78: iinc 5 1 L81: goto L49 .stack chop 1 L84: iinc 4 1 L87: goto L37 .stack chop 1 L90: dload_2 L91: dreturn L92: .linenumbertable L0 59 L22 60 L32 63 L34 64 L46 66 L58 67 L78 66 L84 64 L90 69 .end linenumbertable .end code .end method .method length : ()D .code stack 6 locals 5 L0: dconst_0 L1: dstore_1 L2: iconst_0 L3: istore_3 .stack append Double Integer L4: iload_3 L5: aload_0 L6: getfield Field Matrix r I L9: if_icmpge L58 L12: iconst_0 L13: istore 4 .stack append Integer L15: iload 4 L17: aload_0 L18: getfield Field Matrix c I L21: if_icmpge L52 L24: dload_1 L25: aload_0 L26: getfield Field Matrix data [[D L29: iload_3 L30: aaload L31: iload 4 L33: daload L34: aload_0 L35: getfield Field Matrix data [[D L38: iload_3 L39: aaload L40: iload 4 L42: daload L43: dmul L44: dadd L45: dstore_1 L46: iinc 4 1 L49: goto L15 .stack chop 1 L52: iinc 3 1 L55: goto L4 .stack chop 1 L58: dload_1 L59: invokestatic Method java/lang/Math sqrt (D)D L62: dreturn L63: .linenumbertable L0 73 L2 74 L12 75 L24 76 L46 75 L52 74 L58 77 .end linenumbertable .end code .end method .method get : (II)D .code stack 2 locals 3 L0: aload_0 L1: getfield Field Matrix data [[D L4: iload_1 L5: aaload L6: iload_2 L7: daload L8: dreturn L9: .linenumbertable L0 81 .end linenumbertable .end code .end method .method set : (IID)V .code stack 4 locals 5 L0: aload_0 L1: getfield Field Matrix data [[D L4: iload_1 L5: aaload L6: iload_2 L7: dload_3 L8: dastore L9: return L10: .linenumbertable L0 85 L9 86 .end linenumbertable .end code .end method .method mul : (LMatrix;)LMatrix; .code stack 7 locals 8 L0: aload_0 L1: invokevirtual Method Matrix cols ()I L4: aload_1 L5: invokevirtual Method Matrix rows ()I L8: if_icmpeq L21 L11: new java/lang/IllegalArgumentException L14: dup L15: ldc 'Incompatible matrix sizes for multiplication' L17: invokespecial Method java/lang/IllegalArgumentException <init> (Ljava/lang/String;)V L20: athrow .stack same L21: new Matrix L24: dup L25: aload_0 L26: invokevirtual Method Matrix rows ()I L29: aload_1 L30: invokevirtual Method Matrix cols ()I L33: invokespecial Method Matrix <init> (II)V L36: astore_2 L37: iconst_0 L38: istore_3 .stack append Object Matrix Integer L39: iload_3 L40: aload_0 L41: invokevirtual Method Matrix rows ()I L44: if_icmpge L122 L47: iconst_0 L48: istore 4 .stack append Integer L50: iload 4 L52: aload_1 L53: invokevirtual Method Matrix cols ()I L56: if_icmpge L116 L59: dconst_0 L60: dstore 5 L62: iconst_0 L63: istore 7 .stack append Double Integer L65: iload 7 L67: aload_0 L68: invokevirtual Method Matrix cols ()I L71: if_icmpge L101 L74: dload 5 L76: aload_0 L77: iload_3 L78: iload 7 L80: invokevirtual Method Matrix get (II)D L83: aload_1 L84: iload 7 L86: iload 4 L88: invokevirtual Method Matrix get (II)D L91: dmul L92: dadd L93: dstore 5 L95: iinc 7 1 L98: goto L65 .stack chop 1 L101: aload_2 L102: iload_3 L103: iload 4 L105: dload 5 L107: invokevirtual Method Matrix set (IID)V L110: iinc 4 1 L113: goto L50 .stack chop 2 L116: iinc 3 1 L119: goto L39 .stack chop 1 L122: aload_2 L123: areturn L124: .linenumbertable L0 89 L11 90 L21 94 L37 95 L47 97 L59 99 L62 100 L74 102 L95 100 L101 104 L110 97 L116 95 L122 107 .end linenumbertable .end code .end method .method copy : ()LMatrix; .code stack 6 locals 4 L0: new Matrix L3: dup L4: aload_0 L5: invokevirtual Method Matrix rows ()I L8: aload_0 L9: invokevirtual Method Matrix cols ()I L12: invokespecial Method Matrix <init> (II)V L15: astore_1 L16: iconst_0 L17: istore_2 .stack append Object Matrix Integer L18: iload_2 L19: aload_0 L20: invokevirtual Method Matrix rows ()I L23: if_icmpge L60 L26: iconst_0 L27: istore_3 .stack append Integer L28: iload_3 L29: aload_0 L30: invokevirtual Method Matrix cols ()I L33: if_icmpge L54 L36: aload_1 L37: iload_2 L38: iload_3 L39: aload_0 L40: iload_2 L41: iload_3 L42: invokevirtual Method Matrix get (II)D L45: invokevirtual Method Matrix set (IID)V L48: iinc 3 1 L51: goto L28 .stack chop 1 L54: iinc 2 1 L57: goto L18 .stack chop 1 L60: aload_1 L61: areturn L62: .linenumbertable L0 111 L16 112 L26 113 L36 114 L48 113 L54 112 L60 115 .end linenumbertable .end code .end method .method scale : (D)V .code stack 7 locals 5 L0: iconst_0 L1: istore_3 .stack append Integer L2: iload_3 L3: aload_0 L4: invokevirtual Method Matrix rows ()I L7: if_icmpge L50 L10: iconst_0 L11: istore 4 .stack append Integer L13: iload 4 L15: aload_0 L16: invokevirtual Method Matrix cols ()I L19: if_icmpge L44 L22: aload_0 L23: iload_3 L24: iload 4 L26: aload_0 L27: iload_3 L28: iload 4 L30: invokevirtual Method Matrix get (II)D L33: dload_1 L34: dmul L35: invokevirtual Method Matrix set (IID)V L38: iinc 4 1 L41: goto L13 .stack chop 1 L44: iinc 3 1 L47: goto L2 .stack chop 1 L50: return L51: .linenumbertable L0 120 L10 121 L22 122 L38 121 L44 120 L50 123 .end linenumbertable .end code .end method .method scaled : (D)LMatrix; .code stack 7 locals 6 L0: new Matrix L3: dup L4: aload_0 L5: invokevirtual Method Matrix rows ()I L8: aload_0 L9: invokevirtual Method Matrix cols ()I L12: invokespecial Method Matrix <init> (II)V L15: astore_3 L16: iconst_0 L17: istore 4 .stack append Object Matrix Integer L19: iload 4 L21: aload_0 L22: invokevirtual Method Matrix rows ()I L25: if_icmpge L70 L28: iconst_0 L29: istore 5 .stack append Integer L31: iload 5 L33: aload_0 L34: invokevirtual Method Matrix cols ()I L37: if_icmpge L64 L40: aload_3 L41: iload 4 L43: iload 5 L45: aload_0 L46: iload 4 L48: iload 5 L50: invokevirtual Method Matrix get (II)D L53: dload_1 L54: dmul L55: invokevirtual Method Matrix set (IID)V L58: iinc 5 1 L61: goto L31 .stack chop 1 L64: iinc 4 1 L67: goto L19 .stack chop 1 L70: aload_3 L71: areturn L72: .linenumbertable L0 126 L16 128 L28 129 L40 130 L58 129 L64 128 L70 131 .end linenumbertable .end code .end method .method plus : (LMatrix;)LMatrix; .code stack 8 locals 5 L0: aload_0 L1: invokevirtual Method Matrix cols ()I L4: aload_1 L5: invokevirtual Method Matrix cols ()I L8: if_icmpne L22 L11: aload_0 L12: invokevirtual Method Matrix rows ()I L15: aload_1 L16: invokevirtual Method Matrix rows ()I L19: if_icmpeq L32 .stack same L22: new java/lang/IllegalArgumentException L25: dup L26: ldc 'Incompatible matrix sizes for addition' L28: invokespecial Method java/lang/IllegalArgumentException <init> (Ljava/lang/String;)V L31: athrow .stack same L32: new Matrix L35: dup L36: aload_1 L37: invokevirtual Method Matrix rows ()I L40: aload_1 L41: invokevirtual Method Matrix cols ()I L44: invokespecial Method Matrix <init> (II)V L47: astore_2 L48: iconst_0 L49: istore_3 .stack append Object Matrix Integer L50: iload_3 L51: aload_1 L52: invokevirtual Method Matrix rows ()I L55: if_icmpge L104 L58: iconst_0 L59: istore 4 .stack append Integer L61: iload 4 L63: aload_1 L64: invokevirtual Method Matrix cols ()I L67: if_icmpge L98 L70: aload_2 L71: iload_3 L72: iload 4 L74: aload_0 L75: iload_3 L76: iload 4 L78: invokevirtual Method Matrix get (II)D L81: aload_1 L82: iload_3 L83: iload 4 L85: invokevirtual Method Matrix get (II)D L88: dadd L89: invokevirtual Method Matrix set (IID)V L92: iinc 4 1 L95: goto L61 .stack chop 1 L98: iinc 3 1 L101: goto L50 .stack chop 1 L104: aload_2 L105: areturn L106: .linenumbertable L0 135 L22 136 L32 139 L48 140 L58 141 L70 142 L92 141 L98 140 L104 143 .end linenumbertable .end code .end method .method substract : (LMatrix;)V .code stack 8 locals 4 L0: iconst_0 L1: istore_2 .stack append Integer L2: iload_2 L3: aload_1 L4: invokevirtual Method Matrix rows ()I L7: if_icmpge L51 L10: iconst_0 L11: istore_3 .stack append Integer L12: iload_3 L13: aload_1 L14: invokevirtual Method Matrix cols ()I L17: if_icmpge L45 L20: aload_0 L21: iload_2 L22: iload_3 L23: aload_0 L24: iload_2 L25: iload_3 L26: invokevirtual Method Matrix get (II)D L29: aload_1 L30: iload_2 L31: iload_3 L32: invokevirtual Method Matrix get (II)D L35: dsub L36: invokevirtual Method Matrix set (IID)V L39: iinc 3 1 L42: goto L12 .stack chop 1 L45: iinc 2 1 L48: goto L2 .stack chop 1 L51: return L52: .linenumbertable L0 146 L10 147 L20 148 L39 147 L45 146 L51 150 .end linenumbertable .end code .end method .method add : (LMatrix;)V .code stack 8 locals 4 L0: iconst_0 L1: istore_2 .stack append Integer L2: iload_2 L3: aload_1 L4: invokevirtual Method Matrix rows ()I L7: if_icmpge L51 L10: iconst_0 L11: istore_3 .stack append Integer L12: iload_3 L13: aload_1 L14: invokevirtual Method Matrix cols ()I L17: if_icmpge L45 L20: aload_0 L21: iload_2 L22: iload_3 L23: aload_0 L24: iload_2 L25: iload_3 L26: invokevirtual Method Matrix get (II)D L29: aload_1 L30: iload_2 L31: iload_3 L32: invokevirtual Method Matrix get (II)D L35: dadd L36: invokevirtual Method Matrix set (IID)V L39: iinc 3 1 L42: goto L12 .stack chop 1 L45: iinc 2 1 L48: goto L2 .stack chop 1 L51: return L52: .linenumbertable L0 152 L10 153 L20 154 L39 153 L45 152 L51 156 .end linenumbertable .end code .end method .method minus : (LMatrix;)LMatrix; .code stack 3 locals 3 L0: aload_0 L1: invokevirtual Method Matrix cols ()I L4: aload_1 L5: invokevirtual Method Matrix cols ()I L8: if_icmpne L22 L11: aload_0 L12: invokevirtual Method Matrix rows ()I L15: aload_1 L16: invokevirtual Method Matrix rows ()I L19: if_icmpeq L32 .stack same L22: new java/lang/IllegalArgumentException L25: dup L26: ldc 'Incompatible matrix sizes for addition' L28: invokespecial Method java/lang/IllegalArgumentException <init> (Ljava/lang/String;)V L31: athrow .stack same L32: aload_0 L33: invokevirtual Method Matrix copy ()LMatrix; L36: astore_2 L37: aload_2 L38: aload_1 L39: invokevirtual Method Matrix substract (LMatrix;)V L42: aload_2 L43: areturn L44: .linenumbertable L0 159 L22 160 L32 163 L37 164 L42 165 .end linenumbertable .end code .end method .method setIdentity : ()V .code stack 4 locals 3 L0: iconst_0 L1: istore_1 .stack append Integer L2: iload_1 L3: aload_0 L4: getfield Field Matrix r I L7: if_icmpge L50 L10: iconst_0 L11: istore_2 .stack append Integer L12: iload_2 L13: aload_0 L14: getfield Field Matrix c I L17: if_icmpge L35 L20: aload_0 L21: getfield Field Matrix data [[D L24: iload_1 L25: aaload L26: iload_2 L27: dconst_0 L28: dastore L29: iinc 2 1 L32: goto L12 .stack chop 1 L35: aload_0 L36: getfield Field Matrix data [[D L39: iload_1 L40: aaload L41: iload_1 L42: dconst_1 L43: dastore L44: iinc 1 1 L47: goto L2 .stack chop 1 L50: return L51: .linenumbertable L0 169 L10 171 L20 173 L29 171 L35 175 L44 169 L50 177 .end linenumbertable .end code .end method .method public toString : ()Ljava/lang/String; .code stack 5 locals 4 L0: new java/lang/StringBuffer L3: dup L4: invokespecial Method java/lang/StringBuffer <init> ()V L7: astore_1 L8: iconst_0 L9: istore_2 .stack append Object java/lang/StringBuffer Integer L10: iload_2 L11: aload_0 L12: getfield Field Matrix r I L15: if_icmpge L76 L18: iconst_0 L19: istore_3 .stack append Integer L20: iload_3 L21: aload_0 L22: getfield Field Matrix c I L25: if_icmpge L63 L28: aload_1 L29: new java/lang/StringBuilder L32: dup L33: invokespecial Method java/lang/StringBuilder <init> ()V L36: aload_0 L37: iload_2 L38: iload_3 L39: invokevirtual Method Matrix get (II)D L42: invokevirtual Method java/lang/StringBuilder append (D)Ljava/lang/StringBuilder; L45: ldc ' ' L47: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L50: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; L53: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/String;)Ljava/lang/StringBuffer; L56: pop L57: iinc 3 1 L60: goto L20 .stack chop 1 L63: aload_1 L64: ldc ';' L66: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/String;)Ljava/lang/StringBuffer; L69: pop L70: iinc 2 1 L73: goto L10 .stack chop 1 L76: aload_1 L77: invokevirtual Method java/lang/StringBuffer toString ()Ljava/lang/String; L80: areturn L81: .linenumbertable L0 180 L8 181 L18 182 L28 183 L57 182 L63 184 L70 181 L76 186 .end linenumbertable .end code .end method .method transpose : ()LMatrix; .code stack 6 locals 4 L0: new Matrix L3: dup L4: aload_0 L5: getfield Field Matrix c I L8: aload_0 L9: getfield Field Matrix r I L12: invokespecial Method Matrix <init> (II)V L15: astore_1 L16: iconst_0 L17: istore_2 .stack append Object Matrix Integer L18: iload_2 L19: aload_0 L20: getfield Field Matrix r I L23: if_icmpge L60 L26: iconst_0 L27: istore_3 .stack append Integer L28: iload_3 L29: aload_0 L30: getfield Field Matrix c I L33: if_icmpge L54 L36: aload_1 L37: iload_3 L38: iload_2 L39: aload_0 L40: iload_2 L41: iload_3 L42: invokevirtual Method Matrix get (II)D L45: invokevirtual Method Matrix set (IID)V L48: iinc 3 1 L51: goto L28 .stack chop 1 L54: iinc 2 1 L57: goto L18 .stack chop 1 L60: aload_1 L61: areturn L62: .linenumbertable L0 191 L16 192 L26 193 L36 194 L48 193 L54 192 L60 195 .end linenumbertable .end code .end method .sourcefile 'Matrix.java' .end class
/* * This file was automatically generated by EvoSuite * Sat Jul 02 21:46:42 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 Matrix_ESTest extends Matrix_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { Matrix matrix0 = new Matrix(73188, 1); // Undeclared exception! matrix0.transpose(); } @Test(timeout = 4000) public void test1() throws Throwable { int int0 = 0; Matrix matrix0 = new Matrix(0, 0); double[][] doubleArray0 = new double[3][0]; double[] doubleArray1 = new double[5]; doubleArray1[0] = (double) 0; doubleArray1[1] = (double) 0; doubleArray1[2] = (-35452.29556228623); doubleArray1[3] = (double) 0; doubleArray1[4] = (double) 0; doubleArray0[0] = doubleArray1; double[] doubleArray2 = new double[5]; doubleArray2[0] = (double) 0; doubleArray2[1] = (double) 0; doubleArray2[2] = (double) 0; doubleArray2[3] = (double) 0; doubleArray2[4] = (double) 0; doubleArray0[1] = doubleArray2; double[] doubleArray3 = new double[5]; doubleArray3[0] = (double) 0; doubleArray3[1] = (-35452.29556228623); doubleArray3[2] = (double) 0; doubleArray3[3] = (double) 0; doubleArray3[4] = (-35452.29556228623); doubleArray0[2] = doubleArray3; Matrix matrix1 = new Matrix(doubleArray0); // Undeclared exception! try { matrix0.mul(matrix1); fail("Expecting exception: IllegalArgumentException"); } catch(IllegalArgumentException e) { // // Incompatible matrix sizes for multiplication // verifyException("Matrix", e); } } @Test(timeout = 4000) public void test2() throws Throwable { double[][] doubleArray0 = new double[1][2]; double[] doubleArray1 = new double[4]; doubleArray1[0] = 1.0; doubleArray1[1] = 1.0; doubleArray1[2] = (-45586.25); doubleArray1[3] = (-10762.4001); doubleArray0[0] = doubleArray1; Matrix matrix0 = new Matrix(doubleArray0); int int0 = matrix0.cols(); assertEquals(4, int0); } @Test(timeout = 4000) public void test3() throws Throwable { double[][] doubleArray0 = new double[1][0]; double[] doubleArray1 = new double[4]; doubleArray1[0] = 44029.7956; doubleArray1[1] = (-21716.27530569912); doubleArray1[2] = (-73721.92668); doubleArray1[3] = 80984.939465387; doubleArray0[0] = doubleArray1; Matrix matrix0 = new Matrix(doubleArray0); matrix0.length(); // Undeclared exception! try { matrix0.set((-1), (-1), 0.0); fail("Expecting exception: ArrayIndexOutOfBoundsException"); } catch(ArrayIndexOutOfBoundsException e) { // // no message in exception (getMessage() returned null) // } } @Test(timeout = 4000) public void test4() throws Throwable { Matrix matrix0 = new Matrix(0, 63288); double[][] doubleArray0 = new double[5][9]; double[] doubleArray1 = new double[5]; doubleArray1[0] = (double) 0; doubleArray1[1] = (double) 63288; doubleArray1[2] = (double) 63288; doubleArray1[3] = (double) 0; doubleArray1[4] = (double) 63288; doubleArray0[0] = doubleArray1; double[] doubleArray2 = new double[5]; doubleArray2[0] = (double) 63288; doubleArray2[1] = (double) 63288; doubleArray2[2] = (double) 0; doubleArray2[3] = (double) 0; doubleArray2[4] = (double) 63288; doubleArray0[1] = doubleArray2; double[] doubleArray3 = new double[0]; doubleArray0[2] = doubleArray3; double[] doubleArray4 = new double[3]; doubleArray4[0] = (double) 0; doubleArray4[1] = (double) 0; doubleArray4[2] = (double) 63288; doubleArray0[3] = doubleArray4; double[] doubleArray5 = new double[0]; doubleArray0[4] = doubleArray5; Matrix matrix1 = null; try { matrix1 = new Matrix(doubleArray0); fail("Expecting exception: IllegalArgumentException"); } catch(IllegalArgumentException e) { // // variable number of columns in array // verifyException("Matrix", e); } } @Test(timeout = 4000) public void test5() throws Throwable { double[][] doubleArray0 = new double[2][9]; double[] doubleArray1 = new double[8]; doubleArray1[0] = (-22515.52605945086); doubleArray1[1] = 0.0; doubleArray1[2] = 31809.0; doubleArray1[3] = 0.0; doubleArray1[4] = (-58965.88516473968); doubleArray1[5] = 1.0; doubleArray1[6] = (-26851.323185557438); doubleArray1[7] = 97389.36875785; doubleArray0[0] = doubleArray1; double[] doubleArray2 = new double[8]; doubleArray2[0] = (-22515.52605945086); doubleArray2[1] = 1.0; doubleArray2[2] = (-13310.691833555398); doubleArray2[3] = 0.0; doubleArray2[4] = 1.0; doubleArray2[5] = (-26851.323185557438); doubleArray2[6] = 0.0; doubleArray2[7] = (-58965.88516473968); doubleArray0[1] = doubleArray2; Matrix matrix0 = new Matrix(doubleArray0); // Undeclared exception! try { matrix0.set(0, 3651, (-65940.126200737)); fail("Expecting exception: ArrayIndexOutOfBoundsException"); } catch(ArrayIndexOutOfBoundsException e) { // // no message in exception (getMessage() returned null) // } } @Test(timeout = 4000) public void test6() throws Throwable { Matrix matrix0 = new Matrix(1, 1); double[][] doubleArray0 = new double[1][3]; double[] doubleArray1 = new double[3]; doubleArray1[0] = 71692.603418; doubleArray1[1] = (double) 1; doubleArray1[2] = (double) 1; doubleArray0[0] = doubleArray1; Matrix matrix1 = new Matrix(doubleArray0); Matrix matrix2 = matrix0.mul(matrix1); matrix2.copy(); Matrix matrix3 = null; try { matrix3 = new Matrix((-67789), 0); fail("Expecting exception: NegativeArraySizeException"); } catch(NegativeArraySizeException e) { // // no message in exception (getMessage() returned null) // verifyException("Matrix", e); } } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sat Jul 02 21:46: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 Matrix_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000); @BeforeClass public static void initEvoSuiteFramework() { org.evosuite.runtime.RuntimeSettings.className = "Matrix"; org.evosuite.runtime.GuiSupport.initialize(); org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); org.evosuite.runtime.classhandling.JDKClassResetter.init(); setSystemProperties(); initializeClasses(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); } @AfterClass public static void clearEvoSuiteFramework(){ Sandbox.resetDefaultSecurityManager(); java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); } @Before public void initTestCase(){ threadStopper.storeCurrentThreads(); threadStopper.startRecordingTime(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); setSystemProperties(); org.evosuite.runtime.GuiSupport.setHeadless(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); org.evosuite.runtime.agent.InstrumentingAgent.activate(); } @After public void doneWithTestCase(){ threadStopper.killAndJoinClientThreads(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); org.evosuite.runtime.classhandling.JDKClassResetter.reset(); resetClasses(); org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); } public static void setSystemProperties() { java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); java.lang.System.setProperty("file.encoding", "UTF-8"); java.lang.System.setProperty("java.awt.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_8iarzia"); java.lang.System.setProperty("user.home", "/home/bmcdanel"); java.lang.System.setProperty("user.language", "en"); java.lang.System.setProperty("user.name", "bmcdanel"); java.lang.System.setProperty("user.timezone", "America/New_York"); } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Matrix_ESTest_scaffolding.class.getClassLoader() , "Matrix" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Matrix_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "Matrix" ); } }
2,207
NumberCard
public class NumberCard { public int getValue() { return 5; } }
.version 52 0 .class public super NumberCard .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 getValue : ()I .code stack 1 locals 1 L0: iconst_5 L1: ireturn L2: .linenumbertable L0 6 .end linenumbertable .end code .end method .sourcefile 'NumberCard.java' .end class
/* * This file was automatically generated by EvoSuite * Mon Jul 04 05:34: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 NumberCard_ESTest extends NumberCard_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { NumberCard numberCard0 = new NumberCard(); int int0 = numberCard0.getValue(); assertEquals(5, int0); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Mon Jul 04 05:34: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 NumberCard_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000); @BeforeClass public static void initEvoSuiteFramework() { org.evosuite.runtime.RuntimeSettings.className = "NumberCard"; org.evosuite.runtime.GuiSupport.initialize(); org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); org.evosuite.runtime.classhandling.JDKClassResetter.init(); setSystemProperties(); initializeClasses(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); } @AfterClass public static void clearEvoSuiteFramework(){ Sandbox.resetDefaultSecurityManager(); java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); } @Before public void initTestCase(){ threadStopper.storeCurrentThreads(); threadStopper.startRecordingTime(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); setSystemProperties(); org.evosuite.runtime.GuiSupport.setHeadless(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); org.evosuite.runtime.agent.InstrumentingAgent.activate(); } @After public void doneWithTestCase(){ threadStopper.killAndJoinClientThreads(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); org.evosuite.runtime.classhandling.JDKClassResetter.reset(); resetClasses(); org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); } public static void setSystemProperties() { java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); java.lang.System.setProperty("file.encoding", "UTF-8"); java.lang.System.setProperty("java.awt.headless", "true"); java.lang.System.setProperty("java.io.tmpdir", "/tmp"); java.lang.System.setProperty("user.country", "US"); java.lang.System.setProperty("user.dir", "/tmp/tmpyd8n9_7q"); java.lang.System.setProperty("user.home", "/home/bmcdanel"); java.lang.System.setProperty("user.language", "en"); java.lang.System.setProperty("user.name", "bmcdanel"); java.lang.System.setProperty("user.timezone", "America/New_York"); } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(NumberCard_ESTest_scaffolding.class.getClassLoader() , "NumberCard" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(NumberCard_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "NumberCard" ); } }
2,208
EvalExp
/** Some experimental opitimizations. Only works with 7 cardhands */ public final class EvalExp { public static final int HIGH_FLAG = 0x100000; public static final int PAIR_FLAG = 0x200000; public static final int TWOPAIR_FLAG = 0x300000; public static final int TRIP_FLAG = 0x400000; public static final int STRAIGHT_FLAG = 0x500000; public static final int FLUSH_FLAG = 0x600000; public static final int HOUSE_FLAG = 0x700000; public static final int QUAD_FLAG = 0x800000; public static final int STRFLUSH_FLAG = 0x900000; // StraightTop return values for straights and higcard hands // for other hands it return number of cards in p1 private static final int[] StraightTop = new int[8129]; private static final int[] Flush = new int[8129]; private static final char[] Top1 = new char[8129]; private static final char[] Top1_4 = new char[8129]; private static final char[] Top2 = new char[8129]; private static final char[] Top2_4 = new char[8129]; private static final char[] Top3 = new char[8129]; private static final char[] Top1_12 = new char[8129]; private static final char[] Top1_8 = new char[8129]; private static final char[] Bit1 = new char[8129]; private static final char[] Bit2 = new char[8129]; public static final int rankHand(long hand) { int p1, p2, p3, p4; int s, h, d, c; int cards; c = (int) (hand & 0x1fff); d = (int) ((hand >> 13) & 0x1fff); h = (int) ((hand >> 26) & 0x1fff); s = (int) (hand >> 39); if ((Flush[s] | Flush[h] | Flush[d] | Flush[c]) != 0) { return Flush[s] | Flush[h] | Flush[d] | Flush[c]; } /* p2 = s & h | ((s | h) & d); p3 = s & h & d | (p2 & c); p2 |= (p1 & c); p1 |= c; */ p1 = s | h; p2 = s & h; p3 = p2 & d; p2 |= (p1 & d); p1 |= d; p4 = p3 & c; p3 |= (p2 & c); p2 |= (p1 & c); p1 |= c; if ((cards = StraightTop[p1]) > 6) { return cards; } if (p3 == 0) // There are pairs but no triplets { if (cards == 6) { // we have exactly 1 card in p2 return PAIR_FLAG | Top1_12[p2] | Top3[p1 ^ p2]; } if (cards == 5) { // we have exactly 2 card in p2 return TWOPAIR_FLAG | Top2_4[p2] | Top1[p1 ^ p2]; } // we have 3 cards in p2 so we need to use Bit2 to get top 2 bits return TWOPAIR_FLAG | Top2_4[p2] | Top1[p1 ^ Bit2[p2]]; } if (p4 == 0) // Deal with trips/sets/boats { if (cards == 5) { // p1 contains 5 cards so we have trips and p3 contains exactly 1 card return TRIP_FLAG | Top1_8[p3] | Top2[p1 ^ p3]; } if (cards == 4) { // p1 contains 4 cards so we have 2 cards in p2 and 1 in p3 return HOUSE_FLAG | Top1_4[p3] | Top1[p2 ^ p3]; } // handle rest of full house hands return HOUSE_FLAG | Top1_4[p3] | Top1[p2 ^ Bit1[p3]]; } // Only hands left are quads return QUAD_FLAG | Top1_4[p4] | Top1[p1 ^ p4]; } static { int i, c1, c2, c3, c4, c5, c6, c7; for (c5 = 14; c5 > 4; c5--) { c4 = c5 - 1; c3 = c4 - 1; c2 = c3 - 1; c1 = c2 - 1; if (c1 == 1) { c1 = 14; } for (c6 = 14; c6 > 1; c6--) { if (c6 != c5 + 1) { for (c7 = c6 - 1; c7 > 1; c7--) { if (c7 != c5 + 1) { i = ((1 << c1) | (1 << c2) | (1 << c3) | (1 << c4) | (1 << c5) | (1 << c6) | (1 << c7)) >> 2; Flush[i] = STRFLUSH_FLAG | (c5 << 16) | (c4 << 12) | (c3 << 8) | (c2 << 4) | c1; StraightTop[i] = STRAIGHT_FLAG | (c5 << 16) | (c4 << 12) | (c3 << 8) | (c2 << 4) | c1; } } } } } for (c1 = 14; c1 > 1; c1--) { for (c2 = c1; c2 > 1; c2--) { for (c3 = c2; c3 > 1; c3--) { for (c4 = c3; c4 > 1; c4--) { for (c5 = c4; c5 > 1; c5--) { for (c6 = c5; c6 > 1; c6--) { for (c7 = c6; c7 > 1; c7--) { i = ((1 << c1) | (1 << c2) | (1 << c3) | (1 << c4) | (1 << c5) | (1 << c6) | (1 << c7)) >> 2; if (c2 < c1) { if (c3 < c2) { if (c4 < c3 && c5 < c4) { if (c6 < c5 && c7 < c6 && StraightTop[i] == 0) { StraightTop[i] = HIGH_FLAG | (c1 << 16) | (c2 << 12) | (c3 << 8) | (c4 << 4) | c5; } if (Flush[i] == 0) { Flush[i] = FLUSH_FLAG | (c1 << 16) | (c2 << 12) | (c3 << 8) | (c4 << 4) | c5; } } Top3[i] = (char) ((c1 << 8) | (c2 << 4) | c3); } Top2_4[i] = (char) ((c1 << 8) | (c2 << 4)); Top2[i] = (char) ((c1 << 4) | c2); Bit2[i] = (char) ((1 << (c1 - 2)) | (1 << (c2 - 2))); } Top1_12[i] = (char) (c1 << 12); Top1_8[i] = (char) (c1 << 8); Top1_4[i] = (char) (c1 << 4); Top1[i] = (char) c1; Bit1[i] = (char) (1 << (c1 - 2)); } } } } } } } for (i = StraightTop.length - 1; i >= 0; i--) { if (StraightTop[i] == 0 && (Integer.bitCount(i) < 7)) { StraightTop[i] = Integer.bitCount(i); } } } }
.version 52 0 .class public final super EvalExp .super java/lang/Object .field public static final HIGH_FLAG I = 1048576 .field public static final PAIR_FLAG I = 2097152 .field public static final TWOPAIR_FLAG I = 3145728 .field public static final TRIP_FLAG I = 4194304 .field public static final STRAIGHT_FLAG I = 5242880 .field public static final FLUSH_FLAG I = 6291456 .field public static final HOUSE_FLAG I = 7340032 .field public static final QUAD_FLAG I = 8388608 .field public static final STRFLUSH_FLAG I = 9437184 .field private static final StraightTop [I .field private static final Flush [I .field private static final Top1 [C .field private static final Top1_4 [C .field private static final Top2 [C .field private static final Top2_4 [C .field private static final Top3 [C .field private static final Top1_12 [C .field private static final Top1_8 [C .field private static final Bit1 [C .field private static final Bit2 [C .method public <init> : ()V .code stack 1 locals 1 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: return L5: .linenumbertable L0 6 .end linenumbertable .end code .end method .method public static final rankHand : (J)I .code stack 5 locals 11 L0: lload_0 L1: ldc2_w 8191L L4: land L5: l2i L6: istore 9 L8: lload_0 L9: bipush 13 L11: lshr L12: ldc2_w 8191L L15: land L16: l2i L17: istore 8 L19: lload_0 L20: bipush 26 L22: lshr L23: ldc2_w 8191L L26: land L27: l2i L28: istore 7 L30: lload_0 L31: bipush 39 L33: lshr L34: l2i L35: istore 6 L37: getstatic Field EvalExp Flush [I L40: iload 6 L42: iaload L43: getstatic Field EvalExp Flush [I L46: iload 7 L48: iaload L49: ior L50: getstatic Field EvalExp Flush [I L53: iload 8 L55: iaload L56: ior L57: getstatic Field EvalExp Flush [I L60: iload 9 L62: iaload L63: ior L64: ifeq L95 L67: getstatic Field EvalExp Flush [I L70: iload 6 L72: iaload L73: getstatic Field EvalExp Flush [I L76: iload 7 L78: iaload L79: ior L80: getstatic Field EvalExp Flush [I L83: iload 8 L85: iaload L86: ior L87: getstatic Field EvalExp Flush [I L90: iload 9 L92: iaload L93: ior L94: ireturn .stack full locals Long Top Top Top Top Integer Integer Integer Integer stack .end stack L95: iload 6 L97: iload 7 L99: ior L100: istore_2 L101: iload 6 L103: iload 7 L105: iand L106: istore_3 L107: iload_3 L108: iload 8 L110: iand L111: istore 4 L113: iload_3 L114: iload_2 L115: iload 8 L117: iand L118: ior L119: istore_3 L120: iload_2 L121: iload 8 L123: ior L124: istore_2 L125: iload 4 L127: iload 9 L129: iand L130: istore 5 L132: iload 4 L134: iload_3 L135: iload 9 L137: iand L138: ior L139: istore 4 L141: iload_3 L142: iload_2 L143: iload 9 L145: iand L146: ior L147: istore_3 L148: iload_2 L149: iload 9 L151: ior L152: istore_2 L153: getstatic Field EvalExp StraightTop [I L156: iload_2 L157: iaload L158: dup L159: istore 10 L161: bipush 6 L163: if_icmple L169 L166: iload 10 L168: ireturn .stack full locals Long Integer Integer Integer Integer Integer Integer Integer Integer Integer stack .end stack L169: iload 4 L171: ifne L242 L174: iload 10 L176: bipush 6 L178: if_icmpne L198 L181: ldc 2097152 L183: getstatic Field EvalExp Top1_12 [C L186: iload_3 L187: caload L188: ior L189: getstatic Field EvalExp Top3 [C L192: iload_2 L193: iload_3 L194: ixor L195: caload L196: ior L197: ireturn .stack same L198: iload 10 L200: iconst_5 L201: if_icmpne L221 L204: ldc 3145728 L206: getstatic Field EvalExp Top2_4 [C L209: iload_3 L210: caload L211: ior L212: getstatic Field EvalExp Top1 [C L215: iload_2 L216: iload_3 L217: ixor L218: caload L219: ior L220: ireturn .stack same L221: ldc 3145728 L223: getstatic Field EvalExp Top2_4 [C L226: iload_3 L227: caload L228: ior L229: getstatic Field EvalExp Top1 [C L232: iload_2 L233: getstatic Field EvalExp Bit2 [C L236: iload_3 L237: caload L238: ixor L239: caload L240: ior L241: ireturn .stack same L242: iload 5 L244: ifne L320 L247: iload 10 L249: iconst_5 L250: if_icmpne L272 L253: ldc 4194304 L255: getstatic Field EvalExp Top1_8 [C L258: iload 4 L260: caload L261: ior L262: getstatic Field EvalExp Top2 [C L265: iload_2 L266: iload 4 L268: ixor L269: caload L270: ior L271: ireturn .stack same L272: iload 10 L274: iconst_4 L275: if_icmpne L297 L278: ldc 7340032 L280: getstatic Field EvalExp Top1_4 [C L283: iload 4 L285: caload L286: ior L287: getstatic Field EvalExp Top1 [C L290: iload_3 L291: iload 4 L293: ixor L294: caload L295: ior L296: ireturn .stack same L297: ldc 7340032 L299: getstatic Field EvalExp Top1_4 [C L302: iload 4 L304: caload L305: ior L306: getstatic Field EvalExp Top1 [C L309: iload_3 L310: getstatic Field EvalExp Bit1 [C L313: iload 4 L315: caload L316: ixor L317: caload L318: ior L319: ireturn .stack same L320: ldc 8388608 L322: getstatic Field EvalExp Top1_4 [C L325: iload 5 L327: caload L328: ior L329: getstatic Field EvalExp Top1 [C L332: iload_2 L333: iload 5 L335: ixor L336: caload L337: ior L338: ireturn L339: .linenumbertable L0 38 L8 39 L19 40 L30 41 L37 45 L67 47 L95 57 L101 58 L107 59 L125 60 L153 62 L166 64 L169 66 L174 68 L181 70 L198 72 L204 74 L221 77 L242 79 L247 81 L253 83 L272 85 L278 87 L297 90 L320 94 .end linenumbertable .end code .end method .method static <clinit> : ()V .code stack 6 locals 8 L0: sipush 8129 L3: newarray int L5: putstatic Field EvalExp StraightTop [I L8: sipush 8129 L11: newarray int L13: putstatic Field EvalExp Flush [I L16: sipush 8129 L19: newarray char L21: putstatic Field EvalExp Top1 [C L24: sipush 8129 L27: newarray char L29: putstatic Field EvalExp Top1_4 [C L32: sipush 8129 L35: newarray char L37: putstatic Field EvalExp Top2 [C L40: sipush 8129 L43: newarray char L45: putstatic Field EvalExp Top2_4 [C L48: sipush 8129 L51: newarray char L53: putstatic Field EvalExp Top3 [C L56: sipush 8129 L59: newarray char L61: putstatic Field EvalExp Top1_12 [C L64: sipush 8129 L67: newarray char L69: putstatic Field EvalExp Top1_8 [C L72: sipush 8129 L75: newarray char L77: putstatic Field EvalExp Bit1 [C L80: sipush 8129 L83: newarray char L85: putstatic Field EvalExp Bit2 [C L88: bipush 14 L90: istore 5 .stack full locals Top Top Top Top Top Integer stack .end stack L92: iload 5 L94: iconst_4 L95: if_icmple L277 L98: iload 5 L100: iconst_1 L101: isub L102: istore 4 L104: iload 4 L106: iconst_1 L107: isub L108: istore_3 L109: iload_3 L110: iconst_1 L111: isub L112: istore_2 L113: iload_2 L114: iconst_1 L115: isub L116: istore_1 L117: iload_1 L118: iconst_1 L119: if_icmpne L125 L122: bipush 14 L124: istore_1 .stack full locals Top Integer Integer Integer Integer Integer stack .end stack L125: bipush 14 L127: istore 6 .stack append Integer L129: iload 6 L131: iconst_1 L132: if_icmple L271 L135: iload 6 L137: iload 5 L139: iconst_1 L140: iadd L141: if_icmpeq L265 L144: iload 6 L146: iconst_1 L147: isub L148: istore 7 .stack append Integer L150: iload 7 L152: iconst_1 L153: if_icmple L265 L156: iload 7 L158: iload 5 L160: iconst_1 L161: iadd L162: if_icmpeq L259 L165: iconst_1 L166: iload_1 L167: ishl L168: iconst_1 L169: iload_2 L170: ishl L171: ior L172: iconst_1 L173: iload_3 L174: ishl L175: ior L176: iconst_1 L177: iload 4 L179: ishl L180: ior L181: iconst_1 L182: iload 5 L184: ishl L185: ior L186: iconst_1 L187: iload 6 L189: ishl L190: ior L191: iconst_1 L192: iload 7 L194: ishl L195: ior L196: iconst_2 L197: ishr L198: istore_0 L199: getstatic Field EvalExp Flush [I L202: iload_0 L203: ldc 9437184 L205: iload 5 L207: bipush 16 L209: ishl L210: ior L211: iload 4 L213: bipush 12 L215: ishl L216: ior L217: iload_3 L218: bipush 8 L220: ishl L221: ior L222: iload_2 L223: iconst_4 L224: ishl L225: ior L226: iload_1 L227: ior L228: iastore L229: getstatic Field EvalExp StraightTop [I L232: iload_0 L233: ldc 5242880 L235: iload 5 L237: bipush 16 L239: ishl L240: ior L241: iload 4 L243: bipush 12 L245: ishl L246: ior L247: iload_3 L248: bipush 8 L250: ishl L251: ior L252: iload_2 L253: iconst_4 L254: ishl L255: ior L256: iload_1 L257: ior L258: iastore .stack same_extended L259: iinc 7 -1 L262: goto L150 .stack chop 1 L265: iinc 6 -1 L268: goto L129 .stack same L271: iinc 5 -1 L274: goto L92 .stack full locals Top Top Top Top Top Integer stack .end stack L277: bipush 14 L279: istore_1 .stack full locals Top Integer Top Top Top Integer stack .end stack L280: iload_1 L281: iconst_1 L282: if_icmple L632 L285: iload_1 L286: istore_2 .stack full locals Top Integer Integer Top Top Integer stack .end stack L287: iload_2 L288: iconst_1 L289: if_icmple L626 L292: iload_2 L293: istore_3 .stack full locals Top Integer Integer Integer Top Integer stack .end stack L294: iload_3 L295: iconst_1 L296: if_icmple L620 L299: iload_3 L300: istore 4 .stack full locals Top Integer Integer Integer Integer Integer stack .end stack L302: iload 4 L304: iconst_1 L305: if_icmple L614 L308: iload 4 L310: istore 5 .stack same L312: iload 5 L314: iconst_1 L315: if_icmple L608 L318: iload 5 L320: istore 6 .stack append Integer L322: iload 6 L324: iconst_1 L325: if_icmple L602 L328: iload 6 L330: istore 7 .stack append Integer L332: iload 7 L334: iconst_1 L335: if_icmple L596 L338: iconst_1 L339: iload_1 L340: ishl L341: iconst_1 L342: iload_2 L343: ishl L344: ior L345: iconst_1 L346: iload_3 L347: ishl L348: ior L349: iconst_1 L350: iload 4 L352: ishl L353: ior L354: iconst_1 L355: iload 5 L357: ishl L358: ior L359: iconst_1 L360: iload 6 L362: ishl L363: ior L364: iconst_1 L365: iload 7 L367: ishl L368: ior L369: iconst_2 L370: ishr L371: istore_0 L372: iload_2 L373: iload_1 L374: if_icmpge L543 L377: iload_3 L378: iload_2 L379: if_icmpge L501 L382: iload 4 L384: iload_3 L385: if_icmpge L485 L388: iload 5 L390: iload 4 L392: if_icmpge L485 L395: iload 6 L397: iload 5 L399: if_icmpge L447 L402: iload 7 L404: iload 6 L406: if_icmpge L447 L409: getstatic Field EvalExp StraightTop [I L412: iload_0 L413: iaload L414: ifne L447 L417: getstatic Field EvalExp StraightTop [I L420: iload_0 L421: ldc 1048576 L423: iload_1 L424: bipush 16 L426: ishl L427: ior L428: iload_2 L429: bipush 12 L431: ishl L432: ior L433: iload_3 L434: bipush 8 L436: ishl L437: ior L438: iload 4 L440: iconst_4 L441: ishl L442: ior L443: iload 5 L445: ior L446: iastore .stack full locals Integer Integer Integer Integer Integer Integer Integer Integer stack .end stack L447: getstatic Field EvalExp Flush [I L450: iload_0 L451: iaload L452: ifne L485 L455: getstatic Field EvalExp Flush [I L458: iload_0 L459: ldc 6291456 L461: iload_1 L462: bipush 16 L464: ishl L465: ior L466: iload_2 L467: bipush 12 L469: ishl L470: ior L471: iload_3 L472: bipush 8 L474: ishl L475: ior L476: iload 4 L478: iconst_4 L479: ishl L480: ior L481: iload 5 L483: ior L484: iastore .stack same L485: getstatic Field EvalExp Top3 [C L488: iload_0 L489: iload_1 L490: bipush 8 L492: ishl L493: iload_2 L494: iconst_4 L495: ishl L496: ior L497: iload_3 L498: ior L499: i2c L500: castore .stack same L501: getstatic Field EvalExp Top2_4 [C L504: iload_0 L505: iload_1 L506: bipush 8 L508: ishl L509: iload_2 L510: iconst_4 L511: ishl L512: ior L513: i2c L514: castore L515: getstatic Field EvalExp Top2 [C L518: iload_0 L519: iload_1 L520: iconst_4 L521: ishl L522: iload_2 L523: ior L524: i2c L525: castore L526: getstatic Field EvalExp Bit2 [C L529: iload_0 L530: iconst_1 L531: iload_1 L532: iconst_2 L533: isub L534: ishl L535: iconst_1 L536: iload_2 L537: iconst_2 L538: isub L539: ishl L540: ior L541: i2c L542: castore .stack same L543: getstatic Field EvalExp Top1_12 [C L546: iload_0 L547: iload_1 L548: bipush 12 L550: ishl L551: i2c L552: castore L553: getstatic Field EvalExp Top1_8 [C L556: iload_0 L557: iload_1 L558: bipush 8 L560: ishl L561: i2c L562: castore L563: getstatic Field EvalExp Top1_4 [C L566: iload_0 L567: iload_1 L568: iconst_4 L569: ishl L570: i2c L571: castore L572: getstatic Field EvalExp Top1 [C L575: iload_0 L576: iload_1 L577: i2c L578: castore L579: getstatic Field EvalExp Bit1 [C L582: iload_0 L583: iconst_1 L584: iload_1 L585: iconst_2 L586: isub L587: ishl L588: i2c L589: castore L590: iinc 7 -1 L593: goto L332 .stack full locals Top Integer Integer Integer Integer Integer Integer Integer stack .end stack L596: iinc 6 -1 L599: goto L322 .stack chop 1 L602: iinc 5 -1 L605: goto L312 .stack chop 1 L608: iinc 4 -1 L611: goto L302 .stack same L614: iinc 3 -1 L617: goto L294 .stack full locals Top Integer Integer Integer Top Integer stack .end stack L620: iinc 2 -1 L623: goto L287 .stack full locals Top Integer Integer Top Top Integer stack .end stack L626: iinc 1 -1 L629: goto L280 .stack full locals Top Integer Top Top Top Integer stack .end stack L632: getstatic Field EvalExp StraightTop [I L635: arraylength L636: iconst_1 L637: isub L638: istore_0 .stack full locals Integer Integer Top Top Top Integer stack .end stack L639: iload_0 L640: iflt L675 L643: getstatic Field EvalExp StraightTop [I L646: iload_0 L647: iaload L648: ifne L669 L651: iload_0 L652: invokestatic Method java/lang/Integer bitCount (I)I L655: bipush 7 L657: if_icmpge L669 L660: getstatic Field EvalExp StraightTop [I L663: iload_0 L664: iload_0 L665: invokestatic Method java/lang/Integer bitCount (I)I L668: iastore .stack same L669: iinc 0 -1 L672: goto L639 .stack full locals stack .end stack L675: return L676: .linenumbertable L0 20 L8 21 L16 22 L24 23 L32 24 L40 25 L48 26 L56 27 L64 28 L72 29 L80 30 L88 100 L98 101 L104 102 L109 103 L113 104 L117 105 L122 107 L125 109 L135 110 L144 111 L156 112 L165 114 L199 115 L229 116 L259 111 L265 109 L271 100 L277 122 L285 123 L292 124 L299 125 L308 126 L318 127 L328 128 L338 129 L372 130 L377 131 L382 132 L395 133 L417 134 L447 136 L455 137 L485 140 L501 142 L515 143 L526 144 L543 146 L553 147 L563 148 L572 149 L579 150 L590 128 L596 127 L602 126 L608 125 L614 124 L620 123 L626 122 L632 158 L643 159 L660 160 L669 158 L675 163 .end linenumbertable .end code .end method .sourcefile 'EvalExp.java' .end class
/* * This file was automatically generated by EvoSuite * Sun Jul 03 20:19:03 GMT 2022 */ import org.junit.Test; import static org.junit.Assert.*; import static org.evosuite.runtime.EvoAssertions.*; import org.evosuite.runtime.EvoRunner; import org.evosuite.runtime.EvoRunnerParameters; import org.junit.runner.RunWith; @RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) public class EvalExp_ESTest extends EvalExp_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { int int0 = EvalExp.rankHand(0L); assertEquals(3145728, int0); EvalExp.rankHand(6291456); int int1 = EvalExp.rankHand(3145739); assertEquals(3145738, int1); } @Test(timeout = 4000) public void test1() throws Throwable { int int0 = EvalExp.rankHand(7046723); assertEquals(7321719, int0); } @Test(timeout = 4000) public void test2() throws Throwable { // Undeclared exception! try { EvalExp.rankHand((-1L)); fail("Expecting exception: ArrayIndexOutOfBoundsException"); } catch(ArrayIndexOutOfBoundsException e) { // // -1 // verifyException("EvalExp", e); } } @Test(timeout = 4000) public void test3() throws Throwable { int int0 = EvalExp.rankHand(3145739); assertEquals(3145738, int0); } @Test(timeout = 4000) public void test4() throws Throwable { int int0 = EvalExp.rankHand(29088L); assertEquals(2100905, int0); } @Test(timeout = 4000) public void test5() throws Throwable { int int0 = EvalExp.rankHand(599L); assertEquals(7046723, int0); int int1 = EvalExp.rankHand(28111L); assertEquals(3146541, int1); EvalExp evalExp0 = new EvalExp(); int int2 = EvalExp.rankHand(599L); assertEquals(7046723, int2); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sun Jul 03 20:19: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 EvalExp_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000); @BeforeClass public static void initEvoSuiteFramework() { org.evosuite.runtime.RuntimeSettings.className = "EvalExp"; org.evosuite.runtime.GuiSupport.initialize(); org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); org.evosuite.runtime.classhandling.JDKClassResetter.init(); setSystemProperties(); initializeClasses(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); } @AfterClass public static void clearEvoSuiteFramework(){ Sandbox.resetDefaultSecurityManager(); java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); } @Before public void initTestCase(){ threadStopper.storeCurrentThreads(); threadStopper.startRecordingTime(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); setSystemProperties(); org.evosuite.runtime.GuiSupport.setHeadless(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); org.evosuite.runtime.agent.InstrumentingAgent.activate(); } @After public void doneWithTestCase(){ threadStopper.killAndJoinClientThreads(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); org.evosuite.runtime.classhandling.JDKClassResetter.reset(); resetClasses(); org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); } public static void setSystemProperties() { java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); java.lang.System.setProperty("file.encoding", "UTF-8"); java.lang.System.setProperty("java.awt.headless", "true"); java.lang.System.setProperty("java.io.tmpdir", "/tmp"); java.lang.System.setProperty("user.country", "US"); java.lang.System.setProperty("user.dir", "/tmp/tmphm6g86tf"); java.lang.System.setProperty("user.home", "/home/bmcdanel"); java.lang.System.setProperty("user.language", "en"); java.lang.System.setProperty("user.name", "bmcdanel"); java.lang.System.setProperty("user.timezone", "America/New_York"); } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(EvalExp_ESTest_scaffolding.class.getClassLoader() , "EvalExp" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(EvalExp_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "EvalExp" ); } }
2,209
GetThreadCPUTimerInfo0101
/* Copyright 2005-2006 The Apache Software Foundation or its licensors, as applicable 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 Valentin Al. Sitnick * @version $Revision: 1.1 $ */ public class GetThreadCPUTimerInfo0101 { public static void main(String args[]) { special_method(); return; } public static void special_method() { /* * Transfer control to native part. */ try { throw new InterruptedException(); } catch (Throwable tex) { } return; } }
.version 52 0 .class public super GetThreadCPUTimerInfo0101 .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 24 .end linenumbertable .end code .end method .method public static main : ([Ljava/lang/String;)V .code stack 0 locals 1 L0: invokestatic Method GetThreadCPUTimerInfo0101 special_method ()V L3: return L4: .linenumbertable L0 28 L3 29 .end linenumbertable .end code .end method .method public static special_method : ()V .code stack 2 locals 1 .catch java/lang/Throwable from L0 to L8 using L8 L0: new java/lang/InterruptedException L3: dup L4: invokespecial Method java/lang/InterruptedException <init> ()V L7: athrow .stack stack_1 Object java/lang/Throwable L8: astore_0 L9: return L10: .linenumbertable L0 37 L8 38 L9 39 .end linenumbertable .end code .end method .sourcefile 'GetThreadCPUTimerInfo0101.java' .end class
/* * This file was automatically generated by EvoSuite * Sat Jul 02 09:37: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 GetThreadCPUTimerInfo0101_ESTest extends GetThreadCPUTimerInfo0101_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { GetThreadCPUTimerInfo0101.special_method(); } @Test(timeout = 4000) public void test1() throws Throwable { String[] stringArray0 = new String[1]; GetThreadCPUTimerInfo0101.main(stringArray0); assertEquals(1, stringArray0.length); } @Test(timeout = 4000) public void test2() throws Throwable { GetThreadCPUTimerInfo0101 getThreadCPUTimerInfo0101_0 = new GetThreadCPUTimerInfo0101(); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sat Jul 02 09:37: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 GetThreadCPUTimerInfo0101_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000); @BeforeClass public static void initEvoSuiteFramework() { org.evosuite.runtime.RuntimeSettings.className = "GetThreadCPUTimerInfo0101"; org.evosuite.runtime.GuiSupport.initialize(); org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); org.evosuite.runtime.classhandling.JDKClassResetter.init(); setSystemProperties(); initializeClasses(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); } @AfterClass public static void clearEvoSuiteFramework(){ Sandbox.resetDefaultSecurityManager(); java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); } @Before public void initTestCase(){ threadStopper.storeCurrentThreads(); threadStopper.startRecordingTime(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); setSystemProperties(); org.evosuite.runtime.GuiSupport.setHeadless(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); org.evosuite.runtime.agent.InstrumentingAgent.activate(); } @After public void doneWithTestCase(){ threadStopper.killAndJoinClientThreads(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); org.evosuite.runtime.classhandling.JDKClassResetter.reset(); resetClasses(); org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); } public static void setSystemProperties() { java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); java.lang.System.setProperty("file.encoding", "UTF-8"); java.lang.System.setProperty("java.awt.headless", "true"); java.lang.System.setProperty("java.io.tmpdir", "/tmp"); java.lang.System.setProperty("user.country", "US"); java.lang.System.setProperty("user.dir", "/tmp/tmpd9_1kvm6"); java.lang.System.setProperty("user.home", "/home/bmcdanel"); java.lang.System.setProperty("user.language", "en"); java.lang.System.setProperty("user.name", "bmcdanel"); java.lang.System.setProperty("user.timezone", "America/New_York"); } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(GetThreadCPUTimerInfo0101_ESTest_scaffolding.class.getClassLoader() , "GetThreadCPUTimerInfo0101" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(GetThreadCPUTimerInfo0101_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "GetThreadCPUTimerInfo0101" ); } }
2,210
A
/* * Copyright 2004-2009 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. */ /** * @author kimchy */ public class A { long id; String value; }
.version 52 0 .class public super A .super java/lang/Object .field id J .field value Ljava/lang/String; .method public <init> : ()V .code stack 1 locals 1 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: return L5: .linenumbertable L0 22 .end linenumbertable .end code .end method .sourcefile 'A.java' .end class
/* * This file was automatically generated by EvoSuite * Sat Jul 02 12:47: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 A_ESTest extends A_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { A a0 = new A(); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sat Jul 02 12:47: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 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/tmpp3bx91mx"); java.lang.System.setProperty("user.home", "/home/bmcdanel"); java.lang.System.setProperty("user.language", "en"); java.lang.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" ); } }
2,211
SWWAIDKWException
/* * SomethingWentWrongAndIDon'tKnowWhat Exception * This exception is thrown when some set of conditions * which shouldn't have been possible to create occurs. */ @SuppressWarnings("serial") public class SWWAIDKWException extends RuntimeException { public SWWAIDKWException() { super("Something went wrong and I don't know what."); } public SWWAIDKWException(String errMsg) { super(errMsg); } }
.version 52 0 .class public super SWWAIDKWException .super java/lang/RuntimeException .method public <init> : ()V .code stack 2 locals 1 L0: aload_0 L1: ldc "Something went wrong and I don't know what." L3: invokespecial Method java/lang/RuntimeException <init> (Ljava/lang/String;)V L6: return L7: .linenumbertable L0 13 L6 14 .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 18 L5 19 .end linenumbertable .end code .end method .sourcefile 'SWWAIDKWException.java' .end class
/* * This file was automatically generated by EvoSuite * Fri Jul 01 05:12:55 GMT 2022 */ import org.junit.Test; import static org.junit.Assert.*; import org.evosuite.runtime.EvoRunner; import org.evosuite.runtime.EvoRunnerParameters; import org.junit.runner.RunWith; @RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) public class SWWAIDKWException_ESTest extends SWWAIDKWException_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { SWWAIDKWException sWWAIDKWException0 = new SWWAIDKWException(); } @Test(timeout = 4000) public void test1() throws Throwable { SWWAIDKWException sWWAIDKWException0 = new SWWAIDKWException("d>@EiHkBU"); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Fri Jul 01 05:12: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 SWWAIDKWException_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000); @BeforeClass public static void initEvoSuiteFramework() { org.evosuite.runtime.RuntimeSettings.className = "SWWAIDKWException"; org.evosuite.runtime.GuiSupport.initialize(); org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); org.evosuite.runtime.classhandling.JDKClassResetter.init(); setSystemProperties(); initializeClasses(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); } @AfterClass public static void clearEvoSuiteFramework(){ Sandbox.resetDefaultSecurityManager(); java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); } @Before public void initTestCase(){ threadStopper.storeCurrentThreads(); threadStopper.startRecordingTime(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); setSystemProperties(); org.evosuite.runtime.GuiSupport.setHeadless(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); org.evosuite.runtime.agent.InstrumentingAgent.activate(); } @After public void doneWithTestCase(){ threadStopper.killAndJoinClientThreads(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); org.evosuite.runtime.classhandling.JDKClassResetter.reset(); resetClasses(); org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); } public static void setSystemProperties() { java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); java.lang.System.setProperty("file.encoding", "UTF-8"); java.lang.System.setProperty("java.awt.headless", "true"); java.lang.System.setProperty("java.io.tmpdir", "/tmp"); java.lang.System.setProperty("user.country", "US"); java.lang.System.setProperty("user.dir", "/tmp/tmpwt32v5pt"); java.lang.System.setProperty("user.home", "/home/bmcdanel"); java.lang.System.setProperty("user.language", "en"); java.lang.System.setProperty("user.name", "bmcdanel"); java.lang.System.setProperty("user.timezone", "America/New_York"); } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(SWWAIDKWException_ESTest_scaffolding.class.getClassLoader() , "SWWAIDKWException" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(SWWAIDKWException_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "SWWAIDKWException" ); } }
2,212
URISyntaxException
/* * Copyright (c) 2000, 2008, Oracle and/or its affiliates. All rights reserved. * DO NOT ALTER OR REMOVE COPYRIGHT NOTICES OR THIS FILE HEADER. * * This code is free software; you can redistribute it and/or modify it * under the terms of the GNU General Public License version 2 only, as * published by the Free Software Foundation. Oracle designates this * particular file as subject to the "Classpath" exception as provided * by Oracle in the LICENSE file that accompanied this code. * * This code is distributed in the hope that it will be useful, but WITHOUT * ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or * FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License * version 2 for more details (a copy is included in the LICENSE file that * accompanied this code). * * You should have received a copy of the GNU General Public License version * 2 along with this work; if not, write to the Free Software Foundation, * Inc., 51 Franklin St, Fifth Floor, Boston, MA 02110-1301 USA. * * Please contact Oracle, 500 Oracle Parkway, Redwood Shores, CA 94065 USA * or visit www.oracle.com if you need additional information or have any * questions. */ /** * Checked exception thrown to indicate that a string could not be parsed as a URI reference. * * @author Mark Reinhold * @see URI * @since 1.4 */ public class URISyntaxException extends Exception { private static final long serialVersionUID = 2137979680897488891L; private String input; private int index; /** * Constructs an instance from the given input string, reason, and error index. * * @param input The input string * @param reason A string explaining why the input could not be parsed * @param index The index at which the parse error occurred, or <tt>-1</tt> if the index is not * known * @throws NullPointerException If either the input or reason strings are <tt>null</tt> * @throws IllegalArgumentException If the error index is less than <tt>-1</tt> */ public URISyntaxException(String input, String reason, int index) { super(reason); if ((input == null) || (reason == null)) throw new NullPointerException(); if (index < -1) throw new IllegalArgumentException(); this.input = input; this.index = index; } /** * Constructs an instance from the given input string and reason. The resulting object will have * an error index of <tt>-1</tt>. * * @param input The input string * @param reason A string explaining why the input could not be parsed * @throws NullPointerException If either the input or reason strings are <tt>null</tt> */ public URISyntaxException(String input, String reason) { this(input, reason, -1); } /** * Returns the input string. * * @return The input string */ public String getInput() { return input; } /** * Returns a string explaining why the input string could not be parsed. * * @return The reason string */ public String getReason() { return super.getMessage(); } /** * Returns an index into the input string of the position at which the parse error occurred, or * <tt>-1</tt> if this position is not known. * * @return The error index */ public int getIndex() { return index; } /** * Returns a string describing the parse error. The resulting string consists of the reason string * followed by a colon character (<tt>':'</tt>), a space, and the input string. If the error index * is defined then the string <tt>" at index "</tt> followed by the index, in decimal, is inserted * after the reason string and before the colon character. * * @return A string describing the parse error */ public String getMessage() { StringBuffer sb = new StringBuffer(); sb.append(getReason()); if (index > -1) { sb.append(" at index "); sb.append(index); } sb.append(": "); sb.append(input); return sb.toString(); } }
.version 52 0 .class public super URISyntaxException .super java/lang/Exception .field private static final serialVersionUID J = 2137979680897488891L .field private input Ljava/lang/String; .field private index I .method public <init> : (Ljava/lang/String;Ljava/lang/String;I)V .code stack 2 locals 4 L0: aload_0 L1: aload_2 L2: invokespecial Method java/lang/Exception <init> (Ljava/lang/String;)V L5: aload_1 L6: ifnull L13 L9: aload_2 L10: ifnonnull L21 .stack full locals Object URISyntaxException Object java/lang/String Object java/lang/String Integer stack .end stack L13: new java/lang/NullPointerException L16: dup L17: invokespecial Method java/lang/NullPointerException <init> ()V L20: athrow .stack same L21: iload_3 L22: iconst_m1 L23: if_icmpge L34 L26: new java/lang/IllegalArgumentException L29: dup L30: invokespecial Method java/lang/IllegalArgumentException <init> ()V L33: athrow .stack same L34: aload_0 L35: aload_1 L36: putfield Field URISyntaxException input Ljava/lang/String; L39: aload_0 L40: iload_3 L41: putfield Field URISyntaxException index I L44: return L45: .linenumbertable L0 62 L5 63 L13 64 L21 65 L26 66 L34 67 L39 68 L44 69 .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_m1 L4: invokespecial Method URISyntaxException <init> (Ljava/lang/String;Ljava/lang/String;I)V L7: return L8: .linenumbertable L0 82 L7 83 .end linenumbertable .end code .end method .method public getInput : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field URISyntaxException input Ljava/lang/String; L4: areturn L5: .linenumbertable L0 91 .end linenumbertable .end code .end method .method public getReason : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: invokespecial Method java/lang/Exception getMessage ()Ljava/lang/String; L4: areturn L5: .linenumbertable L0 100 .end linenumbertable .end code .end method .method public getIndex : ()I .code stack 1 locals 1 L0: aload_0 L1: getfield Field URISyntaxException index I L4: ireturn L5: .linenumbertable L0 110 .end linenumbertable .end code .end method .method public getMessage : ()Ljava/lang/String; .code stack 2 locals 2 L0: new java/lang/StringBuffer L3: dup L4: invokespecial Method java/lang/StringBuffer <init> ()V L7: astore_1 L8: aload_1 L9: aload_0 L10: invokevirtual Method URISyntaxException getReason ()Ljava/lang/String; L13: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/String;)Ljava/lang/StringBuffer; L16: pop L17: aload_0 L18: getfield Field URISyntaxException index I L21: iconst_m1 L22: if_icmple L41 L25: aload_1 L26: ldc ' at index ' L28: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/String;)Ljava/lang/StringBuffer; L31: pop L32: aload_1 L33: aload_0 L34: getfield Field URISyntaxException index I L37: invokevirtual Method java/lang/StringBuffer append (I)Ljava/lang/StringBuffer; L40: pop .stack append Object java/lang/StringBuffer L41: aload_1 L42: ldc ': ' L44: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/String;)Ljava/lang/StringBuffer; L47: pop L48: aload_1 L49: aload_0 L50: getfield Field URISyntaxException input Ljava/lang/String; L53: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/String;)Ljava/lang/StringBuffer; L56: pop L57: aload_1 L58: invokevirtual Method java/lang/StringBuffer toString ()Ljava/lang/String; L61: areturn L62: .linenumbertable L0 124 L8 125 L17 126 L25 127 L32 128 L41 130 L48 131 L57 132 .end linenumbertable .end code .end method .sourcefile 'URISyntaxException.java' .end class
/* * This file was automatically generated by EvoSuite * Mon Jul 04 16:50:50 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 URISyntaxException_ESTest extends URISyntaxException_ESTest_scaffolding { @Test(timeout = 4000) public void test00() throws Throwable { URISyntaxException uRISyntaxException0 = new URISyntaxException("", ""); String string0 = uRISyntaxException0.getReason(); assertEquals("", string0); } @Test(timeout = 4000) public void test01() throws Throwable { URISyntaxException uRISyntaxException0 = new URISyntaxException("", ""); String string0 = uRISyntaxException0.getInput(); assertEquals("", string0); } @Test(timeout = 4000) public void test02() throws Throwable { URISyntaxException uRISyntaxException0 = new URISyntaxException("", "", 1); int int0 = uRISyntaxException0.getIndex(); assertEquals(1, int0); } @Test(timeout = 4000) public void test03() throws Throwable { URISyntaxException uRISyntaxException0 = new URISyntaxException("", "3<t9'{m[("); int int0 = uRISyntaxException0.getIndex(); assertEquals((-1), int0); } @Test(timeout = 4000) public void test04() throws Throwable { URISyntaxException uRISyntaxException0 = null; try { uRISyntaxException0 = new URISyntaxException(": ", (String) null, 0); fail("Expecting exception: NullPointerException"); } catch(NullPointerException e) { // // no message in exception (getMessage() returned null) // verifyException("URISyntaxException", e); } } @Test(timeout = 4000) public void test05() throws Throwable { URISyntaxException uRISyntaxException0 = null; try { uRISyntaxException0 = new URISyntaxException((String) null, (String) null, (-36904)); fail("Expecting exception: NullPointerException"); } catch(NullPointerException e) { // // no message in exception (getMessage() returned null) // verifyException("URISyntaxException", e); } } @Test(timeout = 4000) public void test06() throws Throwable { URISyntaxException uRISyntaxException0 = new URISyntaxException("URISyntaxException", "URISyntaxException", 75610); String string0 = uRISyntaxException0.getReason(); assertEquals("URISyntaxException", string0); } @Test(timeout = 4000) public void test07() throws Throwable { URISyntaxException uRISyntaxException0 = new URISyntaxException(": ", ": "); String string0 = uRISyntaxException0.getMessage(); assertEquals(": : : ", string0); } @Test(timeout = 4000) public void test08() throws Throwable { URISyntaxException uRISyntaxException0 = null; try { uRISyntaxException0 = new URISyntaxException("4$b8Y", "4$b8Y", (-1555)); fail("Expecting exception: IllegalArgumentException"); } catch(IllegalArgumentException e) { // // no message in exception (getMessage() returned null) // verifyException("URISyntaxException", e); } } @Test(timeout = 4000) public void test09() throws Throwable { URISyntaxException uRISyntaxException0 = new URISyntaxException("?lknT={4$w NC^ `", "?lknT={4$w NC^ `", 22845); String string0 = uRISyntaxException0.getInput(); assertEquals("?lknT={4$w NC^ `", string0); } @Test(timeout = 4000) public void test10() throws Throwable { URISyntaxException uRISyntaxException0 = new URISyntaxException(".ni>x", ".ni>x", 0); int int0 = uRISyntaxException0.getIndex(); assertEquals(0, int0); } @Test(timeout = 4000) public void test11() throws Throwable { URISyntaxException uRISyntaxException0 = new URISyntaxException("?lknT={4$w NC^ `", "?lknT={4$w NC^ `", 22845); String string0 = uRISyntaxException0.getMessage(); assertEquals("?lknT={4$w NC^ ` at index 22845: ?lknT={4$w NC^ `", string0); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Mon Jul 04 16:50:50 GMT 2022 */ import org.evosuite.runtime.annotation.EvoSuiteClassExclude; import org.junit.BeforeClass; import org.junit.Before; import org.junit.After; import org.junit.AfterClass; import org.evosuite.runtime.sandbox.Sandbox; import org.evosuite.runtime.sandbox.Sandbox.SandboxMode; @EvoSuiteClassExclude public class URISyntaxException_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000); @BeforeClass public static void initEvoSuiteFramework() { org.evosuite.runtime.RuntimeSettings.className = "URISyntaxException"; org.evosuite.runtime.GuiSupport.initialize(); org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); org.evosuite.runtime.classhandling.JDKClassResetter.init(); setSystemProperties(); initializeClasses(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); } @AfterClass public static void clearEvoSuiteFramework(){ Sandbox.resetDefaultSecurityManager(); java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); } @Before public void initTestCase(){ threadStopper.storeCurrentThreads(); threadStopper.startRecordingTime(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); setSystemProperties(); org.evosuite.runtime.GuiSupport.setHeadless(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); org.evosuite.runtime.agent.InstrumentingAgent.activate(); } @After public void doneWithTestCase(){ threadStopper.killAndJoinClientThreads(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); org.evosuite.runtime.classhandling.JDKClassResetter.reset(); resetClasses(); org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); } public static void setSystemProperties() { java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); java.lang.System.setProperty("file.encoding", "UTF-8"); java.lang.System.setProperty("java.awt.headless", "true"); java.lang.System.setProperty("java.io.tmpdir", "/tmp"); java.lang.System.setProperty("user.country", "US"); java.lang.System.setProperty("user.dir", "/tmp/tmps2ty3czj"); java.lang.System.setProperty("user.home", "/home/bmcdanel"); java.lang.System.setProperty("user.language", "en"); java.lang.System.setProperty("user.name", "bmcdanel"); java.lang.System.setProperty("user.timezone", "America/New_York"); } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(URISyntaxException_ESTest_scaffolding.class.getClassLoader() , "URISyntaxException" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(URISyntaxException_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "URISyntaxException" ); } }
2,213
MapUtil
import java.util.*; /** Created by appledash on 7/11/16. Blackjack is still best pony. */ public class MapUtil { /* Originally found on StackOverflow: http://stackoverflow.com/a/2581754/1849152 */ public static <K, V extends Comparable<? super V>> Map<K, V> sortByValue(Map<K, V> map) { List<Map.Entry<K, V>> list = new LinkedList<>(map.entrySet()); Collections.sort(list, (o1, o2) -> -((o1.getValue()).compareTo(o2.getValue()))); Map<K, V> result = new LinkedHashMap<>(); for (Map.Entry<K, V> entry : list) { result.put(entry.getKey(), entry.getValue()); } return result; } public static <K, V> Map<K, V> takeFromMap(Map<K, V> map, int amount, int offset) { Map<K, V> newMap = new LinkedHashMap<>(); if (offset > map.size()) { return newMap; } int i = 0; for (Map.Entry<K, V> entry : map.entrySet()) { if (i < offset) { continue; } if (newMap.size() > amount) { break; } newMap.put(entry.getKey(), entry.getValue()); i++; } return newMap; } }
.version 52 0 .class public super MapUtil .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 sortByValue : (Ljava/util/Map;)Ljava/util/Map; .code stack 3 locals 5 L0: new java/util/LinkedList L3: dup L4: aload_0 L5: invokeinterface InterfaceMethod java/util/Map entrySet ()Ljava/util/Set; 1 L10: invokespecial Method java/util/LinkedList <init> (Ljava/util/Collection;)V L13: astore_1 L14: aload_1 L15: invokedynamic [id5] L20: invokestatic Method java/util/Collections sort (Ljava/util/List;Ljava/util/Comparator;)V L23: new java/util/LinkedHashMap L26: dup L27: invokespecial Method java/util/LinkedHashMap <init> ()V L30: astore_2 L31: aload_1 L32: invokeinterface InterfaceMethod java/util/List iterator ()Ljava/util/Iterator; 1 L37: astore_3 .stack append Object java/util/List Object java/util/Map Object java/util/Iterator L38: aload_3 L39: invokeinterface InterfaceMethod java/util/Iterator hasNext ()Z 1 L44: ifeq L82 L47: aload_3 L48: invokeinterface InterfaceMethod java/util/Iterator next ()Ljava/lang/Object; 1 L53: checkcast java/util/Map$Entry L56: astore 4 L58: aload_2 L59: aload 4 L61: invokeinterface InterfaceMethod java/util/Map$Entry getKey ()Ljava/lang/Object; 1 L66: aload 4 L68: invokeinterface InterfaceMethod java/util/Map$Entry getValue ()Ljava/lang/Object; 1 L73: invokeinterface InterfaceMethod java/util/Map put (Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; 3 L78: pop L79: goto L38 .stack chop 1 L82: aload_2 L83: areturn L84: .linenumbertable L0 12 L5 13 L14 14 L23 16 L31 17 L58 18 L79 19 L82 20 .end linenumbertable .end code .signature '<K:Ljava/lang/Object;V::Ljava/lang/Comparable<-TV;>;>(Ljava/util/Map<TK;TV;>;)Ljava/util/Map<TK;TV;>;' .end method .method public static takeFromMap : (Ljava/util/Map;II)Ljava/util/Map; .code stack 3 locals 7 L0: new java/util/LinkedHashMap L3: dup L4: invokespecial Method java/util/LinkedHashMap <init> ()V L7: astore_3 L8: iload_2 L9: aload_0 L10: invokeinterface InterfaceMethod java/util/Map size ()I 1 L15: if_icmple L20 L18: aload_3 L19: areturn .stack append Object java/util/Map L20: iconst_0 L21: istore 4 L23: aload_0 L24: invokeinterface InterfaceMethod java/util/Map entrySet ()Ljava/util/Set; 1 L29: invokeinterface InterfaceMethod java/util/Set iterator ()Ljava/util/Iterator; 1 L34: astore 5 .stack append Integer Object java/util/Iterator L36: aload 5 L38: invokeinterface InterfaceMethod java/util/Iterator hasNext ()Z 1 L43: ifeq L107 L46: aload 5 L48: invokeinterface InterfaceMethod java/util/Iterator next ()Ljava/lang/Object; 1 L53: checkcast java/util/Map$Entry L56: astore 6 L58: iload 4 L60: iload_2 L61: if_icmpge L67 L64: goto L36 .stack append Object java/util/Map$Entry L67: aload_3 L68: invokeinterface InterfaceMethod java/util/Map size ()I 1 L73: iload_1 L74: if_icmple L80 L77: goto L107 .stack same L80: aload_3 L81: aload 6 L83: invokeinterface InterfaceMethod java/util/Map$Entry getKey ()Ljava/lang/Object; 1 L88: aload 6 L90: invokeinterface InterfaceMethod java/util/Map$Entry getValue ()Ljava/lang/Object; 1 L95: invokeinterface InterfaceMethod java/util/Map put (Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; 3 L100: pop L101: iinc 4 1 L104: goto L36 .stack chop 2 L107: aload_3 L108: areturn L109: .linenumbertable L0 24 L8 26 L18 27 L20 30 L23 32 L58 33 L64 34 L67 37 L77 38 L80 41 L101 42 L104 43 L107 45 .end linenumbertable .end code .signature '<K:Ljava/lang/Object;V:Ljava/lang/Object;>(Ljava/util/Map<TK;TV;>;II)Ljava/util/Map<TK;TV;>;' .end method .method private static synthetic lambda$sortByValue$0 : (Ljava/util/Map$Entry;Ljava/util/Map$Entry;)I .code stack 2 locals 2 L0: aload_0 L1: invokeinterface InterfaceMethod java/util/Map$Entry getValue ()Ljava/lang/Object; 1 L6: checkcast java/lang/Comparable L9: aload_1 L10: invokeinterface InterfaceMethod java/util/Map$Entry getValue ()Ljava/lang/Object; 1 L15: invokeinterface InterfaceMethod java/lang/Comparable compareTo (Ljava/lang/Object;)I 2 L20: ineg L21: ireturn L22: .linenumbertable L0 14 .end linenumbertable .end code .end method .sourcefile 'MapUtil.java' .innerclasses java/util/Map$Entry java/util/Map Entry public static interface abstract java/lang/invoke/MethodHandles$Lookup java/lang/invoke/MethodHandles Lookup public static final .end innerclasses .const [id5] = 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 MapUtil lambda$sortByValue$0 (Ljava/util/Map$Entry;Ljava/util/Map$Entry;)I MethodType (Ljava/util/Map$Entry;Ljava/util/Map$Entry;)I : compare ()Ljava/util/Comparator; .end class
/* * This file was automatically generated by EvoSuite * Sat Jul 02 02:27:20 GMT 2022 */ import org.junit.Test; import static org.junit.Assert.*; import java.util.HashMap; import java.util.Map; import org.evosuite.runtime.EvoRunner; import org.evosuite.runtime.EvoRunnerParameters; import org.junit.runner.RunWith; @RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) public class MapUtil_ESTest extends MapUtil_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { HashMap<String, Comparable<Object>> hashMap0 = new HashMap<String, Comparable<Object>>(); HashMap<Object, Object> hashMap1 = new HashMap<Object, Object>(); Integer integer0 = new Integer(0); hashMap1.put(integer0, hashMap0); hashMap1.put(hashMap0, "?Rt5\u0004Zuw|"); Map<Object, Object> map0 = MapUtil.takeFromMap((Map<Object, Object>) hashMap1, 0, 0); assertEquals(1, map0.size()); } @Test(timeout = 4000) public void test1() throws Throwable { HashMap<Object, String> hashMap0 = new HashMap<Object, String>(); Object object0 = new Object(); hashMap0.put(object0, ""); Map<Object, String> map0 = MapUtil.takeFromMap((Map<Object, String>) hashMap0, 16584, 1); assertEquals(0, map0.size()); } @Test(timeout = 4000) public void test2() throws Throwable { HashMap<Comparable<String>, Comparable<Object>> hashMap0 = new HashMap<Comparable<String>, Comparable<Object>>(); Map<Comparable<String>, Comparable<Object>> map0 = MapUtil.takeFromMap((Map<Comparable<String>, Comparable<Object>>) hashMap0, 89754, 32345); assertEquals(0, map0.size()); } @Test(timeout = 4000) public void test3() throws Throwable { HashMap<String, Comparable<Object>> hashMap0 = new HashMap<String, Comparable<Object>>(); Map<String, Comparable<Object>> map0 = MapUtil.sortByValue((Map<String, Comparable<Object>>) hashMap0); assertEquals(0, map0.size()); } @Test(timeout = 4000) public void test4() throws Throwable { MapUtil mapUtil0 = new MapUtil(); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sat Jul 02 02:27: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 MapUtil_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000); @BeforeClass public static void initEvoSuiteFramework() { org.evosuite.runtime.RuntimeSettings.className = "MapUtil"; org.evosuite.runtime.GuiSupport.initialize(); org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); org.evosuite.runtime.classhandling.JDKClassResetter.init(); setSystemProperties(); initializeClasses(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); } @AfterClass public static void clearEvoSuiteFramework(){ Sandbox.resetDefaultSecurityManager(); java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); } @Before public void initTestCase(){ threadStopper.storeCurrentThreads(); threadStopper.startRecordingTime(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); setSystemProperties(); org.evosuite.runtime.GuiSupport.setHeadless(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); org.evosuite.runtime.agent.InstrumentingAgent.activate(); } @After public void doneWithTestCase(){ threadStopper.killAndJoinClientThreads(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); org.evosuite.runtime.classhandling.JDKClassResetter.reset(); resetClasses(); org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); } public static void setSystemProperties() { java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); java.lang.System.setProperty("file.encoding", "UTF-8"); java.lang.System.setProperty("java.awt.headless", "true"); java.lang.System.setProperty("java.io.tmpdir", "/tmp"); java.lang.System.setProperty("user.country", "US"); java.lang.System.setProperty("user.dir", "/tmp/tmp3860e7yt"); java.lang.System.setProperty("user.home", "/home/bmcdanel"); java.lang.System.setProperty("user.language", "en"); java.lang.System.setProperty("user.name", "bmcdanel"); java.lang.System.setProperty("user.timezone", "America/New_York"); } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(MapUtil_ESTest_scaffolding.class.getClassLoader() , "MapUtil" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(MapUtil_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "MapUtil" ); } }
2,214
StringTitleCaserTag
public class StringTitleCaserTag { public static String toTitleCase(String input) { if (input == null || input.length() == 0) return input; StringBuilder sb = new StringBuilder(input); sb.setCharAt(0, Character.toUpperCase(sb.charAt(0))); return sb.toString(); } }
.version 52 0 .class public super StringTitleCaserTag .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 toTitleCase : (Ljava/lang/String;)Ljava/lang/String; .code stack 4 locals 2 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/lang/StringBuilder L16: dup L17: aload_0 L18: invokespecial Method java/lang/StringBuilder <init> (Ljava/lang/String;)V L21: astore_1 L22: aload_1 L23: iconst_0 L24: aload_1 L25: iconst_0 L26: invokevirtual Method java/lang/StringBuilder charAt (I)C L29: invokestatic Method java/lang/Character toUpperCase (C)C L32: invokevirtual Method java/lang/StringBuilder setCharAt (IC)V L35: aload_1 L36: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; L39: areturn L40: .linenumbertable L0 6 L13 7 L22 8 L35 9 .end linenumbertable .end code .end method .sourcefile 'StringTitleCaserTag.java' .end class
/* * This file was automatically generated by EvoSuite * Sat Jul 02 06:34: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 StringTitleCaserTag_ESTest extends StringTitleCaserTag_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { String string0 = StringTitleCaserTag.toTitleCase("jxYv"); assertEquals("JxYv", string0); } @Test(timeout = 4000) public void test1() throws Throwable { StringTitleCaserTag.toTitleCase(""); String string0 = StringTitleCaserTag.toTitleCase((String) null); assertNull(string0); } @Test(timeout = 4000) public void test2() throws Throwable { StringTitleCaserTag stringTitleCaserTag0 = new StringTitleCaserTag(); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sat Jul 02 06:34: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 StringTitleCaserTag_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000); @BeforeClass public static void initEvoSuiteFramework() { org.evosuite.runtime.RuntimeSettings.className = "StringTitleCaserTag"; org.evosuite.runtime.GuiSupport.initialize(); org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); org.evosuite.runtime.classhandling.JDKClassResetter.init(); setSystemProperties(); initializeClasses(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); } @AfterClass public static void clearEvoSuiteFramework(){ Sandbox.resetDefaultSecurityManager(); java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); } @Before public void initTestCase(){ threadStopper.storeCurrentThreads(); threadStopper.startRecordingTime(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); setSystemProperties(); org.evosuite.runtime.GuiSupport.setHeadless(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); org.evosuite.runtime.agent.InstrumentingAgent.activate(); } @After public void doneWithTestCase(){ threadStopper.killAndJoinClientThreads(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); org.evosuite.runtime.classhandling.JDKClassResetter.reset(); resetClasses(); org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); } public static void setSystemProperties() { java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); java.lang.System.setProperty("file.encoding", "UTF-8"); java.lang.System.setProperty("java.awt.headless", "true"); java.lang.System.setProperty("java.io.tmpdir", "/tmp"); java.lang.System.setProperty("user.country", "US"); java.lang.System.setProperty("user.dir", "/tmp/tmp9zdjsezj"); java.lang.System.setProperty("user.home", "/home/bmcdanel"); java.lang.System.setProperty("user.language", "en"); java.lang.System.setProperty("user.name", "bmcdanel"); java.lang.System.setProperty("user.timezone", "America/New_York"); } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(StringTitleCaserTag_ESTest_scaffolding.class.getClassLoader() , "StringTitleCaserTag" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(StringTitleCaserTag_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "StringTitleCaserTag" ); } }
2,215
btContactPointFlags
/* ---------------------------------------------------------------------------- * This file was automatically generated by SWIG (http://www.swig.org). * Version 3.0.11 * * Do not make changes to this file unless you know what you are doing--modify * the SWIG interface file instead. * ----------------------------------------------------------------------------- */ public final class btContactPointFlags { public static final int BT_CONTACT_FLAG_LATERAL_FRICTION_INITIALIZED = 1; public static final int BT_CONTACT_FLAG_HAS_CONTACT_CFM = 2; public static final int BT_CONTACT_FLAG_HAS_CONTACT_ERP = 4; public static final int BT_CONTACT_FLAG_CONTACT_STIFFNESS_DAMPING = 8; public static final int BT_CONTACT_FLAG_FRICTION_ANCHOR = 16; }
.version 52 0 .class public final super btContactPointFlags .super java/lang/Object .field public static final BT_CONTACT_FLAG_LATERAL_FRICTION_INITIALIZED I = 1 .field public static final BT_CONTACT_FLAG_HAS_CONTACT_CFM I = 2 .field public static final BT_CONTACT_FLAG_HAS_CONTACT_ERP I = 4 .field public static final BT_CONTACT_FLAG_CONTACT_STIFFNESS_DAMPING I = 8 .field public static final BT_CONTACT_FLAG_FRICTION_ANCHOR I = 16 .method public <init> : ()V .code stack 1 locals 1 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: return L5: .linenumbertable L0 11 .end linenumbertable .end code .end method .sourcefile 'btContactPointFlags.java' .end class
/* * This file was automatically generated by EvoSuite * Mon Jul 04 07:58:26 GMT 2022 */ import org.junit.Test; import static org.junit.Assert.*; import org.evosuite.runtime.EvoRunner; import org.evosuite.runtime.EvoRunnerParameters; import org.junit.runner.RunWith; @RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) public class btContactPointFlags_ESTest extends btContactPointFlags_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { btContactPointFlags btContactPointFlags0 = new btContactPointFlags(); assertEquals(16, btContactPointFlags.BT_CONTACT_FLAG_FRICTION_ANCHOR); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Mon Jul 04 07:58:26 GMT 2022 */ import org.evosuite.runtime.annotation.EvoSuiteClassExclude; import org.junit.BeforeClass; import org.junit.Before; import org.junit.After; import org.junit.AfterClass; import org.evosuite.runtime.sandbox.Sandbox; import org.evosuite.runtime.sandbox.Sandbox.SandboxMode; @EvoSuiteClassExclude public class btContactPointFlags_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000); @BeforeClass public static void initEvoSuiteFramework() { org.evosuite.runtime.RuntimeSettings.className = "btContactPointFlags"; org.evosuite.runtime.GuiSupport.initialize(); org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); org.evosuite.runtime.classhandling.JDKClassResetter.init(); setSystemProperties(); initializeClasses(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); } @AfterClass public static void clearEvoSuiteFramework(){ Sandbox.resetDefaultSecurityManager(); java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); } @Before public void initTestCase(){ threadStopper.storeCurrentThreads(); threadStopper.startRecordingTime(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); setSystemProperties(); org.evosuite.runtime.GuiSupport.setHeadless(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); org.evosuite.runtime.agent.InstrumentingAgent.activate(); } @After public void doneWithTestCase(){ threadStopper.killAndJoinClientThreads(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); org.evosuite.runtime.classhandling.JDKClassResetter.reset(); resetClasses(); org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); } public static void setSystemProperties() { java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); java.lang.System.setProperty("file.encoding", "UTF-8"); java.lang.System.setProperty("java.awt.headless", "true"); java.lang.System.setProperty("java.io.tmpdir", "/tmp"); java.lang.System.setProperty("user.country", "US"); java.lang.System.setProperty("user.dir", "/tmp/tmp14d1knqy"); java.lang.System.setProperty("user.home", "/home/bmcdanel"); java.lang.System.setProperty("user.language", "en"); java.lang.System.setProperty("user.name", "bmcdanel"); java.lang.System.setProperty("user.timezone", "America/New_York"); } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(btContactPointFlags_ESTest_scaffolding.class.getClassLoader() , "btContactPointFlags" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(btContactPointFlags_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "btContactPointFlags" ); } }
2,216
SystemOutPrintfRegularDemo
public class SystemOutPrintfRegularDemo { public static void main(String[] args) { String name = "Doncho Minkov"; int age = 19; System.out.printf("Hi! My name is %s and I am %d years old", name, age); } }
.version 52 0 .class public super SystemOutPrintfRegularDemo .super java/lang/Object .method public <init> : ()V .code stack 1 locals 1 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: return L5: .linenumbertable L0 1 .end linenumbertable .end code .end method .method public static main : ([Ljava/lang/String;)V .code stack 6 locals 3 L0: ldc 'Doncho Minkov' L2: astore_1 L3: bipush 19 L5: istore_2 L6: getstatic Field java/lang/System out Ljava/io/PrintStream; L9: ldc 'Hi! My name is %s and I am %d years old' L11: iconst_2 L12: anewarray java/lang/Object L15: dup L16: iconst_0 L17: aload_1 L18: aastore L19: dup L20: iconst_1 L21: iload_2 L22: invokestatic Method java/lang/Integer valueOf (I)Ljava/lang/Integer; L25: aastore L26: invokevirtual Method java/io/PrintStream printf (Ljava/lang/String;[Ljava/lang/Object;)Ljava/io/PrintStream; L29: pop L30: return L31: .linenumbertable L0 3 L3 4 L6 5 L30 6 .end linenumbertable .end code .end method .sourcefile 'SystemOutPrintfRegularDemo.java' .end class
/* * This file was automatically generated by EvoSuite * Fri Jul 01 09:15: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 SystemOutPrintfRegularDemo_ESTest extends SystemOutPrintfRegularDemo_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { SystemOutPrintfRegularDemo.main((String[]) null); } @Test(timeout = 4000) public void test1() throws Throwable { SystemOutPrintfRegularDemo systemOutPrintfRegularDemo0 = new SystemOutPrintfRegularDemo(); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Fri Jul 01 09:15: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 SystemOutPrintfRegularDemo_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000); @BeforeClass public static void initEvoSuiteFramework() { org.evosuite.runtime.RuntimeSettings.className = "SystemOutPrintfRegularDemo"; org.evosuite.runtime.GuiSupport.initialize(); org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); org.evosuite.runtime.classhandling.JDKClassResetter.init(); setSystemProperties(); initializeClasses(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); } @AfterClass public static void clearEvoSuiteFramework(){ Sandbox.resetDefaultSecurityManager(); java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); } @Before public void initTestCase(){ threadStopper.storeCurrentThreads(); threadStopper.startRecordingTime(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); setSystemProperties(); org.evosuite.runtime.GuiSupport.setHeadless(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); org.evosuite.runtime.agent.InstrumentingAgent.activate(); } @After public void doneWithTestCase(){ threadStopper.killAndJoinClientThreads(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); org.evosuite.runtime.classhandling.JDKClassResetter.reset(); resetClasses(); org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); } public static void setSystemProperties() { java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); java.lang.System.setProperty("file.encoding", "UTF-8"); java.lang.System.setProperty("java.awt.headless", "true"); java.lang.System.setProperty("java.io.tmpdir", "/tmp"); java.lang.System.setProperty("user.country", "US"); java.lang.System.setProperty("user.dir", "/tmp/tmppbquyfgc"); java.lang.System.setProperty("user.home", "/home/bmcdanel"); java.lang.System.setProperty("user.language", "en"); java.lang.System.setProperty("user.name", "bmcdanel"); java.lang.System.setProperty("user.timezone", "America/New_York"); } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(SystemOutPrintfRegularDemo_ESTest_scaffolding.class.getClassLoader() , "SystemOutPrintfRegularDemo" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(SystemOutPrintfRegularDemo_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "SystemOutPrintfRegularDemo" ); } }
2,217
CalculateTip
import java.util.Scanner; public class CalculateTip { public static void main(String[] args) { Scanner keyboard = new Scanner(System.in); float tip; float total; System.out.print("Subtotal: "); float subtotal = keyboard.nextFloat(); System.out.println(""); System.out.print("Tip Rate: "); float tiprate = keyboard.nextFloat(); tip = subtotal * tiprate; total = subtotal + tip; System.out.print("Grand Total:"); System.out.println(total); System.out.println(""); System.out.print("Tip Amount:"); System.out.println(tip); System.out.println(""); } }
.version 52 0 .class public super CalculateTip .super java/lang/Object .method public <init> : ()V .code stack 1 locals 1 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: return L5: .linenumbertable L0 4 .end linenumbertable .end code .end method .method public static main : ([Ljava/lang/String;)V .code stack 3 locals 6 L0: new java/util/Scanner L3: dup L4: getstatic Field java/lang/System in Ljava/io/InputStream; L7: invokespecial Method java/util/Scanner <init> (Ljava/io/InputStream;)V L10: astore_1 L11: getstatic Field java/lang/System out Ljava/io/PrintStream; L14: ldc 'Subtotal: ' L16: invokevirtual Method java/io/PrintStream print (Ljava/lang/String;)V L19: aload_1 L20: invokevirtual Method java/util/Scanner nextFloat ()F L23: fstore 4 L25: getstatic Field java/lang/System out Ljava/io/PrintStream; L28: ldc '' L30: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V L33: getstatic Field java/lang/System out Ljava/io/PrintStream; L36: ldc 'Tip Rate: ' L38: invokevirtual Method java/io/PrintStream print (Ljava/lang/String;)V L41: aload_1 L42: invokevirtual Method java/util/Scanner nextFloat ()F L45: fstore 5 L47: fload 4 L49: fload 5 L51: fmul L52: fstore_2 L53: fload 4 L55: fload_2 L56: fadd L57: fstore_3 L58: getstatic Field java/lang/System out Ljava/io/PrintStream; L61: ldc 'Grand Total:' L63: invokevirtual Method java/io/PrintStream print (Ljava/lang/String;)V L66: getstatic Field java/lang/System out Ljava/io/PrintStream; L69: fload_3 L70: invokevirtual Method java/io/PrintStream println (F)V L73: getstatic Field java/lang/System out Ljava/io/PrintStream; L76: ldc '' L78: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V L81: getstatic Field java/lang/System out Ljava/io/PrintStream; L84: ldc 'Tip Amount:' L86: invokevirtual Method java/io/PrintStream print (Ljava/lang/String;)V L89: getstatic Field java/lang/System out Ljava/io/PrintStream; L92: fload_2 L93: invokevirtual Method java/io/PrintStream println (F)V L96: getstatic Field java/lang/System out Ljava/io/PrintStream; L99: ldc '' L101: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V L104: return L105: .linenumbertable L0 6 L11 10 L19 11 L25 12 L33 13 L41 14 L47 16 L53 17 L58 19 L66 20 L73 21 L81 23 L89 24 L96 25 L104 26 .end linenumbertable .end code .end method .sourcefile 'CalculateTip.java' .end class
/* * This file was automatically generated by EvoSuite * Sat Jul 02 18:21:20 GMT 2022 */ import org.junit.Test; import static org.junit.Assert.*; import org.evosuite.runtime.EvoRunner; import org.evosuite.runtime.EvoRunnerParameters; import org.evosuite.runtime.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 CalculateTip_ESTest extends CalculateTip_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { SystemInUtil.addInputLine("51"); SystemInUtil.addInputLine("51"); CalculateTip.main((String[]) null); } @Test(timeout = 4000) public void test1() throws Throwable { CalculateTip calculateTip0 = new CalculateTip(); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sat Jul 02 18:21:20 GMT 2022 */ import org.evosuite.runtime.annotation.EvoSuiteClassExclude; import org.junit.BeforeClass; import org.junit.Before; import org.junit.After; import org.junit.AfterClass; import org.evosuite.runtime.sandbox.Sandbox; import org.evosuite.runtime.sandbox.Sandbox.SandboxMode; @EvoSuiteClassExclude public class CalculateTip_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000); @BeforeClass public static void initEvoSuiteFramework() { org.evosuite.runtime.RuntimeSettings.className = "CalculateTip"; org.evosuite.runtime.GuiSupport.initialize(); org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); org.evosuite.runtime.classhandling.JDKClassResetter.init(); setSystemProperties(); initializeClasses(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); } @AfterClass public static void clearEvoSuiteFramework(){ Sandbox.resetDefaultSecurityManager(); java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); } @Before public void initTestCase(){ threadStopper.storeCurrentThreads(); threadStopper.startRecordingTime(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); 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/tmprixvgws2"); java.lang.System.setProperty("user.home", "/home/bmcdanel"); java.lang.System.setProperty("user.language", "en"); java.lang.System.setProperty("user.name", "bmcdanel"); java.lang.System.setProperty("user.timezone", "America/New_York"); } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(CalculateTip_ESTest_scaffolding.class.getClassLoader() , "CalculateTip" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(CalculateTip_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "CalculateTip" ); } }
2,218
ExTermTag
/* * Copyright 2015 Austin Keener, Michael Ritter, Florian Spieß, and the JDA contributors * * 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. */ /** * Tags used for encoding and decoding for external terms. <br> * This list in incomplete as not all tags are used by this library. * * @since 4.2.1 */ public class ExTermTag { // 8 IEEE float public static final byte NEW_FLOAT = 70; // 4 Uncompressed Size | N ZLIB Compressed Data public static final byte COMPRESSED = 80; // 1 byte unsigned int value public static final byte SMALL_INT = 97; // 4 byte signed int value public static final byte INT = 98; // 31 bytes string of float value sprintf("%.20e") public static final byte FLOAT = 99; // deprecated // 2 byte length | N bytes latin-1 string public static final byte ATOM = 100; // deprecated // 0 bytes empty list public static final byte NIL = 106; // 2 byte length | N bytes public static final byte STRING = 107; // 4 byte length | N tags | 1 byte NIL tag public static final byte LIST = 108; // 4 byte length | N bytes UTF-8 string public static final byte BINARY = 109; // 1 byte length | 1 byte sign | N bytes unsigned SE int public static final byte SMALL_BIGINT = 110; // 1 byte length | N bytes latin-1 string public static final byte SMALL_ATOM = 115; // deprecated // 4 byte length | N pairs of KEY,VALUE terms public static final byte MAP = 116; // 2 byte length | N bytes of UTF-8 string public static final byte ATOM_UTF8 = 118; // 1 byte length | N bytes of UTF-8 string public static final byte SMALL_ATOM_UTF8 = 119; }
.version 52 0 .class public super ExTermTag .super java/lang/Object .field public static final NEW_FLOAT B = 70 .field public static final COMPRESSED B = 80 .field public static final SMALL_INT B = 97 .field public static final INT B = 98 .field public static final FLOAT B = 99 .field public static final ATOM B = 100 .field public static final NIL B = 106 .field public static final STRING B = 107 .field public static final LIST B = 108 .field public static final BINARY B = 109 .field public static final SMALL_BIGINT B = 110 .field public static final SMALL_ATOM B = 115 .field public static final MAP B = 116 .field public static final ATOM_UTF8 B = 118 .field public static final SMALL_ATOM_UTF8 B = 119 .method public <init> : ()V .code stack 1 locals 1 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: return L5: .linenumbertable L0 25 .end linenumbertable .end code .end method .sourcefile 'ExTermTag.java' .end class
/* * This file was automatically generated by EvoSuite * Fri Jul 01 15:01:00 GMT 2022 */ import org.junit.Test; import static org.junit.Assert.*; import org.evosuite.runtime.EvoRunner; import org.evosuite.runtime.EvoRunnerParameters; import org.junit.runner.RunWith; @RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) public class ExTermTag_ESTest extends ExTermTag_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { ExTermTag exTermTag0 = new ExTermTag(); assertEquals((byte)116, ExTermTag.MAP); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Fri Jul 01 15:01: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 ExTermTag_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000); @BeforeClass public static void initEvoSuiteFramework() { org.evosuite.runtime.RuntimeSettings.className = "ExTermTag"; org.evosuite.runtime.GuiSupport.initialize(); org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); org.evosuite.runtime.classhandling.JDKClassResetter.init(); setSystemProperties(); initializeClasses(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); } @AfterClass public static void clearEvoSuiteFramework(){ Sandbox.resetDefaultSecurityManager(); java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); } @Before public void initTestCase(){ threadStopper.storeCurrentThreads(); threadStopper.startRecordingTime(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); setSystemProperties(); org.evosuite.runtime.GuiSupport.setHeadless(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); org.evosuite.runtime.agent.InstrumentingAgent.activate(); } @After public void doneWithTestCase(){ threadStopper.killAndJoinClientThreads(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); org.evosuite.runtime.classhandling.JDKClassResetter.reset(); resetClasses(); org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); } public static void setSystemProperties() { java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); java.lang.System.setProperty("file.encoding", "UTF-8"); java.lang.System.setProperty("java.awt.headless", "true"); java.lang.System.setProperty("java.io.tmpdir", "/tmp"); java.lang.System.setProperty("user.country", "US"); java.lang.System.setProperty("user.dir", "/tmp/tmps56ocoea"); java.lang.System.setProperty("user.home", "/home/bmcdanel"); java.lang.System.setProperty("user.language", "en"); java.lang.System.setProperty("user.name", "bmcdanel"); java.lang.System.setProperty("user.timezone", "America/New_York"); } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(ExTermTag_ESTest_scaffolding.class.getClassLoader() , "ExTermTag" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ExTermTag_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "ExTermTag" ); } }
2,219
SummonerName
/** * Created with IntelliJ IDEA. User: ijones Date: 12/11/13 Time: 8:00 PM To change this template use * File | Settings | File Templates. */ public class SummonerName { private long id; // Summoner ID. private String name; // Summoner name public SummonerName() {} public String getName() { return name; } public void setName(String name) { this.name = name; } public long getId() { return id; } public void setId(long id) { this.id = id; } }
.version 52 0 .class public super SummonerName .super java/lang/Object .field private id J .field private name Ljava/lang/String; .method public <init> : ()V .code stack 1 locals 1 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: return L5: .linenumbertable L0 14 L4 16 .end linenumbertable .end code .end method .method public getName : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field SummonerName name Ljava/lang/String; L4: areturn L5: .linenumbertable L0 19 .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 SummonerName name Ljava/lang/String; L5: return L6: .linenumbertable L0 23 L5 24 .end linenumbertable .end code .end method .method public getId : ()J .code stack 2 locals 1 L0: aload_0 L1: getfield Field SummonerName id J L4: lreturn L5: .linenumbertable L0 27 .end linenumbertable .end code .end method .method public setId : (J)V .code stack 3 locals 3 L0: aload_0 L1: lload_1 L2: putfield Field SummonerName id J L5: return L6: .linenumbertable L0 31 L5 32 .end linenumbertable .end code .end method .sourcefile 'SummonerName.java' .end class
/* * This file was automatically generated by EvoSuite * Sat Jul 02 16:59:27 GMT 2022 */ import org.junit.Test; import static org.junit.Assert.*; import org.evosuite.runtime.EvoRunner; import org.evosuite.runtime.EvoRunnerParameters; import org.junit.runner.RunWith; @RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) public class SummonerName_ESTest extends SummonerName_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { SummonerName summonerName0 = new SummonerName(); summonerName0.setName("Ir B`hwPtOQ6/h(:("); String string0 = summonerName0.getName(); assertEquals("Ir B`hwPtOQ6/h(:(", string0); } @Test(timeout = 4000) public void test1() throws Throwable { SummonerName summonerName0 = new SummonerName(); summonerName0.setName(""); String string0 = summonerName0.getName(); assertEquals("", string0); } @Test(timeout = 4000) public void test2() throws Throwable { SummonerName summonerName0 = new SummonerName(); summonerName0.setId(1L); long long0 = summonerName0.getId(); assertEquals(1L, long0); } @Test(timeout = 4000) public void test3() throws Throwable { SummonerName summonerName0 = new SummonerName(); summonerName0.setId((-25711L)); long long0 = summonerName0.getId(); assertEquals((-25711L), long0); } @Test(timeout = 4000) public void test4() throws Throwable { SummonerName summonerName0 = new SummonerName(); String string0 = summonerName0.getName(); assertNull(string0); } @Test(timeout = 4000) public void test5() throws Throwable { SummonerName summonerName0 = new SummonerName(); long long0 = summonerName0.getId(); assertEquals(0L, long0); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sat Jul 02 16:59:27 GMT 2022 */ import org.evosuite.runtime.annotation.EvoSuiteClassExclude; import org.junit.BeforeClass; import org.junit.Before; import org.junit.After; import org.junit.AfterClass; import org.evosuite.runtime.sandbox.Sandbox; import org.evosuite.runtime.sandbox.Sandbox.SandboxMode; @EvoSuiteClassExclude public class SummonerName_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000); @BeforeClass public static void initEvoSuiteFramework() { org.evosuite.runtime.RuntimeSettings.className = "SummonerName"; org.evosuite.runtime.GuiSupport.initialize(); org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); org.evosuite.runtime.classhandling.JDKClassResetter.init(); setSystemProperties(); initializeClasses(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); } @AfterClass public static void clearEvoSuiteFramework(){ Sandbox.resetDefaultSecurityManager(); java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); } @Before public void initTestCase(){ threadStopper.storeCurrentThreads(); threadStopper.startRecordingTime(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); setSystemProperties(); org.evosuite.runtime.GuiSupport.setHeadless(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); org.evosuite.runtime.agent.InstrumentingAgent.activate(); } @After public void doneWithTestCase(){ threadStopper.killAndJoinClientThreads(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); org.evosuite.runtime.classhandling.JDKClassResetter.reset(); resetClasses(); org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); } public static void setSystemProperties() { java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); java.lang.System.setProperty("file.encoding", "UTF-8"); java.lang.System.setProperty("java.awt.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_p2qu7z4"); java.lang.System.setProperty("user.home", "/home/bmcdanel"); java.lang.System.setProperty("user.language", "en"); java.lang.System.setProperty("user.name", "bmcdanel"); java.lang.System.setProperty("user.timezone", "America/New_York"); } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(SummonerName_ESTest_scaffolding.class.getClassLoader() , "SummonerName" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(SummonerName_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "SummonerName" ); } }
2,220
GenreRepository
public class GenreRepository {}
.version 52 0 .class public super GenreRepository .super java/lang/Object .method public <init> : ()V .code stack 1 locals 1 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: return L5: .linenumbertable L0 3 .end linenumbertable .end code .end method .sourcefile 'GenreRepository.java' .end class
/* * This file was automatically generated by EvoSuite * Sat Jul 02 03:54: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 GenreRepository_ESTest extends GenreRepository_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { GenreRepository genreRepository0 = new GenreRepository(); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sat Jul 02 03:54: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 GenreRepository_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000); @BeforeClass public static void initEvoSuiteFramework() { org.evosuite.runtime.RuntimeSettings.className = "GenreRepository"; org.evosuite.runtime.GuiSupport.initialize(); org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); org.evosuite.runtime.classhandling.JDKClassResetter.init(); setSystemProperties(); initializeClasses(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); } @AfterClass public static void clearEvoSuiteFramework(){ Sandbox.resetDefaultSecurityManager(); java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); } @Before public void initTestCase(){ threadStopper.storeCurrentThreads(); threadStopper.startRecordingTime(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); setSystemProperties(); org.evosuite.runtime.GuiSupport.setHeadless(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); org.evosuite.runtime.agent.InstrumentingAgent.activate(); } @After public void doneWithTestCase(){ threadStopper.killAndJoinClientThreads(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); org.evosuite.runtime.classhandling.JDKClassResetter.reset(); resetClasses(); org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); } public static void setSystemProperties() { java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); java.lang.System.setProperty("file.encoding", "UTF-8"); java.lang.System.setProperty("java.awt.headless", "true"); java.lang.System.setProperty("java.io.tmpdir", "/tmp"); java.lang.System.setProperty("user.country", "US"); java.lang.System.setProperty("user.dir", "/tmp/tmphp2tcq9n"); java.lang.System.setProperty("user.home", "/home/bmcdanel"); java.lang.System.setProperty("user.language", "en"); java.lang.System.setProperty("user.name", "bmcdanel"); java.lang.System.setProperty("user.timezone", "America/New_York"); } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(GenreRepository_ESTest_scaffolding.class.getClassLoader() , "GenreRepository" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(GenreRepository_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "GenreRepository" ); } }
2,221
Issue
/** Created by Admin on 30.07.2017. */ public class Issue { private int id; private String subject; private String description; private String status; public String getStatus() { return status; } public Issue withStatus(String status) { this.status = status; return this; } public int getId() { return id; } public Issue withId(int id) { this.id = id; return this; } public String getSubject() { return subject; } public Issue withSubject(String subject) { this.subject = subject; return this; } public String getDescription() { return description; } public Issue withDescription(String description) { this.description = description; return this; } @Override public boolean equals(Object o) { if (this == o) return true; if (o == null || getClass() != o.getClass()) return false; Issue issue = (Issue) o; if (id != issue.id) return false; if (subject != null ? !subject.equals(issue.subject) : issue.subject != null) return false; return description != null ? description.equals(issue.description) : issue.description == null; } @Override public int hashCode() { int result = id; result = 31 * result + (subject != null ? subject.hashCode() : 0); result = 31 * result + (description != null ? description.hashCode() : 0); return result; } }
.version 52 0 .class public super Issue .super java/lang/Object .field private id I .field private subject Ljava/lang/String; .field private description Ljava/lang/String; .field private status Ljava/lang/String; .method public <init> : ()V .code stack 1 locals 1 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: return L5: .linenumbertable L0 6 .end linenumbertable .end code .end method .method public getStatus : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field Issue status Ljava/lang/String; L4: areturn L5: .linenumbertable L0 13 .end linenumbertable .end code .end method .method public withStatus : (Ljava/lang/String;)LIssue; .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field Issue status Ljava/lang/String; L5: aload_0 L6: areturn L7: .linenumbertable L0 17 L5 18 .end linenumbertable .end code .end method .method public getId : ()I .code stack 1 locals 1 L0: aload_0 L1: getfield Field Issue id I L4: ireturn L5: .linenumbertable L0 22 .end linenumbertable .end code .end method .method public withId : (I)LIssue; .code stack 2 locals 2 L0: aload_0 L1: iload_1 L2: putfield Field Issue id I L5: aload_0 L6: areturn L7: .linenumbertable L0 26 L5 27 .end linenumbertable .end code .end method .method public getSubject : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field Issue subject Ljava/lang/String; L4: areturn L5: .linenumbertable L0 31 .end linenumbertable .end code .end method .method public withSubject : (Ljava/lang/String;)LIssue; .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field Issue subject Ljava/lang/String; L5: aload_0 L6: areturn L7: .linenumbertable L0 35 L5 36 .end linenumbertable .end code .end method .method public getDescription : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field Issue description Ljava/lang/String; L4: areturn L5: .linenumbertable L0 40 .end linenumbertable .end code .end method .method public withDescription : (Ljava/lang/String;)LIssue; .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field Issue description Ljava/lang/String; L5: aload_0 L6: areturn L7: .linenumbertable L0 44 L5 45 .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 Issue L28: astore_2 L29: aload_0 L30: getfield Field Issue id I L33: aload_2 L34: getfield Field Issue id I L37: if_icmpeq L42 L40: iconst_0 L41: ireturn .stack append Object Issue L42: aload_0 L43: getfield Field Issue subject Ljava/lang/String; L46: ifnull L66 L49: aload_0 L50: getfield Field Issue subject Ljava/lang/String; L53: aload_2 L54: getfield Field Issue subject Ljava/lang/String; L57: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z L60: ifne L75 L63: goto L73 .stack same L66: aload_2 L67: getfield Field Issue subject Ljava/lang/String; L70: ifnull L75 .stack same L73: iconst_0 L74: ireturn .stack same L75: aload_0 L76: getfield Field Issue description Ljava/lang/String; L79: ifnull L96 L82: aload_0 L83: getfield Field Issue description Ljava/lang/String; L86: aload_2 L87: getfield Field Issue description Ljava/lang/String; L90: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z L93: goto L108 .stack same L96: aload_2 L97: getfield Field Issue description Ljava/lang/String; L100: ifnonnull L107 L103: iconst_1 L104: goto L108 .stack same L107: iconst_0 .stack stack_1 Integer L108: ireturn L109: .linenumbertable L0 50 L7 51 L24 53 L29 55 L42 56 L75 57 .end linenumbertable .end code .end method .method public hashCode : ()I .code stack 2 locals 2 L0: aload_0 L1: getfield Field Issue id I L4: istore_1 L5: bipush 31 L7: iload_1 L8: imul L9: aload_0 L10: getfield Field Issue subject Ljava/lang/String; L13: ifnull L26 L16: aload_0 L17: getfield Field Issue subject Ljava/lang/String; L20: invokevirtual Method java/lang/String hashCode ()I L23: goto L27 .stack full locals Object Issue Integer stack Integer .end stack L26: iconst_0 .stack full locals Object Issue Integer stack Integer Integer .end stack L27: iadd L28: istore_1 L29: bipush 31 L31: iload_1 L32: imul L33: aload_0 L34: getfield Field Issue description Ljava/lang/String; L37: ifnull L50 L40: aload_0 L41: getfield Field Issue description Ljava/lang/String; L44: invokevirtual Method java/lang/String hashCode ()I L47: goto L51 .stack stack_1 Integer L50: iconst_0 .stack full locals Object Issue Integer stack Integer Integer .end stack L51: iadd L52: istore_1 L53: iload_1 L54: ireturn L55: .linenumbertable L0 62 L5 63 L29 64 L53 65 .end linenumbertable .end code .end method .sourcefile 'Issue.java' .end class
/* * This file was automatically generated by EvoSuite * Fri Jul 01 17:35: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 Issue_ESTest extends Issue_ESTest_scaffolding { @Test(timeout = 4000) public void test00() throws Throwable { Issue issue0 = new Issue(); Issue issue1 = new Issue(); issue0.hashCode(); boolean boolean0 = issue1.equals(issue0); assertTrue(boolean0); } @Test(timeout = 4000) public void test01() throws Throwable { Issue issue0 = new Issue(); issue0.withId((-1)); issue0.hashCode(); assertEquals((-1), issue0.getId()); } @Test(timeout = 4000) public void test02() throws Throwable { Issue issue0 = new Issue(); issue0.withId(1); Issue issue1 = issue0.withSubject("k6oc!&d6TW}] >"); assertEquals(1, issue1.getId()); } @Test(timeout = 4000) public void test03() throws Throwable { Issue issue0 = new Issue(); Issue issue1 = issue0.withId((-1)); Issue issue2 = issue1.withSubject((String) null); assertEquals((-1), issue2.getId()); } @Test(timeout = 4000) public void test04() throws Throwable { Issue issue0 = new Issue(); Issue issue1 = issue0.withId(26803); Issue issue2 = issue1.withStatus(""); assertEquals(26803, issue2.getId()); } @Test(timeout = 4000) public void test05() throws Throwable { Issue issue0 = new Issue(); issue0.withId((-1)); Issue issue1 = issue0.withStatus((String) null); assertEquals((-1), issue1.getId()); } @Test(timeout = 4000) public void test06() throws Throwable { Issue issue0 = new Issue(); Issue issue1 = issue0.withId(14993); Issue issue2 = issue1.withDescription("W"); assertEquals(14993, issue2.getId()); } @Test(timeout = 4000) public void test07() throws Throwable { Issue issue0 = new Issue(); Issue issue1 = issue0.withId((-1)); Issue issue2 = issue1.withDescription("=s,,>PJX@l5"); assertEquals((-1), issue2.getId()); } @Test(timeout = 4000) public void test08() throws Throwable { Issue issue0 = new Issue(); issue0.withSubject("\""); String string0 = issue0.getSubject(); assertEquals("\"", string0); } @Test(timeout = 4000) public void test09() throws Throwable { Issue issue0 = new Issue(); Issue issue1 = issue0.withSubject(""); String string0 = issue1.getSubject(); assertEquals("", string0); } @Test(timeout = 4000) public void test10() throws Throwable { Issue issue0 = new Issue(); Issue issue1 = issue0.withStatus("1 kSX]-s%OGFG"); String string0 = issue1.getStatus(); assertEquals("1 kSX]-s%OGFG", string0); } @Test(timeout = 4000) public void test11() throws Throwable { Issue issue0 = new Issue(); Issue issue1 = issue0.withId(31); int int0 = issue1.getId(); assertEquals(31, int0); } @Test(timeout = 4000) public void test12() throws Throwable { Issue issue0 = new Issue(); Issue issue1 = issue0.withId((-1)); int int0 = issue1.getId(); assertEquals((-1), int0); } @Test(timeout = 4000) public void test13() throws Throwable { Issue issue0 = new Issue(); issue0.withDescription("M4DLf=x?W/%D"); String string0 = issue0.getDescription(); assertEquals("M4DLf=x?W/%D", string0); } @Test(timeout = 4000) public void test14() throws Throwable { Issue issue0 = new Issue(); issue0.withDescription("8Vx{yW.|W:%d!qau"); issue0.hashCode(); } @Test(timeout = 4000) public void test15() throws Throwable { Issue issue0 = new Issue(); issue0.withSubject("ul{"); issue0.hashCode(); } @Test(timeout = 4000) public void test16() throws Throwable { Issue issue0 = new Issue(); Issue issue1 = new Issue(); assertTrue(issue1.equals((Object)issue0)); issue1.withSubject("MT{F6hPxY"); boolean boolean0 = issue0.equals(issue1); assertFalse(boolean0); } @Test(timeout = 4000) public void test17() throws Throwable { Issue issue0 = new Issue(); Issue issue1 = new Issue(); boolean boolean0 = issue0.equals(issue1); issue1.getStatus(); Issue issue2 = issue0.withSubject((String) null); issue0.getDescription(); issue0.hashCode(); boolean boolean1 = issue2.equals(issue0); assertTrue(boolean1 == boolean0); assertTrue(boolean1); } @Test(timeout = 4000) public void test18() throws Throwable { Issue issue0 = new Issue(); Issue issue1 = new Issue(); issue0.withId((-8112)); boolean boolean0 = issue0.equals(issue1); assertEquals((-8112), issue0.getId()); assertFalse(boolean0); } @Test(timeout = 4000) public void test19() throws Throwable { Issue issue0 = new Issue(); boolean boolean0 = issue0.equals(""); assertFalse(boolean0); } @Test(timeout = 4000) public void test20() throws Throwable { Issue issue0 = new Issue(); boolean boolean0 = issue0.equals((Object) null); assertFalse(boolean0); } @Test(timeout = 4000) public void test21() throws Throwable { Issue issue0 = new Issue(); String string0 = issue0.getSubject(); assertNull(string0); } @Test(timeout = 4000) public void test22() throws Throwable { Issue issue0 = new Issue(); Issue issue1 = issue0.withDescription(""); String string0 = issue1.getDescription(); assertEquals("", string0); } @Test(timeout = 4000) public void test23() throws Throwable { Issue issue0 = new Issue(); Issue issue1 = issue0.withId(0); assertEquals(0, issue1.getId()); } @Test(timeout = 4000) public void test24() throws Throwable { Issue issue0 = new Issue(); int int0 = issue0.getId(); assertEquals(0, int0); } @Test(timeout = 4000) public void test25() throws Throwable { Issue issue0 = new Issue(); Issue issue1 = issue0.withStatus(""); String string0 = issue1.getStatus(); assertEquals("", string0); } @Test(timeout = 4000) public void test26() throws Throwable { Issue issue0 = new Issue(); Issue issue1 = issue0.withSubject(""); Issue issue2 = new Issue(); boolean boolean0 = issue1.equals(issue2); assertFalse(boolean0); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Fri Jul 01 17:35: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 Issue_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000); @BeforeClass public static void initEvoSuiteFramework() { org.evosuite.runtime.RuntimeSettings.className = "Issue"; org.evosuite.runtime.GuiSupport.initialize(); org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); org.evosuite.runtime.classhandling.JDKClassResetter.init(); setSystemProperties(); initializeClasses(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); } @AfterClass public static void clearEvoSuiteFramework(){ Sandbox.resetDefaultSecurityManager(); java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); } @Before public void initTestCase(){ threadStopper.storeCurrentThreads(); threadStopper.startRecordingTime(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); setSystemProperties(); org.evosuite.runtime.GuiSupport.setHeadless(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); org.evosuite.runtime.agent.InstrumentingAgent.activate(); } @After public void doneWithTestCase(){ threadStopper.killAndJoinClientThreads(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); org.evosuite.runtime.classhandling.JDKClassResetter.reset(); resetClasses(); org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); } public static void setSystemProperties() { java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); java.lang.System.setProperty("file.encoding", "UTF-8"); java.lang.System.setProperty("java.awt.headless", "true"); java.lang.System.setProperty("java.io.tmpdir", "/tmp"); java.lang.System.setProperty("user.country", "US"); java.lang.System.setProperty("user.dir", "/tmp/tmppsl2elpw"); java.lang.System.setProperty("user.home", "/home/bmcdanel"); java.lang.System.setProperty("user.language", "en"); java.lang.System.setProperty("user.name", "bmcdanel"); java.lang.System.setProperty("user.timezone", "America/New_York"); } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Issue_ESTest_scaffolding.class.getClassLoader() , "Issue" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Issue_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "Issue" ); } }
2,222
UserStoreCounterException
/* * Copyright (c) 2016, 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 UserStoreCounterException extends Exception { private static final long serialVersionUID = 8260611169153946414L; private String message; public UserStoreCounterException() { super(); } public UserStoreCounterException(String message, Throwable cause) { super(message, cause); this.message = message; } public UserStoreCounterException(String message, boolean convertMessage) { super(message); this.message = message; } public UserStoreCounterException(String message) { super(message); this.message = message; } public UserStoreCounterException(Throwable cause) { super(cause); } @Override public String getMessage() { return message; } }
.version 52 0 .class public super UserStoreCounterException .super java/lang/Exception .field private static final serialVersionUID J = 8260611169153946414L .field private message Ljava/lang/String; .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 26 L4 27 .end linenumbertable .end code .end method .method public <init> : (Ljava/lang/String;Ljava/lang/Throwable;)V .code stack 3 locals 3 L0: aload_0 L1: aload_1 L2: aload_2 L3: invokespecial Method java/lang/Exception <init> (Ljava/lang/String;Ljava/lang/Throwable;)V L6: aload_0 L7: aload_1 L8: putfield Field UserStoreCounterException message Ljava/lang/String; L11: return L12: .linenumbertable L0 30 L6 31 L11 32 .end linenumbertable .end code .end method .method public <init> : (Ljava/lang/String;Z)V .code stack 2 locals 3 L0: aload_0 L1: aload_1 L2: invokespecial Method java/lang/Exception <init> (Ljava/lang/String;)V L5: aload_0 L6: aload_1 L7: putfield Field UserStoreCounterException message Ljava/lang/String; L10: return L11: .linenumbertable L0 35 L5 36 L10 37 .end linenumbertable .end code .end method .method public <init> : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: invokespecial Method java/lang/Exception <init> (Ljava/lang/String;)V L5: aload_0 L6: aload_1 L7: putfield Field UserStoreCounterException message Ljava/lang/String; L10: return L11: .linenumbertable L0 41 L5 42 L10 43 .end linenumbertable .end code .end method .method public <init> : (Ljava/lang/Throwable;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: invokespecial Method java/lang/Exception <init> (Ljava/lang/Throwable;)V L5: return L6: .linenumbertable L0 46 L5 47 .end linenumbertable .end code .end method .method public getMessage : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field UserStoreCounterException message Ljava/lang/String; L4: areturn L5: .linenumbertable L0 51 .end linenumbertable .end code .end method .sourcefile 'UserStoreCounterException.java' .end class
/* * This file was automatically generated by EvoSuite * Sat Jul 02 08:56:57 GMT 2022 */ import org.junit.Test; import static org.junit.Assert.*; import org.evosuite.runtime.EvoRunner; import org.evosuite.runtime.EvoRunnerParameters; import org.junit.runner.RunWith; @RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) public class UserStoreCounterException_ESTest extends UserStoreCounterException_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { UserStoreCounterException userStoreCounterException0 = new UserStoreCounterException(); String string0 = userStoreCounterException0.getMessage(); assertNull(string0); } @Test(timeout = 4000) public void test1() throws Throwable { UserStoreCounterException userStoreCounterException0 = new UserStoreCounterException("", false); String string0 = userStoreCounterException0.getMessage(); assertEquals("", string0); } @Test(timeout = 4000) public void test2() throws Throwable { UserStoreCounterException userStoreCounterException0 = new UserStoreCounterException("RHb!~.@~J0x~f", (Throwable) null); String string0 = userStoreCounterException0.getMessage(); assertEquals("RHb!~.@~J0x~f", string0); } @Test(timeout = 4000) public void test3() throws Throwable { UserStoreCounterException userStoreCounterException0 = new UserStoreCounterException("Yl?-$a9"); UserStoreCounterException userStoreCounterException1 = new UserStoreCounterException(userStoreCounterException0); assertFalse(userStoreCounterException1.equals((Object)userStoreCounterException0)); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sat Jul 02 08:56:57 GMT 2022 */ import org.evosuite.runtime.annotation.EvoSuiteClassExclude; import org.junit.BeforeClass; import org.junit.Before; import org.junit.After; import org.junit.AfterClass; import org.evosuite.runtime.sandbox.Sandbox; import org.evosuite.runtime.sandbox.Sandbox.SandboxMode; @EvoSuiteClassExclude public class UserStoreCounterException_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000); @BeforeClass public static void initEvoSuiteFramework() { org.evosuite.runtime.RuntimeSettings.className = "UserStoreCounterException"; org.evosuite.runtime.GuiSupport.initialize(); org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); org.evosuite.runtime.classhandling.JDKClassResetter.init(); setSystemProperties(); initializeClasses(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); } @AfterClass public static void clearEvoSuiteFramework(){ Sandbox.resetDefaultSecurityManager(); java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); } @Before public void initTestCase(){ threadStopper.storeCurrentThreads(); threadStopper.startRecordingTime(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); setSystemProperties(); org.evosuite.runtime.GuiSupport.setHeadless(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); org.evosuite.runtime.agent.InstrumentingAgent.activate(); } @After public void doneWithTestCase(){ threadStopper.killAndJoinClientThreads(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); org.evosuite.runtime.classhandling.JDKClassResetter.reset(); resetClasses(); org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); } public static void setSystemProperties() { java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); java.lang.System.setProperty("file.encoding", "UTF-8"); java.lang.System.setProperty("java.awt.headless", "true"); java.lang.System.setProperty("java.io.tmpdir", "/tmp"); java.lang.System.setProperty("user.country", "US"); java.lang.System.setProperty("user.dir", "/tmp/tmpkogheeui"); java.lang.System.setProperty("user.home", "/home/bmcdanel"); java.lang.System.setProperty("user.language", "en"); java.lang.System.setProperty("user.name", "bmcdanel"); java.lang.System.setProperty("user.timezone", "America/New_York"); } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(UserStoreCounterException_ESTest_scaffolding.class.getClassLoader() , "UserStoreCounterException" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(UserStoreCounterException_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "UserStoreCounterException" ); } }
2,223
AlignmentHBase
/* * Copyright 2015-2016 OpenCB * * 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. */ /* * 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 jacobo */ public class AlignmentHBase { public static final int ALIGNMENT_BUCKET_SIZE = 2048; public static final String ALIGNMENT_COLUMN_FAMILY_NAME = "a"; public static final String ALIGNMENT_COVERAGE_COLUMN_FAMILY_NAME = "c"; public static String getChromosomeFromRowkey(String rowKey) { return rowKey.split("_")[0]; } public static String getBucketRowkey(String chromosome, long start, int bucketSize) { return getBucketRowkey(chromosome, start / bucketSize); } public static String getBucketRowkey(String chromosome, long bucketIndex) { return chromosome + "_" + String.format("%07d", bucketIndex); } public static String getSummaryRowkey(String chromosome, int index) { return "S_" + chromosome + "_" + String.format("%05d", index); } public static long getPositionFromRowkey(String rowKey, int bucketSize) { return Long.valueOf(rowKey.split("_")[1]) * bucketSize; } public static String getMeanCoverageRowKey( String chromosome, String coverageName, int coverageIndex) { return chromosome + "_" + coverageName + "_" + String.format("%08d", coverageIndex); } static String getHeaderRowKey() { return "summary"; } }
.version 52 0 .class public super AlignmentHBase .super java/lang/Object .field public static final ALIGNMENT_BUCKET_SIZE I = 2048 .field public static final ALIGNMENT_COLUMN_FAMILY_NAME Ljava/lang/String; = 'a' .field public static final ALIGNMENT_COVERAGE_COLUMN_FAMILY_NAME Ljava/lang/String; = 'c' .method public <init> : ()V .code stack 1 locals 1 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: return L5: .linenumbertable L0 29 .end linenumbertable .end code .end method .method public static getChromosomeFromRowkey : (Ljava/lang/String;)Ljava/lang/String; .code stack 2 locals 1 L0: aload_0 L1: ldc '_' L3: invokevirtual Method java/lang/String split (Ljava/lang/String;)[Ljava/lang/String; L6: iconst_0 L7: aaload L8: areturn L9: .linenumbertable L0 36 .end linenumbertable .end code .end method .method public static getBucketRowkey : (Ljava/lang/String;JI)Ljava/lang/String; .code stack 5 locals 4 L0: aload_0 L1: lload_1 L2: iload_3 L3: i2l L4: ldiv L5: invokestatic Method AlignmentHBase getBucketRowkey (Ljava/lang/String;J)Ljava/lang/String; L8: areturn L9: .linenumbertable L0 40 .end linenumbertable .end code .end method .method public static getBucketRowkey : (Ljava/lang/String;J)Ljava/lang/String; .code stack 7 locals 3 L0: new java/lang/StringBuilder L3: dup L4: invokespecial Method java/lang/StringBuilder <init> ()V L7: aload_0 L8: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L11: ldc '_' L13: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L16: ldc '%07d' L18: iconst_1 L19: anewarray java/lang/Object L22: dup L23: iconst_0 L24: lload_1 L25: invokestatic Method java/lang/Long valueOf (J)Ljava/lang/Long; L28: aastore L29: invokestatic Method java/lang/String format (Ljava/lang/String;[Ljava/lang/Object;)Ljava/lang/String; L32: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L35: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; L38: areturn L39: .linenumbertable L0 44 .end linenumbertable .end code .end method .method public static getSummaryRowkey : (Ljava/lang/String;I)Ljava/lang/String; .code stack 6 locals 2 L0: new java/lang/StringBuilder L3: dup L4: invokespecial Method java/lang/StringBuilder <init> ()V L7: ldc 'S_' L9: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L12: aload_0 L13: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L16: ldc '_' L18: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L21: ldc '%05d' L23: iconst_1 L24: anewarray java/lang/Object L27: dup L28: iconst_0 L29: iload_1 L30: invokestatic Method java/lang/Integer valueOf (I)Ljava/lang/Integer; L33: aastore L34: invokestatic Method java/lang/String format (Ljava/lang/String;[Ljava/lang/Object;)Ljava/lang/String; L37: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L40: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; L43: areturn L44: .linenumbertable L0 48 .end linenumbertable .end code .end method .method public static getPositionFromRowkey : (Ljava/lang/String;I)J .code stack 4 locals 2 L0: aload_0 L1: ldc '_' L3: invokevirtual Method java/lang/String split (Ljava/lang/String;)[Ljava/lang/String; L6: iconst_1 L7: aaload L8: invokestatic Method java/lang/Long valueOf (Ljava/lang/String;)Ljava/lang/Long; L11: invokevirtual Method java/lang/Long longValue ()J L14: iload_1 L15: i2l L16: lmul L17: lreturn L18: .linenumbertable L0 52 .end linenumbertable .end code .end method .method public static getMeanCoverageRowKey : (Ljava/lang/String;Ljava/lang/String;I)Ljava/lang/String; .code stack 6 locals 3 L0: new java/lang/StringBuilder L3: dup L4: invokespecial Method java/lang/StringBuilder <init> ()V L7: aload_0 L8: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L11: ldc '_' L13: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L16: aload_1 L17: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L20: ldc '_' L22: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L25: ldc '%08d' L27: iconst_1 L28: anewarray java/lang/Object L31: dup L32: iconst_0 L33: iload_2 L34: invokestatic Method java/lang/Integer valueOf (I)Ljava/lang/Integer; L37: aastore L38: invokestatic Method java/lang/String format (Ljava/lang/String;[Ljava/lang/Object;)Ljava/lang/String; L41: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L44: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; L47: areturn L48: .linenumbertable L0 56 .end linenumbertable .end code .end method .method static getHeaderRowKey : ()Ljava/lang/String; .code stack 1 locals 0 L0: ldc 'summary' L2: areturn L3: .linenumbertable L0 60 .end linenumbertable .end code .end method .sourcefile 'AlignmentHBase.java' .end class
/* * This file was automatically generated by EvoSuite * Sat Jul 02 18: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.junit.runner.RunWith; @RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) public class AlignmentHBase_ESTest extends AlignmentHBase_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { AlignmentHBase.getMeanCoverageRowKey(" # QOPEP7iT'[De", "", 1); AlignmentHBase alignmentHBase0 = new AlignmentHBase(); String string0 = AlignmentHBase.getBucketRowkey(" # QOPEP7iT'[De__00000001", (long) 2048, 12709); assertEquals(" # QOPEP7iT'[De__00000001_0000000", string0); String string1 = AlignmentHBase.getHeaderRowKey(); assertEquals("summary", string1); AlignmentHBase.getChromosomeFromRowkey(""); String string2 = AlignmentHBase.getMeanCoverageRowKey("{;'?6L$$$Dn|_0000006", "S[VkR@||vL?B77I)w", 2048); assertEquals("{;'?6L$$$Dn|_0000006_S[VkR@||vL?B77I)w_00002048", string2); long long0 = AlignmentHBase.getPositionFromRowkey("summary_-018862", 2048); assertEquals((-38629376L), long0); } @Test(timeout = 4000) public void test1() throws Throwable { AlignmentHBase.getMeanCoverageRowKey(" # QOPEP7iT'[De", "", 1); AlignmentHBase.getBucketRowkey(" # QOPEP7iT'[De__00000001", (long) 2048, 12709); String string0 = AlignmentHBase.getHeaderRowKey(); AlignmentHBase.getChromosomeFromRowkey(""); String string1 = AlignmentHBase.getHeaderRowKey(); assertEquals("summary", string1); String string2 = AlignmentHBase.getBucketRowkey("{;'?6L$$$Dn|", (long) 12709, 2048); assertEquals("{;'?6L$$$Dn|_0000006", string2); AlignmentHBase.getMeanCoverageRowKey("{;'?6L$$$Dn|_0000006", "S[VkR@||vL?B77I)w", 2048); AlignmentHBase.getBucketRowkey("", 0L); long long0 = AlignmentHBase.getPositionFromRowkey("summary_-018862", 2048); assertEquals((-38629376L), long0); AlignmentHBase.getMeanCoverageRowKey("T}cQv()V", "", 12709); String string3 = AlignmentHBase.getMeanCoverageRowKey("{;'?6L$$$Dn|_0000006_S[VkR@||vL?B77I)w_00002048", "summary_-018862", 2048); assertEquals("{;'?6L$$$Dn|_0000006_S[VkR@||vL?B77I)w_00002048_summary_-018862_00002048", string3); String string4 = AlignmentHBase.getChromosomeFromRowkey(""); assertFalse(string4.equals((Object)string0)); } @Test(timeout = 4000) public void test2() throws Throwable { long long0 = AlignmentHBase.getPositionFromRowkey("j0$3r!<_0000000", (-22993)); assertEquals(0L, long0); } @Test(timeout = 4000) public void test3() throws Throwable { String string0 = AlignmentHBase.getSummaryRowkey("", 2048); assertEquals("S__02048", string0); } @Test(timeout = 4000) public void test4() throws Throwable { String string0 = AlignmentHBase.getHeaderRowKey(); String string1 = AlignmentHBase.getChromosomeFromRowkey("summary"); String string2 = AlignmentHBase.getSummaryRowkey("", 2048); assertEquals("S__02048", string2); String string3 = AlignmentHBase.getHeaderRowKey(); assertTrue(string3.equals((Object)string1)); String string4 = AlignmentHBase.getMeanCoverageRowKey("*ua)h[}K1", "", 2048); assertEquals("*ua)h[}K1__00002048", string4); String string5 = AlignmentHBase.getBucketRowkey("", (long) 2048, 2048); assertEquals("_0000001", string5); long long0 = AlignmentHBase.getPositionFromRowkey("_0000001", 2048); assertEquals(2048L, long0); String string6 = AlignmentHBase.getChromosomeFromRowkey(""); assertFalse(string6.equals((Object)string0)); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sat Jul 02 18: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 AlignmentHBase_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000); @BeforeClass public static void initEvoSuiteFramework() { org.evosuite.runtime.RuntimeSettings.className = "AlignmentHBase"; org.evosuite.runtime.GuiSupport.initialize(); org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); org.evosuite.runtime.classhandling.JDKClassResetter.init(); setSystemProperties(); initializeClasses(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); } @AfterClass public static void clearEvoSuiteFramework(){ Sandbox.resetDefaultSecurityManager(); java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); } @Before public void initTestCase(){ threadStopper.storeCurrentThreads(); threadStopper.startRecordingTime(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); setSystemProperties(); org.evosuite.runtime.GuiSupport.setHeadless(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); org.evosuite.runtime.agent.InstrumentingAgent.activate(); } @After public void doneWithTestCase(){ threadStopper.killAndJoinClientThreads(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); org.evosuite.runtime.classhandling.JDKClassResetter.reset(); resetClasses(); org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); } public static void setSystemProperties() { java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); java.lang.System.setProperty("file.encoding", "UTF-8"); java.lang.System.setProperty("java.awt.headless", "true"); java.lang.System.setProperty("java.io.tmpdir", "/tmp"); java.lang.System.setProperty("user.country", "US"); java.lang.System.setProperty("user.dir", "/tmp/tmpbgmj9ar6"); java.lang.System.setProperty("user.home", "/home/bmcdanel"); java.lang.System.setProperty("user.language", "en"); java.lang.System.setProperty("user.name", "bmcdanel"); java.lang.System.setProperty("user.timezone", "America/New_York"); } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(AlignmentHBase_ESTest_scaffolding.class.getClassLoader() , "AlignmentHBase" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(AlignmentHBase_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "AlignmentHBase" ); } }
2,224
TestTuple
/* # Licensed Materials - Property of IBM # Copyright IBM Corp. 2015 */ public class TestTuple { private final Integer testerId; private final byte[] tupleData; public TestTuple(Integer testerId, byte[] tupleData) { this.testerId = testerId; this.tupleData = tupleData; } public byte[] getTupleData() { return tupleData; } public Integer getTesterId() { return testerId; } }
.version 52 0 .class public super TestTuple .super java/lang/Object .field private final testerId Ljava/lang/Integer; .field private final tupleData [B .method public <init> : (Ljava/lang/Integer;[B)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 TestTuple testerId Ljava/lang/Integer; L9: aload_0 L10: aload_2 L11: putfield Field TestTuple tupleData [B L14: return L15: .linenumbertable L0 12 L4 13 L9 14 L14 15 .end linenumbertable .end code .end method .method public getTupleData : ()[B .code stack 1 locals 1 L0: aload_0 L1: getfield Field TestTuple tupleData [B L4: areturn L5: .linenumbertable L0 18 .end linenumbertable .end code .end method .method public getTesterId : ()Ljava/lang/Integer; .code stack 1 locals 1 L0: aload_0 L1: getfield Field TestTuple testerId Ljava/lang/Integer; L4: areturn L5: .linenumbertable L0 22 .end linenumbertable .end code .end method .sourcefile 'TestTuple.java' .end class
/* * This file was automatically generated by EvoSuite * Sat Jul 02 14:14:51 GMT 2022 */ import org.junit.Test; import static org.junit.Assert.*; import org.evosuite.runtime.EvoRunner; import org.evosuite.runtime.EvoRunnerParameters; import org.junit.runner.RunWith; @RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) public class TestTuple_ESTest extends TestTuple_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { TestTuple testTuple0 = new TestTuple((Integer) null, (byte[]) null); byte[] byteArray0 = testTuple0.getTupleData(); assertNull(byteArray0); } @Test(timeout = 4000) public void test1() throws Throwable { Integer integer0 = new Integer(32584); byte[] byteArray0 = new byte[0]; TestTuple testTuple0 = new TestTuple(integer0, byteArray0); byte[] byteArray1 = testTuple0.getTupleData(); assertArrayEquals(new byte[] {}, byteArray1); } @Test(timeout = 4000) public void test2() throws Throwable { TestTuple testTuple0 = new TestTuple((Integer) null, (byte[]) null); Integer integer0 = testTuple0.getTesterId(); assertNull(integer0); } @Test(timeout = 4000) public void test3() throws Throwable { Integer integer0 = new Integer(0); byte[] byteArray0 = new byte[1]; TestTuple testTuple0 = new TestTuple(integer0, byteArray0); Integer integer1 = testTuple0.getTesterId(); assertEquals(0, (int)integer1); } @Test(timeout = 4000) public void test4() throws Throwable { Integer integer0 = new Integer((-1)); byte[] byteArray0 = new byte[4]; TestTuple testTuple0 = new TestTuple(integer0, byteArray0); Integer integer1 = testTuple0.getTesterId(); assertEquals((-1), (int)integer1); } @Test(timeout = 4000) public void test5() throws Throwable { Integer integer0 = new Integer(32584); byte[] byteArray0 = new byte[0]; TestTuple testTuple0 = new TestTuple(integer0, byteArray0); Integer integer1 = testTuple0.getTesterId(); assertEquals(32584, (int)integer1); } @Test(timeout = 4000) public void test6() throws Throwable { Integer integer0 = new Integer(1); byte[] byteArray0 = new byte[9]; TestTuple testTuple0 = new TestTuple(integer0, byteArray0); byte[] byteArray1 = testTuple0.getTupleData(); assertSame(byteArray1, byteArray0); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sat Jul 02 14:14:51 GMT 2022 */ import org.evosuite.runtime.annotation.EvoSuiteClassExclude; import org.junit.BeforeClass; import org.junit.Before; import org.junit.After; import org.junit.AfterClass; import org.evosuite.runtime.sandbox.Sandbox; import org.evosuite.runtime.sandbox.Sandbox.SandboxMode; @EvoSuiteClassExclude public class TestTuple_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000); @BeforeClass public static void initEvoSuiteFramework() { org.evosuite.runtime.RuntimeSettings.className = "TestTuple"; org.evosuite.runtime.GuiSupport.initialize(); org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); org.evosuite.runtime.classhandling.JDKClassResetter.init(); setSystemProperties(); initializeClasses(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); } @AfterClass public static void clearEvoSuiteFramework(){ Sandbox.resetDefaultSecurityManager(); java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); } @Before public void initTestCase(){ threadStopper.storeCurrentThreads(); threadStopper.startRecordingTime(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); setSystemProperties(); org.evosuite.runtime.GuiSupport.setHeadless(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); org.evosuite.runtime.agent.InstrumentingAgent.activate(); } @After public void doneWithTestCase(){ threadStopper.killAndJoinClientThreads(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); org.evosuite.runtime.classhandling.JDKClassResetter.reset(); resetClasses(); org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); } public static void setSystemProperties() { java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); java.lang.System.setProperty("file.encoding", "UTF-8"); java.lang.System.setProperty("java.awt.headless", "true"); java.lang.System.setProperty("java.io.tmpdir", "/tmp"); java.lang.System.setProperty("user.country", "US"); java.lang.System.setProperty("user.dir", "/tmp/tmpacfrktlg"); java.lang.System.setProperty("user.home", "/home/bmcdanel"); java.lang.System.setProperty("user.language", "en"); java.lang.System.setProperty("user.name", "bmcdanel"); java.lang.System.setProperty("user.timezone", "America/New_York"); } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(TestTuple_ESTest_scaffolding.class.getClassLoader() , "TestTuple" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(TestTuple_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "TestTuple" ); } }
2,225
ID3v2DataInput
/* * Copyright 2013-2014 Odysseus Software GmbH * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ import java.io.EOFException; import java.io.IOException; import java.io.InputStream; public class ID3v2DataInput { private final InputStream input; public ID3v2DataInput(InputStream in) { this.input = in; } public final void readFully(byte b[], int off, int len) throws IOException { int total = 0; while (total < len) { int current = input.read(b, off + total, len - total); if (current > 0) { total += current; } else { throw new EOFException(); } } } public byte[] readFully(int len) throws IOException { byte[] bytes = new byte[len]; readFully(bytes, 0, len); return bytes; } public void skipFully(long len) throws IOException { long total = 0; while (total < len) { long current = input.skip(len - total); if (current > 0) { total += current; } else { throw new EOFException(); } } } public byte readByte() throws IOException { int b = input.read(); if (b < 0) { throw new EOFException(); } return (byte) b; } public int readInt() throws IOException { return ((readByte() & 0xFF) << 24) | ((readByte() & 0xFF) << 16) | ((readByte() & 0xFF) << 8) | (readByte() & 0xFF); } public int readSyncsafeInt() throws IOException { return ((readByte() & 0x7F) << 21) | ((readByte() & 0x7F) << 14) | ((readByte() & 0x7F) << 7) | (readByte() & 0x7F); } }
.version 52 0 .class public super ID3v2DataInput .super java/lang/Object .field private final input Ljava/io/InputStream; .method public <init> : (Ljava/io/InputStream;)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 ID3v2DataInput input Ljava/io/InputStream; L9: return L10: .linenumbertable L0 25 L4 26 L9 27 .end linenumbertable .end code .end method .method public final readFully : ([BII)V .code stack 5 locals 6 L0: iconst_0 L1: istore 4 .stack append Integer L3: iload 4 L5: iload_3 L6: if_icmpge L53 L9: aload_0 L10: getfield Field ID3v2DataInput input Ljava/io/InputStream; L13: aload_1 L14: iload_2 L15: iload 4 L17: iadd L18: iload_3 L19: iload 4 L21: isub L22: invokevirtual Method java/io/InputStream read ([BII)I L25: istore 5 L27: iload 5 L29: ifle L42 L32: iload 4 L34: iload 5 L36: iadd L37: istore 4 L39: goto L50 .stack append Integer L42: new java/io/EOFException L45: dup L46: invokespecial Method java/io/EOFException <init> ()V L49: athrow .stack chop 1 L50: goto L3 .stack same L53: return L54: .linenumbertable L0 30 L3 31 L9 32 L27 33 L32 34 L42 36 L50 38 L53 39 .end linenumbertable .end code .exceptions java/io/IOException .end method .method public readFully : (I)[B .code stack 4 locals 3 L0: iload_1 L1: newarray byte L3: astore_2 L4: aload_0 L5: aload_2 L6: iconst_0 L7: iload_1 L8: invokevirtual Method ID3v2DataInput readFully ([BII)V L11: aload_2 L12: areturn L13: .linenumbertable L0 42 L4 43 L11 44 .end linenumbertable .end code .exceptions java/io/IOException .end method .method public skipFully : (J)V .code stack 5 locals 7 L0: lconst_0 L1: lstore_3 .stack append Long L2: lload_3 L3: lload_1 L4: lcmp L5: ifge L46 L8: aload_0 L9: getfield Field ID3v2DataInput input Ljava/io/InputStream; L12: lload_1 L13: lload_3 L14: lsub L15: invokevirtual Method java/io/InputStream skip (J)J L18: lstore 5 L20: lload 5 L22: lconst_0 L23: lcmp L24: ifle L35 L27: lload_3 L28: lload 5 L30: ladd L31: lstore_3 L32: goto L43 .stack append Long L35: new java/io/EOFException L38: dup L39: invokespecial Method java/io/EOFException <init> ()V L42: athrow .stack chop 1 L43: goto L2 .stack same L46: return L47: .linenumbertable L0 48 L2 49 L8 50 L20 51 L27 52 L35 54 L43 56 L46 57 .end linenumbertable .end code .exceptions java/io/IOException .end method .method public readByte : ()B .code stack 2 locals 2 L0: aload_0 L1: getfield Field ID3v2DataInput input Ljava/io/InputStream; L4: invokevirtual Method java/io/InputStream read ()I L7: istore_1 L8: iload_1 L9: ifge L20 L12: new java/io/EOFException L15: dup L16: invokespecial Method java/io/EOFException <init> ()V L19: athrow .stack append Integer L20: iload_1 L21: i2b L22: ireturn L23: .linenumbertable L0 60 L8 61 L12 62 L20 64 .end linenumbertable .end code .exceptions java/io/IOException .end method .method public readInt : ()I .code stack 3 locals 1 L0: aload_0 L1: invokevirtual Method ID3v2DataInput readByte ()B L4: sipush 255 L7: iand L8: bipush 24 L10: ishl L11: aload_0 L12: invokevirtual Method ID3v2DataInput readByte ()B L15: sipush 255 L18: iand L19: bipush 16 L21: ishl L22: ior L23: aload_0 L24: invokevirtual Method ID3v2DataInput readByte ()B L27: sipush 255 L30: iand L31: bipush 8 L33: ishl L34: ior L35: aload_0 L36: invokevirtual Method ID3v2DataInput readByte ()B L39: sipush 255 L42: iand L43: ior L44: ireturn L45: .linenumbertable L0 68 .end linenumbertable .end code .exceptions java/io/IOException .end method .method public readSyncsafeInt : ()I .code stack 3 locals 1 L0: aload_0 L1: invokevirtual Method ID3v2DataInput readByte ()B L4: bipush 127 L6: iand L7: bipush 21 L9: ishl L10: aload_0 L11: invokevirtual Method ID3v2DataInput readByte ()B L14: bipush 127 L16: iand L17: bipush 14 L19: ishl L20: ior L21: aload_0 L22: invokevirtual Method ID3v2DataInput readByte ()B L25: bipush 127 L27: iand L28: bipush 7 L30: ishl L31: ior L32: aload_0 L33: invokevirtual Method ID3v2DataInput readByte ()B L36: bipush 127 L38: iand L39: ior L40: ireturn L41: .linenumbertable L0 72 .end linenumbertable .end code .exceptions java/io/IOException .end method .sourcefile 'ID3v2DataInput.java' .end class
/* * This file was automatically generated by EvoSuite * Mon Jul 04 12:23:12 GMT 2022 */ import org.junit.Test; import static org.junit.Assert.*; import static org.evosuite.shaded.org.mockito.Mockito.*; import static org.evosuite.runtime.EvoAssertions.*; import java.io.ByteArrayInputStream; import java.io.DataInputStream; import java.io.EOFException; import java.io.File; import java.io.IOException; import java.io.InputStream; import java.io.ObjectInputStream; import java.io.PipedInputStream; import java.io.PipedOutputStream; import java.io.SequenceInputStream; import java.util.Enumeration; import org.evosuite.runtime.EvoRunner; import org.evosuite.runtime.EvoRunnerParameters; import org.evosuite.runtime.ViolatedAssumptionAnswer; import org.evosuite.runtime.mock.java.io.MockFile; import org.evosuite.runtime.mock.java.io.MockFileInputStream; import org.junit.runner.RunWith; @RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) public class ID3v2DataInput_ESTest extends ID3v2DataInput_ESTest_scaffolding { @Test(timeout = 4000) public void test00() throws Throwable { byte[] byteArray0 = new byte[6]; byteArray0[0] = (byte) (-74); byteArray0[1] = (byte) (-61); byteArray0[2] = (byte)0; byteArray0[3] = (byte)0; byteArray0[4] = (byte) (-9); byteArray0[5] = (byte)0; ByteArrayInputStream byteArrayInputStream0 = new ByteArrayInputStream(byteArray0, 20678, 0); byteArrayInputStream0.mark(0); byteArrayInputStream0.mark((byte)0); byteArrayInputStream0.skip(0L); ID3v2DataInput iD3v2DataInput0 = new ID3v2DataInput(byteArrayInputStream0); try { iD3v2DataInput0.readByte(); fail("Expecting exception: EOFException"); } catch(EOFException e) { // // no message in exception (getMessage() returned null) // verifyException("ID3v2DataInput", e); } } @Test(timeout = 4000) public void test01() throws Throwable { byte[] byteArray0 = new byte[8]; byteArray0[0] = (byte) (-1); byteArray0[1] = (byte)0; byteArray0[2] = (byte) (-1); byteArray0[3] = (byte)84; byteArray0[4] = (byte)0; byteArray0[5] = (byte)35; byteArray0[6] = (byte) (-109); byteArray0[7] = (byte) (-40); ByteArrayInputStream byteArrayInputStream0 = new ByteArrayInputStream(byteArray0); ID3v2DataInput iD3v2DataInput0 = new ID3v2DataInput(byteArrayInputStream0); int int0 = iD3v2DataInput0.readInt(); assertEquals((-16711852), int0); } @Test(timeout = 4000) public void test02() throws Throwable { byte[] byteArray0 = new byte[5]; byteArray0[0] = (byte)0; byteArray0[1] = (byte) (-24); byteArray0[2] = (byte)0; byteArray0[3] = (byte) (-123); byteArray0[4] = (byte)0; ByteArrayInputStream byteArrayInputStream0 = new ByteArrayInputStream(byteArray0); DataInputStream dataInputStream0 = new DataInputStream(byteArrayInputStream0); ID3v2DataInput iD3v2DataInput0 = new ID3v2DataInput(dataInputStream0); byte byte0 = iD3v2DataInput0.readByte(); assertEquals((byte)0, byte0); } @Test(timeout = 4000) public void test03() throws Throwable { File file0 = MockFile.createTempFile("d(j54U5>kTAZ_", "d(j54U5>kTAZ_"); MockFileInputStream mockFileInputStream0 = new MockFileInputStream(file0); ID3v2DataInput iD3v2DataInput0 = new ID3v2DataInput(mockFileInputStream0); byte[] byteArray0 = new byte[3]; byteArray0[0] = (byte) (-73); byteArray0[1] = (byte)0; byteArray0[2] = (byte)65; iD3v2DataInput0.readFully(byteArray0, 0, (-41738)); try { iD3v2DataInput0.readInt(); fail("Expecting exception: EOFException"); } catch(EOFException e) { // // no message in exception (getMessage() returned null) // verifyException("ID3v2DataInput", e); } } @Test(timeout = 4000) public void test04() throws Throwable { byte[] byteArray0 = new byte[7]; byteArray0[0] = (byte) (-1); byteArray0[1] = (byte) (-82); byteArray0[2] = (byte)24; byteArray0[3] = (byte)0; byteArray0[4] = (byte)0; byteArray0[5] = (byte)2; byteArray0[6] = (byte)1; ByteArrayInputStream byteArrayInputStream0 = new ByteArrayInputStream(byteArray0, (byte) (-1), 8); byteArrayInputStream0.skip((byte)1); ID3v2DataInput iD3v2DataInput0 = new ID3v2DataInput(byteArrayInputStream0); iD3v2DataInput0.readFully(byteArray0, 0, (int) (byte)0); iD3v2DataInput0.readByte(); iD3v2DataInput0.skipFully(0L); assertEquals(6, byteArrayInputStream0.available()); } @Test(timeout = 4000) public void test05() throws Throwable { Enumeration<InputStream> enumeration0 = (Enumeration<InputStream>) mock(Enumeration.class, new ViolatedAssumptionAnswer()); doReturn(false).when(enumeration0).hasMoreElements(); SequenceInputStream sequenceInputStream0 = new SequenceInputStream(enumeration0); ID3v2DataInput iD3v2DataInput0 = new ID3v2DataInput(sequenceInputStream0); int int0 = 4437; try { iD3v2DataInput0.readFully(4437); fail("Expecting exception: EOFException"); } catch(EOFException e) { // // no message in exception (getMessage() returned null) // verifyException("ID3v2DataInput", e); } } @Test(timeout = 4000) public void test06() throws Throwable { byte[] byteArray0 = new byte[0]; ByteArrayInputStream byteArrayInputStream0 = new ByteArrayInputStream(byteArray0); SequenceInputStream sequenceInputStream0 = new SequenceInputStream(byteArrayInputStream0, byteArrayInputStream0); ID3v2DataInput iD3v2DataInput0 = new ID3v2DataInput(sequenceInputStream0); byteArrayInputStream0.skip(0L); long long0 = 18501L; int int0 = 0; sequenceInputStream0.mark(0); byteArrayInputStream0.read(); int int1 = 0; iD3v2DataInput0.readFully(0); byteArrayInputStream0.reset(); try { iD3v2DataInput0.readSyncsafeInt(); fail("Expecting exception: EOFException"); } catch(EOFException e) { // // no message in exception (getMessage() returned null) // verifyException("ID3v2DataInput", e); } } @Test(timeout = 4000) public void test07() throws Throwable { byte[] byteArray0 = new byte[2]; byteArray0[0] = (byte) (-47); byteArray0[1] = (byte) (-23); ByteArrayInputStream byteArrayInputStream0 = new ByteArrayInputStream(byteArray0, (byte) (-23), 0); DataInputStream dataInputStream0 = new DataInputStream(byteArrayInputStream0); ID3v2DataInput iD3v2DataInput0 = new ID3v2DataInput(dataInputStream0); // Undeclared exception! try { iD3v2DataInput0.readFully((-9471)); fail("Expecting exception: NegativeArraySizeException"); } catch(NegativeArraySizeException e) { // // no message in exception (getMessage() returned null) // verifyException("ID3v2DataInput", e); } } @Test(timeout = 4000) public void test08() throws Throwable { byte[] byteArray0 = new byte[5]; byteArray0[0] = (byte)90; byteArray0[1] = (byte)23; byteArray0[2] = (byte)21; byteArray0[3] = (byte)0; byteArray0[4] = (byte) (-40); ByteArrayInputStream byteArrayInputStream0 = new ByteArrayInputStream(byteArray0); ID3v2DataInput iD3v2DataInput0 = new ID3v2DataInput(byteArrayInputStream0); try { iD3v2DataInput0.skipFully(60455L); fail("Expecting exception: EOFException"); } catch(EOFException e) { // // no message in exception (getMessage() returned null) // verifyException("ID3v2DataInput", e); } } @Test(timeout = 4000) public void test09() throws Throwable { int int0 = 2686; PipedInputStream pipedInputStream0 = new PipedInputStream(2686); ObjectInputStream objectInputStream0 = null; try { objectInputStream0 = new ObjectInputStream(pipedInputStream0); fail("Expecting exception: IOException"); } catch(Throwable e) { // // Pipe not connected // verifyException("java.io.PipedInputStream", e); } } @Test(timeout = 4000) public void test10() throws Throwable { byte[] byteArray0 = new byte[1]; byte byte0 = (byte)52; byteArray0[0] = (byte)52; ByteArrayInputStream byteArrayInputStream0 = new ByteArrayInputStream(byteArray0); ID3v2DataInput iD3v2DataInput0 = new ID3v2DataInput(byteArrayInputStream0); iD3v2DataInput0.readFully(byteArray0, (int) (byte)52, (-25399)); try { iD3v2DataInput0.readSyncsafeInt(); fail("Expecting exception: EOFException"); } catch(EOFException e) { // // no message in exception (getMessage() returned null) // verifyException("ID3v2DataInput", e); } } @Test(timeout = 4000) public void test11() throws Throwable { PipedInputStream pipedInputStream0 = new PipedInputStream(); PipedOutputStream pipedOutputStream0 = new PipedOutputStream(pipedInputStream0); PipedInputStream pipedInputStream1 = null; try { pipedInputStream1 = new PipedInputStream(pipedOutputStream0); fail("Expecting exception: IOException"); } catch(Throwable e) { // // Already connected // verifyException("java.io.PipedOutputStream", e); } } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Mon Jul 04 12:23:12 GMT 2022 */ import org.evosuite.runtime.annotation.EvoSuiteClassExclude; import org.junit.BeforeClass; import org.junit.Before; import org.junit.After; import org.junit.AfterClass; import org.evosuite.runtime.sandbox.Sandbox; import org.evosuite.runtime.sandbox.Sandbox.SandboxMode; import static org.evosuite.shaded.org.mockito.Mockito.*; @EvoSuiteClassExclude public class ID3v2DataInput_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000); @BeforeClass public static void initEvoSuiteFramework() { org.evosuite.runtime.RuntimeSettings.className = "ID3v2DataInput"; org.evosuite.runtime.GuiSupport.initialize(); org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.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/tmp0lcfa2wd"); java.lang.System.setProperty("user.home", "/home/bmcdanel"); java.lang.System.setProperty("user.language", "en"); java.lang.System.setProperty("user.name", "bmcdanel"); java.lang.System.setProperty("user.timezone", "America/New_York"); } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(ID3v2DataInput_ESTest_scaffolding.class.getClassLoader() , "ID3v2DataInput" ); } private static void initMocksToAvoidTimeoutsInTheTests() throws ClassNotFoundException { mock(Class.forName("java.util.Enumeration", false, ID3v2DataInput_ESTest_scaffolding.class.getClassLoader())); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ID3v2DataInput_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "ID3v2DataInput" ); } }
2,226
UnsafeCounter
public class UnsafeCounter { private int counter; int getValue() { return counter; } void increment() { counter++; } }
.version 52 0 .class public super UnsafeCounter .super java/lang/Object .field private counter I .method public <init> : ()V .code stack 1 locals 1 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: return L5: .linenumbertable L0 3 .end linenumbertable .end code .end method .method getValue : ()I .code stack 1 locals 1 L0: aload_0 L1: getfield Field UnsafeCounter counter I L4: ireturn L5: .linenumbertable L0 7 .end linenumbertable .end code .end method .method increment : ()V .code stack 3 locals 1 L0: aload_0 L1: dup L2: getfield Field UnsafeCounter counter I L5: iconst_1 L6: iadd L7: putfield Field UnsafeCounter counter I L10: return L11: .linenumbertable L0 11 L10 12 .end linenumbertable .end code .end method .sourcefile 'UnsafeCounter.java' .end class
/* * This file was automatically generated by EvoSuite * Fri Jul 01 14:54: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 UnsafeCounter_ESTest extends UnsafeCounter_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { UnsafeCounter unsafeCounter0 = new UnsafeCounter(); unsafeCounter0.increment(); int int0 = unsafeCounter0.getValue(); assertEquals(1, int0); } @Test(timeout = 4000) public void test1() throws Throwable { UnsafeCounter unsafeCounter0 = new UnsafeCounter(); int int0 = unsafeCounter0.getValue(); assertEquals(0, int0); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Fri Jul 01 14:54: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 UnsafeCounter_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000); @BeforeClass public static void initEvoSuiteFramework() { org.evosuite.runtime.RuntimeSettings.className = "UnsafeCounter"; org.evosuite.runtime.GuiSupport.initialize(); org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); org.evosuite.runtime.classhandling.JDKClassResetter.init(); setSystemProperties(); initializeClasses(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); } @AfterClass public static void clearEvoSuiteFramework(){ Sandbox.resetDefaultSecurityManager(); java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); } @Before public void initTestCase(){ threadStopper.storeCurrentThreads(); threadStopper.startRecordingTime(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); setSystemProperties(); org.evosuite.runtime.GuiSupport.setHeadless(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); org.evosuite.runtime.agent.InstrumentingAgent.activate(); } @After public void doneWithTestCase(){ threadStopper.killAndJoinClientThreads(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); org.evosuite.runtime.classhandling.JDKClassResetter.reset(); resetClasses(); org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); } public static void setSystemProperties() { java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); java.lang.System.setProperty("file.encoding", "UTF-8"); java.lang.System.setProperty("java.awt.headless", "true"); java.lang.System.setProperty("java.io.tmpdir", "/tmp"); java.lang.System.setProperty("user.country", "US"); java.lang.System.setProperty("user.dir", "/tmp/tmp58i_rz0q"); java.lang.System.setProperty("user.home", "/home/bmcdanel"); java.lang.System.setProperty("user.language", "en"); java.lang.System.setProperty("user.name", "bmcdanel"); java.lang.System.setProperty("user.timezone", "America/New_York"); } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(UnsafeCounter_ESTest_scaffolding.class.getClassLoader() , "UnsafeCounter" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(UnsafeCounter_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "UnsafeCounter" ); } }
2,227
Main
import java.util.Random; import java.util.Scanner; public class Main { public static void main(String[] args) { String[] phrases = { "Excellent product.", "Such a great product.", "I always use that product.", "Best product of its category.", "Exceptional product.", "I can’t live without this product." }; String[] events = { "Now I feel good.", "I have succeeded with this product.", "Makes miracles. I am happy of the results!", "I cannot believe but now I feel awesome.", "Try it yourself, I am very satisfied.", "I feel great!" }; String[] authors = {"Diana", "Petya", "Stella", "Elena", "Katya", "Iva", "Annie", "Eva"}; String[] cities = {"Burgas", "Sofia", "Plovdiv", "Varna", "Ruse"}; Random random = new Random(); Scanner scan = new Scanner(System.in); int n = Integer.parseInt(scan.nextLine()); for (int i = 0; i < n; i++) { int phraseIndex = random.nextInt(phrases.length); int eventIndex = random.nextInt(events.length); int authorIndex = random.nextInt(authors.length); int cityIndex = random.nextInt(cities.length); System.out.printf( "%s %s %s - %s \n", phrases[phraseIndex], events[eventIndex], authors[authorIndex], cities[cityIndex]); } } }
.version 52 0 .class public super Main .super java/lang/Object .method public <init> : ()V .code stack 1 locals 1 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: return L5: .linenumbertable L0 4 .end linenumbertable .end code .end method .method public static main : ([Ljava/lang/String;)V .code stack 7 locals 13 L0: bipush 6 L2: anewarray java/lang/String L5: dup L6: iconst_0 L7: ldc 'Excellent product.' L9: aastore L10: dup L11: iconst_1 L12: ldc 'Such a great product.' L14: aastore L15: dup L16: iconst_2 L17: ldc 'I always use that product.' L19: aastore L20: dup L21: iconst_3 L22: ldc 'Best product of its category.' L24: aastore L25: dup L26: iconst_4 L27: ldc 'Exceptional product.' L29: aastore L30: dup L31: iconst_5 L32: ldc 'I can’t live without this product.' L34: aastore L35: astore_1 L36: bipush 6 L38: anewarray java/lang/String L41: dup L42: iconst_0 L43: ldc 'Now I feel good.' L45: aastore L46: dup L47: iconst_1 L48: ldc 'I have succeeded with this product.' L50: aastore L51: dup L52: iconst_2 L53: ldc 'Makes miracles. I am happy of the results!' L55: aastore L56: dup L57: iconst_3 L58: ldc 'I cannot believe but now I feel awesome.' L60: aastore L61: dup L62: iconst_4 L63: ldc 'Try it yourself, I am very satisfied.' L65: aastore L66: dup L67: iconst_5 L68: ldc 'I feel great!' L70: aastore L71: astore_2 L72: bipush 8 L74: anewarray java/lang/String L77: dup L78: iconst_0 L79: ldc 'Diana' L81: aastore L82: dup L83: iconst_1 L84: ldc 'Petya' L86: aastore L87: dup L88: iconst_2 L89: ldc 'Stella' L91: aastore L92: dup L93: iconst_3 L94: ldc 'Elena' L96: aastore L97: dup L98: iconst_4 L99: ldc 'Katya' L101: aastore L102: dup L103: iconst_5 L104: ldc 'Iva' L106: aastore L107: dup L108: bipush 6 L110: ldc 'Annie' L112: aastore L113: dup L114: bipush 7 L116: ldc 'Eva' L118: aastore L119: astore_3 L120: iconst_5 L121: anewarray java/lang/String L124: dup L125: iconst_0 L126: ldc 'Burgas' L128: aastore L129: dup L130: iconst_1 L131: ldc 'Sofia' L133: aastore L134: dup L135: iconst_2 L136: ldc 'Plovdiv' L138: aastore L139: dup L140: iconst_3 L141: ldc 'Varna' L143: aastore L144: dup L145: iconst_4 L146: ldc 'Ruse' L148: aastore L149: astore 4 L151: new java/util/Random L154: dup L155: invokespecial Method java/util/Random <init> ()V L158: astore 5 L160: new java/util/Scanner L163: dup L164: getstatic Field java/lang/System in Ljava/io/InputStream; L167: invokespecial Method java/util/Scanner <init> (Ljava/io/InputStream;)V L170: astore 6 L172: aload 6 L174: invokevirtual Method java/util/Scanner nextLine ()Ljava/lang/String; L177: invokestatic Method java/lang/Integer parseInt (Ljava/lang/String;)I L180: istore 7 L182: iconst_0 L183: istore 8 .stack full locals Object [Ljava/lang/String; Object [Ljava/lang/String; Object [Ljava/lang/String; Object [Ljava/lang/String; Object [Ljava/lang/String; Object java/util/Random Object java/util/Scanner Integer Integer stack .end stack L185: iload 8 L187: iload 7 L189: if_icmpge L277 L192: aload 5 L194: aload_1 L195: arraylength L196: invokevirtual Method java/util/Random nextInt (I)I L199: istore 9 L201: aload 5 L203: aload_2 L204: arraylength L205: invokevirtual Method java/util/Random nextInt (I)I L208: istore 10 L210: aload 5 L212: aload_3 L213: arraylength L214: invokevirtual Method java/util/Random nextInt (I)I L217: istore 11 L219: aload 5 L221: aload 4 L223: arraylength L224: invokevirtual Method java/util/Random nextInt (I)I L227: istore 12 L229: getstatic Field java/lang/System out Ljava/io/PrintStream; L232: ldc '%s %s %s - %s \n' L234: iconst_4 L235: anewarray java/lang/Object L238: dup L239: iconst_0 L240: aload_1 L241: iload 9 L243: aaload L244: aastore L245: dup L246: iconst_1 L247: aload_2 L248: iload 10 L250: aaload L251: aastore L252: dup L253: iconst_2 L254: aload_3 L255: iload 11 L257: aaload L258: aastore L259: dup L260: iconst_3 L261: aload 4 L263: iload 12 L265: aaload L266: aastore L267: invokevirtual Method java/io/PrintStream printf (Ljava/lang/String;[Ljava/lang/Object;)Ljava/io/PrintStream; L270: pop L271: iinc 8 1 L274: goto L185 .stack chop 1 L277: return L278: .linenumbertable L0 7 L36 10 L72 13 L120 15 L151 17 L160 19 L172 20 L182 22 L192 23 L201 24 L210 25 L219 26 L229 28 L271 22 L277 31 .end linenumbertable .end code .end method .sourcefile 'Main.java' .end class
/* * This file was automatically generated by EvoSuite * Fri Jul 01 03:30:28 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 Main_ESTest extends Main_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { String[] stringArray0 = new String[7]; // Undeclared exception! try { Main.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 { Main main0 = new Main(); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Fri Jul 01 03:30:28 GMT 2022 */ import org.evosuite.runtime.annotation.EvoSuiteClassExclude; import org.junit.BeforeClass; import org.junit.Before; import org.junit.After; import org.junit.AfterClass; import org.evosuite.runtime.sandbox.Sandbox; import org.evosuite.runtime.sandbox.Sandbox.SandboxMode; @EvoSuiteClassExclude public class 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/tmpm95yrham"); java.lang.System.setProperty("user.home", "/home/bmcdanel"); java.lang.System.setProperty("user.language", "en"); java.lang.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" ); } }
2,228
RefusedBequest
import java.util.ArrayList; public class RefusedBequest extends ArrayList { @Override public int size() { return 0; } } class A { @Override public String toString() { return "A.toString"; } } class B extends A { @Override public String toString() { return "B.toString"; } }
.version 52 0 .class public super RefusedBequest .super java/util/ArrayList .method public <init> : ()V .code stack 1 locals 1 L0: aload_0 L1: invokespecial Method java/util/ArrayList <init> ()V L4: return L5: .linenumbertable L0 5 .end linenumbertable .end code .end method .method public size : ()I .code stack 1 locals 1 L0: iconst_0 L1: ireturn L2: .linenumbertable L0 9 .end linenumbertable .end code .end method .sourcefile 'RefusedBequest.java' .end class
/* * This file was automatically generated by EvoSuite * Mon Jul 04 04:40: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 RefusedBequest_ESTest extends RefusedBequest_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { RefusedBequest refusedBequest0 = new RefusedBequest(); int int0 = refusedBequest0.size(); assertEquals(0, int0); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Mon Jul 04 04:40: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 RefusedBequest_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000); @BeforeClass public static void initEvoSuiteFramework() { org.evosuite.runtime.RuntimeSettings.className = "RefusedBequest"; org.evosuite.runtime.GuiSupport.initialize(); org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); org.evosuite.runtime.classhandling.JDKClassResetter.init(); setSystemProperties(); initializeClasses(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); } @AfterClass public static void clearEvoSuiteFramework(){ Sandbox.resetDefaultSecurityManager(); java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); } @Before public void initTestCase(){ threadStopper.storeCurrentThreads(); threadStopper.startRecordingTime(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); setSystemProperties(); org.evosuite.runtime.GuiSupport.setHeadless(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); org.evosuite.runtime.agent.InstrumentingAgent.activate(); } @After public void doneWithTestCase(){ threadStopper.killAndJoinClientThreads(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); org.evosuite.runtime.classhandling.JDKClassResetter.reset(); resetClasses(); org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); } public static void setSystemProperties() { java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); java.lang.System.setProperty("file.encoding", "UTF-8"); java.lang.System.setProperty("java.awt.headless", "true"); java.lang.System.setProperty("java.io.tmpdir", "/tmp"); java.lang.System.setProperty("user.country", "US"); java.lang.System.setProperty("user.dir", "/tmp/tmpweljl7ba"); java.lang.System.setProperty("user.home", "/home/bmcdanel"); java.lang.System.setProperty("user.language", "en"); java.lang.System.setProperty("user.name", "bmcdanel"); java.lang.System.setProperty("user.timezone", "America/New_York"); } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(RefusedBequest_ESTest_scaffolding.class.getClassLoader() , "RefusedBequest" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(RefusedBequest_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "RefusedBequest" ); } }
2,229
IncorrectObjectException
/* * Copyright (C) 2013 UniCoPA * * 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/>. */ /** * Indicated that an object queried does already exist. * * @author Nintaro */ public class IncorrectObjectException extends Exception { public IncorrectObjectException(String message) { super(message); } }
.version 52 0 .class public super IncorrectObjectException .super java/lang/Exception .method public <init> : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: invokespecial Method java/lang/Exception <init> (Ljava/lang/String;)V L5: return L6: .linenumbertable L0 27 L5 28 .end linenumbertable .end code .end method .sourcefile 'IncorrectObjectException.java' .end class
/* * This file was automatically generated by EvoSuite * Mon Jul 04 02:54: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 IncorrectObjectException_ESTest extends IncorrectObjectException_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { IncorrectObjectException incorrectObjectException0 = new IncorrectObjectException(".T^4<`^q0jZ< Gyu"); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Mon Jul 04 02:54: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 IncorrectObjectException_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000); @BeforeClass public static void initEvoSuiteFramework() { org.evosuite.runtime.RuntimeSettings.className = "IncorrectObjectException"; org.evosuite.runtime.GuiSupport.initialize(); org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); org.evosuite.runtime.classhandling.JDKClassResetter.init(); setSystemProperties(); initializeClasses(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); } @AfterClass public static void clearEvoSuiteFramework(){ Sandbox.resetDefaultSecurityManager(); java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); } @Before public void initTestCase(){ threadStopper.storeCurrentThreads(); threadStopper.startRecordingTime(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); setSystemProperties(); org.evosuite.runtime.GuiSupport.setHeadless(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); org.evosuite.runtime.agent.InstrumentingAgent.activate(); } @After public void doneWithTestCase(){ threadStopper.killAndJoinClientThreads(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); org.evosuite.runtime.classhandling.JDKClassResetter.reset(); resetClasses(); org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); } public static void setSystemProperties() { java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); java.lang.System.setProperty("file.encoding", "UTF-8"); java.lang.System.setProperty("java.awt.headless", "true"); java.lang.System.setProperty("java.io.tmpdir", "/tmp"); java.lang.System.setProperty("user.country", "US"); java.lang.System.setProperty("user.dir", "/tmp/tmp0h7fixp9"); java.lang.System.setProperty("user.home", "/home/bmcdanel"); java.lang.System.setProperty("user.language", "en"); java.lang.System.setProperty("user.name", "bmcdanel"); java.lang.System.setProperty("user.timezone", "America/New_York"); } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(IncorrectObjectException_ESTest_scaffolding.class.getClassLoader() , "IncorrectObjectException" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(IncorrectObjectException_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "IncorrectObjectException" ); } }
2,230
Rot
/** * RotN(rotate by N places),回转N位密码,是一种简易的替换式密码,也是过去在古罗马开发的凯撒加密的一种变体。<br> * 代码来自:https://github.com/orclight/jencrypt * * @author cruise.xu,shuzhilong * @since 4.4.1 */ public class Rot { private static final char aCHAR = 'a'; private static final char zCHAR = 'z'; private static final char ACHAR = 'A'; private static final char ZCHAR = 'Z'; private static final char CHAR0 = '0'; private static final char CHAR9 = '9'; /** * Rot-13编码,同时编码数字 * * @param message 被编码的消息 * @return 编码后的字符串 */ public static String encode13(String message) { return encode13(message, true); } /** * Rot-13编码 * * @param message 被编码的消息 * @param isEnocdeNumber 是否编码数字 * @return 编码后的字符串 */ public static String encode13(String message, boolean isEnocdeNumber) { return encode(message, 13, isEnocdeNumber); } /** * RotN编码 * * @param message 被编码的消息 * @param offset 位移,常用位移13 * @param isEnocdeNumber 是否编码数字 * @return 编码后的字符串 */ public static String encode(String message, int offset, boolean isEnocdeNumber) { final int len = message.length(); final char[] chars = new char[len]; for (int i = 0; i < len; i++) { chars[i] = encodeChar(message.charAt(i), offset, isEnocdeNumber); } return new String(chars); } /** * Rot-13解码,同时解码数字 * * @param rot 被解码的消息密文 * @return 解码后的字符串 */ public static String decode13(String rot) { return decode13(rot, true); } /** * Rot-13解码 * * @param rot 被解码的消息密文 * @param isDecodeNumber 是否解码数字 * @return 解码后的字符串 */ public static String decode13(String rot, boolean isDecodeNumber) { return decode(rot, 13, isDecodeNumber); } /** * RotN解码 * * @param rot 被解码的消息密文 * @param offset 位移,常用位移13 * @param isDecodeNumber 是否解码数字 * @return 解码后的字符串 */ public static String decode(String rot, int offset, boolean isDecodeNumber) { final int len = rot.length(); final char[] chars = new char[len]; for (int i = 0; i < len; i++) { chars[i] = decodeChar(rot.charAt(i), offset, isDecodeNumber); } return new String(chars); } // ------------------------------------------------------------------------------------------ // Private method start /** * 解码字符 * * @param c 字符 * @param offset 位移 * @param isDecodeNumber 是否解码数字 * @return 解码后的字符串 */ private static char encodeChar(char c, int offset, boolean isDecodeNumber) { if (isDecodeNumber) { if (c >= CHAR0 && c <= CHAR9) { c -= CHAR0; c = (char) ((c + offset) % 10); c += CHAR0; } } // A == 65, Z == 90 if (c >= ACHAR && c <= ZCHAR) { c -= ACHAR; c = (char) ((c + offset) % 26); c += ACHAR; } // a == 97, z == 122. else if (c >= aCHAR && c <= zCHAR) { c -= aCHAR; c = (char) ((c + offset) % 26); c += aCHAR; } return c; } /** * 编码字符 * * @param c 字符 * @param offset 位移 * @param isDecodeNumber 是否编码数字 * @return 编码后的字符串 */ private static char decodeChar(char c, int offset, boolean isDecodeNumber) { int temp = c; // if converting numbers is enabled if (isDecodeNumber) { if (temp >= CHAR0 && temp <= CHAR9) { temp -= CHAR0; temp = temp - offset; while (temp < 0) { temp += 10; } temp += CHAR0; } } // A == 65, Z == 90 if (temp >= ACHAR && temp <= ZCHAR) { temp -= ACHAR; temp = temp - offset; while (temp < 0) { temp = 26 + temp; } temp += ACHAR; } else if (temp >= aCHAR && temp <= zCHAR) { temp -= aCHAR; temp = temp - offset; if (temp < 0) temp = 26 + temp; temp += aCHAR; } return (char) temp; } // ------------------------------------------------------------------------------------------ // Private method end }
.version 52 0 .class public super Rot .super java/lang/Object .field private static final aCHAR C = 97 .field private static final zCHAR C = 122 .field private static final ACHAR C = 65 .field private static final ZCHAR C = 90 .field private static final CHAR0 C = 48 .field private static final CHAR9 C = 57 .method 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 encode13 : (Ljava/lang/String;)Ljava/lang/String; .code stack 2 locals 1 L0: aload_0 L1: iconst_1 L2: invokestatic Method Rot encode13 (Ljava/lang/String;Z)Ljava/lang/String; L5: areturn L6: .linenumbertable L0 26 .end linenumbertable .end code .end method .method public static encode13 : (Ljava/lang/String;Z)Ljava/lang/String; .code stack 3 locals 2 L0: aload_0 L1: bipush 13 L3: iload_1 L4: invokestatic Method Rot encode (Ljava/lang/String;IZ)Ljava/lang/String; L7: areturn L8: .linenumbertable L0 37 .end linenumbertable .end code .end method .method public static encode : (Ljava/lang/String;IZ)Ljava/lang/String; .code stack 5 locals 6 L0: aload_0 L1: invokevirtual Method java/lang/String length ()I L4: istore_3 L5: iload_3 L6: newarray char L8: astore 4 L10: iconst_0 L11: istore 5 .stack append Integer Object [C Integer L13: iload 5 L15: iload_3 L16: if_icmpge L41 L19: aload 4 L21: iload 5 L23: aload_0 L24: iload 5 L26: invokevirtual Method java/lang/String charAt (I)C L29: iload_1 L30: iload_2 L31: invokestatic Method Rot encodeChar (CIZ)C L34: castore L35: iinc 5 1 L38: goto L13 .stack chop 1 L41: new java/lang/String L44: dup L45: aload 4 L47: invokespecial Method java/lang/String <init> ([C)V L50: areturn L51: .linenumbertable L0 49 L5 50 L10 52 L19 53 L35 52 L41 55 .end linenumbertable .end code .end method .method public static decode13 : (Ljava/lang/String;)Ljava/lang/String; .code stack 2 locals 1 L0: aload_0 L1: iconst_1 L2: invokestatic Method Rot decode13 (Ljava/lang/String;Z)Ljava/lang/String; L5: areturn L6: .linenumbertable L0 65 .end linenumbertable .end code .end method .method public static decode13 : (Ljava/lang/String;Z)Ljava/lang/String; .code stack 3 locals 2 L0: aload_0 L1: bipush 13 L3: iload_1 L4: invokestatic Method Rot decode (Ljava/lang/String;IZ)Ljava/lang/String; L7: areturn L8: .linenumbertable L0 76 .end linenumbertable .end code .end method .method public static decode : (Ljava/lang/String;IZ)Ljava/lang/String; .code stack 5 locals 6 L0: aload_0 L1: invokevirtual Method java/lang/String length ()I L4: istore_3 L5: iload_3 L6: newarray char L8: astore 4 L10: iconst_0 L11: istore 5 .stack append Integer Object [C Integer L13: iload 5 L15: iload_3 L16: if_icmpge L41 L19: aload 4 L21: iload 5 L23: aload_0 L24: iload 5 L26: invokevirtual Method java/lang/String charAt (I)C L29: iload_1 L30: iload_2 L31: invokestatic Method Rot decodeChar (CIZ)C L34: castore L35: iinc 5 1 L38: goto L13 .stack chop 1 L41: new java/lang/String L44: dup L45: aload 4 L47: invokespecial Method java/lang/String <init> ([C)V L50: areturn L51: .linenumbertable L0 88 L5 89 L10 91 L19 92 L35 91 L41 94 .end linenumbertable .end code .end method .method private static encodeChar : (CIZ)C .code stack 2 locals 3 L0: iload_2 L1: ifeq L36 L4: iload_0 L5: bipush 48 L7: if_icmplt L36 L10: iload_0 L11: bipush 57 L13: if_icmpgt L36 L16: iload_0 L17: bipush 48 L19: isub L20: i2c L21: istore_0 L22: iload_0 L23: iload_1 L24: iadd L25: bipush 10 L27: irem L28: i2c L29: istore_0 L30: iload_0 L31: bipush 48 L33: iadd L34: i2c L35: istore_0 .stack same L36: iload_0 L37: bipush 65 L39: if_icmplt L71 L42: iload_0 L43: bipush 90 L45: if_icmpgt L71 L48: iload_0 L49: bipush 65 L51: isub L52: i2c L53: istore_0 L54: iload_0 L55: iload_1 L56: iadd L57: bipush 26 L59: irem L60: i2c L61: istore_0 L62: iload_0 L63: bipush 65 L65: iadd L66: i2c L67: istore_0 L68: goto L103 .stack same L71: iload_0 L72: bipush 97 L74: if_icmplt L103 L77: iload_0 L78: bipush 122 L80: if_icmpgt L103 L83: iload_0 L84: bipush 97 L86: isub L87: i2c L88: istore_0 L89: iload_0 L90: iload_1 L91: iadd L92: bipush 26 L94: irem L95: i2c L96: istore_0 L97: iload_0 L98: bipush 97 L100: iadd L101: i2c L102: istore_0 .stack same L103: iload_0 L104: ireturn L105: .linenumbertable L0 107 L4 108 L16 109 L22 110 L30 111 L36 116 L48 117 L54 118 L62 119 L71 122 L83 123 L89 124 L97 125 L103 127 .end linenumbertable .end code .end method .method private static decodeChar : (CIZ)C .code stack 2 locals 4 L0: iload_0 L1: istore_3 L2: iload_2 L3: ifeq L38 L6: iload_3 L7: bipush 48 L9: if_icmplt L38 L12: iload_3 L13: bipush 57 L15: if_icmpgt L38 L18: iinc 3 -48 L21: iload_3 L22: iload_1 L23: isub L24: istore_3 .stack append Integer L25: iload_3 L26: ifge L35 L29: iinc 3 10 L32: goto L25 .stack same L35: iinc 3 48 .stack same L38: iload_3 L39: bipush 65 L41: if_icmplt L75 L44: iload_3 L45: bipush 90 L47: if_icmpgt L75 L50: iinc 3 -65 L53: iload_3 L54: iload_1 L55: isub L56: istore_3 .stack same L57: iload_3 L58: ifge L69 L61: bipush 26 L63: iload_3 L64: iadd L65: istore_3 L66: goto L57 .stack same L69: iinc 3 65 L72: goto L106 .stack same L75: iload_3 L76: bipush 97 L78: if_icmplt L106 L81: iload_3 L82: bipush 122 L84: if_icmpgt L106 L87: iinc 3 -97 L90: iload_3 L91: iload_1 L92: isub L93: istore_3 L94: iload_3 L95: ifge L103 L98: bipush 26 L100: iload_3 L101: iadd L102: istore_3 .stack same L103: iinc 3 97 .stack same L106: iload_3 L107: i2c L108: ireturn L109: .linenumbertable L0 139 L2 141 L6 142 L18 143 L21 144 L25 145 L29 146 L35 148 L38 153 L50 154 L53 156 L57 157 L61 158 L69 160 L75 161 L87 162 L90 164 L94 165 L98 166 L103 168 L106 170 .end linenumbertable .end code .end method .sourcefile 'Rot.java' .end class
/* * This file was automatically generated by EvoSuite * Fri Jul 01 05:23:34 GMT 2022 */ import org.junit.Test; import static org.junit.Assert.*; import static org.evosuite.runtime.EvoAssertions.*; import org.evosuite.runtime.EvoRunner; import org.evosuite.runtime.EvoRunnerParameters; import org.junit.runner.RunWith; @RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) public class Rot_ESTest extends Rot_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { int int0 = 72571; boolean boolean0 = true; Rot.decode("v:4Y<f\">", 72571, true); boolean boolean1 = false; Rot.decode(" [|']bZp_9Uf^uh0)", 72571, false); Rot rot0 = new Rot(); Rot.decode13(" [|']bZp_9Uf^uh0)", false); Rot.encode13("\uE515:3T<\uE505\">", false); Rot.decode("08m", 3191, true); Rot.decode13("\uE515:3G<\uE505\">"); // Undeclared exception! try { Rot.decode13((String) null); fail("Expecting exception: NullPointerException"); } catch(NullPointerException e) { // // no message in exception (getMessage() returned null) // } } @Test(timeout = 4000) public void test1() throws Throwable { Rot.encode13("", false); Rot.decode13("z08rWmToBD[5}%{m=", false); Rot.decode13("B:gVXI*i\"lG"); Rot.decode13("AMCP5qApj"); Rot.decode13(""); Rot.encode13("AMCP5qApj", false); Rot.decode("B:gVXI*i\"lG", (-6757), false); Rot.encode("O:tIKV*v\"yT", (-33493), false); Rot.decode13("*(|>", false); Rot.encode13("z08rWmToBD[5}%{m=", false); Rot.decode("", (-33493), false); Rot.encode("B:gVXI*i\"lG", 0, true); Rot.encode("", 97, true); Rot rot0 = new Rot(); } @Test(timeout = 4000) public void test2() throws Throwable { boolean boolean0 = false; Rot.encode("", 43463, false); int int0 = 0; // Undeclared exception! try { Rot.encode((String) null, 0, true); fail("Expecting exception: NullPointerException"); } catch(NullPointerException e) { // // no message in exception (getMessage() returned null) // verifyException("Rot", e); } } @Test(timeout = 4000) public void test3() throws Throwable { Rot.encode13("Rot"); boolean boolean0 = false; // Undeclared exception! try { Rot.decode((String) null, 31773, false); fail("Expecting exception: NullPointerException"); } catch(NullPointerException e) { // // no message in exception (getMessage() returned null) // } } @Test(timeout = 4000) public void test4() throws Throwable { Rot.encode("/w@S* TW4jd", 0, false); Rot.decode13("", false); Rot.decode13(""); Rot.decode13("/w@S* TW4jd", true); Rot.encode13("N@?)Q7U]A(R1]M@msX"); boolean boolean0 = false; Rot.encode("", 0, false); Rot.decode("", 0, true); Rot.decode("5*", 0, true); Rot.decode13("m3HBX'mlVzjj+\"M2m", false); Rot.encode13(""); // Undeclared exception! try { Rot.decode((String) null, (-10136), false); fail("Expecting exception: NullPointerException"); } catch(NullPointerException e) { // // no message in exception (getMessage() returned null) // } } @Test(timeout = 4000) public void test5() throws Throwable { Rot.decode13(""); boolean boolean0 = false; Rot.encode13("", false); boolean boolean1 = true; Rot.decode13("", true); Rot rot0 = new Rot(); Rot.decode("", (-1), false); Rot.encode13(""); // Undeclared exception! Rot.decode("Xt-L7ed829ul, G", 92356, false); } @Test(timeout = 4000) public void test6() throws Throwable { String string0 = Rot.decode("", (-60139), true); assertEquals("", string0); } @Test(timeout = 4000) public void test7() throws Throwable { Rot.encode("", 21923, false); Rot rot0 = new Rot(); Rot.decode13("", true); Rot.encode13("", false); Rot.decode("", 0, false); Rot.decode13("", false); Rot.encode13("", false); Rot.encode("", 0, false); Rot.decode("", 0, false); Rot.decode13("", false); Rot.encode13(""); Rot.decode13(""); Rot.decode("", 0, true); String string0 = Rot.decode("", 21923, false); Rot.decode("", (-93371), true); Rot.decode("Rot", 85981, false); Rot.encode13("", false); Rot.decode13("Rot", true); Rot.encode13(""); String string1 = Rot.encode13(""); assertTrue(string1.equals((Object)string0)); } @Test(timeout = 4000) public void test8() throws Throwable { String string0 = Rot.encode13("Rot"); assertEquals("Ebg", string0); Rot rot0 = new Rot(); String string1 = Rot.decode13("S$Z[MZyu))!R"); assertEquals("F$M[ZMlh))!E", string1); Rot.decode13("", false); String string2 = Rot.decode("Rot", (-775), false); assertEquals("\u0359\u0376\u037B", string2); String string3 = Rot.encode13("Psa}UKB$-Yv9", false); assertEquals("Cfn}HXO$-Li9", string3); } @Test(timeout = 4000) public void test9() throws Throwable { Rot.decode("", 0, true); Rot.encode13("zuB3PbXu.y>z2!?t", false); Rot.encode("mhO3CoKh.l>m2!?g", 0, false); Rot.encode("", 1, false); Rot.decode("", 0, true); Rot rot0 = new Rot(); Rot.encode("4)nyGcb:9RqV!KPb", 0, false); String string0 = Rot.encode13(",QFix6K(PEl", false); Rot.encode("", 50656, false); Rot.decode13(""); Rot.decode("=k-Mv~7oL0Tc^", 50656, false); Rot.decode("", 0, true); Rot.decode13("WTVJX+^O!osUlv[h.", true); Rot.encode("b>y'o<AG=6^l", (-25921), false); Rot.encode("JGIWK+^B!bfHyi[u.", 86781, false); String string1 = Rot.decode13(""); assertFalse(string1.equals((Object)string0)); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Fri Jul 01 05:23: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 Rot_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000); @BeforeClass public static void initEvoSuiteFramework() { org.evosuite.runtime.RuntimeSettings.className = "Rot"; org.evosuite.runtime.GuiSupport.initialize(); org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); org.evosuite.runtime.classhandling.JDKClassResetter.init(); setSystemProperties(); initializeClasses(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); } @AfterClass public static void clearEvoSuiteFramework(){ Sandbox.resetDefaultSecurityManager(); java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); } @Before public void initTestCase(){ threadStopper.storeCurrentThreads(); threadStopper.startRecordingTime(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); setSystemProperties(); org.evosuite.runtime.GuiSupport.setHeadless(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); org.evosuite.runtime.agent.InstrumentingAgent.activate(); } @After public void doneWithTestCase(){ threadStopper.killAndJoinClientThreads(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); org.evosuite.runtime.classhandling.JDKClassResetter.reset(); resetClasses(); org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); } public static void setSystemProperties() { java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); java.lang.System.setProperty("file.encoding", "UTF-8"); java.lang.System.setProperty("java.awt.headless", "true"); java.lang.System.setProperty("java.io.tmpdir", "/tmp"); java.lang.System.setProperty("user.country", "US"); java.lang.System.setProperty("user.dir", "/tmp/tmpn9fm5gq_"); java.lang.System.setProperty("user.home", "/home/bmcdanel"); java.lang.System.setProperty("user.language", "en"); java.lang.System.setProperty("user.name", "bmcdanel"); java.lang.System.setProperty("user.timezone", "America/New_York"); } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Rot_ESTest_scaffolding.class.getClassLoader() , "Rot" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Rot_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "Rot" ); } }
2,231
AppsFlyerTrackEvent
/* Copyright (c) 2012 GFT Appverse, S.L., Sociedad Unipersonal. This Source Code Form is subject to the terms of the Appverse Public License Version 2.0 ("APL v2.0"). If a copy of the APL was not distributed with this file, You can obtain one at http://appverse.org/legal/appverse-license/. Redistribution and use in source and binary forms, with or without modification, are permitted provided that the conditions of the AppVerse Public License v2.0 are met. THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED. EXCEPT IN CASE OF WILLFUL MISCONDUCT OR GROSS NEGLIGENCE, IN NO EVENT SHALL THE COPYRIGHT OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT(INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. */ public class AppsFlyerTrackEvent { /** Event name. For example "registration" or "purchase" */ private String EventName; /** Sales value. Null value is possible. */ private String EventRevenueValue; // constructor is needed for JSON parsing public AppsFlyerTrackEvent() { super(); } public String getEventName() { return EventName; } public void setEventName(String eventName) { EventName = eventName; } public String getEventRevenueValue() { return EventRevenueValue; } public void setEventRevenueValue(String eventRevenueValue) { EventRevenueValue = eventRevenueValue; } }
.version 52 0 .class public super AppsFlyerTrackEvent .super java/lang/Object .field private EventName Ljava/lang/String; .field private EventRevenueValue 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 42 L4 43 .end linenumbertable .end code .end method .method public getEventName : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field AppsFlyerTrackEvent EventName Ljava/lang/String; L4: areturn L5: .linenumbertable L0 46 .end linenumbertable .end code .end method .method public setEventName : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field AppsFlyerTrackEvent EventName Ljava/lang/String; L5: return L6: .linenumbertable L0 50 L5 51 .end linenumbertable .end code .end method .method public getEventRevenueValue : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field AppsFlyerTrackEvent EventRevenueValue Ljava/lang/String; L4: areturn L5: .linenumbertable L0 54 .end linenumbertable .end code .end method .method public setEventRevenueValue : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field AppsFlyerTrackEvent EventRevenueValue Ljava/lang/String; L5: return L6: .linenumbertable L0 58 L5 59 .end linenumbertable .end code .end method .sourcefile 'AppsFlyerTrackEvent.java' .end class
/* * This file was automatically generated by EvoSuite * Sun Jul 03 18:23: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 AppsFlyerTrackEvent_ESTest extends AppsFlyerTrackEvent_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { AppsFlyerTrackEvent appsFlyerTrackEvent0 = new AppsFlyerTrackEvent(); appsFlyerTrackEvent0.setEventRevenueValue("0*;8=qk\"V"); String string0 = appsFlyerTrackEvent0.getEventRevenueValue(); assertEquals("0*;8=qk\"V", string0); } @Test(timeout = 4000) public void test1() throws Throwable { AppsFlyerTrackEvent appsFlyerTrackEvent0 = new AppsFlyerTrackEvent(); appsFlyerTrackEvent0.setEventRevenueValue(""); String string0 = appsFlyerTrackEvent0.getEventRevenueValue(); assertEquals("", string0); } @Test(timeout = 4000) public void test2() throws Throwable { AppsFlyerTrackEvent appsFlyerTrackEvent0 = new AppsFlyerTrackEvent(); appsFlyerTrackEvent0.setEventName("{B}"); String string0 = appsFlyerTrackEvent0.getEventName(); assertEquals("{B}", string0); } @Test(timeout = 4000) public void test3() throws Throwable { AppsFlyerTrackEvent appsFlyerTrackEvent0 = new AppsFlyerTrackEvent(); String string0 = appsFlyerTrackEvent0.getEventRevenueValue(); assertNull(string0); } @Test(timeout = 4000) public void test4() throws Throwable { AppsFlyerTrackEvent appsFlyerTrackEvent0 = new AppsFlyerTrackEvent(); appsFlyerTrackEvent0.setEventName(""); String string0 = appsFlyerTrackEvent0.getEventName(); assertEquals("", string0); } @Test(timeout = 4000) public void test5() throws Throwable { AppsFlyerTrackEvent appsFlyerTrackEvent0 = new AppsFlyerTrackEvent(); String string0 = appsFlyerTrackEvent0.getEventName(); assertNull(string0); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sun Jul 03 18:23: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 AppsFlyerTrackEvent_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000); @BeforeClass public static void initEvoSuiteFramework() { org.evosuite.runtime.RuntimeSettings.className = "AppsFlyerTrackEvent"; org.evosuite.runtime.GuiSupport.initialize(); org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); org.evosuite.runtime.classhandling.JDKClassResetter.init(); setSystemProperties(); initializeClasses(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); } @AfterClass public static void clearEvoSuiteFramework(){ Sandbox.resetDefaultSecurityManager(); java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); } @Before public void initTestCase(){ threadStopper.storeCurrentThreads(); threadStopper.startRecordingTime(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); setSystemProperties(); org.evosuite.runtime.GuiSupport.setHeadless(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); org.evosuite.runtime.agent.InstrumentingAgent.activate(); } @After public void doneWithTestCase(){ threadStopper.killAndJoinClientThreads(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); org.evosuite.runtime.classhandling.JDKClassResetter.reset(); resetClasses(); org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); } public static void setSystemProperties() { java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); java.lang.System.setProperty("file.encoding", "UTF-8"); java.lang.System.setProperty("java.awt.headless", "true"); java.lang.System.setProperty("java.io.tmpdir", "/tmp"); java.lang.System.setProperty("user.country", "US"); java.lang.System.setProperty("user.dir", "/tmp/tmpju2dic84"); java.lang.System.setProperty("user.home", "/home/bmcdanel"); java.lang.System.setProperty("user.language", "en"); java.lang.System.setProperty("user.name", "bmcdanel"); java.lang.System.setProperty("user.timezone", "America/New_York"); } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(AppsFlyerTrackEvent_ESTest_scaffolding.class.getClassLoader() , "AppsFlyerTrackEvent" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(AppsFlyerTrackEvent_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "AppsFlyerTrackEvent" ); } }
2,232
Javatest39
import java.util.Scanner; public class Javatest39 { public static void main(String[] args) { // TODO Auto-generated method stub Scanner scn = new Scanner(System.in); System.out.println("n"); int n = scn.nextInt(); System.out.println(n + "!=" + fac(n)); } public static int fac(int v1) { if (v1 == 1) { return 1; } else { return v1 * fac(v1 - 1); } } public static long fun1(int v1) { long result = 1; for (int i = 1; i <= v1; i++) { result *= i; } return result; } }
.version 52 0 .class public super Javatest39 .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 2 .end linenumbertable .end code .end method .method public static main : ([Ljava/lang/String;)V .code stack 3 locals 3 L0: new java/util/Scanner L3: dup L4: getstatic Field java/lang/System in Ljava/io/InputStream; L7: invokespecial Method java/util/Scanner <init> (Ljava/io/InputStream;)V L10: astore_1 L11: getstatic Field java/lang/System out Ljava/io/PrintStream; L14: ldc 'n' L16: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V L19: aload_1 L20: invokevirtual Method java/util/Scanner nextInt ()I L23: istore_2 L24: getstatic Field java/lang/System out Ljava/io/PrintStream; L27: new java/lang/StringBuilder L30: dup L31: invokespecial Method java/lang/StringBuilder <init> ()V L34: iload_2 L35: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder; L38: ldc '!=' L40: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L43: iload_2 L44: invokestatic Method Javatest39 fac (I)I L47: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder; L50: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; L53: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V L56: return L57: .linenumbertable L0 6 L11 7 L19 8 L24 9 L56 10 .end linenumbertable .end code .end method .method public static fac : (I)I .code stack 3 locals 1 L0: iload_0 L1: iconst_1 L2: if_icmpne L7 L5: iconst_1 L6: ireturn .stack same L7: iload_0 L8: iload_0 L9: iconst_1 L10: isub L11: invokestatic Method Javatest39 fac (I)I L14: imul L15: ireturn L16: .linenumbertable L0 12 L5 13 L7 15 .end linenumbertable .end code .end method .method public static fun1 : (I)J .code stack 4 locals 4 L0: lconst_1 L1: lstore_1 L2: iconst_1 L3: istore_3 .stack append Long Integer L4: iload_3 L5: iload_0 L6: if_icmpgt L20 L9: lload_1 L10: iload_3 L11: i2l L12: lmul L13: lstore_1 L14: iinc 3 1 L17: goto L4 .stack chop 1 L20: lload_1 L21: lreturn L22: .linenumbertable L0 19 L2 20 L9 21 L14 20 L20 23 .end linenumbertable .end code .end method .sourcefile 'Javatest39.java' .end class
/* * This file was automatically generated by EvoSuite * Fri Jul 01 05:08:38 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 Javatest39_ESTest extends Javatest39_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { String[] stringArray0 = new String[5]; stringArray0[0] = ""; stringArray0[1] = ""; stringArray0[2] = "a81:J4WG"; stringArray0[3] = ""; stringArray0[4] = "n"; // Undeclared exception! try { Javatest39.main(stringArray0); fail("Expecting exception: NoSuchElementException"); } catch(NoSuchElementException e) { // // no message in exception (getMessage() returned null) // verifyException("java.util.Scanner", e); } } @Test(timeout = 4000) public void test1() throws Throwable { int int0 = 40254; // Undeclared exception! Javatest39.fun1(40254); } @Test(timeout = 4000) public void test2() throws Throwable { Javatest39 javatest39_0 = new Javatest39(); assertNotNull(javatest39_0); String[] stringArray0 = new String[3]; stringArray0[0] = ""; stringArray0[1] = "!="; stringArray0[2] = ""; // Undeclared exception! try { Javatest39.main(stringArray0); fail("Expecting exception: NoSuchElementException"); } catch(NoSuchElementException e) { // // no message in exception (getMessage() returned null) // verifyException("java.util.Scanner", e); } } @Test(timeout = 4000) public void test3() throws Throwable { String[] stringArray0 = new String[1]; stringArray0[0] = ""; // Undeclared exception! try { Javatest39.main(stringArray0); fail("Expecting exception: NoSuchElementException"); } catch(NoSuchElementException e) { // // no message in exception (getMessage() returned null) // verifyException("java.util.Scanner", e); } } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Fri Jul 01 05:08: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 Javatest39_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000); @BeforeClass public static void initEvoSuiteFramework() { org.evosuite.runtime.RuntimeSettings.className = "Javatest39"; org.evosuite.runtime.GuiSupport.initialize(); org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); org.evosuite.runtime.classhandling.JDKClassResetter.init(); setSystemProperties(); initializeClasses(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); } @AfterClass public static void clearEvoSuiteFramework(){ Sandbox.resetDefaultSecurityManager(); java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); } @Before public void initTestCase(){ threadStopper.storeCurrentThreads(); threadStopper.startRecordingTime(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); setSystemProperties(); org.evosuite.runtime.GuiSupport.setHeadless(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); org.evosuite.runtime.agent.InstrumentingAgent.activate(); org.evosuite.runtime.util.SystemInUtil.getInstance().initForTestCase(); } @After public void doneWithTestCase(){ threadStopper.killAndJoinClientThreads(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); org.evosuite.runtime.classhandling.JDKClassResetter.reset(); resetClasses(); org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); } public static void setSystemProperties() { java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); java.lang.System.setProperty("file.encoding", "UTF-8"); java.lang.System.setProperty("java.awt.headless", "true"); java.lang.System.setProperty("java.io.tmpdir", "/tmp"); java.lang.System.setProperty("user.country", "US"); java.lang.System.setProperty("user.dir", "/tmp/tmp_d_z3tvw"); java.lang.System.setProperty("user.home", "/home/bmcdanel"); java.lang.System.setProperty("user.language", "en"); java.lang.System.setProperty("user.name", "bmcdanel"); java.lang.System.setProperty("user.timezone", "America/New_York"); } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Javatest39_ESTest_scaffolding.class.getClassLoader() , "Javatest39" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Javatest39_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "Javatest39" ); } }
2,233
URIEncoder
/** Created by hackingwu on 2014/4/1. */ public class URIEncoder { /** * 把非Ascii码字符串转换成百分号字符串 * * @param src * @return */ public static String escape(String src) { int i; char j; StringBuffer temp = new StringBuffer(); temp.ensureCapacity(src.length() * 6); for (i = 0; i < src.length(); i++) { j = src.charAt(i); // 数字,字母 if (Character.isDigit(j) || Character.isLowerCase(j) || Character.isUpperCase(j)) temp.append(j); else if (j < 256) { temp.append("%"); if (j < 16) temp.append("0"); temp.append(Integer.toString(j, 16)); } else { temp.append("%u"); temp.append(Integer.toString(j, 16)); } } return temp.toString(); } /** * 把百分号字符串转换成字符串 * * @param src * @return */ public static String unescape(String src) { StringBuffer temp = new StringBuffer(); temp.ensureCapacity(src.length()); int lastPos = 0, pos = 0; char ch; while (lastPos < src.length()) { pos = src.indexOf("%", lastPos); if (pos == lastPos) { if (src.charAt(pos + 1) == 'u') { ch = (char) Integer.parseInt(src.substring(pos + 2, pos + 6), 16); temp.append(ch); lastPos = pos + 6; } else { ch = (char) Integer.parseInt(src.substring(pos + 1, pos + 3), 16); temp.append(ch); lastPos = pos + 3; } } else { if (pos == -1) { temp.append(src.substring(lastPos)); lastPos = src.length(); } else { temp.append(src.substring(lastPos, pos)); lastPos = pos; } } } return temp.toString(); } public static void main(String[] args) { String tmp1 = "~!@#$%^&*()_+|\\=-,./?><;'][{}\""; String tmp = "吴志坚"; System.out.println("testing escape : " + tmp); tmp = escape(tmp); System.out.println(tmp); System.out.println("testing unescape :" + tmp); System.out.println(unescape(tmp)); } }
.version 52 0 .class public super URIEncoder .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 escape : (Ljava/lang/String;)Ljava/lang/String; .code stack 3 locals 4 L0: new java/lang/StringBuffer L3: dup L4: invokespecial Method java/lang/StringBuffer <init> ()V L7: astore_3 L8: aload_3 L9: aload_0 L10: invokevirtual Method java/lang/String length ()I L13: bipush 6 L15: imul L16: invokevirtual Method java/lang/StringBuffer ensureCapacity (I)V L19: iconst_0 L20: istore_1 .stack append Integer Top Object java/lang/StringBuffer L21: iload_1 L22: aload_0 L23: invokevirtual Method java/lang/String length ()I L26: if_icmpge L130 L29: aload_0 L30: iload_1 L31: invokevirtual Method java/lang/String charAt (I)C L34: istore_2 L35: iload_2 L36: invokestatic Method java/lang/Character isDigit (C)Z L39: ifne L56 L42: iload_2 L43: invokestatic Method java/lang/Character isLowerCase (C)Z L46: ifne L56 L49: iload_2 L50: invokestatic Method java/lang/Character isUpperCase (C)Z L53: ifeq L65 .stack full locals Object java/lang/String Integer Integer Object java/lang/StringBuffer stack .end stack L56: aload_3 L57: iload_2 L58: invokevirtual Method java/lang/StringBuffer append (C)Ljava/lang/StringBuffer; L61: pop L62: goto L124 .stack same L65: iload_2 L66: sipush 256 L69: if_icmpge L106 L72: aload_3 L73: ldc '%' L75: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/String;)Ljava/lang/StringBuffer; L78: pop L79: iload_2 L80: bipush 16 L82: if_icmpge L92 L85: aload_3 L86: ldc '0' L88: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/String;)Ljava/lang/StringBuffer; L91: pop .stack same L92: aload_3 L93: iload_2 L94: bipush 16 L96: invokestatic Method java/lang/Integer toString (II)Ljava/lang/String; L99: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/String;)Ljava/lang/StringBuffer; L102: pop L103: goto L124 .stack same L106: aload_3 L107: ldc '%u' L109: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/String;)Ljava/lang/StringBuffer; L112: pop L113: aload_3 L114: iload_2 L115: bipush 16 L117: invokestatic Method java/lang/Integer toString (II)Ljava/lang/String; L120: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/String;)Ljava/lang/StringBuffer; L123: pop .stack same L124: iinc 1 1 L127: goto L21 .stack full locals Object java/lang/String Integer Top Object java/lang/StringBuffer stack .end stack L130: aload_3 L131: invokevirtual Method java/lang/StringBuffer toString ()Ljava/lang/String; L134: areturn L135: .linenumbertable L0 17 L8 18 L19 19 L29 20 L35 22 L56 23 L65 24 L72 25 L79 26 L85 27 L92 28 L106 30 L113 31 L124 19 L130 34 .end linenumbertable .end code .end method .method public static unescape : (Ljava/lang/String;)Ljava/lang/String; .code stack 4 locals 5 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 java/lang/String length ()I L13: invokevirtual Method java/lang/StringBuffer ensureCapacity (I)V L16: iconst_0 L17: istore_2 L18: iconst_0 L19: istore_3 .stack append Object java/lang/StringBuffer Integer Integer L20: iload_2 L21: aload_0 L22: invokevirtual Method java/lang/String length ()I L25: if_icmpge L158 L28: aload_0 L29: ldc '%' L31: iload_2 L32: invokevirtual Method java/lang/String indexOf (Ljava/lang/String;I)I L35: istore_3 L36: iload_3 L37: iload_2 L38: if_icmpne L119 L41: aload_0 L42: iload_3 L43: iconst_1 L44: iadd L45: invokevirtual Method java/lang/String charAt (I)C L48: bipush 117 L50: if_icmpne L87 L53: aload_0 L54: iload_3 L55: iconst_2 L56: iadd L57: iload_3 L58: bipush 6 L60: iadd L61: invokevirtual Method java/lang/String substring (II)Ljava/lang/String; L64: bipush 16 L66: invokestatic Method java/lang/Integer parseInt (Ljava/lang/String;I)I L69: i2c L70: istore 4 L72: aload_1 L73: iload 4 L75: invokevirtual Method java/lang/StringBuffer append (C)Ljava/lang/StringBuffer; L78: pop L79: iload_3 L80: bipush 6 L82: iadd L83: istore_2 L84: goto L20 .stack same_extended L87: aload_0 L88: iload_3 L89: iconst_1 L90: iadd L91: iload_3 L92: iconst_3 L93: iadd L94: invokevirtual Method java/lang/String substring (II)Ljava/lang/String; L97: bipush 16 L99: invokestatic Method java/lang/Integer parseInt (Ljava/lang/String;I)I L102: i2c L103: istore 4 L105: aload_1 L106: iload 4 L108: invokevirtual Method java/lang/StringBuffer append (C)Ljava/lang/StringBuffer; L111: pop L112: iload_3 L113: iconst_3 L114: iadd L115: istore_2 L116: goto L20 .stack same L119: iload_3 L120: iconst_m1 L121: if_icmpne L142 L124: aload_1 L125: aload_0 L126: iload_2 L127: invokevirtual Method java/lang/String substring (I)Ljava/lang/String; L130: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/String;)Ljava/lang/StringBuffer; L133: pop L134: aload_0 L135: invokevirtual Method java/lang/String length ()I L138: istore_2 L139: goto L20 .stack same L142: aload_1 L143: aload_0 L144: iload_2 L145: iload_3 L146: invokevirtual Method java/lang/String substring (II)Ljava/lang/String; L149: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/String;)Ljava/lang/StringBuffer; L152: pop L153: iload_3 L154: istore_2 L155: goto L20 .stack same L158: aload_1 L159: invokevirtual Method java/lang/StringBuffer toString ()Ljava/lang/String; L162: areturn L163: .linenumbertable L0 44 L8 45 L16 46 L20 48 L28 49 L36 50 L41 51 L53 52 L72 53 L79 54 L87 56 L105 58 L112 59 L119 62 L124 63 L134 64 L142 66 L153 67 L158 71 .end linenumbertable .end code .end method .method public static main : ([Ljava/lang/String;)V .code stack 3 locals 3 L0: ldc '~!@#$%^&*()_+|\\=-,./?><;\'][{}"' L2: astore_1 L3: ldc '吴志坚' L5: astore_2 L6: getstatic Field java/lang/System out Ljava/io/PrintStream; L9: new java/lang/StringBuilder L12: dup L13: invokespecial Method java/lang/StringBuilder <init> ()V L16: ldc 'testing escape : ' L18: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L21: aload_2 L22: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L25: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; L28: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V L31: aload_2 L32: invokestatic Method URIEncoder escape (Ljava/lang/String;)Ljava/lang/String; L35: astore_2 L36: getstatic Field java/lang/System out Ljava/io/PrintStream; L39: aload_2 L40: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V L43: getstatic Field java/lang/System out Ljava/io/PrintStream; L46: new java/lang/StringBuilder L49: dup L50: invokespecial Method java/lang/StringBuilder <init> ()V L53: ldc 'testing unescape :' L55: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L58: aload_2 L59: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L62: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; L65: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V L68: getstatic Field java/lang/System out Ljava/io/PrintStream; L71: aload_2 L72: invokestatic Method URIEncoder unescape (Ljava/lang/String;)Ljava/lang/String; L75: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V L78: return L79: .linenumbertable L0 75 L3 76 L6 77 L31 78 L36 79 L43 80 L68 81 L78 82 .end linenumbertable .end code .end method .sourcefile 'URIEncoder.java' .end class
/* * This file was automatically generated by EvoSuite * Fri Jul 01 15:48:13 GMT 2022 */ import org.junit.Test; import static org.junit.Assert.*; import static org.evosuite.runtime.EvoAssertions.*; import org.evosuite.runtime.EvoRunner; import org.evosuite.runtime.EvoRunnerParameters; import org.junit.runner.RunWith; @RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) public class URIEncoder_ESTest extends URIEncoder_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { String string0 = URIEncoder.escape("ug^.wmPfL:#P0rw<T'c"); assertEquals("ug%5e%2ewmPfL%3a%23P0rw%3cT%27c", string0); URIEncoder.main((String[]) null); URIEncoder.unescape("&>sh.3i1F"); URIEncoder uRIEncoder0 = new URIEncoder(); String string1 = URIEncoder.unescape("ug^.wmPfL:#P0rw<T'c"); assertEquals("ug^.wmPfL:#P0rw<T'c", string1); } @Test(timeout = 4000) public void test1() throws Throwable { URIEncoder.unescape("rvJ!Qy(Rc"); String string0 = URIEncoder.unescape("rvJ!Qy(Rc"); assertEquals("rvJ!Qy(Rc", string0); } @Test(timeout = 4000) public void test2() throws Throwable { URIEncoder.unescape("Qfj+s++,TO"); String[] stringArray0 = new String[3]; stringArray0[0] = "Qfj+s++,TO"; stringArray0[1] = "Qfj+s++,TO"; String string0 = "dJG`"; stringArray0[2] = "dJG`"; URIEncoder.main(stringArray0); URIEncoder.unescape("Qfj+s++,TO"); URIEncoder.main(stringArray0); URIEncoder.main(stringArray0); URIEncoder.unescape("Qfj+s++,TO"); String string1 = "W;q|l="; URIEncoder.escape("W;q|l="); URIEncoder.main(stringArray0); URIEncoder.main(stringArray0); URIEncoder uRIEncoder0 = new URIEncoder(); URIEncoder.escape("Qfj+s++,TO"); URIEncoder.unescape("Qfj+s++,TO"); URIEncoder.unescape("R[Si5Oq?\"('~Wq"); String string2 = null; // Undeclared exception! try { URIEncoder.escape((String) null); fail("Expecting exception: NullPointerException"); } catch(NullPointerException e) { // // no message in exception (getMessage() returned null) // verifyException("URIEncoder", e); } } @Test(timeout = 4000) public void test3() throws Throwable { URIEncoder.escape("%u"); URIEncoder uRIEncoder0 = new URIEncoder(); URIEncoder.unescape("%25u"); String[] stringArray0 = new String[9]; stringArray0[0] = "%u"; stringArray0[1] = "%25u"; stringArray0[2] = "%25u"; stringArray0[3] = "%u"; stringArray0[4] = "NMM>Hn,R\"_"; stringArray0[5] = "%25u"; stringArray0[6] = "%u"; stringArray0[7] = "%25u"; stringArray0[8] = "%25u"; URIEncoder.main(stringArray0); String string0 = URIEncoder.unescape("%25u"); assertEquals("%u", string0); String[] stringArray1 = new String[4]; stringArray1[0] = "%u"; stringArray1[1] = "%u"; stringArray1[2] = "%u"; stringArray1[3] = "%25u"; URIEncoder.main(stringArray1); URIEncoder.main(stringArray1); URIEncoder.escape("%25u"); String string1 = URIEncoder.escape("Q'}BkG}:{h5"); assertEquals("Q%27%7dBkG%7d%3a%7bh5", string1); } @Test(timeout = 4000) public void test4() throws Throwable { URIEncoder.unescape(""); URIEncoder.unescape(""); URIEncoder.unescape(""); String string0 = null; // Undeclared exception! try { URIEncoder.unescape((String) null); fail("Expecting exception: NullPointerException"); } catch(NullPointerException e) { // // no message in exception (getMessage() returned null) // } } @Test(timeout = 4000) public void test5() throws Throwable { URIEncoder.unescape(""); String[] stringArray0 = new String[9]; stringArray0[0] = ""; stringArray0[1] = ""; stringArray0[2] = ""; stringArray0[3] = ""; stringArray0[4] = ""; stringArray0[5] = ""; stringArray0[6] = ""; stringArray0[7] = ""; stringArray0[8] = ""; URIEncoder.main(stringArray0); URIEncoder uRIEncoder0 = new URIEncoder(); String string0 = URIEncoder.unescape(""); assertEquals("", string0); } @Test(timeout = 4000) public void test6() throws Throwable { URIEncoder uRIEncoder0 = new URIEncoder(); URIEncoder.unescape(""); String[] stringArray0 = new String[1]; stringArray0[0] = ""; URIEncoder.main(stringArray0); assertEquals(1, stringArray0.length); } @Test(timeout = 4000) public void test7() throws Throwable { URIEncoder uRIEncoder0 = new URIEncoder(); String[] stringArray0 = new String[6]; stringArray0[0] = "\"LK/nr%EoFA%"; stringArray0[1] = "zs[b:K)|R*%o'x`0@"; stringArray0[2] = "hF}E:jr"; stringArray0[3] = ""; stringArray0[4] = ""; stringArray0[5] = "%u"; URIEncoder.main(stringArray0); URIEncoder.escape(""); // Undeclared exception! try { URIEncoder.escape((String) null); fail("Expecting exception: NullPointerException"); } catch(NullPointerException e) { // // no message in exception (getMessage() returned null) // verifyException("URIEncoder", e); } } @Test(timeout = 4000) public void test8() throws Throwable { String[] stringArray0 = new String[4]; stringArray0[0] = "testing unescape :"; stringArray0[1] = "O=e0D~\"tRA#Y-N"; stringArray0[2] = "~7Gq|}`{L)HN*gV)n~0"; stringArray0[3] = "LGc4.pGY<\":s{r6~"; URIEncoder.main(stringArray0); URIEncoder.unescape(""); URIEncoder.escape(""); URIEncoder.main(stringArray0); URIEncoder.escape("lvJ2"); URIEncoder.unescape("AvB_;jvF7P88M"); URIEncoder uRIEncoder0 = new URIEncoder(); URIEncoder.escape("@_+azfBA!}l)eXJ7B"); URIEncoder.main(stringArray0); URIEncoder.escape("~7Gq|}`{L)HN*gV)n~0"); String[] stringArray1 = new String[7]; stringArray1[0] = "lvJ2"; stringArray1[1] = "O=e0D~\"tRA#Y-N"; stringArray1[2] = "O=e0D~\"tRA#Y-N"; stringArray1[3] = "testing unescape :"; stringArray1[4] = "AvB_;jvF7P88M"; stringArray1[5] = "testing unescape :"; stringArray1[6] = ""; URIEncoder.main(stringArray1); assertEquals(7, stringArray1.length); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Fri Jul 01 15:48: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 URIEncoder_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000); @BeforeClass public static void initEvoSuiteFramework() { org.evosuite.runtime.RuntimeSettings.className = "URIEncoder"; org.evosuite.runtime.GuiSupport.initialize(); org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); org.evosuite.runtime.classhandling.JDKClassResetter.init(); setSystemProperties(); initializeClasses(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); } @AfterClass public static void clearEvoSuiteFramework(){ Sandbox.resetDefaultSecurityManager(); java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); } @Before public void initTestCase(){ threadStopper.storeCurrentThreads(); threadStopper.startRecordingTime(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); setSystemProperties(); org.evosuite.runtime.GuiSupport.setHeadless(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); org.evosuite.runtime.agent.InstrumentingAgent.activate(); } @After public void doneWithTestCase(){ threadStopper.killAndJoinClientThreads(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); org.evosuite.runtime.classhandling.JDKClassResetter.reset(); resetClasses(); org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); } public static void setSystemProperties() { java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); java.lang.System.setProperty("file.encoding", "UTF-8"); java.lang.System.setProperty("java.awt.headless", "true"); java.lang.System.setProperty("java.io.tmpdir", "/tmp"); java.lang.System.setProperty("user.country", "US"); java.lang.System.setProperty("user.dir", "/tmp/tmppmic2cja"); java.lang.System.setProperty("user.home", "/home/bmcdanel"); java.lang.System.setProperty("user.language", "en"); java.lang.System.setProperty("user.name", "bmcdanel"); java.lang.System.setProperty("user.timezone", "America/New_York"); } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(URIEncoder_ESTest_scaffolding.class.getClassLoader() , "URIEncoder" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(URIEncoder_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "URIEncoder" ); } }
2,234
IdClientException
/** * Copyright (C) 2015 Etaia AS ([email protected]) * * <p>Licensed under the Apache License, Version 2.0 (the "License"); you may not use this file * except in compliance with the License. You may obtain a copy of the License at * * <p>http://www.apache.org/licenses/LICENSE-2.0 * * <p>Unless required by applicable law or agreed to in writing, software distributed under the * License is distributed on an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either * express or implied. See the License for the specific language governing permissions and * limitations under the License. */ /** * @author Emir Dizdarevic * @since 1.0.0 */ public class IdClientException extends RuntimeException { public IdClientException(String message) { super(message); } public IdClientException(String message, Throwable cause) { super(message, cause); } public IdClientException(Throwable cause) { super(cause); } }
.version 52 0 .class public super IdClientException .super java/lang/RuntimeException .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 25 L5 26 .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 29 L6 30 .end linenumbertable .end code .end method .method public <init> : (Ljava/lang/Throwable;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: invokespecial Method java/lang/RuntimeException <init> (Ljava/lang/Throwable;)V L5: return L6: .linenumbertable L0 33 L5 34 .end linenumbertable .end code .end method .sourcefile 'IdClientException.java' .end class
/* * This file was automatically generated by EvoSuite * Sat Jul 02 00:22:59 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 IdClientException_ESTest extends IdClientException_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { MockThrowable mockThrowable0 = new MockThrowable(); IdClientException idClientException0 = new IdClientException("", mockThrowable0); } @Test(timeout = 4000) public void test1() throws Throwable { MockThrowable mockThrowable0 = new MockThrowable(); IdClientException idClientException0 = new IdClientException(mockThrowable0); } @Test(timeout = 4000) public void test2() throws Throwable { IdClientException idClientException0 = new IdClientException(""); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sat Jul 02 00:22: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 IdClientException_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000); @BeforeClass public static void initEvoSuiteFramework() { org.evosuite.runtime.RuntimeSettings.className = "IdClientException"; org.evosuite.runtime.GuiSupport.initialize(); org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); org.evosuite.runtime.classhandling.JDKClassResetter.init(); setSystemProperties(); initializeClasses(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); } @AfterClass public static void clearEvoSuiteFramework(){ Sandbox.resetDefaultSecurityManager(); java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); } @Before public void initTestCase(){ threadStopper.storeCurrentThreads(); threadStopper.startRecordingTime(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); setSystemProperties(); org.evosuite.runtime.GuiSupport.setHeadless(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); org.evosuite.runtime.agent.InstrumentingAgent.activate(); } @After public void doneWithTestCase(){ threadStopper.killAndJoinClientThreads(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); org.evosuite.runtime.classhandling.JDKClassResetter.reset(); resetClasses(); org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); } public static void setSystemProperties() { java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); java.lang.System.setProperty("file.encoding", "UTF-8"); java.lang.System.setProperty("java.awt.headless", "true"); java.lang.System.setProperty("java.io.tmpdir", "/tmp"); java.lang.System.setProperty("user.country", "US"); java.lang.System.setProperty("user.dir", "/tmp/tmpbaax4o98"); java.lang.System.setProperty("user.home", "/home/bmcdanel"); java.lang.System.setProperty("user.language", "en"); java.lang.System.setProperty("user.name", "bmcdanel"); java.lang.System.setProperty("user.timezone", "America/New_York"); } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(IdClientException_ESTest_scaffolding.class.getClassLoader() , "IdClientException" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(IdClientException_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "IdClientException" ); } }
2,235
Text
/* * TeamStats by Mats Bovin ([email protected]) * Version 1.2 - September 1999 * Copyright (c) 1996-99. All rights reserved. * * File: Text.java * * * This program is free software; you can redistribute it and/or modify * it under the terms of the GNU General Public License as published by * the Free Software Foundation; either version 2 of the License, or * (at your option) any later version. * * This program is distributed in the hope that it will be useful, * but WITHOUT ANY WARRANTY; without even the implied warranty of * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the * GNU General Public License for more details. * * You should have received a copy of the GNU General Public License * along with this program; if not, write to the Free Software * Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA 02111-1307 USA * */ /** Constant text strings */ class Text { private Text() {} /////////// // Danish /////////// // // Main // public static final String MAI_LOADING = "Indlæser "; public static final String MAI_ERROR = "Fejl: "; public static final String MAI_NOMATCHFILE = "Ingen kampfil er specificeret"; public static final String MAI_NOFINDMATCHFILE = "Kan ikke finde kampfilen"; public static final String MAI_NOFINDLEAGUEFILE = "Kan ikke finde parameterfilen (liga filen)"; public static final String MAI_NOMATCHES = "Kampfilen indeholder ingen kampe"; public static final String MAI_TABLE = "Tabel"; public static final String MAI_MATCHES = "Kampe"; public static final String MAI_STATS = "Statistikker"; public static final String MAI_COMPARE = "Sammenlign hold"; public static final String MAI_HOMEURL = "http://www.mbovin.com/ts/"; // // Tablemode // public static final String TAB_MATCHES = "Kampe:"; public static final String TAB_ROUNDS = "Runder:"; public static final String TAB_ALL1 = "Alle"; public static final String TAB_HOME = "Hjemme"; public static final String TAB_AWAY = "Ude"; public static final String TAB_ALL2 = "Alle"; public static final String TAB_FIRST = "Første"; public static final String TAB_LAST = "Sidste"; // // Matchmode // public static final String MAT_TEAM = "Hold:"; public static final String MAT_MATCHES = "Kampe:"; public static final String MAT_RESULTS = "Resultater:"; public static final String MAT_ALL1 = "Alle"; public static final String MAT_ALL2 = "Alle"; public static final String MAT_HOME = "Hjemme"; public static final String MAT_AWAY = "Ude"; public static final String MAT_ALL3 = "Alle"; public static final String MAT_WON = "Vundet"; public static final String MAT_DRAWN = "Uafgjorte"; public static final String MAT_LOST = "Tabte"; public static final String MAT_HOMELET = "H"; public static final String MAT_AWAYLET = "U"; // // Statsmode // public static final int STA_X1 = 185; public static final int STA_X2 = 345; public static final String STA_PLAYED = "Kampe spillet:"; public static final String STA_HOMEWON = "Vundet af hjemmeholdet:"; public static final String STA_DRAWN = "Uafgjorte:"; public static final String STA_AWAYWON = "Vundet af udeholdet:"; public static final String STA_GOALS = "Mål scoret:"; public static final String STA_HOMEGOALS = "Mål af hjemmeholdet:"; public static final String STA_AWAYGOALS = "Mål af udeholdet:"; public static final String STA_COMMONRES = "Oftest spillede resultat:"; public static final String STA_TIMES = " gange"; public static final String STA_BIGHOME = "Største hjemmesejr:"; public static final String STA_BIGAWAY = "Største udesejr:"; public static final String STA_MOSTGOALS = "Målrigeste kamp:"; // // Comparemode // public static final int COM_X1 = 20; public static final int COM_X2 = 120; public static final String COM_STATS = "Statistik"; public static final String COM_HA_STATS = "Hjemme/ude Statistik"; public static final String COM_EARLIER = "Tidligere kampe"; public static final String COM_HOMETEAM = "Hjemmehold:"; public static final String COM_AWAYTEAM = "Udehold:"; public static final String COM_TABLEPOS = "Placering:"; public static final String COM_PLAYED = "Kampe spillede:"; public static final String COM_WON = "Vundet:"; public static final String COM_DRAWN = "Uafgjort:"; public static final String COM_LOST = "Tabt:"; public static final String COM_SCORED = "Mål for:"; public static final String COM_AGAINST = "Mål imod:"; public static final String COM_RESCENT = "Fem sidste kampe:"; public static final String COM_SERIES = "Aktuelle bedrifter:"; public static final String COM_COMMONRES = "Mest spillede resultat:"; public static final String COM_UNBEATEN = "Ubesejret: "; public static final String COM_NOWIN = "Ingen kampe vundet:"; public static final String COM_SER_WON = "Vundet: "; public static final String COM_SER_DRAWN = "Uafgjorte: "; public static final String COM_SER_LOST = "Tabte: "; public static final String COM_NOAGA = "Rent bur: "; public static final String COM_NOSCORE = "Ingen mål scoret i:"; public static final String COM_MATCHES = " Kampe"; }
.version 52 0 .class super Text .super java/lang/Object .field public static final MAI_LOADING Ljava/lang/String; = 'Indlæser ' .field public static final MAI_ERROR Ljava/lang/String; = 'Fejl: ' .field public static final MAI_NOMATCHFILE Ljava/lang/String; = 'Ingen kampfil er specificeret' .field public static final MAI_NOFINDMATCHFILE Ljava/lang/String; = 'Kan ikke finde kampfilen' .field public static final MAI_NOFINDLEAGUEFILE Ljava/lang/String; = 'Kan ikke finde parameterfilen (liga filen)' .field public static final MAI_NOMATCHES Ljava/lang/String; = 'Kampfilen indeholder ingen kampe' .field public static final MAI_TABLE Ljava/lang/String; = 'Tabel' .field public static final MAI_MATCHES Ljava/lang/String; = 'Kampe' .field public static final MAI_STATS Ljava/lang/String; = 'Statistikker' .field public static final MAI_COMPARE Ljava/lang/String; = 'Sammenlign hold' .field public static final MAI_HOMEURL Ljava/lang/String; = 'http://www.mbovin.com/ts/' .field public static final TAB_MATCHES Ljava/lang/String; = 'Kampe:' .field public static final TAB_ROUNDS Ljava/lang/String; = 'Runder:' .field public static final TAB_ALL1 Ljava/lang/String; = 'Alle' .field public static final TAB_HOME Ljava/lang/String; = 'Hjemme' .field public static final TAB_AWAY Ljava/lang/String; = 'Ude' .field public static final TAB_ALL2 Ljava/lang/String; = 'Alle' .field public static final TAB_FIRST Ljava/lang/String; = 'Første' .field public static final TAB_LAST Ljava/lang/String; = 'Sidste' .field public static final MAT_TEAM Ljava/lang/String; = 'Hold:' .field public static final MAT_MATCHES Ljava/lang/String; = 'Kampe:' .field public static final MAT_RESULTS Ljava/lang/String; = 'Resultater:' .field public static final MAT_ALL1 Ljava/lang/String; = 'Alle' .field public static final MAT_ALL2 Ljava/lang/String; = 'Alle' .field public static final MAT_HOME Ljava/lang/String; = 'Hjemme' .field public static final MAT_AWAY Ljava/lang/String; = 'Ude' .field public static final MAT_ALL3 Ljava/lang/String; = 'Alle' .field public static final MAT_WON Ljava/lang/String; = 'Vundet' .field public static final MAT_DRAWN Ljava/lang/String; = 'Uafgjorte' .field public static final MAT_LOST Ljava/lang/String; = 'Tabte' .field public static final MAT_HOMELET Ljava/lang/String; = 'H' .field public static final MAT_AWAYLET Ljava/lang/String; = 'U' .field public static final STA_X1 I = 185 .field public static final STA_X2 I = 345 .field public static final STA_PLAYED Ljava/lang/String; = 'Kampe spillet:' .field public static final STA_HOMEWON Ljava/lang/String; = 'Vundet af hjemmeholdet:' .field public static final STA_DRAWN Ljava/lang/String; = 'Uafgjorte:' .field public static final STA_AWAYWON Ljava/lang/String; = 'Vundet af udeholdet:' .field public static final STA_GOALS Ljava/lang/String; = 'Mål scoret:' .field public static final STA_HOMEGOALS Ljava/lang/String; = 'Mål af hjemmeholdet:' .field public static final STA_AWAYGOALS Ljava/lang/String; = 'Mål af udeholdet:' .field public static final STA_COMMONRES Ljava/lang/String; = 'Oftest spillede resultat:' .field public static final STA_TIMES Ljava/lang/String; = ' gange' .field public static final STA_BIGHOME Ljava/lang/String; = 'Største hjemmesejr:' .field public static final STA_BIGAWAY Ljava/lang/String; = 'Største udesejr:' .field public static final STA_MOSTGOALS Ljava/lang/String; = 'Målrigeste kamp:' .field public static final COM_X1 I = 20 .field public static final COM_X2 I = 120 .field public static final COM_STATS Ljava/lang/String; = 'Statistik' .field public static final COM_HA_STATS Ljava/lang/String; = 'Hjemme/ude Statistik' .field public static final COM_EARLIER Ljava/lang/String; = 'Tidligere kampe' .field public static final COM_HOMETEAM Ljava/lang/String; = 'Hjemmehold:' .field public static final COM_AWAYTEAM Ljava/lang/String; = 'Udehold:' .field public static final COM_TABLEPOS Ljava/lang/String; = 'Placering:' .field public static final COM_PLAYED Ljava/lang/String; = 'Kampe spillede:' .field public static final COM_WON Ljava/lang/String; = 'Vundet:' .field public static final COM_DRAWN Ljava/lang/String; = 'Uafgjort:' .field public static final COM_LOST Ljava/lang/String; = 'Tabt:' .field public static final COM_SCORED Ljava/lang/String; = 'Mål for:' .field public static final COM_AGAINST Ljava/lang/String; = 'Mål imod:' .field public static final COM_RESCENT Ljava/lang/String; = 'Fem sidste kampe:' .field public static final COM_SERIES Ljava/lang/String; = 'Aktuelle bedrifter:' .field public static final COM_COMMONRES Ljava/lang/String; = 'Mest spillede resultat:' .field public static final COM_UNBEATEN Ljava/lang/String; = 'Ubesejret: ' .field public static final COM_NOWIN Ljava/lang/String; = 'Ingen kampe vundet:' .field public static final COM_SER_WON Ljava/lang/String; = 'Vundet: ' .field public static final COM_SER_DRAWN Ljava/lang/String; = 'Uafgjorte: ' .field public static final COM_SER_LOST Ljava/lang/String; = 'Tabte: ' .field public static final COM_NOAGA Ljava/lang/String; = 'Rent bur: ' .field public static final COM_NOSCORE Ljava/lang/String; = 'Ingen mål scoret i:' .field public static final COM_MATCHES Ljava/lang/String; = ' Kampe' .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 33 .end linenumbertable .end code .end method .sourcefile 'Text.java' .end class
/* * This file was automatically generated by EvoSuite * Sun Jul 03 18:39:55 GMT 2022 */ import org.junit.Test; import static org.junit.Assert.*; import org.evosuite.runtime.EvoRunner; import org.evosuite.runtime.EvoRunnerParameters; import org.junit.runner.RunWith; @RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) public class Text_ESTest extends Text_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 18:39:55 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 Text_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 = "Text"; org.evosuite.runtime.GuiSupport.initialize(); org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.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(Text_ESTest_scaffolding.class.getClassLoader() , "Text" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Text_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "Text" ); } }
2,236
Province
public class Province { private int id; private String provinceName; private String provinceCode; public int getId() { return id; } public void setId(int id) { this.id = id; } public String getProvinceName() { return provinceName; } public void setProvinceName(String provinceName) { this.provinceName = provinceName; } public String getProvinceCode() { return provinceCode; } public void setProvinceCode(String provinceCode) { this.provinceCode = provinceCode; } }
.version 52 0 .class public super Province .super java/lang/Object .field private id I .field private provinceName Ljava/lang/String; .field private provinceCode Ljava/lang/String; .method public <init> : ()V .code stack 1 locals 1 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: return L5: .linenumbertable L0 4 .end linenumbertable .end code .end method .method public getId : ()I .code stack 1 locals 1 L0: aload_0 L1: getfield Field Province id I L4: ireturn L5: .linenumbertable L0 11 .end linenumbertable .end code .end method .method public setId : (I)V .code stack 2 locals 2 L0: aload_0 L1: iload_1 L2: putfield Field Province id I L5: return L6: .linenumbertable L0 15 L5 16 .end linenumbertable .end code .end method .method public getProvinceName : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field Province provinceName Ljava/lang/String; L4: areturn L5: .linenumbertable L0 19 .end linenumbertable .end code .end method .method public setProvinceName : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field Province provinceName Ljava/lang/String; L5: return L6: .linenumbertable L0 23 L5 24 .end linenumbertable .end code .end method .method public getProvinceCode : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field Province provinceCode Ljava/lang/String; L4: areturn L5: .linenumbertable L0 27 .end linenumbertable .end code .end method .method public setProvinceCode : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field Province provinceCode Ljava/lang/String; L5: return L6: .linenumbertable L0 31 L5 32 .end linenumbertable .end code .end method .sourcefile 'Province.java' .end class
/* * This file was automatically generated by EvoSuite * Sat Jul 02 03:11:50 GMT 2022 */ import org.junit.Test; import static org.junit.Assert.*; import org.evosuite.runtime.EvoRunner; import org.evosuite.runtime.EvoRunnerParameters; import org.junit.runner.RunWith; @RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) public class Province_ESTest extends Province_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { Province province0 = new Province(); province0.setProvinceName("71xeom{VK>\"B7$wW?>"); String string0 = province0.getProvinceName(); assertEquals("71xeom{VK>\"B7$wW?>", string0); } @Test(timeout = 4000) public void test1() throws Throwable { Province province0 = new Province(); province0.setProvinceCode("x;s"); String string0 = province0.getProvinceCode(); assertEquals("x;s", string0); } @Test(timeout = 4000) public void test2() throws Throwable { Province province0 = new Province(); province0.setProvinceCode(""); String string0 = province0.getProvinceCode(); assertEquals("", string0); } @Test(timeout = 4000) public void test3() throws Throwable { Province province0 = new Province(); province0.setId((-33901)); int int0 = province0.getId(); assertEquals((-33901), int0); } @Test(timeout = 4000) public void test4() throws Throwable { Province province0 = new Province(); String string0 = province0.getProvinceCode(); assertNull(string0); } @Test(timeout = 4000) public void test5() throws Throwable { Province province0 = new Province(); String string0 = province0.getProvinceName(); assertNull(string0); } @Test(timeout = 4000) public void test6() throws Throwable { Province province0 = new Province(); province0.setProvinceName(""); String string0 = province0.getProvinceName(); assertEquals("", string0); } @Test(timeout = 4000) public void test7() throws Throwable { Province province0 = new Province(); province0.setId(1); int int0 = province0.getId(); assertEquals(1, int0); } @Test(timeout = 4000) public void test8() throws Throwable { Province province0 = new Province(); int int0 = province0.getId(); assertEquals(0, int0); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sat Jul 02 03:11:50 GMT 2022 */ import org.evosuite.runtime.annotation.EvoSuiteClassExclude; import org.junit.BeforeClass; import org.junit.Before; import org.junit.After; import org.junit.AfterClass; import org.evosuite.runtime.sandbox.Sandbox; import org.evosuite.runtime.sandbox.Sandbox.SandboxMode; @EvoSuiteClassExclude public class Province_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000); @BeforeClass public static void initEvoSuiteFramework() { org.evosuite.runtime.RuntimeSettings.className = "Province"; org.evosuite.runtime.GuiSupport.initialize(); org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); org.evosuite.runtime.classhandling.JDKClassResetter.init(); setSystemProperties(); initializeClasses(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); } @AfterClass public static void clearEvoSuiteFramework(){ Sandbox.resetDefaultSecurityManager(); java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); } @Before public void initTestCase(){ threadStopper.storeCurrentThreads(); threadStopper.startRecordingTime(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); setSystemProperties(); org.evosuite.runtime.GuiSupport.setHeadless(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); org.evosuite.runtime.agent.InstrumentingAgent.activate(); } @After public void doneWithTestCase(){ threadStopper.killAndJoinClientThreads(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); org.evosuite.runtime.classhandling.JDKClassResetter.reset(); resetClasses(); org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); } public static void setSystemProperties() { java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); java.lang.System.setProperty("file.encoding", "UTF-8"); java.lang.System.setProperty("java.awt.headless", "true"); java.lang.System.setProperty("java.io.tmpdir", "/tmp"); java.lang.System.setProperty("user.country", "US"); java.lang.System.setProperty("user.dir", "/tmp/tmp0dt6jbm7"); java.lang.System.setProperty("user.home", "/home/bmcdanel"); java.lang.System.setProperty("user.language", "en"); java.lang.System.setProperty("user.name", "bmcdanel"); java.lang.System.setProperty("user.timezone", "America/New_York"); } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Province_ESTest_scaffolding.class.getClassLoader() , "Province" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Province_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "Province" ); } }
2,237
JFArrayByte
/** * @author pquiring * <p>Created : Sept 17, 2013 */ import java.util.*; public class JFArrayByte { private byte buf[]; private int count; public static int initSize = 64; public JFArrayByte() { count = 0; buf = new byte[initSize]; } public int size() { return count; } public void clear() { count = 0; if (buf.length != initSize) buf = new byte[initSize]; } public void append(byte s) { int newcount = count + 1; if (newcount > buf.length) { buf = Arrays.copyOf(buf, Math.max(buf.length << 1, newcount)); } buf[count] = s; count = newcount; } public void append(byte s[]) { int newcount = count + s.length; if (newcount > buf.length) { buf = Arrays.copyOf(buf, Math.max(buf.length << 1, newcount)); } System.arraycopy(s, 0, buf, count, s.length); count = newcount; } public void set(byte s[], int pos) { int newcount = pos + s.length; if (newcount > buf.length) { buf = Arrays.copyOf(buf, Math.max(buf.length << 1, newcount)); } System.arraycopy(s, 0, buf, pos, s.length); } public byte[] toArray() { return Arrays.copyOf(buf, count); } public byte[] toArray(int pos, int length) { return Arrays.copyOfRange(buf, pos, pos + length); } // returns the backing buffer (size may be larger than expected) public byte[] getBuffer() { return buf; } }
.version 52 0 .class public super JFArrayByte .super java/lang/Object .field private buf [B .field private count I .field public static initSize I .method public <init> : ()V .code stack 2 locals 1 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: aload_0 L5: iconst_0 L6: putfield Field JFArrayByte count I L9: aload_0 L10: getstatic Field JFArrayByte initSize I L13: newarray byte L15: putfield Field JFArrayByte buf [B L18: return L19: .linenumbertable L0 18 L4 19 L9 20 L18 21 .end linenumbertable .end code .end method .method public size : ()I .code stack 1 locals 1 L0: aload_0 L1: getfield Field JFArrayByte count I L4: ireturn L5: .linenumbertable L0 24 .end linenumbertable .end code .end method .method public clear : ()V .code stack 2 locals 1 L0: aload_0 L1: iconst_0 L2: putfield Field JFArrayByte count I L5: aload_0 L6: getfield Field JFArrayByte buf [B L9: arraylength L10: getstatic Field JFArrayByte initSize I L13: if_icmpeq L25 L16: aload_0 L17: getstatic Field JFArrayByte initSize I L20: newarray byte L22: putfield Field JFArrayByte buf [B .stack same L25: return L26: .linenumbertable L0 28 L5 29 L25 30 .end linenumbertable .end code .end method .method public append : (B)V .code stack 4 locals 3 L0: aload_0 L1: getfield Field JFArrayByte count I L4: iconst_1 L5: iadd L6: istore_2 L7: iload_2 L8: aload_0 L9: getfield Field JFArrayByte buf [B L12: arraylength L13: if_icmple L38 L16: aload_0 L17: aload_0 L18: getfield Field JFArrayByte buf [B L21: aload_0 L22: getfield Field JFArrayByte buf [B L25: arraylength L26: iconst_1 L27: ishl L28: iload_2 L29: invokestatic Method java/lang/Math max (II)I L32: invokestatic Method java/util/Arrays copyOf ([BI)[B L35: putfield Field JFArrayByte buf [B .stack append Integer L38: aload_0 L39: getfield Field JFArrayByte buf [B L42: aload_0 L43: getfield Field JFArrayByte count I L46: iload_1 L47: bastore L48: aload_0 L49: iload_2 L50: putfield Field JFArrayByte count I L53: return L54: .linenumbertable L0 33 L7 34 L16 35 L38 37 L48 38 L53 39 .end linenumbertable .end code .end method .method public append : ([B)V .code stack 5 locals 3 L0: aload_0 L1: getfield Field JFArrayByte count I L4: aload_1 L5: arraylength L6: iadd L7: istore_2 L8: iload_2 L9: aload_0 L10: getfield Field JFArrayByte buf [B L13: arraylength L14: if_icmple L39 L17: aload_0 L18: aload_0 L19: getfield Field JFArrayByte buf [B L22: aload_0 L23: getfield Field JFArrayByte buf [B L26: arraylength L27: iconst_1 L28: ishl L29: iload_2 L30: invokestatic Method java/lang/Math max (II)I L33: invokestatic Method java/util/Arrays copyOf ([BI)[B L36: putfield Field JFArrayByte buf [B .stack append Integer L39: aload_1 L40: iconst_0 L41: aload_0 L42: getfield Field JFArrayByte buf [B L45: aload_0 L46: getfield Field JFArrayByte count I L49: aload_1 L50: arraylength L51: invokestatic Method java/lang/System arraycopy (Ljava/lang/Object;ILjava/lang/Object;II)V L54: aload_0 L55: iload_2 L56: putfield Field JFArrayByte count I L59: return L60: .linenumbertable L0 42 L8 43 L17 44 L39 46 L54 47 L59 48 .end linenumbertable .end code .end method .method public set : ([BI)V .code stack 5 locals 4 L0: iload_2 L1: aload_1 L2: arraylength L3: iadd L4: istore_3 L5: iload_3 L6: aload_0 L7: getfield Field JFArrayByte buf [B L10: arraylength L11: if_icmple L36 L14: aload_0 L15: aload_0 L16: getfield Field JFArrayByte buf [B L19: aload_0 L20: getfield Field JFArrayByte buf [B L23: arraylength L24: iconst_1 L25: ishl L26: iload_3 L27: invokestatic Method java/lang/Math max (II)I L30: invokestatic Method java/util/Arrays copyOf ([BI)[B L33: putfield Field JFArrayByte buf [B .stack append Integer L36: aload_1 L37: iconst_0 L38: aload_0 L39: getfield Field JFArrayByte buf [B L42: iload_2 L43: aload_1 L44: arraylength L45: invokestatic Method java/lang/System arraycopy (Ljava/lang/Object;ILjava/lang/Object;II)V L48: return L49: .linenumbertable L0 51 L5 52 L14 53 L36 55 L48 56 .end linenumbertable .end code .end method .method public toArray : ()[B .code stack 2 locals 1 L0: aload_0 L1: getfield Field JFArrayByte buf [B L4: aload_0 L5: getfield Field JFArrayByte count I L8: invokestatic Method java/util/Arrays copyOf ([BI)[B L11: areturn L12: .linenumbertable L0 59 .end linenumbertable .end code .end method .method public toArray : (II)[B .code stack 4 locals 3 L0: aload_0 L1: getfield Field JFArrayByte buf [B L4: iload_1 L5: iload_1 L6: iload_2 L7: iadd L8: invokestatic Method java/util/Arrays copyOfRange ([BII)[B L11: areturn L12: .linenumbertable L0 63 .end linenumbertable .end code .end method .method public getBuffer : ()[B .code stack 1 locals 1 L0: aload_0 L1: getfield Field JFArrayByte buf [B L4: areturn L5: .linenumbertable L0 68 .end linenumbertable .end code .end method .method static <clinit> : ()V .code stack 1 locals 0 L0: bipush 64 L2: putstatic Field JFArrayByte initSize I L5: return L6: .linenumbertable L0 16 .end linenumbertable .end code .end method .sourcefile 'JFArrayByte.java' .end class
/* * This file was automatically generated by EvoSuite * Sat Jul 02 00:38:11 GMT 2022 */ import org.junit.Test; import static org.junit.Assert.*; import static org.evosuite.runtime.EvoAssertions.*; import org.evosuite.runtime.EvoRunner; import org.evosuite.runtime.EvoRunnerParameters; import org.junit.runner.RunWith; @RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) public class JFArrayByte_ESTest extends JFArrayByte_ESTest_scaffolding { @Test(timeout = 4000) public void test00() throws Throwable { JFArrayByte jFArrayByte0 = new JFArrayByte(); byte[] byteArray0 = new byte[8]; jFArrayByte0.append((byte) (-51)); jFArrayByte0.append(byteArray0); assertEquals(9, jFArrayByte0.size()); } @Test(timeout = 4000) public void test01() throws Throwable { JFArrayByte jFArrayByte0 = new JFArrayByte(); byte[] byteArray0 = new byte[8]; jFArrayByte0.append(byteArray0); jFArrayByte0.append((byte) (-51)); jFArrayByte0.append((byte) (-51)); jFArrayByte0.append(byteArray0); jFArrayByte0.getBuffer(); assertEquals(18, jFArrayByte0.size()); } @Test(timeout = 4000) public void test02() throws Throwable { JFArrayByte jFArrayByte0 = new JFArrayByte(); JFArrayByte.initSize = 0; jFArrayByte0.clear(); byte[] byteArray0 = new byte[8]; jFArrayByte0.append(byteArray0); jFArrayByte0.append(byteArray0); jFArrayByte0.append((byte)64); jFArrayByte0.toArray(); jFArrayByte0.size(); jFArrayByte0.clear(); // Undeclared exception! try { jFArrayByte0.toArray((-21744), 17); fail("Expecting exception: ArrayIndexOutOfBoundsException"); } catch(ArrayIndexOutOfBoundsException e) { } } @Test(timeout = 4000) public void test03() throws Throwable { JFArrayByte jFArrayByte0 = new JFArrayByte(); JFArrayByte.initSize = 0; jFArrayByte0.clear(); byte[] byteArray0 = jFArrayByte0.toArray(); jFArrayByte0.append(byteArray0); assertEquals(0, jFArrayByte0.size()); } @Test(timeout = 4000) public void test04() throws Throwable { JFArrayByte jFArrayByte0 = new JFArrayByte(); JFArrayByte.initSize = 64; JFArrayByte.initSize = 1; jFArrayByte0.clear(); jFArrayByte0.append((byte)0); assertEquals(1, jFArrayByte0.size()); } @Test(timeout = 4000) public void test05() throws Throwable { JFArrayByte jFArrayByte0 = new JFArrayByte(); byte[] byteArray0 = jFArrayByte0.toArray(0, 46155); assertEquals(46155, byteArray0.length); assertEquals(0, jFArrayByte0.size()); } @Test(timeout = 4000) public void test06() throws Throwable { JFArrayByte jFArrayByte0 = new JFArrayByte(); byte[] byteArray0 = jFArrayByte0.toArray(0, 0); assertEquals(0, jFArrayByte0.size()); assertEquals(0, byteArray0.length); } @Test(timeout = 4000) public void test07() throws Throwable { JFArrayByte jFArrayByte0 = new JFArrayByte(); JFArrayByte.initSize = 0; jFArrayByte0.clear(); byte[] byteArray0 = jFArrayByte0.getBuffer(); assertEquals(0, byteArray0.length); assertEquals(0, jFArrayByte0.size()); } @Test(timeout = 4000) public void test08() throws Throwable { JFArrayByte jFArrayByte0 = new JFArrayByte(); byte[] byteArray0 = new byte[8]; jFArrayByte0.set(byteArray0, 20758); jFArrayByte0.set(byteArray0, 21342); jFArrayByte0.clear(); jFArrayByte0.append(byteArray0); jFArrayByte0.append((byte) (-51)); jFArrayByte0.getBuffer(); assertEquals(9, jFArrayByte0.size()); } @Test(timeout = 4000) public void test09() throws Throwable { JFArrayByte jFArrayByte0 = new JFArrayByte(); byte[] byteArray0 = new byte[8]; jFArrayByte0.set(byteArray0, 0); jFArrayByte0.set(byteArray0, 20758); jFArrayByte0.clear(); jFArrayByte0.append(byteArray0); jFArrayByte0.append((byte) (-51)); jFArrayByte0.getBuffer(); assertEquals(9, jFArrayByte0.size()); } @Test(timeout = 4000) public void test10() throws Throwable { JFArrayByte jFArrayByte0 = new JFArrayByte(); JFArrayByte.initSize = (int) (byte)79; jFArrayByte0.clear(); assertEquals(0, jFArrayByte0.size()); } @Test(timeout = 4000) public void test11() throws Throwable { JFArrayByte jFArrayByte0 = new JFArrayByte(); jFArrayByte0.clear(); assertEquals(0, jFArrayByte0.size()); } @Test(timeout = 4000) public void test12() throws Throwable { JFArrayByte jFArrayByte0 = new JFArrayByte(); int int0 = jFArrayByte0.size(); assertEquals(0, int0); } @Test(timeout = 4000) public void test13() throws Throwable { JFArrayByte jFArrayByte0 = new JFArrayByte(); byte[] byteArray0 = jFArrayByte0.getBuffer(); jFArrayByte0.set(byteArray0, 0); assertEquals(64, byteArray0.length); assertEquals(0, jFArrayByte0.size()); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sat Jul 02 00:38: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 JFArrayByte_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000); @BeforeClass public static void initEvoSuiteFramework() { org.evosuite.runtime.RuntimeSettings.className = "JFArrayByte"; org.evosuite.runtime.GuiSupport.initialize(); org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); org.evosuite.runtime.classhandling.JDKClassResetter.init(); setSystemProperties(); initializeClasses(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); } @AfterClass public static void clearEvoSuiteFramework(){ Sandbox.resetDefaultSecurityManager(); java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); } @Before public void initTestCase(){ threadStopper.storeCurrentThreads(); threadStopper.startRecordingTime(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); setSystemProperties(); org.evosuite.runtime.GuiSupport.setHeadless(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); org.evosuite.runtime.agent.InstrumentingAgent.activate(); } @After public void doneWithTestCase(){ threadStopper.killAndJoinClientThreads(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); org.evosuite.runtime.classhandling.JDKClassResetter.reset(); resetClasses(); org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); } public static void setSystemProperties() { java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); java.lang.System.setProperty("file.encoding", "UTF-8"); java.lang.System.setProperty("java.awt.headless", "true"); java.lang.System.setProperty("java.io.tmpdir", "/tmp"); java.lang.System.setProperty("user.country", "US"); java.lang.System.setProperty("user.dir", "/tmp/tmpxiixwk5m"); java.lang.System.setProperty("user.home", "/home/bmcdanel"); java.lang.System.setProperty("user.language", "en"); java.lang.System.setProperty("user.name", "bmcdanel"); java.lang.System.setProperty("user.timezone", "America/New_York"); } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(JFArrayByte_ESTest_scaffolding.class.getClassLoader() , "JFArrayByte" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(JFArrayByte_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "JFArrayByte" ); } }
2,238
MessageCommunicator
/* Copyright 2009 Ramnivas Laddad Licensed under the Apache License, Version 2.0 (the "License"); you may not use this file except in compliance with the License. You may obtain a copy of the License at http://www.apache.org/licenses/LICENSE-2.0 Unless required by applicable law or agreed to in writing, software distributed under the License is distributed on an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the License for the specific language governing permissions and limitations under the License. */ // Listing 2.1 Class encapsulating the message-delivery functionality public class MessageCommunicator { public void deliver(String message) { System.out.println(message); } public void deliver(String person, String message) { System.out.println(person + ", " + message); } }
.version 52 0 .class public super MessageCommunicator .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 deliver : (Ljava/lang/String;)V .code stack 2 locals 2 L0: getstatic Field java/lang/System out Ljava/io/PrintStream; L3: aload_1 L4: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V L7: return L8: .linenumbertable L0 21 L7 22 .end linenumbertable .end code .end method .method public deliver : (Ljava/lang/String;Ljava/lang/String;)V .code stack 3 locals 3 L0: getstatic Field java/lang/System out Ljava/io/PrintStream; L3: new java/lang/StringBuilder L6: dup L7: invokespecial Method java/lang/StringBuilder <init> ()V L10: aload_1 L11: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L14: ldc ', ' L16: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L19: aload_2 L20: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L23: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; L26: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V L29: return L30: .linenumbertable L0 25 L29 26 .end linenumbertable .end code .end method .sourcefile 'MessageCommunicator.java' .end class
/* * This file was automatically generated by EvoSuite * Sat Jul 02 02:05:23 GMT 2022 */ import org.junit.Test; import static org.junit.Assert.*; import org.evosuite.runtime.EvoRunner; import org.evosuite.runtime.EvoRunnerParameters; import org.junit.runner.RunWith; @RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) public class MessageCommunicator_ESTest extends MessageCommunicator_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { MessageCommunicator messageCommunicator0 = new MessageCommunicator(); messageCommunicator0.deliver("", "MessageCommunicator"); } @Test(timeout = 4000) public void test1() throws Throwable { MessageCommunicator messageCommunicator0 = new MessageCommunicator(); messageCommunicator0.deliver(""); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sat Jul 02 02:05:23 GMT 2022 */ import org.evosuite.runtime.annotation.EvoSuiteClassExclude; import org.junit.BeforeClass; import org.junit.Before; import org.junit.After; import org.junit.AfterClass; import org.evosuite.runtime.sandbox.Sandbox; import org.evosuite.runtime.sandbox.Sandbox.SandboxMode; @EvoSuiteClassExclude public class MessageCommunicator_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000); @BeforeClass public static void initEvoSuiteFramework() { org.evosuite.runtime.RuntimeSettings.className = "MessageCommunicator"; org.evosuite.runtime.GuiSupport.initialize(); org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); org.evosuite.runtime.classhandling.JDKClassResetter.init(); setSystemProperties(); initializeClasses(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); } @AfterClass public static void clearEvoSuiteFramework(){ Sandbox.resetDefaultSecurityManager(); java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); } @Before public void initTestCase(){ threadStopper.storeCurrentThreads(); threadStopper.startRecordingTime(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); setSystemProperties(); org.evosuite.runtime.GuiSupport.setHeadless(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); org.evosuite.runtime.agent.InstrumentingAgent.activate(); } @After public void doneWithTestCase(){ threadStopper.killAndJoinClientThreads(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); org.evosuite.runtime.classhandling.JDKClassResetter.reset(); resetClasses(); org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); } public static void setSystemProperties() { java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); java.lang.System.setProperty("file.encoding", "UTF-8"); java.lang.System.setProperty("java.awt.headless", "true"); java.lang.System.setProperty("java.io.tmpdir", "/tmp"); java.lang.System.setProperty("user.country", "US"); java.lang.System.setProperty("user.dir", "/tmp/tmpkipzp0zs"); java.lang.System.setProperty("user.home", "/home/bmcdanel"); java.lang.System.setProperty("user.language", "en"); java.lang.System.setProperty("user.name", "bmcdanel"); java.lang.System.setProperty("user.timezone", "America/New_York"); } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(MessageCommunicator_ESTest_scaffolding.class.getClassLoader() , "MessageCommunicator" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(MessageCommunicator_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "MessageCommunicator" ); } }
2,239
SectionsTabsBean
/** Created by cinemattson on 18/12/14. */ public class SectionsTabsBean { private String title; public SectionsTabsBean(String title) { this.title = title; } public String getTitle() { return title; } public void setTitle(String title) { this.title = title; } }
.version 52 0 .class public super SectionsTabsBean .super java/lang/Object .field private title 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 SectionsTabsBean title Ljava/lang/String; L9: return L10: .linenumbertable L0 9 L4 10 L9 11 .end linenumbertable .end code .end method .method public getTitle : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field SectionsTabsBean title Ljava/lang/String; L4: areturn L5: .linenumbertable L0 14 .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 SectionsTabsBean title Ljava/lang/String; L5: return L6: .linenumbertable L0 18 L5 19 .end linenumbertable .end code .end method .sourcefile 'SectionsTabsBean.java' .end class
/* * This file was automatically generated by EvoSuite * Sat Jul 02 09:10: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 SectionsTabsBean_ESTest extends SectionsTabsBean_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { SectionsTabsBean sectionsTabsBean0 = new SectionsTabsBean("SectionsTabsBean"); sectionsTabsBean0.setTitle((String) null); String string0 = sectionsTabsBean0.getTitle(); assertNull(string0); } @Test(timeout = 4000) public void test1() throws Throwable { SectionsTabsBean sectionsTabsBean0 = new SectionsTabsBean("SectionsTabsBean"); sectionsTabsBean0.setTitle(""); String string0 = sectionsTabsBean0.getTitle(); assertEquals("", string0); } @Test(timeout = 4000) public void test2() throws Throwable { SectionsTabsBean sectionsTabsBean0 = new SectionsTabsBean("SectionsTabsBean"); String string0 = sectionsTabsBean0.getTitle(); assertEquals("SectionsTabsBean", string0); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sat Jul 02 09:10: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 SectionsTabsBean_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000); @BeforeClass public static void initEvoSuiteFramework() { org.evosuite.runtime.RuntimeSettings.className = "SectionsTabsBean"; org.evosuite.runtime.GuiSupport.initialize(); org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); org.evosuite.runtime.classhandling.JDKClassResetter.init(); setSystemProperties(); initializeClasses(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); } @AfterClass public static void clearEvoSuiteFramework(){ Sandbox.resetDefaultSecurityManager(); java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); } @Before public void initTestCase(){ threadStopper.storeCurrentThreads(); threadStopper.startRecordingTime(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); setSystemProperties(); org.evosuite.runtime.GuiSupport.setHeadless(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); org.evosuite.runtime.agent.InstrumentingAgent.activate(); } @After public void doneWithTestCase(){ threadStopper.killAndJoinClientThreads(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); org.evosuite.runtime.classhandling.JDKClassResetter.reset(); resetClasses(); org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); } public static void setSystemProperties() { java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); java.lang.System.setProperty("file.encoding", "UTF-8"); java.lang.System.setProperty("java.awt.headless", "true"); java.lang.System.setProperty("java.io.tmpdir", "/tmp"); java.lang.System.setProperty("user.country", "US"); java.lang.System.setProperty("user.dir", "/tmp/tmpv5rgw9sw"); java.lang.System.setProperty("user.home", "/home/bmcdanel"); java.lang.System.setProperty("user.language", "en"); java.lang.System.setProperty("user.name", "bmcdanel"); java.lang.System.setProperty("user.timezone", "America/New_York"); } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(SectionsTabsBean_ESTest_scaffolding.class.getClassLoader() , "SectionsTabsBean" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(SectionsTabsBean_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "SectionsTabsBean" ); } }
2,240
HTTPDateFormat
/* HTTPDateFormat.java -- Copyright (C) 2004 Free Software Foundation, Inc. This file is part of GNU Classpath. GNU Classpath 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, or (at your option) any later version. GNU Classpath 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 GNU Classpath; see the file COPYING. If not, write to the Free Software Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA 02111-1307 USA. Linking this library statically or dynamically with other modules is making a combined work based on this library. Thus, the terms and conditions of the GNU General Public License cover the whole combination. As a special exception, the copyright holders of this library give you permission to link this library with independent modules to produce an executable, regardless of the license terms of these independent modules, and to copy and distribute the resulting executable under terms of your choice, provided that you also meet, for each linked independent module, the terms and conditions of the license of that module. An independent module is a module which is not derived from or based on this library. If you modify this library, you may extend this exception to your version of the library, but you are not obligated to do so. If you do not wish to do so, delete this exception statement from your version. */ import java.text.DateFormat; import java.text.DecimalFormat; import java.text.FieldPosition; import java.text.NumberFormat; import java.text.ParsePosition; import java.util.Calendar; import java.util.Date; import java.util.GregorianCalendar; import java.util.TimeZone; /** * HTTP date formatter and parser. Formats dates according to RFC 822 (updated by RFC 1123). Parses * dates according to the above, <i>or</i> RFC 1036, <i>or</i> the ANSI C <code>asctime()</code> * format. * * @author Chris Burdess ([email protected]) */ public class HTTPDateFormat extends DateFormat { static final String[] DAYS_OF_WEEK = {null, "Sun", "Mon", "Tue", "Wed", "Thu", "Fri", "Sat"}; static final String[] MONTHS = { "Jan", "Feb", "Mar", "Apr", "May", "Jun", "Jul", "Aug", "Sep", "Oct", "Nov", "Dec" }; public HTTPDateFormat() { calendar = new GregorianCalendar(TimeZone.getTimeZone("GMT")); numberFormat = new DecimalFormat(); } /** * Appends the textual value for the specified field to the given string buffer. This method * should be avoided, use <code>format(Date)</code> instead. * * @param date the Date object * @param buf the buffer to append to * @param field the current field position * @return the modified buffer */ public StringBuffer format(Date date, StringBuffer buf, FieldPosition field) { calendar.clear(); calendar.setTime(date); buf.setLength(0); // Day of week buf.append(DAYS_OF_WEEK[calendar.get(Calendar.DAY_OF_WEEK)]); buf.append(','); buf.append(' '); // Day of month int day = calendar.get(Calendar.DAY_OF_MONTH); buf.append(Character.forDigit(day / 10, 10)); buf.append(Character.forDigit(day % 10, 10)); buf.append(' '); // Month buf.append(MONTHS[calendar.get(Calendar.MONTH)]); buf.append(' '); // Year int year = calendar.get(Calendar.YEAR); if (year < 1000) { buf.append('0'); if (year < 100) { buf.append('0'); if (year < 10) { buf.append('0'); } } } buf.append(Integer.toString(year)); buf.append(' '); // Hour int hour = calendar.get(Calendar.HOUR_OF_DAY); buf.append(Character.forDigit(hour / 10, 10)); buf.append(Character.forDigit(hour % 10, 10)); buf.append(':'); // Minute int minute = calendar.get(Calendar.MINUTE); buf.append(Character.forDigit(minute / 10, 10)); buf.append(Character.forDigit(minute % 10, 10)); buf.append(':'); // Second int second = calendar.get(Calendar.SECOND); buf.append(Character.forDigit(second / 10, 10)); buf.append(Character.forDigit(second % 10, 10)); buf.append(' '); // Timezone // Get time offset in minutes int zoneOffset = (calendar.get(Calendar.ZONE_OFFSET) + calendar.get(Calendar.DST_OFFSET)) / 60000; // Apply + or - appropriately if (zoneOffset < 0) { zoneOffset = -zoneOffset; buf.append('-'); } else { buf.append('+'); } // Set the 2 2-char fields as specified above int tzhours = zoneOffset / 60; buf.append(Character.forDigit(tzhours / 10, 10)); buf.append(Character.forDigit(tzhours % 10, 10)); int tzminutes = zoneOffset % 60; buf.append(Character.forDigit(tzminutes / 10, 10)); buf.append(Character.forDigit(tzminutes % 10, 10)); field.setBeginIndex(0); field.setEndIndex(buf.length()); return buf; } /** * Parses the given date in the current TimeZone. * * @param text the formatted date to be parsed * @param pos the current parse position */ public Date parse(String text, ParsePosition pos) { int date, month, year, hour, minute, second; String monthText; int start = 0, end = -1; int len = text.length(); calendar.clear(); pos.setIndex(start); try { // Advance to date if (Character.isLetter(text.charAt(start))) { start = skipNonWhitespace(text, start); } // Determine mode switch (start) { case 3: // asctime start = skipWhitespace(text, start); pos.setIndex(start); end = skipNonWhitespace(text, start + 1); monthText = text.substring(start, end); month = -1; for (int i = 0; i < 12; i++) { if (MONTHS[i].equals(monthText)) { month = i; break; } } if (month == -1) { pos.setErrorIndex(end); return null; } // Advance to date start = skipWhitespace(text, end + 1); pos.setIndex(start); end = skipNonWhitespace(text, start + 1); date = Integer.parseInt(text.substring(start, end)); // Advance to hour start = skipWhitespace(text, end + 1); pos.setIndex(start); end = skipTo(text, start + 1, ':'); hour = Integer.parseInt(text.substring(start, end)); // Advance to minute start = end + 1; pos.setIndex(start); end = skipTo(text, start + 1, ':'); minute = Integer.parseInt(text.substring(start, end)); // Advance to second start = end + 1; pos.setIndex(start); end = skipNonWhitespace(text, start + 1); second = Integer.parseInt(text.substring(start, end)); // Advance to year start = skipWhitespace(text, end + 1); pos.setIndex(start); end = skipNonWhitespace(text, start + 1); year = Integer.parseInt(text.substring(start, end)); break; case 0: case 4: // rfc822 start = skipWhitespace(text, start); pos.setIndex(start); end = skipNonWhitespace(text, start + 1); date = Integer.parseInt(text.substring(start, end)); // Advance to month start = skipWhitespace(text, end + 1); pos.setIndex(start); end = skipNonWhitespace(text, start + 1); monthText = text.substring(start, end); month = -1; for (int i = 0; i < 12; i++) { if (MONTHS[i].equals(monthText)) { month = i; break; } } if (month == -1) { pos.setErrorIndex(end); return null; } // Advance to year start = skipWhitespace(text, end + 1); pos.setIndex(start); end = skipNonWhitespace(text, start + 1); year = Integer.parseInt(text.substring(start, end)); // Advance to hour start = skipWhitespace(text, end + 1); pos.setIndex(start); end = skipTo(text, start + 1, ':'); hour = Integer.parseInt(text.substring(start, end)); // Advance to minute start = end + 1; pos.setIndex(start); end = skipTo(text, start + 1, ':'); minute = Integer.parseInt(text.substring(start, end)); // Advance to second start = end + 1; pos.setIndex(start); end = start + 1; while (end < len && !Character.isWhitespace(text.charAt(end))) { end++; } second = Integer.parseInt(text.substring(start, end)); break; default: // rfc850(obsolete) start = skipWhitespace(text, start); pos.setIndex(start); end = skipTo(text, start + 1, '-'); date = Integer.parseInt(text.substring(start, end)); // Advance to month start = end + 1; pos.setIndex(start); end = skipTo(text, start + 1, '-'); monthText = text.substring(start, end); month = -1; for (int i = 0; i < 12; i++) { if (MONTHS[i].equals(monthText)) { month = i; break; } } if (month == -1) { pos.setErrorIndex(end); return null; } // Advance to year start = end + 1; pos.setIndex(start); end = skipNonWhitespace(text, start + 1); year = 1900 + Integer.parseInt(text.substring(start, end)); // Advance to hour start = skipWhitespace(text, end + 1); pos.setIndex(start); end = skipTo(text, start + 1, ':'); hour = Integer.parseInt(text.substring(start, end)); // Advance to minute start = end + 1; pos.setIndex(start); end = skipTo(text, start + 1, ':'); minute = Integer.parseInt(text.substring(start, end)); // Advance to second start = end + 1; pos.setIndex(start); end = start + 1; while (end < len && !Character.isWhitespace(text.charAt(end))) { end++; } second = Integer.parseInt(text.substring(start, end)); } calendar.set(Calendar.YEAR, year); calendar.set(Calendar.MONTH, month); calendar.set(Calendar.DAY_OF_MONTH, date); calendar.set(Calendar.HOUR, hour); calendar.set(Calendar.MINUTE, minute); calendar.set(Calendar.SECOND, second); if (end != len) { // Timezone start = skipWhitespace(text, end + 1); end = start + 1; while (end < len && !Character.isWhitespace(text.charAt(end))) { end++; } char pm = text.charAt(start); if (Character.isLetter(pm)) { TimeZone tz = TimeZone.getTimeZone(text.substring(start, end)); calendar.set(Calendar.ZONE_OFFSET, tz.getRawOffset()); } else { int zoneOffset = 0; zoneOffset += 600 * Character.digit(text.charAt(++start), 10); zoneOffset += 60 * Character.digit(text.charAt(++start), 10); zoneOffset += 10 * Character.digit(text.charAt(++start), 10); zoneOffset += Character.digit(text.charAt(++start), 10); zoneOffset *= 60000; // minutes -> ms if ('-' == pm) { zoneOffset = -zoneOffset; } calendar.set(Calendar.ZONE_OFFSET, zoneOffset); } } pos.setIndex(end); return calendar.getTime(); } catch (NumberFormatException e) { pos.setErrorIndex(Math.max(start, end)); } catch (StringIndexOutOfBoundsException e) { pos.setErrorIndex(Math.max(start, end)); } return null; } private int skipWhitespace(String text, int pos) { while (Character.isWhitespace(text.charAt(pos))) { pos++; } return pos; } private int skipNonWhitespace(String text, int pos) { while (!Character.isWhitespace(text.charAt(pos))) { pos++; } return pos; } private int skipTo(String text, int pos, char c) { while (text.charAt(pos) != c) { pos++; } return pos; } /** Don't allow setting the calendar. */ public void setCalendar(Calendar newCalendar) { throw new UnsupportedOperationException(); } /** Don't allow setting the NumberFormat. */ public void setNumberFormat(NumberFormat newNumberFormat) { throw new UnsupportedOperationException(); } }
.version 52 0 .class public super HTTPDateFormat .super java/text/DateFormat .field static final DAYS_OF_WEEK [Ljava/lang/String; .field static final MONTHS [Ljava/lang/String; .method public <init> : ()V .code stack 4 locals 1 L0: aload_0 L1: invokespecial Method java/text/DateFormat <init> ()V L4: aload_0 L5: new java/util/GregorianCalendar L8: dup L9: ldc 'GMT' L11: invokestatic Method java/util/TimeZone getTimeZone (Ljava/lang/String;)Ljava/util/TimeZone; L14: invokespecial Method java/util/GregorianCalendar <init> (Ljava/util/TimeZone;)V L17: putfield Field HTTPDateFormat calendar Ljava/util/Calendar; L20: aload_0 L21: new java/text/DecimalFormat L24: dup L25: invokespecial Method java/text/DecimalFormat <init> ()V L28: putfield Field HTTPDateFormat numberFormat Ljava/text/NumberFormat; L31: return L32: .linenumbertable L0 73 L4 74 L20 75 L31 76 .end linenumbertable .end code .end method .method public format : (Ljava/util/Date;Ljava/lang/StringBuffer;Ljava/text/FieldPosition;)Ljava/lang/StringBuffer; .code stack 4 locals 12 L0: aload_0 L1: getfield Field HTTPDateFormat calendar Ljava/util/Calendar; L4: invokevirtual Method java/util/Calendar clear ()V L7: aload_0 L8: getfield Field HTTPDateFormat calendar Ljava/util/Calendar; L11: aload_1 L12: invokevirtual Method java/util/Calendar setTime (Ljava/util/Date;)V L15: aload_2 L16: iconst_0 L17: invokevirtual Method java/lang/StringBuffer setLength (I)V L20: aload_2 L21: getstatic Field HTTPDateFormat DAYS_OF_WEEK [Ljava/lang/String; L24: aload_0 L25: getfield Field HTTPDateFormat calendar Ljava/util/Calendar; L28: bipush 7 L30: invokevirtual Method java/util/Calendar get (I)I L33: aaload L34: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/String;)Ljava/lang/StringBuffer; L37: pop L38: aload_2 L39: bipush 44 L41: invokevirtual Method java/lang/StringBuffer append (C)Ljava/lang/StringBuffer; L44: pop L45: aload_2 L46: bipush 32 L48: invokevirtual Method java/lang/StringBuffer append (C)Ljava/lang/StringBuffer; L51: pop L52: aload_0 L53: getfield Field HTTPDateFormat calendar Ljava/util/Calendar; L56: iconst_5 L57: invokevirtual Method java/util/Calendar get (I)I L60: istore 4 L62: aload_2 L63: iload 4 L65: bipush 10 L67: idiv L68: bipush 10 L70: invokestatic Method java/lang/Character forDigit (II)C L73: invokevirtual Method java/lang/StringBuffer append (C)Ljava/lang/StringBuffer; L76: pop L77: aload_2 L78: iload 4 L80: bipush 10 L82: irem L83: bipush 10 L85: invokestatic Method java/lang/Character forDigit (II)C L88: invokevirtual Method java/lang/StringBuffer append (C)Ljava/lang/StringBuffer; L91: pop L92: aload_2 L93: bipush 32 L95: invokevirtual Method java/lang/StringBuffer append (C)Ljava/lang/StringBuffer; L98: pop L99: aload_2 L100: getstatic Field HTTPDateFormat MONTHS [Ljava/lang/String; L103: aload_0 L104: getfield Field HTTPDateFormat calendar Ljava/util/Calendar; L107: iconst_2 L108: invokevirtual Method java/util/Calendar get (I)I L111: aaload L112: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/String;)Ljava/lang/StringBuffer; L115: pop L116: aload_2 L117: bipush 32 L119: invokevirtual Method java/lang/StringBuffer append (C)Ljava/lang/StringBuffer; L122: pop L123: aload_0 L124: getfield Field HTTPDateFormat calendar Ljava/util/Calendar; L127: iconst_1 L128: invokevirtual Method java/util/Calendar get (I)I L131: istore 5 L133: iload 5 L135: sipush 1000 L138: if_icmpge L176 L141: aload_2 L142: bipush 48 L144: invokevirtual Method java/lang/StringBuffer append (C)Ljava/lang/StringBuffer; L147: pop L148: iload 5 L150: bipush 100 L152: if_icmpge L176 L155: aload_2 L156: bipush 48 L158: invokevirtual Method java/lang/StringBuffer append (C)Ljava/lang/StringBuffer; L161: pop L162: iload 5 L164: bipush 10 L166: if_icmpge L176 L169: aload_2 L170: bipush 48 L172: invokevirtual Method java/lang/StringBuffer append (C)Ljava/lang/StringBuffer; L175: pop .stack append Integer Integer L176: aload_2 L177: iload 5 L179: invokestatic Method java/lang/Integer toString (I)Ljava/lang/String; L182: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/String;)Ljava/lang/StringBuffer; L185: pop L186: aload_2 L187: bipush 32 L189: invokevirtual Method java/lang/StringBuffer append (C)Ljava/lang/StringBuffer; L192: pop L193: aload_0 L194: getfield Field HTTPDateFormat calendar Ljava/util/Calendar; L197: bipush 11 L199: invokevirtual Method java/util/Calendar get (I)I L202: istore 6 L204: aload_2 L205: iload 6 L207: bipush 10 L209: idiv L210: bipush 10 L212: invokestatic Method java/lang/Character forDigit (II)C L215: invokevirtual Method java/lang/StringBuffer append (C)Ljava/lang/StringBuffer; L218: pop L219: aload_2 L220: iload 6 L222: bipush 10 L224: irem L225: bipush 10 L227: invokestatic Method java/lang/Character forDigit (II)C L230: invokevirtual Method java/lang/StringBuffer append (C)Ljava/lang/StringBuffer; L233: pop L234: aload_2 L235: bipush 58 L237: invokevirtual Method java/lang/StringBuffer append (C)Ljava/lang/StringBuffer; L240: pop L241: aload_0 L242: getfield Field HTTPDateFormat calendar Ljava/util/Calendar; L245: bipush 12 L247: invokevirtual Method java/util/Calendar get (I)I L250: istore 7 L252: aload_2 L253: iload 7 L255: bipush 10 L257: idiv L258: bipush 10 L260: invokestatic Method java/lang/Character forDigit (II)C L263: invokevirtual Method java/lang/StringBuffer append (C)Ljava/lang/StringBuffer; L266: pop L267: aload_2 L268: iload 7 L270: bipush 10 L272: irem L273: bipush 10 L275: invokestatic Method java/lang/Character forDigit (II)C L278: invokevirtual Method java/lang/StringBuffer append (C)Ljava/lang/StringBuffer; L281: pop L282: aload_2 L283: bipush 58 L285: invokevirtual Method java/lang/StringBuffer append (C)Ljava/lang/StringBuffer; L288: pop L289: aload_0 L290: getfield Field HTTPDateFormat calendar Ljava/util/Calendar; L293: bipush 13 L295: invokevirtual Method java/util/Calendar get (I)I L298: istore 8 L300: aload_2 L301: iload 8 L303: bipush 10 L305: idiv L306: bipush 10 L308: invokestatic Method java/lang/Character forDigit (II)C L311: invokevirtual Method java/lang/StringBuffer append (C)Ljava/lang/StringBuffer; L314: pop L315: aload_2 L316: iload 8 L318: bipush 10 L320: irem L321: bipush 10 L323: invokestatic Method java/lang/Character forDigit (II)C L326: invokevirtual Method java/lang/StringBuffer append (C)Ljava/lang/StringBuffer; L329: pop L330: aload_2 L331: bipush 32 L333: invokevirtual Method java/lang/StringBuffer append (C)Ljava/lang/StringBuffer; L336: pop L337: aload_0 L338: getfield Field HTTPDateFormat calendar Ljava/util/Calendar; L341: bipush 15 L343: invokevirtual Method java/util/Calendar get (I)I L346: aload_0 L347: getfield Field HTTPDateFormat calendar Ljava/util/Calendar; L350: bipush 16 L352: invokevirtual Method java/util/Calendar get (I)I L355: iadd L356: ldc 60000 L358: idiv L359: istore 9 L361: iload 9 L363: ifge L381 L366: iload 9 L368: ineg L369: istore 9 L371: aload_2 L372: bipush 45 L374: invokevirtual Method java/lang/StringBuffer append (C)Ljava/lang/StringBuffer; L377: pop L378: goto L388 .stack full locals Object HTTPDateFormat Object java/util/Date Object java/lang/StringBuffer Object java/text/FieldPosition Integer Integer Integer Integer Integer Integer stack .end stack L381: aload_2 L382: bipush 43 L384: invokevirtual Method java/lang/StringBuffer append (C)Ljava/lang/StringBuffer; L387: pop .stack same L388: iload 9 L390: bipush 60 L392: idiv L393: istore 10 L395: aload_2 L396: iload 10 L398: bipush 10 L400: idiv L401: bipush 10 L403: invokestatic Method java/lang/Character forDigit (II)C L406: invokevirtual Method java/lang/StringBuffer append (C)Ljava/lang/StringBuffer; L409: pop L410: aload_2 L411: iload 10 L413: bipush 10 L415: irem L416: bipush 10 L418: invokestatic Method java/lang/Character forDigit (II)C L421: invokevirtual Method java/lang/StringBuffer append (C)Ljava/lang/StringBuffer; L424: pop L425: iload 9 L427: bipush 60 L429: irem L430: istore 11 L432: aload_2 L433: iload 11 L435: bipush 10 L437: idiv L438: bipush 10 L440: invokestatic Method java/lang/Character forDigit (II)C L443: invokevirtual Method java/lang/StringBuffer append (C)Ljava/lang/StringBuffer; L446: pop L447: aload_2 L448: iload 11 L450: bipush 10 L452: irem L453: bipush 10 L455: invokestatic Method java/lang/Character forDigit (II)C L458: invokevirtual Method java/lang/StringBuffer append (C)Ljava/lang/StringBuffer; L461: pop L462: aload_3 L463: iconst_0 L464: invokevirtual Method java/text/FieldPosition setBeginIndex (I)V L467: aload_3 L468: aload_2 L469: invokevirtual Method java/lang/StringBuffer length ()I L472: invokevirtual Method java/text/FieldPosition setEndIndex (I)V L475: aload_2 L476: areturn L477: .linenumbertable L0 90 L7 91 L15 92 L20 95 L38 96 L45 97 L52 100 L62 101 L77 102 L92 103 L99 106 L116 107 L123 110 L133 111 L141 113 L148 114 L155 116 L162 117 L169 119 L176 123 L186 124 L193 127 L204 128 L219 129 L234 130 L241 133 L252 134 L267 135 L282 136 L289 139 L300 140 L315 141 L330 142 L337 146 L352 147 L361 150 L366 152 L371 153 L381 157 L388 161 L395 162 L410 163 L425 164 L432 165 L447 166 L462 168 L467 169 L475 170 .end linenumbertable .end code .end method .method public parse : (Ljava/lang/String;Ljava/text/ParsePosition;)Ljava/util/Date; .code stack 4 locals 15 L0: iconst_0 L1: istore 10 L3: iconst_m1 L4: istore 11 L6: aload_1 L7: invokevirtual Method java/lang/String length ()I L10: istore 12 L12: aload_0 L13: getfield Field HTTPDateFormat calendar Ljava/util/Calendar; L16: invokevirtual Method java/util/Calendar clear ()V L19: aload_2 L20: iload 10 L22: invokevirtual Method java/text/ParsePosition setIndex (I)V .catch java/lang/NumberFormatException from L25 to L173 using L1282 L25: aload_1 L26: iload 10 L28: invokevirtual Method java/lang/String charAt (I)C L31: invokestatic Method java/lang/Character isLetter (C)Z L34: ifeq L46 L37: aload_0 L38: aload_1 L39: iload 10 L41: invokespecial Method HTTPDateFormat skipNonWhitespace (Ljava/lang/String;I)I L44: istore 10 .stack full locals Object HTTPDateFormat Object java/lang/String Object java/text/ParsePosition Top Top Top Top Top Top Top Integer Integer Integer stack .end stack L46: iload 10 L48: tableswitch 0 L375 L686 L686 L84 L375 default : L686 .stack same L84: aload_0 L85: aload_1 L86: iload 10 L88: invokespecial Method HTTPDateFormat skipWhitespace (Ljava/lang/String;I)I L91: istore 10 L93: aload_2 L94: iload 10 L96: invokevirtual Method java/text/ParsePosition setIndex (I)V L99: aload_0 L100: aload_1 L101: iload 10 L103: iconst_1 L104: iadd L105: invokespecial Method HTTPDateFormat skipNonWhitespace (Ljava/lang/String;I)I L108: istore 11 L110: aload_1 L111: iload 10 L113: iload 11 L115: invokevirtual Method java/lang/String substring (II)Ljava/lang/String; L118: astore 9 L120: iconst_m1 L121: istore 4 L123: iconst_0 L124: istore 13 .stack full locals Object HTTPDateFormat Object java/lang/String Object java/text/ParsePosition Top Integer Top Top Top Top Object java/lang/String Integer Integer Integer Integer stack .end stack L126: iload 13 L128: bipush 12 L130: if_icmpge L160 L133: getstatic Field HTTPDateFormat MONTHS [Ljava/lang/String; L136: iload 13 L138: aaload L139: aload 9 L141: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z L144: ifeq L154 L147: iload 13 L149: istore 4 L151: goto L160 .stack same L154: iinc 13 1 L157: goto L126 .stack chop 1 L160: iload 4 L162: iconst_m1 L163: if_icmpne L174 L166: aload_2 L167: iload 11 L169: invokevirtual Method java/text/ParsePosition setErrorIndex (I)V L172: aconst_null L173: areturn .catch java/lang/NumberFormatException from L174 to L504 using L1282 .stack same L174: aload_0 L175: aload_1 L176: iload 11 L178: iconst_1 L179: iadd L180: invokespecial Method HTTPDateFormat skipWhitespace (Ljava/lang/String;I)I L183: istore 10 L185: aload_2 L186: iload 10 L188: invokevirtual Method java/text/ParsePosition setIndex (I)V L191: aload_0 L192: aload_1 L193: iload 10 L195: iconst_1 L196: iadd L197: invokespecial Method HTTPDateFormat skipNonWhitespace (Ljava/lang/String;I)I L200: istore 11 L202: aload_1 L203: iload 10 L205: iload 11 L207: invokevirtual Method java/lang/String substring (II)Ljava/lang/String; L210: invokestatic Method java/lang/Integer parseInt (Ljava/lang/String;)I L213: istore_3 L214: aload_0 L215: aload_1 L216: iload 11 L218: iconst_1 L219: iadd L220: invokespecial Method HTTPDateFormat skipWhitespace (Ljava/lang/String;I)I L223: istore 10 L225: aload_2 L226: iload 10 L228: invokevirtual Method java/text/ParsePosition setIndex (I)V L231: aload_0 L232: aload_1 L233: iload 10 L235: iconst_1 L236: iadd L237: bipush 58 L239: invokespecial Method HTTPDateFormat skipTo (Ljava/lang/String;IC)I L242: istore 11 L244: aload_1 L245: iload 10 L247: iload 11 L249: invokevirtual Method java/lang/String substring (II)Ljava/lang/String; L252: invokestatic Method java/lang/Integer parseInt (Ljava/lang/String;)I L255: istore 6 L257: iload 11 L259: iconst_1 L260: iadd L261: istore 10 L263: aload_2 L264: iload 10 L266: invokevirtual Method java/text/ParsePosition setIndex (I)V L269: aload_0 L270: aload_1 L271: iload 10 L273: iconst_1 L274: iadd L275: bipush 58 L277: invokespecial Method HTTPDateFormat skipTo (Ljava/lang/String;IC)I L280: istore 11 L282: aload_1 L283: iload 10 L285: iload 11 L287: invokevirtual Method java/lang/String substring (II)Ljava/lang/String; L290: invokestatic Method java/lang/Integer parseInt (Ljava/lang/String;)I L293: istore 7 L295: iload 11 L297: iconst_1 L298: iadd L299: istore 10 L301: aload_2 L302: iload 10 L304: invokevirtual Method java/text/ParsePosition setIndex (I)V L307: aload_0 L308: aload_1 L309: iload 10 L311: iconst_1 L312: iadd L313: invokespecial Method HTTPDateFormat skipNonWhitespace (Ljava/lang/String;I)I L316: istore 11 L318: aload_1 L319: iload 10 L321: iload 11 L323: invokevirtual Method java/lang/String substring (II)Ljava/lang/String; L326: invokestatic Method java/lang/Integer parseInt (Ljava/lang/String;)I L329: istore 8 L331: aload_0 L332: aload_1 L333: iload 11 L335: iconst_1 L336: iadd L337: invokespecial Method HTTPDateFormat skipWhitespace (Ljava/lang/String;I)I L340: istore 10 L342: aload_2 L343: iload 10 L345: invokevirtual Method java/text/ParsePosition setIndex (I)V L348: aload_0 L349: aload_1 L350: iload 10 L352: iconst_1 L353: iadd L354: invokespecial Method HTTPDateFormat skipNonWhitespace (Ljava/lang/String;I)I L357: istore 11 L359: aload_1 L360: iload 10 L362: iload 11 L364: invokevirtual Method java/lang/String substring (II)Ljava/lang/String; L367: invokestatic Method java/lang/Integer parseInt (Ljava/lang/String;)I L370: istore 5 L372: goto L992 .stack full locals Object HTTPDateFormat Object java/lang/String Object java/text/ParsePosition Top Top Top Top Top Top Top Integer Integer Integer stack .end stack L375: aload_0 L376: aload_1 L377: iload 10 L379: invokespecial Method HTTPDateFormat skipWhitespace (Ljava/lang/String;I)I L382: istore 10 L384: aload_2 L385: iload 10 L387: invokevirtual Method java/text/ParsePosition setIndex (I)V L390: aload_0 L391: aload_1 L392: iload 10 L394: iconst_1 L395: iadd L396: invokespecial Method HTTPDateFormat skipNonWhitespace (Ljava/lang/String;I)I L399: istore 11 L401: aload_1 L402: iload 10 L404: iload 11 L406: invokevirtual Method java/lang/String substring (II)Ljava/lang/String; L409: invokestatic Method java/lang/Integer parseInt (Ljava/lang/String;)I L412: istore_3 L413: aload_0 L414: aload_1 L415: iload 11 L417: iconst_1 L418: iadd L419: invokespecial Method HTTPDateFormat skipWhitespace (Ljava/lang/String;I)I L422: istore 10 L424: aload_2 L425: iload 10 L427: invokevirtual Method java/text/ParsePosition setIndex (I)V L430: aload_0 L431: aload_1 L432: iload 10 L434: iconst_1 L435: iadd L436: invokespecial Method HTTPDateFormat skipNonWhitespace (Ljava/lang/String;I)I L439: istore 11 L441: aload_1 L442: iload 10 L444: iload 11 L446: invokevirtual Method java/lang/String substring (II)Ljava/lang/String; L449: astore 9 L451: iconst_m1 L452: istore 4 L454: iconst_0 L455: istore 13 .stack full locals Object HTTPDateFormat Object java/lang/String Object java/text/ParsePosition Integer Integer Top Top Top Top Object java/lang/String Integer Integer Integer Integer stack .end stack L457: iload 13 L459: bipush 12 L461: if_icmpge L491 L464: getstatic Field HTTPDateFormat MONTHS [Ljava/lang/String; L467: iload 13 L469: aaload L470: aload 9 L472: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z L475: ifeq L485 L478: iload 13 L480: istore 4 L482: goto L491 .stack same L485: iinc 13 1 L488: goto L457 .stack chop 1 L491: iload 4 L493: iconst_m1 L494: if_icmpne L505 L497: aload_2 L498: iload 11 L500: invokevirtual Method java/text/ParsePosition setErrorIndex (I)V L503: aconst_null L504: areturn .catch java/lang/NumberFormatException from L505 to L814 using L1282 .stack same L505: aload_0 L506: aload_1 L507: iload 11 L509: iconst_1 L510: iadd L511: invokespecial Method HTTPDateFormat skipWhitespace (Ljava/lang/String;I)I L514: istore 10 L516: aload_2 L517: iload 10 L519: invokevirtual Method java/text/ParsePosition setIndex (I)V L522: aload_0 L523: aload_1 L524: iload 10 L526: iconst_1 L527: iadd L528: invokespecial Method HTTPDateFormat skipNonWhitespace (Ljava/lang/String;I)I L531: istore 11 L533: aload_1 L534: iload 10 L536: iload 11 L538: invokevirtual Method java/lang/String substring (II)Ljava/lang/String; L541: invokestatic Method java/lang/Integer parseInt (Ljava/lang/String;)I L544: istore 5 L546: aload_0 L547: aload_1 L548: iload 11 L550: iconst_1 L551: iadd L552: invokespecial Method HTTPDateFormat skipWhitespace (Ljava/lang/String;I)I L555: istore 10 L557: aload_2 L558: iload 10 L560: invokevirtual Method java/text/ParsePosition setIndex (I)V L563: aload_0 L564: aload_1 L565: iload 10 L567: iconst_1 L568: iadd L569: bipush 58 L571: invokespecial Method HTTPDateFormat skipTo (Ljava/lang/String;IC)I L574: istore 11 L576: aload_1 L577: iload 10 L579: iload 11 L581: invokevirtual Method java/lang/String substring (II)Ljava/lang/String; L584: invokestatic Method java/lang/Integer parseInt (Ljava/lang/String;)I L587: istore 6 L589: iload 11 L591: iconst_1 L592: iadd L593: istore 10 L595: aload_2 L596: iload 10 L598: invokevirtual Method java/text/ParsePosition setIndex (I)V L601: aload_0 L602: aload_1 L603: iload 10 L605: iconst_1 L606: iadd L607: bipush 58 L609: invokespecial Method HTTPDateFormat skipTo (Ljava/lang/String;IC)I L612: istore 11 L614: aload_1 L615: iload 10 L617: iload 11 L619: invokevirtual Method java/lang/String substring (II)Ljava/lang/String; L622: invokestatic Method java/lang/Integer parseInt (Ljava/lang/String;)I L625: istore 7 L627: iload 11 L629: iconst_1 L630: iadd L631: istore 10 L633: aload_2 L634: iload 10 L636: invokevirtual Method java/text/ParsePosition setIndex (I)V L639: iload 10 L641: iconst_1 L642: iadd L643: istore 11 .stack full locals Object HTTPDateFormat Object java/lang/String Object java/text/ParsePosition Integer Integer Integer Integer Integer Top Object java/lang/String Integer Integer Integer stack .end stack L645: iload 11 L647: iload 12 L649: if_icmpge L670 L652: aload_1 L653: iload 11 L655: invokevirtual Method java/lang/String charAt (I)C L658: invokestatic Method java/lang/Character isWhitespace (C)Z L661: ifne L670 L664: iinc 11 1 L667: goto L645 .stack same L670: aload_1 L671: iload 10 L673: iload 11 L675: invokevirtual Method java/lang/String substring (II)Ljava/lang/String; L678: invokestatic Method java/lang/Integer parseInt (Ljava/lang/String;)I L681: istore 8 L683: goto L992 .stack full locals Object HTTPDateFormat Object java/lang/String Object java/text/ParsePosition Top Top Top Top Top Top Top Integer Integer Integer stack .end stack L686: aload_0 L687: aload_1 L688: iload 10 L690: invokespecial Method HTTPDateFormat skipWhitespace (Ljava/lang/String;I)I L693: istore 10 L695: aload_2 L696: iload 10 L698: invokevirtual Method java/text/ParsePosition setIndex (I)V L701: aload_0 L702: aload_1 L703: iload 10 L705: iconst_1 L706: iadd L707: bipush 45 L709: invokespecial Method HTTPDateFormat skipTo (Ljava/lang/String;IC)I L712: istore 11 L714: aload_1 L715: iload 10 L717: iload 11 L719: invokevirtual Method java/lang/String substring (II)Ljava/lang/String; L722: invokestatic Method java/lang/Integer parseInt (Ljava/lang/String;)I L725: istore_3 L726: iload 11 L728: iconst_1 L729: iadd L730: istore 10 L732: aload_2 L733: iload 10 L735: invokevirtual Method java/text/ParsePosition setIndex (I)V L738: aload_0 L739: aload_1 L740: iload 10 L742: iconst_1 L743: iadd L744: bipush 45 L746: invokespecial Method HTTPDateFormat skipTo (Ljava/lang/String;IC)I L749: istore 11 L751: aload_1 L752: iload 10 L754: iload 11 L756: invokevirtual Method java/lang/String substring (II)Ljava/lang/String; L759: astore 9 L761: iconst_m1 L762: istore 4 L764: iconst_0 L765: istore 13 .stack full locals Object HTTPDateFormat Object java/lang/String Object java/text/ParsePosition Integer Integer Top Top Top Top Object java/lang/String Integer Integer Integer Integer stack .end stack L767: iload 13 L769: bipush 12 L771: if_icmpge L801 L774: getstatic Field HTTPDateFormat MONTHS [Ljava/lang/String; L777: iload 13 L779: aaload L780: aload 9 L782: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z L785: ifeq L795 L788: iload 13 L790: istore 4 L792: goto L801 .stack same L795: iinc 13 1 L798: goto L767 .stack chop 1 L801: iload 4 L803: iconst_m1 L804: if_icmpne L815 L807: aload_2 L808: iload 11 L810: invokevirtual Method java/text/ParsePosition setErrorIndex (I)V L813: aconst_null L814: areturn .catch java/lang/NumberFormatException from L815 to L1281 using L1282 .catch java/lang/StringIndexOutOfBoundsException from L25 to L173 using L1298 .catch java/lang/StringIndexOutOfBoundsException from L174 to L504 using L1298 .catch java/lang/StringIndexOutOfBoundsException from L505 to L814 using L1298 .catch java/lang/StringIndexOutOfBoundsException from L815 to L1281 using L1298 .stack same L815: iload 11 L817: iconst_1 L818: iadd L819: istore 10 L821: aload_2 L822: iload 10 L824: invokevirtual Method java/text/ParsePosition setIndex (I)V L827: aload_0 L828: aload_1 L829: iload 10 L831: iconst_1 L832: iadd L833: invokespecial Method HTTPDateFormat skipNonWhitespace (Ljava/lang/String;I)I L836: istore 11 L838: sipush 1900 L841: aload_1 L842: iload 10 L844: iload 11 L846: invokevirtual Method java/lang/String substring (II)Ljava/lang/String; L849: invokestatic Method java/lang/Integer parseInt (Ljava/lang/String;)I L852: iadd L853: istore 5 L855: aload_0 L856: aload_1 L857: iload 11 L859: iconst_1 L860: iadd L861: invokespecial Method HTTPDateFormat skipWhitespace (Ljava/lang/String;I)I L864: istore 10 L866: aload_2 L867: iload 10 L869: invokevirtual Method java/text/ParsePosition setIndex (I)V L872: aload_0 L873: aload_1 L874: iload 10 L876: iconst_1 L877: iadd L878: bipush 58 L880: invokespecial Method HTTPDateFormat skipTo (Ljava/lang/String;IC)I L883: istore 11 L885: aload_1 L886: iload 10 L888: iload 11 L890: invokevirtual Method java/lang/String substring (II)Ljava/lang/String; L893: invokestatic Method java/lang/Integer parseInt (Ljava/lang/String;)I L896: istore 6 L898: iload 11 L900: iconst_1 L901: iadd L902: istore 10 L904: aload_2 L905: iload 10 L907: invokevirtual Method java/text/ParsePosition setIndex (I)V L910: aload_0 L911: aload_1 L912: iload 10 L914: iconst_1 L915: iadd L916: bipush 58 L918: invokespecial Method HTTPDateFormat skipTo (Ljava/lang/String;IC)I L921: istore 11 L923: aload_1 L924: iload 10 L926: iload 11 L928: invokevirtual Method java/lang/String substring (II)Ljava/lang/String; L931: invokestatic Method java/lang/Integer parseInt (Ljava/lang/String;)I L934: istore 7 L936: iload 11 L938: iconst_1 L939: iadd L940: istore 10 L942: aload_2 L943: iload 10 L945: invokevirtual Method java/text/ParsePosition setIndex (I)V L948: iload 10 L950: iconst_1 L951: iadd L952: istore 11 .stack full locals Object HTTPDateFormat Object java/lang/String Object java/text/ParsePosition Integer Integer Integer Integer Integer Top Object java/lang/String Integer Integer Integer stack .end stack L954: iload 11 L956: iload 12 L958: if_icmpge L979 L961: aload_1 L962: iload 11 L964: invokevirtual Method java/lang/String charAt (I)C L967: invokestatic Method java/lang/Character isWhitespace (C)Z L970: ifne L979 L973: iinc 11 1 L976: goto L954 .stack same L979: aload_1 L980: iload 10 L982: iload 11 L984: invokevirtual Method java/lang/String substring (II)Ljava/lang/String; L987: invokestatic Method java/lang/Integer parseInt (Ljava/lang/String;)I L990: istore 8 .stack full locals Object HTTPDateFormat Object java/lang/String Object java/text/ParsePosition Integer Integer Integer Integer Integer Integer Object java/lang/String Integer Integer Integer stack .end stack L992: aload_0 L993: getfield Field HTTPDateFormat calendar Ljava/util/Calendar; L996: iconst_1 L997: iload 5 L999: invokevirtual Method java/util/Calendar set (II)V L1002: aload_0 L1003: getfield Field HTTPDateFormat calendar Ljava/util/Calendar; L1006: iconst_2 L1007: iload 4 L1009: invokevirtual Method java/util/Calendar set (II)V L1012: aload_0 L1013: getfield Field HTTPDateFormat calendar Ljava/util/Calendar; L1016: iconst_5 L1017: iload_3 L1018: invokevirtual Method java/util/Calendar set (II)V L1021: aload_0 L1022: getfield Field HTTPDateFormat calendar Ljava/util/Calendar; L1025: bipush 10 L1027: iload 6 L1029: invokevirtual Method java/util/Calendar set (II)V L1032: aload_0 L1033: getfield Field HTTPDateFormat calendar Ljava/util/Calendar; L1036: bipush 12 L1038: iload 7 L1040: invokevirtual Method java/util/Calendar set (II)V L1043: aload_0 L1044: getfield Field HTTPDateFormat calendar Ljava/util/Calendar; L1047: bipush 13 L1049: iload 8 L1051: invokevirtual Method java/util/Calendar set (II)V L1054: iload 11 L1056: iload 12 L1058: if_icmpeq L1268 L1061: aload_0 L1062: aload_1 L1063: iload 11 L1065: iconst_1 L1066: iadd L1067: invokespecial Method HTTPDateFormat skipWhitespace (Ljava/lang/String;I)I L1070: istore 10 L1072: iload 10 L1074: iconst_1 L1075: iadd L1076: istore 11 .stack same_extended L1078: iload 11 L1080: iload 12 L1082: if_icmpge L1103 L1085: aload_1 L1086: iload 11 L1088: invokevirtual Method java/lang/String charAt (I)C L1091: invokestatic Method java/lang/Character isWhitespace (C)Z L1094: ifne L1103 L1097: iinc 11 1 L1100: goto L1078 .stack same L1103: aload_1 L1104: iload 10 L1106: invokevirtual Method java/lang/String charAt (I)C L1109: istore 13 L1111: iload 13 L1113: invokestatic Method java/lang/Character isLetter (C)Z L1116: ifeq L1149 L1119: aload_1 L1120: iload 10 L1122: iload 11 L1124: invokevirtual Method java/lang/String substring (II)Ljava/lang/String; L1127: invokestatic Method java/util/TimeZone getTimeZone (Ljava/lang/String;)Ljava/util/TimeZone; L1130: astore 14 L1132: aload_0 L1133: getfield Field HTTPDateFormat calendar Ljava/util/Calendar; L1136: bipush 15 L1138: aload 14 L1140: invokevirtual Method java/util/TimeZone getRawOffset ()I L1143: invokevirtual Method java/util/Calendar set (II)V L1146: goto L1268 .stack append Integer L1149: iconst_0 L1150: istore 14 L1152: iload 14 L1154: sipush 600 L1157: aload_1 L1158: iinc 10 1 L1161: iload 10 L1163: invokevirtual Method java/lang/String charAt (I)C L1166: bipush 10 L1168: invokestatic Method java/lang/Character digit (CI)I L1171: imul L1172: iadd L1173: istore 14 L1175: iload 14 L1177: bipush 60 L1179: aload_1 L1180: iinc 10 1 L1183: iload 10 L1185: invokevirtual Method java/lang/String charAt (I)C L1188: bipush 10 L1190: invokestatic Method java/lang/Character digit (CI)I L1193: imul L1194: iadd L1195: istore 14 L1197: iload 14 L1199: bipush 10 L1201: aload_1 L1202: iinc 10 1 L1205: iload 10 L1207: invokevirtual Method java/lang/String charAt (I)C L1210: bipush 10 L1212: invokestatic Method java/lang/Character digit (CI)I L1215: imul L1216: iadd L1217: istore 14 L1219: iload 14 L1221: aload_1 L1222: iinc 10 1 L1225: iload 10 L1227: invokevirtual Method java/lang/String charAt (I)C L1230: bipush 10 L1232: invokestatic Method java/lang/Character digit (CI)I L1235: iadd L1236: istore 14 L1238: iload 14 L1240: ldc 60000 L1242: imul L1243: istore 14 L1245: bipush 45 L1247: iload 13 L1249: if_icmpne L1257 L1252: iload 14 L1254: ineg L1255: istore 14 .stack append Integer L1257: aload_0 L1258: getfield Field HTTPDateFormat calendar Ljava/util/Calendar; L1261: bipush 15 L1263: iload 14 L1265: invokevirtual Method java/util/Calendar set (II)V .stack chop 2 L1268: aload_2 L1269: iload 11 L1271: invokevirtual Method java/text/ParsePosition setIndex (I)V L1274: aload_0 L1275: getfield Field HTTPDateFormat calendar Ljava/util/Calendar; L1278: invokevirtual Method java/util/Calendar getTime ()Ljava/util/Date; L1281: areturn .stack full locals Object HTTPDateFormat Object java/lang/String Object java/text/ParsePosition Top Top Top Top Top Top Top Integer Integer Integer stack Object java/lang/NumberFormatException .end stack L1282: astore 13 L1284: aload_2 L1285: iload 10 L1287: iload 11 L1289: invokestatic Method java/lang/Math max (II)I L1292: invokevirtual Method java/text/ParsePosition setErrorIndex (I)V L1295: goto L1311 .stack stack_1 Object java/lang/StringIndexOutOfBoundsException L1298: astore 13 L1300: aload_2 L1301: iload 10 L1303: iload 11 L1305: invokestatic Method java/lang/Math max (II)I L1308: invokevirtual Method java/text/ParsePosition setErrorIndex (I)V .stack same L1311: aconst_null L1312: areturn L1313: .linenumbertable L0 182 L6 183 L12 184 L19 185 L25 189 L37 191 L46 194 L84 198 L93 199 L99 200 L110 201 L120 202 L123 203 L133 205 L147 207 L151 208 L154 203 L160 211 L166 213 L172 214 L174 217 L185 218 L191 219 L202 220 L214 222 L225 223 L231 224 L244 225 L257 227 L263 228 L269 229 L282 230 L295 232 L301 233 L307 234 L318 235 L331 237 L342 238 L348 239 L359 240 L372 241 L375 245 L384 246 L390 247 L401 248 L413 250 L424 251 L430 252 L441 253 L451 254 L454 255 L464 257 L478 259 L482 260 L485 255 L491 263 L497 265 L503 266 L505 269 L516 270 L522 271 L533 272 L546 274 L557 275 L563 276 L576 277 L589 279 L595 280 L601 281 L614 282 L627 284 L633 285 L639 286 L645 287 L664 289 L670 291 L683 292 L686 295 L695 296 L701 297 L714 298 L726 300 L732 301 L738 302 L751 303 L761 304 L764 305 L774 307 L788 309 L792 310 L795 305 L801 313 L807 315 L813 316 L815 319 L821 320 L827 321 L838 322 L855 324 L866 325 L872 326 L885 327 L898 329 L904 330 L910 331 L923 332 L936 334 L942 335 L948 336 L954 337 L973 339 L979 341 L992 344 L1002 345 L1012 346 L1021 347 L1032 348 L1043 349 L1054 351 L1061 354 L1072 355 L1078 356 L1097 358 L1103 360 L1111 361 L1119 363 L1124 364 L1132 365 L1146 366 L1149 369 L1152 370 L1175 371 L1197 372 L1219 373 L1238 374 L1245 375 L1252 377 L1257 379 L1268 382 L1274 384 L1282 386 L1284 388 L1295 393 L1298 390 L1300 392 L1311 394 .end linenumbertable .end code .end method .method private skipWhitespace : (Ljava/lang/String;I)I .code stack 2 locals 3 .stack same L0: aload_1 L1: iload_2 L2: invokevirtual Method java/lang/String charAt (I)C L5: invokestatic Method java/lang/Character isWhitespace (C)Z L8: ifeq L17 L11: iinc 2 1 L14: goto L0 .stack same L17: iload_2 L18: ireturn L19: .linenumbertable L0 399 L11 401 L17 403 .end linenumbertable .end code .end method .method private skipNonWhitespace : (Ljava/lang/String;I)I .code stack 2 locals 3 .stack same L0: aload_1 L1: iload_2 L2: invokevirtual Method java/lang/String charAt (I)C L5: invokestatic Method java/lang/Character isWhitespace (C)Z L8: ifne L17 L11: iinc 2 1 L14: goto L0 .stack same L17: iload_2 L18: ireturn L19: .linenumbertable L0 408 L11 410 L17 412 .end linenumbertable .end code .end method .method private skipTo : (Ljava/lang/String;IC)I .code stack 2 locals 4 .stack same L0: aload_1 L1: iload_2 L2: invokevirtual Method java/lang/String charAt (I)C L5: iload_3 L6: if_icmpeq L15 L9: iinc 2 1 L12: goto L0 .stack same L15: iload_2 L16: ireturn L17: .linenumbertable L0 417 L9 419 L15 421 .end linenumbertable .end code .end method .method public setCalendar : (Ljava/util/Calendar;)V .code stack 2 locals 2 L0: new java/lang/UnsupportedOperationException L3: dup L4: invokespecial Method java/lang/UnsupportedOperationException <init> ()V L7: athrow L8: .linenumbertable L0 429 .end linenumbertable .end code .end method .method public setNumberFormat : (Ljava/text/NumberFormat;)V .code stack 2 locals 2 L0: new java/lang/UnsupportedOperationException L3: dup L4: invokespecial Method java/lang/UnsupportedOperationException <init> ()V L7: athrow L8: .linenumbertable L0 437 .end linenumbertable .end code .end method .method static <clinit> : ()V .code stack 4 locals 0 L0: bipush 8 L2: anewarray java/lang/String L5: dup L6: iconst_0 L7: aconst_null L8: aastore L9: dup L10: iconst_1 L11: ldc 'Sun' L13: aastore L14: dup L15: iconst_2 L16: ldc 'Mon' L18: aastore L19: dup L20: iconst_3 L21: ldc 'Tue' L23: aastore L24: dup L25: iconst_4 L26: ldc 'Wed' L28: aastore L29: dup L30: iconst_5 L31: ldc 'Thu' L33: aastore L34: dup L35: bipush 6 L37: ldc 'Fri' L39: aastore L40: dup L41: bipush 7 L43: ldc 'Sat' L45: aastore L46: putstatic Field HTTPDateFormat DAYS_OF_WEEK [Ljava/lang/String; L49: bipush 12 L51: anewarray java/lang/String L54: dup L55: iconst_0 L56: ldc 'Jan' L58: aastore L59: dup L60: iconst_1 L61: ldc 'Feb' L63: aastore L64: dup L65: iconst_2 L66: ldc 'Mar' L68: aastore L69: dup L70: iconst_3 L71: ldc 'Apr' L73: aastore L74: dup L75: iconst_4 L76: ldc 'May' L78: aastore L79: dup L80: iconst_5 L81: ldc 'Jun' L83: aastore L84: dup L85: bipush 6 L87: ldc 'Jul' L89: aastore L90: dup L91: bipush 7 L93: ldc 'Aug' L95: aastore L96: dup L97: bipush 8 L99: ldc 'Sep' L101: aastore L102: dup L103: bipush 9 L105: ldc 'Oct' L107: aastore L108: dup L109: bipush 10 L111: ldc 'Nov' L113: aastore L114: dup L115: bipush 11 L117: ldc 'Dec' L119: aastore L120: putstatic Field HTTPDateFormat MONTHS [Ljava/lang/String; L123: return L124: .linenumbertable L0 63 L49 67 .end linenumbertable .end code .end method .sourcefile 'HTTPDateFormat.java' .end class
/* * This file was automatically generated by EvoSuite * Mon Jul 04 04:54:31 GMT 2022 */ import org.junit.Test; import static org.junit.Assert.*; import static org.evosuite.shaded.org.mockito.Mockito.*; import static org.evosuite.runtime.EvoAssertions.*; import java.text.FieldPosition; import java.text.Format; import java.text.NumberFormat; import java.text.ParsePosition; import java.util.Calendar; import java.util.Date; import org.evosuite.runtime.EvoRunner; import org.evosuite.runtime.EvoRunnerParameters; import org.evosuite.runtime.ViolatedAssumptionAnswer; import org.evosuite.runtime.mock.java.util.MockCalendar; 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 HTTPDateFormat_ESTest extends HTTPDateFormat_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { HTTPDateFormat hTTPDateFormat0 = new HTTPDateFormat(); MockDate mockDate0 = new MockDate(0L); StringBuffer stringBuffer0 = new StringBuffer(); FieldPosition fieldPosition0 = new FieldPosition(0); hTTPDateFormat0.format((Date) mockDate0, stringBuffer0, fieldPosition0); assertEquals("java.text.FieldPosition[field=0,attribute=null,beginIndex=0,endIndex=31]", fieldPosition0.toString()); assertEquals("Thu, 01 Jan 1970 00:00:00 +0000", stringBuffer0.toString()); } @Test(timeout = 4000) public void test1() throws Throwable { HTTPDateFormat hTTPDateFormat0 = new HTTPDateFormat(); ParsePosition parsePosition0 = new ParsePosition(2894); hTTPDateFormat0.parseObject("~>oE =w?ojI|7", parsePosition0); assertEquals(0, parsePosition0.getIndex()); assertEquals(4, parsePosition0.getErrorIndex()); } @Test(timeout = 4000) public void test2() throws Throwable { HTTPDateFormat hTTPDateFormat0 = new HTTPDateFormat(); ParsePosition parsePosition0 = new ParsePosition(17304); hTTPDateFormat0.parse("f K", parsePosition0); StringBuffer stringBuffer0 = new StringBuffer((CharSequence) "f K"); Format.Field format_Field0 = mock(Format.Field.class, new ViolatedAssumptionAnswer()); FieldPosition fieldPosition0 = new FieldPosition(format_Field0); // Undeclared exception! try { hTTPDateFormat0.format((Date) null, stringBuffer0, fieldPosition0); fail("Expecting exception: NullPointerException"); } catch(NullPointerException e) { // // no message in exception (getMessage() returned null) // verifyException("java.util.Calendar", e); } } @Test(timeout = 4000) public void test3() throws Throwable { HTTPDateFormat hTTPDateFormat0 = new HTTPDateFormat(); ParsePosition parsePosition0 = new ParsePosition(96357); hTTPDateFormat0.parse("d{]4", parsePosition0); assertEquals(0, parsePosition0.getIndex()); assertEquals("java.text.ParsePosition[index=0,errorIndex=0]", parsePosition0.toString()); } @Test(timeout = 4000) public void test4() throws Throwable { HTTPDateFormat hTTPDateFormat0 = new HTTPDateFormat(); Calendar calendar0 = MockCalendar.getInstance(); // Undeclared exception! try { hTTPDateFormat0.setCalendar(calendar0); fail("Expecting exception: UnsupportedOperationException"); } catch(UnsupportedOperationException e) { // // no message in exception (getMessage() returned null) // verifyException("HTTPDateFormat", e); } } @Test(timeout = 4000) public void test5() throws Throwable { HTTPDateFormat hTTPDateFormat0 = new HTTPDateFormat(); // Undeclared exception! try { hTTPDateFormat0.setNumberFormat((NumberFormat) null); fail("Expecting exception: UnsupportedOperationException"); } catch(UnsupportedOperationException e) { // // no message in exception (getMessage() returned null) // verifyException("HTTPDateFormat", e); } } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Mon Jul 04 04:54:31 GMT 2022 */ import org.evosuite.runtime.annotation.EvoSuiteClassExclude; import org.junit.BeforeClass; import org.junit.Before; import org.junit.After; import org.junit.AfterClass; import org.evosuite.runtime.sandbox.Sandbox; import org.evosuite.runtime.sandbox.Sandbox.SandboxMode; import static org.evosuite.shaded.org.mockito.Mockito.*; @EvoSuiteClassExclude public class HTTPDateFormat_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000); @BeforeClass public static void initEvoSuiteFramework() { org.evosuite.runtime.RuntimeSettings.className = "HTTPDateFormat"; org.evosuite.runtime.GuiSupport.initialize(); org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.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/tmpqn1a51lh"); java.lang.System.setProperty("user.home", "/home/bmcdanel"); java.lang.System.setProperty("user.language", "en"); java.lang.System.setProperty("user.name", "bmcdanel"); java.lang.System.setProperty("user.timezone", "America/New_York"); } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(HTTPDateFormat_ESTest_scaffolding.class.getClassLoader() , "HTTPDateFormat" ); } private static void initMocksToAvoidTimeoutsInTheTests() throws ClassNotFoundException { mock(Class.forName("java.text.Format$Field", false, HTTPDateFormat_ESTest_scaffolding.class.getClassLoader())); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(HTTPDateFormat_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "HTTPDateFormat" ); } }
2,241
CommandLineTokenizer
/* * Copyright 2000-2014 JetBrains s.r.o. * * 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; import java.util.StringTokenizer; /** * Splits input String to tokens being aware of quoted tokens ("foo bar") and escaped spaces & * quotes (\"foo\ bar\"), usually used for splitting command line to separate arguments that may * contain space symbols. Space and quote are the only symbols that can be escaped */ public class CommandLineTokenizer extends StringTokenizer { private static final String DEFAULT_DELIMITERS = " \t\n\r\f"; // keep source level 1.4 private final List myTokens = new ArrayList(); private int myCurrentToken = 0; private boolean myHandleEscapedWhitespaces = false; public CommandLineTokenizer(String str) { this(str, false); } public CommandLineTokenizer(String str, boolean handleEscapedWhitespaces) { super(str, DEFAULT_DELIMITERS, true); myHandleEscapedWhitespaces = handleEscapedWhitespaces; parseTokens(); } /** * @deprecated Do not pass custom delimiters to the CommandLineTokenizer as it may break its logic */ @Deprecated() public CommandLineTokenizer(String str, String delim) { super(str, delim, true); parseTokens(); } @Override public boolean hasMoreTokens() { return myCurrentToken < myTokens.size(); } @Override public String nextToken() { return (String) myTokens.get(myCurrentToken++); } public String peekNextToken() { return (String) myTokens.get(myCurrentToken); } @Override public int countTokens() { return myTokens.size() - myCurrentToken; } @Override public String nextToken(String delim) { throw new UnsupportedOperationException(); } private void parseTokens() { String token; while ((token = nextTokenInternal()) != null) { myTokens.add(token); } } private String nextTokenInternal() { String nextToken; do { if (super.hasMoreTokens()) { nextToken = super.nextToken(); } else { nextToken = null; } } while (nextToken != null && nextToken.length() == 1 && DEFAULT_DELIMITERS.indexOf(nextToken.charAt(0)) >= 0); if (nextToken == null) { return null; } int i; int quotationMarks = 0; final StringBuilder buffer = new StringBuilder(); do { while ((i = nextToken.indexOf('"')) >= 0) { boolean isEscapedQuote = isEscapedAtPos(nextToken, i); if (!isEscapedQuote) quotationMarks++; buffer.append(nextToken.substring(0, isEscapedQuote ? i - 1 : i)); if (isEscapedQuote) buffer.append('"'); nextToken = nextToken.substring(i + 1); } boolean isEscapedWhitespace = false; if (myHandleEscapedWhitespaces && quotationMarks == 0 && nextToken.endsWith("\\") && super.hasMoreTokens()) { isEscapedWhitespace = true; buffer.append(nextToken.substring(0, nextToken.length() - 1)); buffer.append(super.nextToken()); } else { buffer.append(nextToken); } if ((isEscapedWhitespace || (quotationMarks & 1) == 1) && super.hasMoreTokens()) { nextToken = super.nextToken(); } else { nextToken = null; } } while (nextToken != null); return buffer.toString(); } private static boolean isEscapedAtPos(String token, int pos) { int escapeCount = 0; --pos; while (pos >= 0 && token.charAt(pos) == '\\') { ++escapeCount; --pos; } return (escapeCount & 1) == 1; } }
.version 52 0 .class public super CommandLineTokenizer .super java/util/StringTokenizer .field private static final DEFAULT_DELIMITERS Ljava/lang/String; = ' \t\n\r\x0c' .field private final myTokens Ljava/util/List; .field private myCurrentToken I .field private myHandleEscapedWhitespaces Z .method public <init> : (Ljava/lang/String;)V .code stack 3 locals 2 L0: aload_0 L1: aload_1 L2: iconst_0 L3: invokespecial Method CommandLineTokenizer <init> (Ljava/lang/String;Z)V L6: return L7: .linenumbertable L0 36 L6 37 .end linenumbertable .end code .end method .method public <init> : (Ljava/lang/String;Z)V .code stack 4 locals 3 L0: aload_0 L1: aload_1 L2: ldc ' \t\n\r\x0c' L4: iconst_1 L5: invokespecial Method java/util/StringTokenizer <init> (Ljava/lang/String;Ljava/lang/String;Z)V L8: aload_0 L9: new java/util/ArrayList L12: dup L13: invokespecial Method java/util/ArrayList <init> ()V L16: putfield Field CommandLineTokenizer myTokens Ljava/util/List; L19: aload_0 L20: iconst_0 L21: putfield Field CommandLineTokenizer myCurrentToken I L24: aload_0 L25: iconst_0 L26: putfield Field CommandLineTokenizer myHandleEscapedWhitespaces Z L29: aload_0 L30: iload_2 L31: putfield Field CommandLineTokenizer myHandleEscapedWhitespaces Z L34: aload_0 L35: invokespecial Method CommandLineTokenizer parseTokens ()V L38: return L39: .linenumbertable L0 40 L8 31 L19 32 L24 33 L29 41 L34 42 L38 43 .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_1 L4: invokespecial Method java/util/StringTokenizer <init> (Ljava/lang/String;Ljava/lang/String;Z)V L7: aload_0 L8: new java/util/ArrayList L11: dup L12: invokespecial Method java/util/ArrayList <init> ()V L15: putfield Field CommandLineTokenizer myTokens Ljava/util/List; L18: aload_0 L19: iconst_0 L20: putfield Field CommandLineTokenizer myCurrentToken I L23: aload_0 L24: iconst_0 L25: putfield Field CommandLineTokenizer myHandleEscapedWhitespaces Z L28: aload_0 L29: invokespecial Method CommandLineTokenizer parseTokens ()V L32: return L33: .linenumbertable L0 50 L7 31 L18 32 L23 33 L28 51 L32 52 .end linenumbertable .end code .deprecated .runtime visible annotations .annotation Ljava/lang/Deprecated; .end annotation .end runtime .end method .method public hasMoreTokens : ()Z .code stack 2 locals 1 L0: aload_0 L1: getfield Field CommandLineTokenizer myCurrentToken I L4: aload_0 L5: getfield Field CommandLineTokenizer myTokens Ljava/util/List; L8: invokeinterface InterfaceMethod java/util/List size ()I 1 L13: if_icmpge L20 L16: iconst_1 L17: goto L21 .stack same L20: iconst_0 .stack stack_1 Integer L21: ireturn L22: .linenumbertable L0 56 .end linenumbertable .end code .end method .method public nextToken : ()Ljava/lang/String; .code stack 5 locals 1 L0: aload_0 L1: getfield Field CommandLineTokenizer myTokens Ljava/util/List; L4: aload_0 L5: dup L6: getfield Field CommandLineTokenizer myCurrentToken I L9: dup_x1 L10: iconst_1 L11: iadd L12: putfield Field CommandLineTokenizer myCurrentToken I L15: invokeinterface InterfaceMethod java/util/List get (I)Ljava/lang/Object; 2 L20: checkcast java/lang/String L23: areturn L24: .linenumbertable L0 61 .end linenumbertable .end code .end method .method public peekNextToken : ()Ljava/lang/String; .code stack 2 locals 1 L0: aload_0 L1: getfield Field CommandLineTokenizer myTokens Ljava/util/List; L4: aload_0 L5: getfield Field CommandLineTokenizer myCurrentToken I L8: invokeinterface InterfaceMethod java/util/List get (I)Ljava/lang/Object; 2 L13: checkcast java/lang/String L16: areturn L17: .linenumbertable L0 65 .end linenumbertable .end code .end method .method public countTokens : ()I .code stack 2 locals 1 L0: aload_0 L1: getfield Field CommandLineTokenizer myTokens Ljava/util/List; L4: invokeinterface InterfaceMethod java/util/List size ()I 1 L9: aload_0 L10: getfield Field CommandLineTokenizer myCurrentToken I L13: isub L14: ireturn L15: .linenumbertable L0 70 .end linenumbertable .end code .end method .method public nextToken : (Ljava/lang/String;)Ljava/lang/String; .code stack 2 locals 2 L0: new java/lang/UnsupportedOperationException L3: dup L4: invokespecial Method java/lang/UnsupportedOperationException <init> ()V L7: athrow L8: .linenumbertable L0 76 .end linenumbertable .end code .end method .method private parseTokens : ()V .code stack 2 locals 2 .stack same L0: aload_0 L1: invokespecial Method CommandLineTokenizer nextTokenInternal ()Ljava/lang/String; L4: dup L5: astore_1 L6: ifnull L23 L9: aload_0 L10: getfield Field CommandLineTokenizer myTokens Ljava/util/List; L13: aload_1 L14: invokeinterface InterfaceMethod java/util/List add (Ljava/lang/Object;)Z 2 L19: pop L20: goto L0 .stack append Object java/lang/String L23: return L24: .linenumbertable L0 81 L9 82 L23 84 .end linenumbertable .end code .end method .method private nextTokenInternal : ()Ljava/lang/String; .code stack 5 locals 6 .stack same L0: aload_0 L1: invokespecial Method java/util/StringTokenizer hasMoreTokens ()Z L4: ifeq L15 L7: aload_0 L8: invokespecial Method java/util/StringTokenizer nextToken ()Ljava/lang/String; L11: astore_1 L12: goto L17 .stack same L15: aconst_null L16: astore_1 .stack append Object java/lang/String L17: aload_1 L18: ifnull L42 L21: aload_1 L22: invokevirtual Method java/lang/String length ()I L25: iconst_1 L26: if_icmpne L42 L29: ldc ' \t\n\r\x0c' L31: aload_1 L32: iconst_0 L33: invokevirtual Method java/lang/String charAt (I)C L36: invokevirtual Method java/lang/String indexOf (I)I L39: ifge L0 .stack same L42: aload_1 L43: ifnonnull L48 L46: aconst_null L47: areturn .stack same L48: iconst_0 L49: istore_3 L50: new java/lang/StringBuilder L53: dup L54: invokespecial Method java/lang/StringBuilder <init> ()V L57: astore 4 .stack append Top Integer Object java/lang/StringBuilder L59: aload_1 L60: bipush 34 L62: invokevirtual Method java/lang/String indexOf (I)I L65: dup L66: istore_2 L67: iflt L132 L70: aload_1 L71: iload_2 L72: invokestatic Method CommandLineTokenizer isEscapedAtPos (Ljava/lang/String;I)Z L75: istore 5 L77: iload 5 L79: ifne L85 L82: iinc 3 1 .stack full locals Object CommandLineTokenizer Object java/lang/String Integer Integer Object java/lang/StringBuilder Integer stack .end stack L85: aload 4 L87: aload_1 L88: iconst_0 L89: iload 5 L91: ifeq L100 L94: iload_2 L95: iconst_1 L96: isub L97: goto L101 .stack full locals Object CommandLineTokenizer Object java/lang/String Integer Integer Object java/lang/StringBuilder Integer stack Object java/lang/StringBuilder Object java/lang/String Integer .end stack L100: iload_2 .stack full locals Object CommandLineTokenizer Object java/lang/String Integer Integer Object java/lang/StringBuilder Integer stack Object java/lang/StringBuilder Object java/lang/String Integer Integer .end stack L101: invokevirtual Method java/lang/String substring (II)Ljava/lang/String; L104: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L107: pop L108: iload 5 L110: ifeq L121 L113: aload 4 L115: bipush 34 L117: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder; L120: pop .stack same L121: aload_1 L122: iload_2 L123: iconst_1 L124: iadd L125: invokevirtual Method java/lang/String substring (I)Ljava/lang/String; L128: astore_1 L129: goto L59 .stack chop 1 L132: iconst_0 L133: istore 5 L135: aload_0 L136: getfield Field CommandLineTokenizer myHandleEscapedWhitespaces Z L139: ifeq L195 L142: iload_3 L143: ifne L195 L146: aload_1 L147: ldc '\\' L149: invokevirtual Method java/lang/String endsWith (Ljava/lang/String;)Z L152: ifeq L195 L155: aload_0 L156: invokespecial Method java/util/StringTokenizer hasMoreTokens ()Z L159: ifeq L195 L162: iconst_1 L163: istore 5 L165: aload 4 L167: aload_1 L168: iconst_0 L169: aload_1 L170: invokevirtual Method java/lang/String length ()I L173: iconst_1 L174: isub L175: invokevirtual Method java/lang/String substring (II)Ljava/lang/String; L178: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L181: pop L182: aload 4 L184: aload_0 L185: invokespecial Method java/util/StringTokenizer nextToken ()Ljava/lang/String; L188: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L191: pop L192: goto L202 .stack append Integer L195: aload 4 L197: aload_1 L198: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L201: pop .stack same L202: iload 5 L204: ifne L214 L207: iload_3 L208: iconst_1 L209: iand L210: iconst_1 L211: if_icmpne L229 .stack same L214: aload_0 L215: invokespecial Method java/util/StringTokenizer hasMoreTokens ()Z L218: ifeq L229 L221: aload_0 L222: invokespecial Method java/util/StringTokenizer nextToken ()Ljava/lang/String; L225: astore_1 L226: goto L231 .stack same L229: aconst_null L230: astore_1 .stack chop 1 L231: aload_1 L232: ifnonnull L59 L235: aload 4 L237: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; L240: areturn L241: .linenumbertable L0 89 L7 90 L15 92 L17 94 L42 96 L46 97 L48 101 L50 102 L59 105 L70 106 L77 107 L85 108 L108 109 L121 110 L129 111 L132 113 L135 114 L162 115 L165 116 L182 117 L195 120 L202 123 L221 124 L229 126 L231 128 L235 130 .end linenumbertable .end code .end method .method private static isEscapedAtPos : (Ljava/lang/String;I)Z .code stack 2 locals 3 L0: iconst_0 L1: istore_2 L2: iinc 1 -1 .stack append Integer L5: iload_1 L6: iflt L28 L9: aload_0 L10: iload_1 L11: invokevirtual Method java/lang/String charAt (I)C L14: bipush 92 L16: if_icmpne L28 L19: iinc 2 1 L22: iinc 1 -1 L25: goto L5 .stack same L28: iload_2 L29: iconst_1 L30: iand L31: iconst_1 L32: if_icmpne L39 L35: iconst_1 L36: goto L40 .stack same L39: iconst_0 .stack stack_1 Integer L40: ireturn L41: .linenumbertable L0 134 L2 135 L5 136 L19 137 L22 138 L28 140 .end linenumbertable .end code .end method .sourcefile 'CommandLineTokenizer.java' .end class
/* * This file was automatically generated by EvoSuite * Sun Jul 03 17:38:32 GMT 2022 */ import org.junit.Test; import static org.junit.Assert.*; import static org.evosuite.runtime.EvoAssertions.*; import org.evosuite.runtime.EvoRunner; import org.evosuite.runtime.EvoRunnerParameters; import org.junit.runner.RunWith; @RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) public class CommandLineTokenizer_ESTest extends CommandLineTokenizer_ESTest_scaffolding { @Test(timeout = 4000) public void test00() throws Throwable { String string0 = ""; CommandLineTokenizer commandLineTokenizer0 = new CommandLineTokenizer(""); commandLineTokenizer0.countTokens(); // Undeclared exception! try { commandLineTokenizer0.nextToken(""); fail("Expecting exception: UnsupportedOperationException"); } catch(UnsupportedOperationException e) { // // no message in exception (getMessage() returned null) // verifyException("CommandLineTokenizer", e); } } @Test(timeout = 4000) public void test01() throws Throwable { CommandLineTokenizer commandLineTokenizer0 = new CommandLineTokenizer("CommandLineTokenizer", false); assertEquals(1, commandLineTokenizer0.countTokens()); commandLineTokenizer0.nextToken(); commandLineTokenizer0.hasMoreTokens(); commandLineTokenizer0.hasMoreTokens(); int int0 = commandLineTokenizer0.countTokens(); assertEquals(0, int0); } @Test(timeout = 4000) public void test02() throws Throwable { CommandLineTokenizer commandLineTokenizer0 = new CommandLineTokenizer(" hvRLRurqDd.r~$HE", false); commandLineTokenizer0.nextToken(); commandLineTokenizer0.hasMoreTokens(); commandLineTokenizer0.hasMoreElements(); commandLineTokenizer0.hasMoreElements(); commandLineTokenizer0.hasMoreElements(); // Undeclared exception! try { commandLineTokenizer0.nextToken(); fail("Expecting exception: IndexOutOfBoundsException"); } catch(IndexOutOfBoundsException e) { // // Index: 1, Size: 1 // verifyException("java.util.ArrayList", e); } } @Test(timeout = 4000) public void test03() throws Throwable { CommandLineTokenizer commandLineTokenizer0 = new CommandLineTokenizer("e&<Co"); commandLineTokenizer0.hasMoreTokens(); commandLineTokenizer0.hasMoreTokens(); boolean boolean0 = commandLineTokenizer0.hasMoreTokens(); assertTrue(boolean0); } @Test(timeout = 4000) public void test04() throws Throwable { CommandLineTokenizer commandLineTokenizer0 = new CommandLineTokenizer("dE6G5f+sUy7oxWK8%+", true); commandLineTokenizer0.peekNextToken(); // Undeclared exception! try { commandLineTokenizer0.nextToken(""); fail("Expecting exception: UnsupportedOperationException"); } catch(UnsupportedOperationException e) { // // no message in exception (getMessage() returned null) // verifyException("CommandLineTokenizer", e); } } @Test(timeout = 4000) public void test05() throws Throwable { CommandLineTokenizer commandLineTokenizer0 = new CommandLineTokenizer(""); commandLineTokenizer0.hasMoreElements(); // Undeclared exception! try { commandLineTokenizer0.peekNextToken(); fail("Expecting exception: IndexOutOfBoundsException"); } catch(IndexOutOfBoundsException e) { // // Index: 0, Size: 0 // verifyException("java.util.ArrayList", e); } } @Test(timeout = 4000) public void test06() throws Throwable { String string0 = ""; CommandLineTokenizer commandLineTokenizer0 = new CommandLineTokenizer("", false); // Undeclared exception! try { commandLineTokenizer0.nextToken(); fail("Expecting exception: IndexOutOfBoundsException"); } catch(IndexOutOfBoundsException e) { // // Index: 0, Size: 0 // verifyException("java.util.ArrayList", e); } } @Test(timeout = 4000) public void test07() throws Throwable { String string0 = null; CommandLineTokenizer commandLineTokenizer0 = null; try { commandLineTokenizer0 = new CommandLineTokenizer("`", (String) null); fail("Expecting exception: NullPointerException"); } catch(NullPointerException e) { // // no message in exception (getMessage() returned null) // verifyException("java.util.StringTokenizer", e); } } @Test(timeout = 4000) public void test08() throws Throwable { CommandLineTokenizer commandLineTokenizer0 = new CommandLineTokenizer("", ""); commandLineTokenizer0.hasMoreElements(); // Undeclared exception! try { commandLineTokenizer0.nextToken(""); fail("Expecting exception: UnsupportedOperationException"); } catch(UnsupportedOperationException e) { // // no message in exception (getMessage() returned null) // verifyException("CommandLineTokenizer", e); } } @Test(timeout = 4000) public void test09() throws Throwable { CommandLineTokenizer commandLineTokenizer0 = new CommandLineTokenizer("]r0O+Ey;byp15T-`", false); commandLineTokenizer0.nextElement(); commandLineTokenizer0.hasMoreElements(); // Undeclared exception! try { commandLineTokenizer0.nextElement(); fail("Expecting exception: IndexOutOfBoundsException"); } catch(IndexOutOfBoundsException e) { // // Index: 1, Size: 1 // verifyException("java.util.ArrayList", e); } } @Test(timeout = 4000) public void test10() throws Throwable { CommandLineTokenizer commandLineTokenizer0 = new CommandLineTokenizer("^Tw;Wp7i\"", true); commandLineTokenizer0.nextToken(); commandLineTokenizer0.hasMoreElements(); // Undeclared exception! try { commandLineTokenizer0.nextElement(); fail("Expecting exception: IndexOutOfBoundsException"); } catch(IndexOutOfBoundsException e) { // // Index: 1, Size: 1 // verifyException("java.util.ArrayList", e); } } @Test(timeout = 4000) public void test11() throws Throwable { CommandLineTokenizer commandLineTokenizer0 = new CommandLineTokenizer("=e9w07c3^z}UynF=w", "=e9w07c3^z}UynF=w"); String string0 = " \t\n\r\f"; commandLineTokenizer0.hasMoreElements(); // Undeclared exception! try { commandLineTokenizer0.nextToken(" \t\n\r\f"); fail("Expecting exception: UnsupportedOperationException"); } catch(UnsupportedOperationException e) { // // no message in exception (getMessage() returned null) // verifyException("CommandLineTokenizer", e); } } @Test(timeout = 4000) public void test12() throws Throwable { CommandLineTokenizer commandLineTokenizer0 = new CommandLineTokenizer("qjm/m}Tu#D*E+"); commandLineTokenizer0.nextElement(); // Undeclared exception! try { commandLineTokenizer0.nextToken(); fail("Expecting exception: IndexOutOfBoundsException"); } catch(IndexOutOfBoundsException e) { // // Index: 1, Size: 1 // verifyException("java.util.ArrayList", e); } } @Test(timeout = 4000) public void test13() throws Throwable { CommandLineTokenizer commandLineTokenizer0 = null; try { commandLineTokenizer0 = new CommandLineTokenizer((String) null, (String) null); fail("Expecting exception: NullPointerException"); } catch(NullPointerException e) { // // no message in exception (getMessage() returned null) // verifyException("java.util.StringTokenizer", e); } } @Test(timeout = 4000) public void test14() throws Throwable { String string0 = ""; CommandLineTokenizer commandLineTokenizer0 = new CommandLineTokenizer("", ""); // Undeclared exception! try { commandLineTokenizer0.nextElement(); fail("Expecting exception: IndexOutOfBoundsException"); } catch(IndexOutOfBoundsException e) { // // Index: 0, Size: 0 // verifyException("java.util.ArrayList", e); } } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sun Jul 03 17:38: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 CommandLineTokenizer_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000); @BeforeClass public static void initEvoSuiteFramework() { org.evosuite.runtime.RuntimeSettings.className = "CommandLineTokenizer"; org.evosuite.runtime.GuiSupport.initialize(); org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); org.evosuite.runtime.classhandling.JDKClassResetter.init(); setSystemProperties(); initializeClasses(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); } @AfterClass public static void clearEvoSuiteFramework(){ Sandbox.resetDefaultSecurityManager(); java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); } @Before public void initTestCase(){ threadStopper.storeCurrentThreads(); threadStopper.startRecordingTime(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); setSystemProperties(); org.evosuite.runtime.GuiSupport.setHeadless(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); org.evosuite.runtime.agent.InstrumentingAgent.activate(); } @After public void doneWithTestCase(){ threadStopper.killAndJoinClientThreads(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); org.evosuite.runtime.classhandling.JDKClassResetter.reset(); resetClasses(); org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); } public static void setSystemProperties() { java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); java.lang.System.setProperty("file.encoding", "UTF-8"); java.lang.System.setProperty("java.awt.headless", "true"); java.lang.System.setProperty("java.io.tmpdir", "/tmp"); java.lang.System.setProperty("user.country", "US"); java.lang.System.setProperty("user.dir", "/tmp/tmp5nzabqx3"); java.lang.System.setProperty("user.home", "/home/bmcdanel"); java.lang.System.setProperty("user.language", "en"); java.lang.System.setProperty("user.name", "bmcdanel"); java.lang.System.setProperty("user.timezone", "America/New_York"); } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(CommandLineTokenizer_ESTest_scaffolding.class.getClassLoader() , "CommandLineTokenizer" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(CommandLineTokenizer_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "CommandLineTokenizer" ); } }
2,242
AggregatedProducerStats
/** * Licensed to the Apache Software Foundation (ASF) under one or more contributor license * agreements. See the NOTICE file distributed with this work for additional information regarding * copyright ownership. The ASF licenses this file to you under the Apache License, Version 2.0 (the * "License"); you may not use this file except in compliance with the License. You may obtain a * copy of the License at * * <p>http://www.apache.org/licenses/LICENSE-2.0 * * <p>Unless required by applicable law or agreed to in writing, software distributed under the * License is distributed on an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either * express or implied. See the License for the specific language governing permissions and * limitations under the License. */ public class AggregatedProducerStats { public long producerId; public double msgRateIn; public double msgThroughputIn; public double averageMsgSize; }
.version 52 0 .class public super AggregatedProducerStats .super java/lang/Object .field public producerId J .field public msgRateIn D .field public msgThroughputIn D .field public averageMsgSize D .method public <init> : ()V .code stack 1 locals 1 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: return L5: .linenumbertable L0 21 .end linenumbertable .end code .end method .sourcefile 'AggregatedProducerStats.java' .end class
/* * This file was automatically generated by EvoSuite * Fri Jul 01 15:35: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 AggregatedProducerStats_ESTest extends AggregatedProducerStats_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { AggregatedProducerStats aggregatedProducerStats0 = new AggregatedProducerStats(); assertEquals(0.0, aggregatedProducerStats0.averageMsgSize, 1.0E-4); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Fri Jul 01 15:35: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 AggregatedProducerStats_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000); @BeforeClass public static void initEvoSuiteFramework() { org.evosuite.runtime.RuntimeSettings.className = "AggregatedProducerStats"; org.evosuite.runtime.GuiSupport.initialize(); org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); org.evosuite.runtime.classhandling.JDKClassResetter.init(); setSystemProperties(); initializeClasses(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); } @AfterClass public static void clearEvoSuiteFramework(){ Sandbox.resetDefaultSecurityManager(); java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); } @Before public void initTestCase(){ threadStopper.storeCurrentThreads(); threadStopper.startRecordingTime(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); setSystemProperties(); org.evosuite.runtime.GuiSupport.setHeadless(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); org.evosuite.runtime.agent.InstrumentingAgent.activate(); } @After public void doneWithTestCase(){ threadStopper.killAndJoinClientThreads(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); org.evosuite.runtime.classhandling.JDKClassResetter.reset(); resetClasses(); org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); } public static void setSystemProperties() { java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); java.lang.System.setProperty("file.encoding", "UTF-8"); java.lang.System.setProperty("java.awt.headless", "true"); java.lang.System.setProperty("java.io.tmpdir", "/tmp"); java.lang.System.setProperty("user.country", "US"); java.lang.System.setProperty("user.dir", "/tmp/tmp76ek8dfb"); java.lang.System.setProperty("user.home", "/home/bmcdanel"); java.lang.System.setProperty("user.language", "en"); java.lang.System.setProperty("user.name", "bmcdanel"); java.lang.System.setProperty("user.timezone", "America/New_York"); } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(AggregatedProducerStats_ESTest_scaffolding.class.getClassLoader() , "AggregatedProducerStats" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(AggregatedProducerStats_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "AggregatedProducerStats" ); } }
2,243
JavaVersion
/******************************************************************************* * Copyright 2016 Jalian Systems Pvt. Ltd. * * 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.logging.Logger; public class JavaVersion { public static final Logger LOGGER = Logger.getLogger(JavaVersion.class.getName()); private static String version = System.getProperty("java.version"); public static String atLeast(String target) { int[] current = makeParts(version); int[] expected = makeParts(target); for (int i = 0; i < 4; i++) { if (expected[i] > current[i]) { return "Expected: >= " + target + " Actual: " + version; } else if (expected[i] < current[i]) { return null; } } return null; } public static String atMost(String target) { int[] current = makeParts(version); int[] expected = makeParts(target); for (int i = 0; i < 4; i++) { if (expected[i] < current[i]) { return "Expected: <= " + target + " Actual: " + version; } else if (expected[i] >= current[i]) { return null; } } return null; } private static int[] makeParts(String v) { int[] r = new int[] {0, 0, 0, 0}; String[] parts = v.split("\\."); if (parts.length > 0) { r[0] = Integer.parseInt(parts[0]); } if (parts.length > 1) { r[1] = Integer.parseInt(parts[1]); } if (parts.length > 2) { String[] minors = parts[2].split("_"); if (minors.length > 0) { r[2] = Integer.parseInt(minors[0]); } if (minors.length > 1) { r[3] = Integer.parseInt(minors[1]); } } return r; } }
.version 52 0 .class public super JavaVersion .super java/lang/Object .field public static final LOGGER Ljava/util/logging/Logger; .field private static version Ljava/lang/String; .method public <init> : ()V .code stack 1 locals 1 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: return L5: .linenumbertable L0 20 .end linenumbertable .end code .end method .method public static atLeast : (Ljava/lang/String;)Ljava/lang/String; .code stack 3 locals 4 L0: getstatic Field JavaVersion version Ljava/lang/String; L3: invokestatic Method JavaVersion makeParts (Ljava/lang/String;)[I L6: astore_1 L7: aload_0 L8: invokestatic Method JavaVersion makeParts (Ljava/lang/String;)[I L11: astore_2 L12: iconst_0 L13: istore_3 .stack append Object [I Object [I Integer L14: iload_3 L15: iconst_4 L16: if_icmpge L76 L19: aload_2 L20: iload_3 L21: iaload L22: aload_1 L23: iload_3 L24: iaload L25: if_icmple L59 L28: new java/lang/StringBuilder L31: dup L32: invokespecial Method java/lang/StringBuilder <init> ()V L35: ldc 'Expected: >= ' L37: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L40: aload_0 L41: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L44: ldc ' Actual: ' L46: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L49: getstatic Field JavaVersion version Ljava/lang/String; L52: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L55: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; L58: areturn .stack same L59: aload_2 L60: iload_3 L61: iaload L62: aload_1 L63: iload_3 L64: iaload L65: if_icmpge L70 L68: aconst_null L69: areturn .stack same L70: iinc 3 1 L73: goto L14 .stack chop 1 L76: aconst_null L77: areturn L78: .linenumbertable L0 27 L7 28 L12 29 L19 30 L28 31 L59 32 L68 33 L70 29 L76 36 .end linenumbertable .end code .end method .method public static atMost : (Ljava/lang/String;)Ljava/lang/String; .code stack 3 locals 4 L0: getstatic Field JavaVersion version Ljava/lang/String; L3: invokestatic Method JavaVersion makeParts (Ljava/lang/String;)[I L6: astore_1 L7: aload_0 L8: invokestatic Method JavaVersion makeParts (Ljava/lang/String;)[I L11: astore_2 L12: iconst_0 L13: istore_3 .stack append Object [I Object [I Integer L14: iload_3 L15: iconst_4 L16: if_icmpge L76 L19: aload_2 L20: iload_3 L21: iaload L22: aload_1 L23: iload_3 L24: iaload L25: if_icmpge L59 L28: new java/lang/StringBuilder L31: dup L32: invokespecial Method java/lang/StringBuilder <init> ()V L35: ldc 'Expected: <= ' L37: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L40: aload_0 L41: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L44: ldc ' Actual: ' L46: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L49: getstatic Field JavaVersion version Ljava/lang/String; L52: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L55: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; L58: areturn .stack same L59: aload_2 L60: iload_3 L61: iaload L62: aload_1 L63: iload_3 L64: iaload L65: if_icmplt L70 L68: aconst_null L69: areturn .stack same L70: iinc 3 1 L73: goto L14 .stack chop 1 L76: aconst_null L77: areturn L78: .linenumbertable L0 40 L7 41 L12 42 L19 43 L28 44 L59 45 L68 46 L70 42 L76 49 .end linenumbertable .end code .end method .method private static makeParts : (Ljava/lang/String;)[I .code stack 4 locals 4 L0: iconst_4 L1: newarray int L3: dup L4: iconst_0 L5: iconst_0 L6: iastore L7: dup L8: iconst_1 L9: iconst_0 L10: iastore L11: dup L12: iconst_2 L13: iconst_0 L14: iastore L15: dup L16: iconst_3 L17: iconst_0 L18: iastore L19: astore_1 L20: aload_0 L21: ldc '\\.' L23: invokevirtual Method java/lang/String split (Ljava/lang/String;)[Ljava/lang/String; L26: astore_2 L27: aload_2 L28: arraylength L29: ifle L41 L32: aload_1 L33: iconst_0 L34: aload_2 L35: iconst_0 L36: aaload L37: invokestatic Method java/lang/Integer parseInt (Ljava/lang/String;)I L40: iastore .stack append Object [I Object [Ljava/lang/String; L41: aload_2 L42: arraylength L43: iconst_1 L44: if_icmple L56 L47: aload_1 L48: iconst_1 L49: aload_2 L50: iconst_1 L51: aaload L52: invokestatic Method java/lang/Integer parseInt (Ljava/lang/String;)I L55: iastore .stack same L56: aload_2 L57: arraylength L58: iconst_2 L59: if_icmple L100 L62: aload_2 L63: iconst_2 L64: aaload L65: ldc '_' L67: invokevirtual Method java/lang/String split (Ljava/lang/String;)[Ljava/lang/String; L70: astore_3 L71: aload_3 L72: arraylength L73: ifle L85 L76: aload_1 L77: iconst_2 L78: aload_3 L79: iconst_0 L80: aaload L81: invokestatic Method java/lang/Integer parseInt (Ljava/lang/String;)I L84: iastore .stack append Object [Ljava/lang/String; L85: aload_3 L86: arraylength L87: iconst_1 L88: if_icmple L100 L91: aload_1 L92: iconst_3 L93: aload_3 L94: iconst_1 L95: aaload L96: invokestatic Method java/lang/Integer parseInt (Ljava/lang/String;)I L99: iastore .stack chop 1 L100: aload_1 L101: areturn L102: .linenumbertable L0 53 L20 54 L27 55 L32 56 L41 58 L47 59 L56 61 L62 62 L71 63 L76 64 L85 66 L91 67 L100 70 .end linenumbertable .end code .end method .method static <clinit> : ()V .code stack 1 locals 0 L0: ldc Class JavaVersion L2: invokevirtual Method java/lang/Class getName ()Ljava/lang/String; L5: invokestatic Method java/util/logging/Logger getLogger (Ljava/lang/String;)Ljava/util/logging/Logger; L8: putstatic Field JavaVersion LOGGER Ljava/util/logging/Logger; L11: ldc 'java.version' L13: invokestatic Method java/lang/System getProperty (Ljava/lang/String;)Ljava/lang/String; L16: putstatic Field JavaVersion version Ljava/lang/String; L19: return L20: .linenumbertable L0 22 L11 24 .end linenumbertable .end code .end method .sourcefile 'JavaVersion.java' .end class
/* * This file was automatically generated by EvoSuite * Sat Jul 02 15:56:29 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 JavaVersion_ESTest extends JavaVersion_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { // Undeclared exception! try { JavaVersion.atLeast("NJtQ.t3[jO{Uxz;[@W"); fail("Expecting exception: NumberFormatException"); } catch(NumberFormatException e) { // // For input string: \"NJtQ\" // verifyException("java.lang.NumberFormatException", e); } } @Test(timeout = 4000) public void test1() throws Throwable { // Undeclared exception! try { JavaVersion.atMost("cGd}W"); fail("Expecting exception: NumberFormatException"); } catch(NumberFormatException e) { // // For input string: \"cGd}W\" // verifyException("java.lang.NumberFormatException", e); } } @Test(timeout = 4000) public void test2() throws Throwable { JavaVersion javaVersion0 = new JavaVersion(); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sat Jul 02 15:56:29 GMT 2022 */ import org.evosuite.runtime.annotation.EvoSuiteClassExclude; import org.junit.BeforeClass; import org.junit.Before; import org.junit.After; import org.junit.AfterClass; import org.evosuite.runtime.sandbox.Sandbox; import org.evosuite.runtime.sandbox.Sandbox.SandboxMode; @EvoSuiteClassExclude public class JavaVersion_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000); @BeforeClass public static void initEvoSuiteFramework() { org.evosuite.runtime.RuntimeSettings.className = "JavaVersion"; org.evosuite.runtime.GuiSupport.initialize(); org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); org.evosuite.runtime.classhandling.JDKClassResetter.init(); setSystemProperties(); initializeClasses(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); } @AfterClass public static void clearEvoSuiteFramework(){ Sandbox.resetDefaultSecurityManager(); java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); } @Before public void initTestCase(){ threadStopper.storeCurrentThreads(); threadStopper.startRecordingTime(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); setSystemProperties(); org.evosuite.runtime.GuiSupport.setHeadless(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); org.evosuite.runtime.agent.InstrumentingAgent.activate(); } @After public void doneWithTestCase(){ threadStopper.killAndJoinClientThreads(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); org.evosuite.runtime.classhandling.JDKClassResetter.reset(); resetClasses(); org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); } public static void setSystemProperties() { java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); java.lang.System.setProperty("file.encoding", "UTF-8"); java.lang.System.setProperty("java.awt.headless", "true"); java.lang.System.setProperty("java.io.tmpdir", "/tmp"); java.lang.System.setProperty("user.country", "US"); java.lang.System.setProperty("user.dir", "/tmp/tmp1gfaz1er"); java.lang.System.setProperty("user.home", "/home/bmcdanel"); java.lang.System.setProperty("user.language", "en"); java.lang.System.setProperty("user.name", "bmcdanel"); java.lang.System.setProperty("user.timezone", "America/New_York"); } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(JavaVersion_ESTest_scaffolding.class.getClassLoader() , "JavaVersion" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(JavaVersion_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "JavaVersion" ); } }
2,244
AwardAssetChangeRequest
import java.util.UUID; public class AwardAssetChangeRequest { private UUID assetId; public UUID getAssetId() { return assetId; } public void setAssetId(UUID assetId) { this.assetId = assetId; } }
.version 52 0 .class public super AwardAssetChangeRequest .super java/lang/Object .field private assetId Ljava/util/UUID; .method 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 getAssetId : ()Ljava/util/UUID; .code stack 1 locals 1 L0: aload_0 L1: getfield Field AwardAssetChangeRequest assetId Ljava/util/UUID; L4: areturn L5: .linenumbertable L0 9 .end linenumbertable .end code .end method .method public setAssetId : (Ljava/util/UUID;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field AwardAssetChangeRequest assetId Ljava/util/UUID; L5: return L6: .linenumbertable L0 13 L5 14 .end linenumbertable .end code .end method .sourcefile 'AwardAssetChangeRequest.java' .end class
/* * This file was automatically generated by EvoSuite * Sat Jul 02 08:40:52 GMT 2022 */ import org.junit.Test; import static org.junit.Assert.*; import java.util.UUID; import org.evosuite.runtime.EvoRunner; import org.evosuite.runtime.EvoRunnerParameters; import org.evosuite.runtime.Random; import org.evosuite.runtime.mock.java.util.MockUUID; import org.junit.runner.RunWith; @RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) public class AwardAssetChangeRequest_ESTest extends AwardAssetChangeRequest_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { Random.setNextRandom(88522); AwardAssetChangeRequest awardAssetChangeRequest0 = new AwardAssetChangeRequest(); UUID uUID0 = MockUUID.randomUUID(); awardAssetChangeRequest0.setAssetId(uUID0); UUID uUID1 = awardAssetChangeRequest0.getAssetId(); assertSame(uUID1, uUID0); } @Test(timeout = 4000) public void test1() throws Throwable { AwardAssetChangeRequest awardAssetChangeRequest0 = new AwardAssetChangeRequest(); UUID uUID0 = MockUUID.randomUUID(); awardAssetChangeRequest0.setAssetId(uUID0); UUID uUID1 = awardAssetChangeRequest0.getAssetId(); assertSame(uUID1, uUID0); } @Test(timeout = 4000) public void test2() throws Throwable { AwardAssetChangeRequest awardAssetChangeRequest0 = new AwardAssetChangeRequest(); UUID uUID0 = awardAssetChangeRequest0.getAssetId(); assertNull(uUID0); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sat Jul 02 08:40: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 AwardAssetChangeRequest_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000); @BeforeClass public static void initEvoSuiteFramework() { org.evosuite.runtime.RuntimeSettings.className = "AwardAssetChangeRequest"; org.evosuite.runtime.GuiSupport.initialize(); org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); org.evosuite.runtime.classhandling.JDKClassResetter.init(); setSystemProperties(); initializeClasses(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); } @AfterClass public static void clearEvoSuiteFramework(){ Sandbox.resetDefaultSecurityManager(); java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); } @Before public void initTestCase(){ threadStopper.storeCurrentThreads(); threadStopper.startRecordingTime(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); setSystemProperties(); org.evosuite.runtime.GuiSupport.setHeadless(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); org.evosuite.runtime.agent.InstrumentingAgent.activate(); } @After public void doneWithTestCase(){ threadStopper.killAndJoinClientThreads(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); org.evosuite.runtime.classhandling.JDKClassResetter.reset(); resetClasses(); org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); } public static void setSystemProperties() { java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); java.lang.System.setProperty("file.encoding", "UTF-8"); java.lang.System.setProperty("java.awt.headless", "true"); java.lang.System.setProperty("java.io.tmpdir", "/tmp"); java.lang.System.setProperty("user.country", "US"); java.lang.System.setProperty("user.dir", "/tmp/tmpnrmmiyia"); java.lang.System.setProperty("user.home", "/home/bmcdanel"); java.lang.System.setProperty("user.language", "en"); java.lang.System.setProperty("user.name", "bmcdanel"); java.lang.System.setProperty("user.timezone", "America/New_York"); } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(AwardAssetChangeRequest_ESTest_scaffolding.class.getClassLoader() , "AwardAssetChangeRequest" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(AwardAssetChangeRequest_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "AwardAssetChangeRequest" ); } }
2,245
RemovalEvent
/* GNU LESSER GENERAL PUBLIC LICENSE Copyright (C) 2006 The XAMJ Project 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., 51 Franklin St, Fifth Floor, Boston, MA 02110-1301 USA Contact info: [email protected] */ import java.util.EventObject; public class RemovalEvent extends EventObject { public final Object valueRemoved; public RemovalEvent(Object source, Object valueRemoved) { super(source); this.valueRemoved = valueRemoved; } }
.version 52 0 .class public super RemovalEvent .super java/util/EventObject .field public final valueRemoved Ljava/lang/Object; .method public <init> : (Ljava/lang/Object;Ljava/lang/Object;)V .code stack 2 locals 3 L0: aload_0 L1: aload_1 L2: invokespecial Method java/util/EventObject <init> (Ljava/lang/Object;)V L5: aload_0 L6: aload_2 L7: putfield Field RemovalEvent valueRemoved Ljava/lang/Object; L10: return L11: .linenumbertable L0 29 L5 30 L10 31 .end linenumbertable .end code .end method .sourcefile 'RemovalEvent.java' .end class
/* * This file was automatically generated by EvoSuite * Fri Jul 01 22:20: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 RemovalEvent_ESTest extends RemovalEvent_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { Object object0 = new Object(); RemovalEvent removalEvent0 = new RemovalEvent(object0, object0); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Fri Jul 01 22:20: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 RemovalEvent_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000); @BeforeClass public static void initEvoSuiteFramework() { org.evosuite.runtime.RuntimeSettings.className = "RemovalEvent"; org.evosuite.runtime.GuiSupport.initialize(); org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); org.evosuite.runtime.classhandling.JDKClassResetter.init(); setSystemProperties(); initializeClasses(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); } @AfterClass public static void clearEvoSuiteFramework(){ Sandbox.resetDefaultSecurityManager(); java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); } @Before public void initTestCase(){ threadStopper.storeCurrentThreads(); threadStopper.startRecordingTime(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); setSystemProperties(); org.evosuite.runtime.GuiSupport.setHeadless(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); org.evosuite.runtime.agent.InstrumentingAgent.activate(); } @After public void doneWithTestCase(){ threadStopper.killAndJoinClientThreads(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); org.evosuite.runtime.classhandling.JDKClassResetter.reset(); resetClasses(); org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); } public static void setSystemProperties() { java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); java.lang.System.setProperty("file.encoding", "UTF-8"); java.lang.System.setProperty("java.awt.headless", "true"); java.lang.System.setProperty("java.io.tmpdir", "/tmp"); java.lang.System.setProperty("user.country", "US"); java.lang.System.setProperty("user.dir", "/tmp/tmpnnsokhbs"); java.lang.System.setProperty("user.home", "/home/bmcdanel"); java.lang.System.setProperty("user.language", "en"); java.lang.System.setProperty("user.name", "bmcdanel"); java.lang.System.setProperty("user.timezone", "America/New_York"); } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(RemovalEvent_ESTest_scaffolding.class.getClassLoader() , "RemovalEvent" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(RemovalEvent_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "RemovalEvent" ); } }
2,246
FixedAtTimeThreadService
import java.util.concurrent.Executors; import java.util.concurrent.ScheduledExecutorService; import java.util.concurrent.TimeUnit; /** schedule plan timer */ public class FixedAtTimeThreadService { private static ScheduledExecutorService scheduledExecutorService; /** do after init */ public static void init() { scheduledExecutorService = Executors.newScheduledThreadPool(3); scheduledExecutorService.scheduleAtFixedRate( () -> { System.out.println("hello: " + Thread.currentThread().getName()); }, 1, 3, TimeUnit.SECONDS); } /** close thread pool resources */ public static void close() { if (null != scheduledExecutorService && scheduledExecutorService.isShutdown() == false) { scheduledExecutorService.shutdown(); } } public static void main(String[] args) { FixedAtTimeThreadService.init(); FixedAtTimeThreadService.close(); } }
.version 52 0 .class public super FixedAtTimeThreadService .super java/lang/Object .field private static scheduledExecutorService Ljava/util/concurrent/ScheduledExecutorService; .method public <init> : ()V .code stack 1 locals 1 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: return L5: .linenumbertable L0 11 .end linenumbertable .end code .end method .method public static init : ()V .code stack 7 locals 0 L0: iconst_3 L1: invokestatic Method java/util/concurrent/Executors newScheduledThreadPool (I)Ljava/util/concurrent/ScheduledExecutorService; L4: putstatic Field FixedAtTimeThreadService scheduledExecutorService Ljava/util/concurrent/ScheduledExecutorService; L7: getstatic Field FixedAtTimeThreadService scheduledExecutorService Ljava/util/concurrent/ScheduledExecutorService; L10: invokedynamic [id4] L15: lconst_1 L16: ldc2_w 3L L19: getstatic Field java/util/concurrent/TimeUnit SECONDS Ljava/util/concurrent/TimeUnit; L22: invokeinterface InterfaceMethod java/util/concurrent/ScheduledExecutorService scheduleAtFixedRate (Ljava/lang/Runnable;JJLjava/util/concurrent/TimeUnit;)Ljava/util/concurrent/ScheduledFuture; 7 L27: pop L28: return L29: .linenumbertable L0 20 L7 21 L28 25 .end linenumbertable .end code .end method .method public static close : ()V .code stack 2 locals 0 L0: aconst_null L1: getstatic Field FixedAtTimeThreadService scheduledExecutorService Ljava/util/concurrent/ScheduledExecutorService; L4: if_acmpeq L26 L7: getstatic Field FixedAtTimeThreadService scheduledExecutorService Ljava/util/concurrent/ScheduledExecutorService; L10: invokeinterface InterfaceMethod java/util/concurrent/ScheduledExecutorService isShutdown ()Z 1 L15: ifne L26 L18: getstatic Field FixedAtTimeThreadService scheduledExecutorService Ljava/util/concurrent/ScheduledExecutorService; L21: invokeinterface InterfaceMethod java/util/concurrent/ScheduledExecutorService shutdown ()V 1 .stack same L26: return L27: .linenumbertable L0 32 L18 33 L26 35 .end linenumbertable .end code .end method .method public static main : ([Ljava/lang/String;)V .code stack 0 locals 1 L0: invokestatic Method FixedAtTimeThreadService init ()V L3: invokestatic Method FixedAtTimeThreadService close ()V L6: return L7: .linenumbertable L0 38 L3 39 L6 40 .end linenumbertable .end code .end method .method private static synthetic lambda$init$0 : ()V .code stack 3 locals 0 L0: getstatic Field java/lang/System out Ljava/io/PrintStream; L3: new java/lang/StringBuilder L6: dup L7: invokespecial Method java/lang/StringBuilder <init> ()V L10: ldc 'hello: ' L12: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L15: invokestatic Method java/lang/Thread currentThread ()Ljava/lang/Thread; L18: invokevirtual Method java/lang/Thread getName ()Ljava/lang/String; L21: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L24: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; L27: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V L30: return L31: .linenumbertable L0 22 L30 23 .end linenumbertable .end code .end method .sourcefile 'FixedAtTimeThreadService.java' .innerclasses 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 (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 FixedAtTimeThreadService lambda$init$0 ()V MethodType ()V : run ()Ljava/lang/Runnable; .end class
/* * This file was automatically generated by EvoSuite * Sat Jul 02 05:44:58 GMT 2022 */ import org.junit.Test; import static org.junit.Assert.*; import org.evosuite.runtime.EvoRunner; import org.evosuite.runtime.EvoRunnerParameters; import org.junit.runner.RunWith; @RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) public class FixedAtTimeThreadService_ESTest extends FixedAtTimeThreadService_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { FixedAtTimeThreadService.init(); FixedAtTimeThreadService.close(); FixedAtTimeThreadService fixedAtTimeThreadService0 = new FixedAtTimeThreadService(); String[] stringArray0 = new String[4]; stringArray0[0] = ""; stringArray0[1] = "K*<__=6I"; stringArray0[2] = "FixedAtTimeThreadService"; stringArray0[3] = ""; FixedAtTimeThreadService.main(stringArray0); String[] stringArray1 = new String[6]; stringArray1[0] = ""; stringArray1[1] = "`5lVJ"; stringArray1[2] = "hello: "; stringArray1[3] = "{7d0"; stringArray1[4] = ""; stringArray1[5] = ""; FixedAtTimeThreadService.main(stringArray1); FixedAtTimeThreadService.init(); FixedAtTimeThreadService.close(); FixedAtTimeThreadService.close(); String[] stringArray2 = new String[2]; stringArray2[0] = ""; stringArray2[1] = "UdV4&/]"; FixedAtTimeThreadService.main(stringArray2); FixedAtTimeThreadService.init(); FixedAtTimeThreadService.close(); FixedAtTimeThreadService.main(stringArray2); FixedAtTimeThreadService.close(); FixedAtTimeThreadService.main(stringArray2); FixedAtTimeThreadService.close(); FixedAtTimeThreadService.main(stringArray2); } @Test(timeout = 4000) public void test1() throws Throwable { FixedAtTimeThreadService fixedAtTimeThreadService0 = new FixedAtTimeThreadService(); String[] stringArray0 = new String[5]; stringArray0[0] = "b@([TpYjPx"; stringArray0[1] = ""; stringArray0[2] = "[7MC0R_"; stringArray0[3] = "W`|jgTm]oKVP"; stringArray0[4] = "hello: "; FixedAtTimeThreadService.main(stringArray0); String[] stringArray1 = new String[8]; stringArray1[0] = ""; stringArray1[1] = "|rzWdZ'5V<G ~9"; stringArray1[2] = ""; stringArray1[3] = "FixedAtTimeThreadService"; stringArray1[4] = "w_wTrTDO"; stringArray1[5] = ""; stringArray1[6] = "5"; stringArray1[7] = "^lz4ODw2@weCgvFX?"; FixedAtTimeThreadService.main(stringArray1); FixedAtTimeThreadService.init(); String[] stringArray2 = new String[2]; stringArray2[0] = "s;$[u`g_Po:l n;r?o"; stringArray2[1] = "^I{|[9"; FixedAtTimeThreadService.main(stringArray2); FixedAtTimeThreadService.close(); FixedAtTimeThreadService.close(); FixedAtTimeThreadService.init(); FixedAtTimeThreadService.close(); } @Test(timeout = 4000) public void test2() throws Throwable { FixedAtTimeThreadService.init(); FixedAtTimeThreadService.close(); FixedAtTimeThreadService.close(); String[] stringArray0 = new String[0]; FixedAtTimeThreadService.main(stringArray0); FixedAtTimeThreadService.init(); FixedAtTimeThreadService.init(); FixedAtTimeThreadService.init(); FixedAtTimeThreadService fixedAtTimeThreadService0 = new FixedAtTimeThreadService(); String[] stringArray1 = new String[3]; stringArray1[0] = ""; stringArray1[1] = ""; stringArray1[2] = "T-y"; FixedAtTimeThreadService.main(stringArray1); FixedAtTimeThreadService.main(stringArray0); FixedAtTimeThreadService.main(stringArray0); FixedAtTimeThreadService.close(); FixedAtTimeThreadService.main(stringArray0); FixedAtTimeThreadService.init(); FixedAtTimeThreadService.init(); FixedAtTimeThreadService.main(stringArray0); FixedAtTimeThreadService.main(stringArray0); FixedAtTimeThreadService.init(); FixedAtTimeThreadService.close(); FixedAtTimeThreadService.close(); FixedAtTimeThreadService.main(stringArray0); FixedAtTimeThreadService.main(stringArray0); FixedAtTimeThreadService.init(); FixedAtTimeThreadService.main(stringArray0); FixedAtTimeThreadService.main(stringArray0); assertFalse(stringArray0.equals((Object)stringArray1)); } @Test(timeout = 4000) public void test3() throws Throwable { FixedAtTimeThreadService fixedAtTimeThreadService0 = new FixedAtTimeThreadService(); FixedAtTimeThreadService.init(); FixedAtTimeThreadService.init(); FixedAtTimeThreadService.init(); FixedAtTimeThreadService.init(); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sat Jul 02 05:44:58 GMT 2022 */ import org.evosuite.runtime.annotation.EvoSuiteClassExclude; import org.junit.BeforeClass; import org.junit.Before; import org.junit.After; import org.junit.AfterClass; import org.evosuite.runtime.sandbox.Sandbox; import org.evosuite.runtime.sandbox.Sandbox.SandboxMode; @EvoSuiteClassExclude public class FixedAtTimeThreadService_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000); @BeforeClass public static void initEvoSuiteFramework() { org.evosuite.runtime.RuntimeSettings.className = "FixedAtTimeThreadService"; org.evosuite.runtime.GuiSupport.initialize(); org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); org.evosuite.runtime.classhandling.JDKClassResetter.init(); setSystemProperties(); initializeClasses(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); } @AfterClass public static void clearEvoSuiteFramework(){ Sandbox.resetDefaultSecurityManager(); java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); } @Before public void initTestCase(){ threadStopper.storeCurrentThreads(); threadStopper.startRecordingTime(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); setSystemProperties(); org.evosuite.runtime.GuiSupport.setHeadless(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); org.evosuite.runtime.agent.InstrumentingAgent.activate(); } @After public void doneWithTestCase(){ threadStopper.killAndJoinClientThreads(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); org.evosuite.runtime.classhandling.JDKClassResetter.reset(); resetClasses(); org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); } public static void setSystemProperties() { java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); java.lang.System.setProperty("file.encoding", "UTF-8"); java.lang.System.setProperty("java.awt.headless", "true"); java.lang.System.setProperty("java.io.tmpdir", "/tmp"); java.lang.System.setProperty("user.country", "US"); java.lang.System.setProperty("user.dir", "/tmp/tmpsnu26f6t"); java.lang.System.setProperty("user.home", "/home/bmcdanel"); java.lang.System.setProperty("user.language", "en"); java.lang.System.setProperty("user.name", "bmcdanel"); java.lang.System.setProperty("user.timezone", "America/New_York"); } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(FixedAtTimeThreadService_ESTest_scaffolding.class.getClassLoader() , "FixedAtTimeThreadService" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(FixedAtTimeThreadService_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "FixedAtTimeThreadService" ); } }
2,247
FolderData
public class FolderData { private String title; private String subtitle; private String command; private String path; private String banner; private String parent; private int date; private int max; private int adddate; private int type; public String getTitle() { return title; } public void setTitle(String title) { this.title = title; } public String getSubtitle() { return subtitle; } public void setSubtitle(String subtitle) { this.subtitle = subtitle; } public String getCommand() { return command; } public void setCommand(String command) { this.command = command; } public String getPath() { return path; } public void setPath(String path) { this.path = path; } public String getBanner() { return banner; } public void setBanner(String banner) { this.banner = banner; } public String getParent() { return parent; } public void setParent(String parent) { this.parent = parent; } public int getDate() { return date; } public void setDate(int date) { this.date = date; } public int getMax() { return max; } public void setMax(int max) { this.max = max; } public int getAdddate() { return adddate; } public void setAdddate(int adddate) { this.adddate = adddate; } public int getType() { return type; } public void setType(int type) { this.type = type; } }
.version 52 0 .class public super FolderData .super java/lang/Object .field private title Ljava/lang/String; .field private subtitle Ljava/lang/String; .field private command Ljava/lang/String; .field private path Ljava/lang/String; .field private banner Ljava/lang/String; .field private parent Ljava/lang/String; .field private date I .field private max I .field private adddate I .field private type I .method public <init> : ()V .code stack 1 locals 1 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: return L5: .linenumbertable L0 3 .end linenumbertable .end code .end method .method public getTitle : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field FolderData title Ljava/lang/String; L4: areturn L5: .linenumbertable L0 17 .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 FolderData title Ljava/lang/String; L5: return L6: .linenumbertable L0 20 L5 21 .end linenumbertable .end code .end method .method public getSubtitle : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field FolderData subtitle Ljava/lang/String; L4: areturn L5: .linenumbertable L0 23 .end linenumbertable .end code .end method .method public setSubtitle : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field FolderData subtitle Ljava/lang/String; L5: return L6: .linenumbertable L0 26 L5 27 .end linenumbertable .end code .end method .method public getCommand : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field FolderData command Ljava/lang/String; L4: areturn L5: .linenumbertable L0 29 .end linenumbertable .end code .end method .method public setCommand : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field FolderData command Ljava/lang/String; L5: return L6: .linenumbertable L0 32 L5 33 .end linenumbertable .end code .end method .method public getPath : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field FolderData path Ljava/lang/String; L4: areturn L5: .linenumbertable L0 35 .end linenumbertable .end code .end method .method public setPath : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field FolderData path Ljava/lang/String; L5: return L6: .linenumbertable L0 38 L5 39 .end linenumbertable .end code .end method .method public getBanner : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field FolderData banner Ljava/lang/String; L4: areturn L5: .linenumbertable L0 41 .end linenumbertable .end code .end method .method public setBanner : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field FolderData banner Ljava/lang/String; L5: return L6: .linenumbertable L0 44 L5 45 .end linenumbertable .end code .end method .method public getParent : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field FolderData parent Ljava/lang/String; L4: areturn L5: .linenumbertable L0 47 .end linenumbertable .end code .end method .method public setParent : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field FolderData parent Ljava/lang/String; L5: return L6: .linenumbertable L0 50 L5 51 .end linenumbertable .end code .end method .method public getDate : ()I .code stack 1 locals 1 L0: aload_0 L1: getfield Field FolderData date I L4: ireturn L5: .linenumbertable L0 53 .end linenumbertable .end code .end method .method public setDate : (I)V .code stack 2 locals 2 L0: aload_0 L1: iload_1 L2: putfield Field FolderData date I L5: return L6: .linenumbertable L0 56 L5 57 .end linenumbertable .end code .end method .method public getMax : ()I .code stack 1 locals 1 L0: aload_0 L1: getfield Field FolderData max I L4: ireturn L5: .linenumbertable L0 59 .end linenumbertable .end code .end method .method public setMax : (I)V .code stack 2 locals 2 L0: aload_0 L1: iload_1 L2: putfield Field FolderData max I L5: return L6: .linenumbertable L0 62 L5 63 .end linenumbertable .end code .end method .method public getAdddate : ()I .code stack 1 locals 1 L0: aload_0 L1: getfield Field FolderData adddate I L4: ireturn L5: .linenumbertable L0 65 .end linenumbertable .end code .end method .method public setAdddate : (I)V .code stack 2 locals 2 L0: aload_0 L1: iload_1 L2: putfield Field FolderData adddate I L5: return L6: .linenumbertable L0 68 L5 69 .end linenumbertable .end code .end method .method public getType : ()I .code stack 1 locals 1 L0: aload_0 L1: getfield Field FolderData type I L4: ireturn L5: .linenumbertable L0 71 .end linenumbertable .end code .end method .method public setType : (I)V .code stack 2 locals 2 L0: aload_0 L1: iload_1 L2: putfield Field FolderData type I L5: return L6: .linenumbertable L0 74 L5 75 .end linenumbertable .end code .end method .sourcefile 'FolderData.java' .end class
/* * This file was automatically generated by EvoSuite * Sun Jul 03 19:14: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 FolderData_ESTest extends FolderData_ESTest_scaffolding { @Test(timeout = 4000) public void test00() throws Throwable { FolderData folderData0 = new FolderData(); folderData0.setType(6921); int int0 = folderData0.getType(); assertEquals(6921, int0); } @Test(timeout = 4000) public void test01() throws Throwable { FolderData folderData0 = new FolderData(); folderData0.setType((-21675)); int int0 = folderData0.getType(); assertEquals((-21675), int0); } @Test(timeout = 4000) public void test02() throws Throwable { FolderData folderData0 = new FolderData(); folderData0.setTitle(".O!8bRGj%[*D\u0007s"); String string0 = folderData0.getTitle(); assertEquals(".O!8bRGj%[*D\u0007s", string0); } @Test(timeout = 4000) public void test03() throws Throwable { FolderData folderData0 = new FolderData(); folderData0.setSubtitle("1/ q25FdW:1pXUU}3_'"); String string0 = folderData0.getSubtitle(); assertEquals("1/ q25FdW:1pXUU}3_'", string0); } @Test(timeout = 4000) public void test04() throws Throwable { FolderData folderData0 = new FolderData(); folderData0.setSubtitle(""); String string0 = folderData0.getSubtitle(); assertEquals("", string0); } @Test(timeout = 4000) public void test05() throws Throwable { FolderData folderData0 = new FolderData(); folderData0.setPath("V$]go!zfT`z"); String string0 = folderData0.getPath(); assertEquals("V$]go!zfT`z", string0); } @Test(timeout = 4000) public void test06() throws Throwable { FolderData folderData0 = new FolderData(); folderData0.setPath(""); String string0 = folderData0.getPath(); assertEquals("", string0); } @Test(timeout = 4000) public void test07() throws Throwable { FolderData folderData0 = new FolderData(); folderData0.setParent("u!_*g}^D`%(s\"2zr."); String string0 = folderData0.getParent(); assertEquals("u!_*g}^D`%(s\"2zr.", string0); } @Test(timeout = 4000) public void test08() throws Throwable { FolderData folderData0 = new FolderData(); folderData0.setParent(""); String string0 = folderData0.getParent(); assertEquals("", string0); } @Test(timeout = 4000) public void test09() throws Throwable { FolderData folderData0 = new FolderData(); folderData0.setMax(59747); int int0 = folderData0.getMax(); assertEquals(59747, int0); } @Test(timeout = 4000) public void test10() throws Throwable { FolderData folderData0 = new FolderData(); folderData0.setMax((-7654)); int int0 = folderData0.getMax(); assertEquals((-7654), int0); } @Test(timeout = 4000) public void test11() throws Throwable { FolderData folderData0 = new FolderData(); folderData0.setDate(1); int int0 = folderData0.getDate(); assertEquals(1, int0); } @Test(timeout = 4000) public void test12() throws Throwable { FolderData folderData0 = new FolderData(); folderData0.setDate((-7654)); int int0 = folderData0.getDate(); assertEquals((-7654), int0); } @Test(timeout = 4000) public void test13() throws Throwable { FolderData folderData0 = new FolderData(); folderData0.setCommand("!kxvRRo*g7"); String string0 = folderData0.getCommand(); assertEquals("!kxvRRo*g7", string0); } @Test(timeout = 4000) public void test14() throws Throwable { FolderData folderData0 = new FolderData(); folderData0.setBanner("Y m"); String string0 = folderData0.getBanner(); assertEquals("Y m", string0); } @Test(timeout = 4000) public void test15() throws Throwable { FolderData folderData0 = new FolderData(); folderData0.setBanner(""); String string0 = folderData0.getBanner(); assertEquals("", string0); } @Test(timeout = 4000) public void test16() throws Throwable { FolderData folderData0 = new FolderData(); folderData0.setAdddate(43813); int int0 = folderData0.getAdddate(); assertEquals(43813, int0); } @Test(timeout = 4000) public void test17() throws Throwable { FolderData folderData0 = new FolderData(); folderData0.setAdddate((-1)); int int0 = folderData0.getAdddate(); assertEquals((-1), int0); } @Test(timeout = 4000) public void test18() throws Throwable { FolderData folderData0 = new FolderData(); folderData0.setTitle(""); String string0 = folderData0.getTitle(); assertEquals("", string0); } @Test(timeout = 4000) public void test19() throws Throwable { FolderData folderData0 = new FolderData(); int int0 = folderData0.getDate(); assertEquals(0, int0); } @Test(timeout = 4000) public void test20() throws Throwable { FolderData folderData0 = new FolderData(); int int0 = folderData0.getMax(); assertEquals(0, int0); } @Test(timeout = 4000) public void test21() throws Throwable { FolderData folderData0 = new FolderData(); String string0 = folderData0.getParent(); assertNull(string0); } @Test(timeout = 4000) public void test22() throws Throwable { FolderData folderData0 = new FolderData(); int int0 = folderData0.getType(); assertEquals(0, int0); } @Test(timeout = 4000) public void test23() throws Throwable { FolderData folderData0 = new FolderData(); String string0 = folderData0.getTitle(); assertNull(string0); } @Test(timeout = 4000) public void test24() throws Throwable { FolderData folderData0 = new FolderData(); int int0 = folderData0.getAdddate(); assertEquals(0, int0); } @Test(timeout = 4000) public void test25() throws Throwable { FolderData folderData0 = new FolderData(); String string0 = folderData0.getCommand(); assertNull(string0); } @Test(timeout = 4000) public void test26() throws Throwable { FolderData folderData0 = new FolderData(); String string0 = folderData0.getPath(); assertNull(string0); } @Test(timeout = 4000) public void test27() throws Throwable { FolderData folderData0 = new FolderData(); String string0 = folderData0.getSubtitle(); assertNull(string0); } @Test(timeout = 4000) public void test28() throws Throwable { FolderData folderData0 = new FolderData(); String string0 = folderData0.getBanner(); assertNull(string0); } @Test(timeout = 4000) public void test29() throws Throwable { FolderData folderData0 = new FolderData(); folderData0.setCommand(""); String string0 = folderData0.getCommand(); assertEquals("", string0); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sun Jul 03 19:14: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 FolderData_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000); @BeforeClass public static void initEvoSuiteFramework() { org.evosuite.runtime.RuntimeSettings.className = "FolderData"; org.evosuite.runtime.GuiSupport.initialize(); org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); org.evosuite.runtime.classhandling.JDKClassResetter.init(); setSystemProperties(); initializeClasses(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); } @AfterClass public static void clearEvoSuiteFramework(){ Sandbox.resetDefaultSecurityManager(); java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); } @Before public void initTestCase(){ threadStopper.storeCurrentThreads(); threadStopper.startRecordingTime(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); setSystemProperties(); org.evosuite.runtime.GuiSupport.setHeadless(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); org.evosuite.runtime.agent.InstrumentingAgent.activate(); } @After public void doneWithTestCase(){ threadStopper.killAndJoinClientThreads(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); org.evosuite.runtime.classhandling.JDKClassResetter.reset(); resetClasses(); org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); } public static void setSystemProperties() { java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); java.lang.System.setProperty("file.encoding", "UTF-8"); java.lang.System.setProperty("java.awt.headless", "true"); java.lang.System.setProperty("java.io.tmpdir", "/tmp"); java.lang.System.setProperty("user.country", "US"); java.lang.System.setProperty("user.dir", "/tmp/tmpdn67jri0"); java.lang.System.setProperty("user.home", "/home/bmcdanel"); java.lang.System.setProperty("user.language", "en"); java.lang.System.setProperty("user.name", "bmcdanel"); java.lang.System.setProperty("user.timezone", "America/New_York"); } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(FolderData_ESTest_scaffolding.class.getClassLoader() , "FolderData" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(FolderData_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "FolderData" ); } }
2,248
ExportMegamodelException
/** * Copyright (c) 2014 Laboratoire de Genie Informatique et Ingenierie de Production - Ecole des * Mines d'Ales * * <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 * * <p>Contributors: Francois Pfister (ISOE-LGI2P) - initial API and implementation */ public class ExportMegamodelException extends Exception {}
.version 52 0 .class public super ExportMegamodelException .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 14 .end linenumbertable .end code .end method .sourcefile 'ExportMegamodelException.java' .end class
/* * This file was automatically generated by EvoSuite * Sat Jul 02 17:27: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 ExportMegamodelException_ESTest extends ExportMegamodelException_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { ExportMegamodelException exportMegamodelException0 = new ExportMegamodelException(); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sat Jul 02 17:27: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 ExportMegamodelException_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000); @BeforeClass public static void initEvoSuiteFramework() { org.evosuite.runtime.RuntimeSettings.className = "ExportMegamodelException"; org.evosuite.runtime.GuiSupport.initialize(); org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); org.evosuite.runtime.classhandling.JDKClassResetter.init(); setSystemProperties(); initializeClasses(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); } @AfterClass public static void clearEvoSuiteFramework(){ Sandbox.resetDefaultSecurityManager(); java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); } @Before public void initTestCase(){ threadStopper.storeCurrentThreads(); threadStopper.startRecordingTime(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); setSystemProperties(); org.evosuite.runtime.GuiSupport.setHeadless(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); org.evosuite.runtime.agent.InstrumentingAgent.activate(); } @After public void doneWithTestCase(){ threadStopper.killAndJoinClientThreads(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); org.evosuite.runtime.classhandling.JDKClassResetter.reset(); resetClasses(); org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); } public static void setSystemProperties() { java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); java.lang.System.setProperty("file.encoding", "UTF-8"); java.lang.System.setProperty("java.awt.headless", "true"); java.lang.System.setProperty("java.io.tmpdir", "/tmp"); java.lang.System.setProperty("user.country", "US"); java.lang.System.setProperty("user.dir", "/tmp/tmp9wpu4og7"); java.lang.System.setProperty("user.home", "/home/bmcdanel"); java.lang.System.setProperty("user.language", "en"); java.lang.System.setProperty("user.name", "bmcdanel"); java.lang.System.setProperty("user.timezone", "America/New_York"); } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(ExportMegamodelException_ESTest_scaffolding.class.getClassLoader() , "ExportMegamodelException" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ExportMegamodelException_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "ExportMegamodelException" ); } }
2,249
HttpCacheEntrySerializationException
/* * ==================================================================== * Licensed to the Apache Software Foundation (ASF) under one * or more contributor license agreements. See the NOTICE file * distributed with this work for additional information * regarding copyright ownership. The ASF licenses this file * to you under the Apache License, Version 2.0 (the * "License"); you may not use this file except in compliance * with the License. You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, * software distributed under the License is distributed on an * "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY * KIND, either express or implied. See the License for the * specific language governing permissions and limitations * under the License. * ==================================================================== * * This software consists of voluntary contributions made by many * individuals on behalf of the Apache Software Foundation. For more * information on the Apache Software Foundation, please see * <http://www.apache.org/>. * */ import java.io.IOException; /** Thrown if serialization or deserialization of an {@link HttpCacheEntry} fails. */ public class HttpCacheEntrySerializationException extends IOException { private static final long serialVersionUID = 9219188365878433519L; public HttpCacheEntrySerializationException(final String message) { super(); } public HttpCacheEntrySerializationException(final String message, final Throwable cause) { super(message); initCause(cause); } }
.version 52 0 .class public super HttpCacheEntrySerializationException .super java/io/IOException .field private static final serialVersionUID J = 9219188365878433519L .method public <init> : (Ljava/lang/String;)V .code stack 1 locals 2 L0: aload_0 L1: invokespecial Method java/io/IOException <init> ()V L4: return L5: .linenumbertable L0 40 L4 41 .end linenumbertable .end code .end method .method public <init> : (Ljava/lang/String;Ljava/lang/Throwable;)V .code stack 2 locals 3 L0: aload_0 L1: aload_1 L2: invokespecial Method java/io/IOException <init> (Ljava/lang/String;)V L5: aload_0 L6: aload_2 L7: invokevirtual Method HttpCacheEntrySerializationException initCause (Ljava/lang/Throwable;)Ljava/lang/Throwable; L10: pop L11: return L12: .linenumbertable L0 44 L5 45 L11 46 .end linenumbertable .end code .end method .sourcefile 'HttpCacheEntrySerializationException.java' .end class
/* * This file was automatically generated by EvoSuite * Fri Jul 01 19: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 HttpCacheEntrySerializationException_ESTest extends HttpCacheEntrySerializationException_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { HttpCacheEntrySerializationException httpCacheEntrySerializationException0 = new HttpCacheEntrySerializationException("HttpCacheEntrySerializationException"); HttpCacheEntrySerializationException httpCacheEntrySerializationException1 = new HttpCacheEntrySerializationException("", httpCacheEntrySerializationException0); assertFalse(httpCacheEntrySerializationException1.equals((Object)httpCacheEntrySerializationException0)); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Fri Jul 01 19: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 HttpCacheEntrySerializationException_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000); @BeforeClass public static void initEvoSuiteFramework() { org.evosuite.runtime.RuntimeSettings.className = "HttpCacheEntrySerializationException"; org.evosuite.runtime.GuiSupport.initialize(); org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); org.evosuite.runtime.classhandling.JDKClassResetter.init(); setSystemProperties(); initializeClasses(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); } @AfterClass public static void clearEvoSuiteFramework(){ Sandbox.resetDefaultSecurityManager(); java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); } @Before public void initTestCase(){ threadStopper.storeCurrentThreads(); threadStopper.startRecordingTime(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); setSystemProperties(); org.evosuite.runtime.GuiSupport.setHeadless(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); org.evosuite.runtime.agent.InstrumentingAgent.activate(); } @After public void doneWithTestCase(){ threadStopper.killAndJoinClientThreads(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); org.evosuite.runtime.classhandling.JDKClassResetter.reset(); resetClasses(); org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); } public static void setSystemProperties() { java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); java.lang.System.setProperty("file.encoding", "UTF-8"); java.lang.System.setProperty("java.awt.headless", "true"); java.lang.System.setProperty("java.io.tmpdir", "/tmp"); java.lang.System.setProperty("user.country", "US"); java.lang.System.setProperty("user.dir", "/tmp/tmpw7etdj4r"); java.lang.System.setProperty("user.home", "/home/bmcdanel"); java.lang.System.setProperty("user.language", "en"); java.lang.System.setProperty("user.name", "bmcdanel"); java.lang.System.setProperty("user.timezone", "America/New_York"); } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(HttpCacheEntrySerializationException_ESTest_scaffolding.class.getClassLoader() , "HttpCacheEntrySerializationException" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(HttpCacheEntrySerializationException_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "HttpCacheEntrySerializationException" ); } }
2,250
Production4840
public class Production4840 { private String property0; public String getProperty0() { return property0; } public void setProperty0(String value) { property0 = value; } private String property1; public String getProperty1() { return property1; } public void setProperty1(String value) { property1 = value; } private String property2; public String getProperty2() { return property2; } public void setProperty2(String value) { property2 = value; } private String property3; public String getProperty3() { return property3; } public void setProperty3(String value) { property3 = value; } private String property4; public String getProperty4() { return property4; } public void setProperty4(String value) { property4 = value; } private String property5; public String getProperty5() { return property5; } public void setProperty5(String value) { property5 = value; } private String property6; public String getProperty6() { return property6; } public void setProperty6(String value) { property6 = value; } private String property7; public String getProperty7() { return property7; } public void setProperty7(String value) { property7 = value; } private String property8; public String getProperty8() { return property8; } public void setProperty8(String value) { property8 = value; } private String property9; public String getProperty9() { return property9; } public void setProperty9(String value) { property9 = value; } }
.version 52 0 .class public super Production4840 .super java/lang/Object .field private property0 Ljava/lang/String; .field private property1 Ljava/lang/String; .field private property2 Ljava/lang/String; .field private property3 Ljava/lang/String; .field private property4 Ljava/lang/String; .field private property5 Ljava/lang/String; .field private property6 Ljava/lang/String; .field private property7 Ljava/lang/String; .field private property8 Ljava/lang/String; .field private property9 Ljava/lang/String; .method public <init> : ()V .code stack 1 locals 1 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: return L5: .linenumbertable L0 3 .end linenumbertable .end code .end method .method public getProperty0 : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field Production4840 property0 Ljava/lang/String; L4: areturn L5: .linenumbertable L0 8 .end linenumbertable .end code .end method .method public setProperty0 : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field Production4840 property0 Ljava/lang/String; L5: return L6: .linenumbertable L0 12 L5 13 .end linenumbertable .end code .end method .method public getProperty1 : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field Production4840 property1 Ljava/lang/String; L4: areturn L5: .linenumbertable L0 18 .end linenumbertable .end code .end method .method public setProperty1 : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field Production4840 property1 Ljava/lang/String; L5: return L6: .linenumbertable L0 22 L5 23 .end linenumbertable .end code .end method .method public getProperty2 : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field Production4840 property2 Ljava/lang/String; L4: areturn L5: .linenumbertable L0 28 .end linenumbertable .end code .end method .method public setProperty2 : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field Production4840 property2 Ljava/lang/String; L5: return L6: .linenumbertable L0 32 L5 33 .end linenumbertable .end code .end method .method public getProperty3 : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field Production4840 property3 Ljava/lang/String; L4: areturn L5: .linenumbertable L0 38 .end linenumbertable .end code .end method .method public setProperty3 : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field Production4840 property3 Ljava/lang/String; L5: return L6: .linenumbertable L0 42 L5 43 .end linenumbertable .end code .end method .method public getProperty4 : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field Production4840 property4 Ljava/lang/String; L4: areturn L5: .linenumbertable L0 48 .end linenumbertable .end code .end method .method public setProperty4 : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field Production4840 property4 Ljava/lang/String; L5: return L6: .linenumbertable L0 52 L5 53 .end linenumbertable .end code .end method .method public getProperty5 : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field Production4840 property5 Ljava/lang/String; L4: areturn L5: .linenumbertable L0 58 .end linenumbertable .end code .end method .method public setProperty5 : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field Production4840 property5 Ljava/lang/String; L5: return L6: .linenumbertable L0 62 L5 63 .end linenumbertable .end code .end method .method public getProperty6 : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field Production4840 property6 Ljava/lang/String; L4: areturn L5: .linenumbertable L0 68 .end linenumbertable .end code .end method .method public setProperty6 : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field Production4840 property6 Ljava/lang/String; L5: return L6: .linenumbertable L0 72 L5 73 .end linenumbertable .end code .end method .method public getProperty7 : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field Production4840 property7 Ljava/lang/String; L4: areturn L5: .linenumbertable L0 78 .end linenumbertable .end code .end method .method public setProperty7 : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field Production4840 property7 Ljava/lang/String; L5: return L6: .linenumbertable L0 82 L5 83 .end linenumbertable .end code .end method .method public getProperty8 : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field Production4840 property8 Ljava/lang/String; L4: areturn L5: .linenumbertable L0 88 .end linenumbertable .end code .end method .method public setProperty8 : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field Production4840 property8 Ljava/lang/String; L5: return L6: .linenumbertable L0 92 L5 93 .end linenumbertable .end code .end method .method public getProperty9 : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field Production4840 property9 Ljava/lang/String; L4: areturn L5: .linenumbertable L0 98 .end linenumbertable .end code .end method .method public setProperty9 : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field Production4840 property9 Ljava/lang/String; L5: return L6: .linenumbertable L0 102 L5 103 .end linenumbertable .end code .end method .sourcefile 'Production4840.java' .end class
/* * This file was automatically generated by EvoSuite * Sat Jul 02 06:44:43 GMT 2022 */ import org.junit.Test; import static org.junit.Assert.*; import org.evosuite.runtime.EvoRunner; import org.evosuite.runtime.EvoRunnerParameters; import org.junit.runner.RunWith; @RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) public class Production4840_ESTest extends Production4840_ESTest_scaffolding { @Test(timeout = 4000) public void test00() throws Throwable { Production4840 production4840_0 = new Production4840(); production4840_0.setProperty9(""); String string0 = production4840_0.getProperty9(); assertEquals("", string0); } @Test(timeout = 4000) public void test01() throws Throwable { Production4840 production4840_0 = new Production4840(); production4840_0.setProperty8("<yM8qj3n|ft2>_*5Y"); String string0 = production4840_0.getProperty8(); assertEquals("<yM8qj3n|ft2>_*5Y", string0); } @Test(timeout = 4000) public void test02() throws Throwable { Production4840 production4840_0 = new Production4840(); production4840_0.setProperty7(""); String string0 = production4840_0.getProperty7(); assertEquals("", string0); } @Test(timeout = 4000) public void test03() throws Throwable { Production4840 production4840_0 = new Production4840(); production4840_0.setProperty6("/Or5#E5VokqO{>`>24"); String string0 = production4840_0.getProperty6(); assertEquals("/Or5#E5VokqO{>`>24", string0); } @Test(timeout = 4000) public void test04() throws Throwable { Production4840 production4840_0 = new Production4840(); production4840_0.setProperty6(""); String string0 = production4840_0.getProperty6(); assertEquals("", string0); } @Test(timeout = 4000) public void test05() throws Throwable { Production4840 production4840_0 = new Production4840(); production4840_0.setProperty5("4Xg^`K!sSk>6t+c~_"); String string0 = production4840_0.getProperty5(); assertEquals("4Xg^`K!sSk>6t+c~_", string0); } @Test(timeout = 4000) public void test06() throws Throwable { Production4840 production4840_0 = new Production4840(); production4840_0.setProperty5(""); String string0 = production4840_0.getProperty5(); assertEquals("", string0); } @Test(timeout = 4000) public void test07() throws Throwable { Production4840 production4840_0 = new Production4840(); production4840_0.setProperty4("i1@K!`lyq-vL3e"); String string0 = production4840_0.getProperty4(); assertEquals("i1@K!`lyq-vL3e", string0); } @Test(timeout = 4000) public void test08() throws Throwable { Production4840 production4840_0 = new Production4840(); production4840_0.setProperty3("]{^Hu5Y"); String string0 = production4840_0.getProperty3(); assertEquals("]{^Hu5Y", string0); } @Test(timeout = 4000) public void test09() throws Throwable { Production4840 production4840_0 = new Production4840(); production4840_0.setProperty3(""); String string0 = production4840_0.getProperty3(); assertEquals("", string0); } @Test(timeout = 4000) public void test10() throws Throwable { Production4840 production4840_0 = new Production4840(); production4840_0.setProperty2("bwrm"); String string0 = production4840_0.getProperty2(); assertEquals("bwrm", string0); } @Test(timeout = 4000) public void test11() throws Throwable { Production4840 production4840_0 = new Production4840(); production4840_0.setProperty1("Production4840"); String string0 = production4840_0.getProperty1(); assertEquals("Production4840", string0); } @Test(timeout = 4000) public void test12() throws Throwable { Production4840 production4840_0 = new Production4840(); production4840_0.setProperty1(""); String string0 = production4840_0.getProperty1(); assertEquals("", string0); } @Test(timeout = 4000) public void test13() throws Throwable { Production4840 production4840_0 = new Production4840(); production4840_0.setProperty0("#pI"); String string0 = production4840_0.getProperty0(); assertEquals("#pI", string0); } @Test(timeout = 4000) public void test14() throws Throwable { Production4840 production4840_0 = new Production4840(); production4840_0.setProperty0(""); String string0 = production4840_0.getProperty0(); assertEquals("", string0); } @Test(timeout = 4000) public void test15() throws Throwable { Production4840 production4840_0 = new Production4840(); String string0 = production4840_0.getProperty7(); assertNull(string0); } @Test(timeout = 4000) public void test16() throws Throwable { Production4840 production4840_0 = new Production4840(); String string0 = production4840_0.getProperty1(); assertNull(string0); } @Test(timeout = 4000) public void test17() throws Throwable { Production4840 production4840_0 = new Production4840(); String string0 = production4840_0.getProperty6(); assertNull(string0); } @Test(timeout = 4000) public void test18() throws Throwable { Production4840 production4840_0 = new Production4840(); String string0 = production4840_0.getProperty2(); assertNull(string0); } @Test(timeout = 4000) public void test19() throws Throwable { Production4840 production4840_0 = new Production4840(); production4840_0.setProperty7("r"); String string0 = production4840_0.getProperty7(); assertEquals("r", string0); } @Test(timeout = 4000) public void test20() throws Throwable { Production4840 production4840_0 = new Production4840(); production4840_0.setProperty2(""); String string0 = production4840_0.getProperty2(); assertEquals("", string0); } @Test(timeout = 4000) public void test21() throws Throwable { Production4840 production4840_0 = new Production4840(); production4840_0.setProperty9("/Or5#E5VokqO{>`>24"); String string0 = production4840_0.getProperty9(); assertEquals("/Or5#E5VokqO{>`>24", string0); } @Test(timeout = 4000) public void test22() throws Throwable { Production4840 production4840_0 = new Production4840(); String string0 = production4840_0.getProperty4(); assertNull(string0); } @Test(timeout = 4000) public void test23() throws Throwable { Production4840 production4840_0 = new Production4840(); String string0 = production4840_0.getProperty9(); assertNull(string0); } @Test(timeout = 4000) public void test24() throws Throwable { Production4840 production4840_0 = new Production4840(); String string0 = production4840_0.getProperty5(); assertNull(string0); } @Test(timeout = 4000) public void test25() throws Throwable { Production4840 production4840_0 = new Production4840(); production4840_0.setProperty8(""); String string0 = production4840_0.getProperty8(); assertEquals("", string0); } @Test(timeout = 4000) public void test26() throws Throwable { Production4840 production4840_0 = new Production4840(); production4840_0.setProperty4(""); String string0 = production4840_0.getProperty4(); assertEquals("", string0); } @Test(timeout = 4000) public void test27() throws Throwable { Production4840 production4840_0 = new Production4840(); String string0 = production4840_0.getProperty8(); assertNull(string0); } @Test(timeout = 4000) public void test28() throws Throwable { Production4840 production4840_0 = new Production4840(); String string0 = production4840_0.getProperty3(); assertNull(string0); } @Test(timeout = 4000) public void test29() throws Throwable { Production4840 production4840_0 = new Production4840(); String string0 = production4840_0.getProperty0(); assertNull(string0); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sat Jul 02 06:44:43 GMT 2022 */ import org.evosuite.runtime.annotation.EvoSuiteClassExclude; import org.junit.BeforeClass; import org.junit.Before; import org.junit.After; import org.junit.AfterClass; import org.evosuite.runtime.sandbox.Sandbox; import org.evosuite.runtime.sandbox.Sandbox.SandboxMode; @EvoSuiteClassExclude public class Production4840_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000); @BeforeClass public static void initEvoSuiteFramework() { org.evosuite.runtime.RuntimeSettings.className = "Production4840"; org.evosuite.runtime.GuiSupport.initialize(); org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); org.evosuite.runtime.classhandling.JDKClassResetter.init(); setSystemProperties(); initializeClasses(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); } @AfterClass public static void clearEvoSuiteFramework(){ Sandbox.resetDefaultSecurityManager(); java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); } @Before public void initTestCase(){ threadStopper.storeCurrentThreads(); threadStopper.startRecordingTime(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); setSystemProperties(); org.evosuite.runtime.GuiSupport.setHeadless(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); org.evosuite.runtime.agent.InstrumentingAgent.activate(); } @After public void doneWithTestCase(){ threadStopper.killAndJoinClientThreads(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); org.evosuite.runtime.classhandling.JDKClassResetter.reset(); resetClasses(); org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); } public static void setSystemProperties() { java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); java.lang.System.setProperty("file.encoding", "UTF-8"); java.lang.System.setProperty("java.awt.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_juv_o5r"); java.lang.System.setProperty("user.home", "/home/bmcdanel"); java.lang.System.setProperty("user.language", "en"); java.lang.System.setProperty("user.name", "bmcdanel"); java.lang.System.setProperty("user.timezone", "America/New_York"); } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Production4840_ESTest_scaffolding.class.getClassLoader() , "Production4840" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Production4840_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "Production4840" ); } }
2,251
ComponentException
/** General exception for a problem encountered generating GUIs. */ public class ComponentException extends RuntimeException { public ComponentException(String message) { super(message); } }
.version 52 0 .class public super ComponentException .super java/lang/RuntimeException .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 8 L5 9 .end linenumbertable .end code .end method .sourcefile 'ComponentException.java' .end class
/* * This file was automatically generated by EvoSuite * Sun Jul 03 19:06:39 GMT 2022 */ import org.junit.Test; import static org.junit.Assert.*; import org.evosuite.runtime.EvoRunner; import org.evosuite.runtime.EvoRunnerParameters; import org.junit.runner.RunWith; @RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) public class ComponentException_ESTest extends ComponentException_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { ComponentException componentException0 = new ComponentException(""); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sun Jul 03 19:06:39 GMT 2022 */ import org.evosuite.runtime.annotation.EvoSuiteClassExclude; import org.junit.BeforeClass; import org.junit.Before; import org.junit.After; import org.junit.AfterClass; import org.evosuite.runtime.sandbox.Sandbox; import org.evosuite.runtime.sandbox.Sandbox.SandboxMode; @EvoSuiteClassExclude public class ComponentException_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000); @BeforeClass public static void initEvoSuiteFramework() { org.evosuite.runtime.RuntimeSettings.className = "ComponentException"; org.evosuite.runtime.GuiSupport.initialize(); org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); org.evosuite.runtime.classhandling.JDKClassResetter.init(); setSystemProperties(); initializeClasses(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); } @AfterClass public static void clearEvoSuiteFramework(){ Sandbox.resetDefaultSecurityManager(); java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); } @Before public void initTestCase(){ threadStopper.storeCurrentThreads(); threadStopper.startRecordingTime(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); setSystemProperties(); org.evosuite.runtime.GuiSupport.setHeadless(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); org.evosuite.runtime.agent.InstrumentingAgent.activate(); } @After public void doneWithTestCase(){ threadStopper.killAndJoinClientThreads(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); org.evosuite.runtime.classhandling.JDKClassResetter.reset(); resetClasses(); org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); } public static void setSystemProperties() { java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); java.lang.System.setProperty("file.encoding", "UTF-8"); java.lang.System.setProperty("java.awt.headless", "true"); java.lang.System.setProperty("java.io.tmpdir", "/tmp"); java.lang.System.setProperty("user.country", "US"); java.lang.System.setProperty("user.dir", "/tmp/tmpbydwnchw"); java.lang.System.setProperty("user.home", "/home/bmcdanel"); java.lang.System.setProperty("user.language", "en"); java.lang.System.setProperty("user.name", "bmcdanel"); java.lang.System.setProperty("user.timezone", "America/New_York"); } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(ComponentException_ESTest_scaffolding.class.getClassLoader() , "ComponentException" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ComponentException_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "ComponentException" ); } }
2,252
BaseSoftVideoFilter
/** Created by lake on 16-3-28. NV21 colorformat filter */ public class BaseSoftVideoFilter { protected int SIZE_WIDTH; protected int SIZE_HEIGHT; protected int SIZE_Y; protected int SIZE_TOTAL; protected int SIZE_U; protected int SIZE_UV; public void onInit(int VWidth, int VHeight) { SIZE_WIDTH = VWidth; SIZE_HEIGHT = VHeight; SIZE_Y = SIZE_HEIGHT * SIZE_WIDTH; SIZE_UV = SIZE_HEIGHT * SIZE_WIDTH / 2; SIZE_U = SIZE_UV / 2; SIZE_TOTAL = SIZE_Y * 3 / 2; } /** * @param orignBuff * @param targetBuff * @param presentationTimeMs * @param sequenceNum * @return false to use orignBuff,true to use targetBuff */ public boolean onFrame( byte[] orignBuff, byte[] targetBuff, long presentationTimeMs, int sequenceNum) { return false; } public void onDestroy() {} }
.version 52 0 .class public super BaseSoftVideoFilter .super java/lang/Object .field protected SIZE_WIDTH I .field protected SIZE_HEIGHT I .field protected SIZE_Y I .field protected SIZE_TOTAL I .field protected SIZE_U I .field protected SIZE_UV 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 7 .end linenumbertable .end code .end method .method public onInit : (II)V .code stack 3 locals 3 L0: aload_0 L1: iload_1 L2: putfield Field BaseSoftVideoFilter SIZE_WIDTH I L5: aload_0 L6: iload_2 L7: putfield Field BaseSoftVideoFilter SIZE_HEIGHT I L10: aload_0 L11: aload_0 L12: getfield Field BaseSoftVideoFilter SIZE_HEIGHT I L15: aload_0 L16: getfield Field BaseSoftVideoFilter SIZE_WIDTH I L19: imul L20: putfield Field BaseSoftVideoFilter SIZE_Y I L23: aload_0 L24: aload_0 L25: getfield Field BaseSoftVideoFilter SIZE_HEIGHT I L28: aload_0 L29: getfield Field BaseSoftVideoFilter SIZE_WIDTH I L32: imul L33: iconst_2 L34: idiv L35: putfield Field BaseSoftVideoFilter SIZE_UV I L38: aload_0 L39: aload_0 L40: getfield Field BaseSoftVideoFilter SIZE_UV I L43: iconst_2 L44: idiv L45: putfield Field BaseSoftVideoFilter SIZE_U I L48: aload_0 L49: aload_0 L50: getfield Field BaseSoftVideoFilter SIZE_Y I L53: iconst_3 L54: imul L55: iconst_2 L56: idiv L57: putfield Field BaseSoftVideoFilter SIZE_TOTAL I L60: return L61: .linenumbertable L0 16 L5 17 L10 18 L23 19 L38 20 L48 21 L60 22 .end linenumbertable .end code .end method .method public onFrame : ([B[BJI)Z .code stack 1 locals 6 L0: iconst_0 L1: ireturn L2: .linenumbertable L0 33 .end linenumbertable .end code .end method .method public onDestroy : ()V .code stack 0 locals 1 L0: return L1: .linenumbertable L0 38 .end linenumbertable .end code .end method .sourcefile 'BaseSoftVideoFilter.java' .end class
/* * This file was automatically generated by EvoSuite * Mon Jul 04 04:15: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 BaseSoftVideoFilter_ESTest extends BaseSoftVideoFilter_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { BaseSoftVideoFilter baseSoftVideoFilter0 = new BaseSoftVideoFilter(); baseSoftVideoFilter0.onInit((-1), 27568); } @Test(timeout = 4000) public void test1() throws Throwable { BaseSoftVideoFilter baseSoftVideoFilter0 = new BaseSoftVideoFilter(); baseSoftVideoFilter0.onInit(0, 54252); byte[] byteArray0 = new byte[1]; boolean boolean0 = baseSoftVideoFilter0.onFrame(byteArray0, byteArray0, 0L, 0); assertFalse(boolean0); } @Test(timeout = 4000) public void test2() throws Throwable { BaseSoftVideoFilter baseSoftVideoFilter0 = new BaseSoftVideoFilter(); baseSoftVideoFilter0.onDestroy(); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Mon Jul 04 04:15: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 BaseSoftVideoFilter_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000); @BeforeClass public static void initEvoSuiteFramework() { org.evosuite.runtime.RuntimeSettings.className = "BaseSoftVideoFilter"; org.evosuite.runtime.GuiSupport.initialize(); org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); org.evosuite.runtime.classhandling.JDKClassResetter.init(); setSystemProperties(); initializeClasses(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); } @AfterClass public static void clearEvoSuiteFramework(){ Sandbox.resetDefaultSecurityManager(); java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); } @Before public void initTestCase(){ threadStopper.storeCurrentThreads(); threadStopper.startRecordingTime(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); setSystemProperties(); org.evosuite.runtime.GuiSupport.setHeadless(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); org.evosuite.runtime.agent.InstrumentingAgent.activate(); } @After public void doneWithTestCase(){ threadStopper.killAndJoinClientThreads(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); org.evosuite.runtime.classhandling.JDKClassResetter.reset(); resetClasses(); org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); } public static void setSystemProperties() { java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); java.lang.System.setProperty("file.encoding", "UTF-8"); java.lang.System.setProperty("java.awt.headless", "true"); java.lang.System.setProperty("java.io.tmpdir", "/tmp"); java.lang.System.setProperty("user.country", "US"); java.lang.System.setProperty("user.dir", "/tmp/tmpbwszlroh"); java.lang.System.setProperty("user.home", "/home/bmcdanel"); java.lang.System.setProperty("user.language", "en"); java.lang.System.setProperty("user.name", "bmcdanel"); java.lang.System.setProperty("user.timezone", "America/New_York"); } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(BaseSoftVideoFilter_ESTest_scaffolding.class.getClassLoader() , "BaseSoftVideoFilter" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(BaseSoftVideoFilter_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "BaseSoftVideoFilter" ); } }
2,253
FieldInitConstructor
public final class FieldInitConstructor { private final transient int number; private final transient String text = ""; public FieldInitConstructor() { this.number = 2; } public int num() { return number; } public String tex() { return text; } }
.version 52 0 .class public final super FieldInitConstructor .super java/lang/Object .field private final transient number I .field private final transient text Ljava/lang/String; = '' .method public <init> : ()V .code stack 2 locals 1 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: aload_0 L5: ldc '' L7: putfield Field FieldInitConstructor text Ljava/lang/String; L10: aload_0 L11: iconst_2 L12: putfield Field FieldInitConstructor number I L15: return L16: .linenumbertable L0 7 L4 5 L10 8 L15 9 .end linenumbertable .end code .end method .method public num : ()I .code stack 1 locals 1 L0: aload_0 L1: getfield Field FieldInitConstructor number I L4: ireturn L5: .linenumbertable L0 12 .end linenumbertable .end code .end method .method public tex : ()Ljava/lang/String; .code stack 1 locals 1 L0: ldc '' L2: areturn L3: .linenumbertable L0 16 .end linenumbertable .end code .end method .sourcefile 'FieldInitConstructor.java' .end class
/* * This file was automatically generated by EvoSuite * Sat Jul 02 08:04: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 FieldInitConstructor_ESTest extends FieldInitConstructor_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { FieldInitConstructor fieldInitConstructor0 = new FieldInitConstructor(); int int0 = fieldInitConstructor0.num(); assertEquals(2, int0); } @Test(timeout = 4000) public void test1() throws Throwable { FieldInitConstructor fieldInitConstructor0 = new FieldInitConstructor(); fieldInitConstructor0.tex(); assertEquals(2, fieldInitConstructor0.num()); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sat Jul 02 08:04: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 FieldInitConstructor_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000); @BeforeClass public static void initEvoSuiteFramework() { org.evosuite.runtime.RuntimeSettings.className = "FieldInitConstructor"; org.evosuite.runtime.GuiSupport.initialize(); org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); org.evosuite.runtime.classhandling.JDKClassResetter.init(); setSystemProperties(); initializeClasses(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); } @AfterClass public static void clearEvoSuiteFramework(){ Sandbox.resetDefaultSecurityManager(); java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); } @Before public void initTestCase(){ threadStopper.storeCurrentThreads(); threadStopper.startRecordingTime(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); setSystemProperties(); org.evosuite.runtime.GuiSupport.setHeadless(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); org.evosuite.runtime.agent.InstrumentingAgent.activate(); } @After public void doneWithTestCase(){ threadStopper.killAndJoinClientThreads(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); org.evosuite.runtime.classhandling.JDKClassResetter.reset(); resetClasses(); org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); } public static void setSystemProperties() { java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); java.lang.System.setProperty("file.encoding", "UTF-8"); java.lang.System.setProperty("java.awt.headless", "true"); java.lang.System.setProperty("java.io.tmpdir", "/tmp"); java.lang.System.setProperty("user.country", "US"); java.lang.System.setProperty("user.dir", "/tmp/tmpfty6fd57"); java.lang.System.setProperty("user.home", "/home/bmcdanel"); java.lang.System.setProperty("user.language", "en"); java.lang.System.setProperty("user.name", "bmcdanel"); java.lang.System.setProperty("user.timezone", "America/New_York"); } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(FieldInitConstructor_ESTest_scaffolding.class.getClassLoader() , "FieldInitConstructor" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(FieldInitConstructor_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "FieldInitConstructor" ); } }
2,254
Customer
public class Customer { private String name; private String id; private int age; public Customer() { this("John", "is-111", 30); } public Customer(String iname, String iid, int iage) { setName(iname); setId(iid); setAge(iage); } public int getAge() { return age; } public String getId() { return id; } public String getName() { return name; } public void setAge(int iage) { if (iage > 0 && iage < 120) { age = iage; } } public void setId(String iid) { id = iid; } public void setName(String iname) { name = iname; } }
.version 52 0 .class public super Customer .super java/lang/Object .field private name Ljava/lang/String; .field private id Ljava/lang/String; .field private age I .method public <init> : ()V .code stack 4 locals 1 L0: aload_0 L1: ldc 'John' L3: ldc 'is-111' L5: bipush 30 L7: invokespecial Method Customer <init> (Ljava/lang/String;Ljava/lang/String;I)V L10: return L11: .linenumbertable L0 9 L10 10 .end linenumbertable .end code .end method .method public <init> : (Ljava/lang/String;Ljava/lang/String;I)V .code stack 2 locals 4 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: aload_0 L5: aload_1 L6: invokevirtual Method Customer setName (Ljava/lang/String;)V L9: aload_0 L10: aload_2 L11: invokevirtual Method Customer setId (Ljava/lang/String;)V L14: aload_0 L15: iload_3 L16: invokevirtual Method Customer setAge (I)V L19: return L20: .linenumbertable L0 12 L4 13 L9 14 L14 15 L19 16 .end linenumbertable .end code .end method .method public getAge : ()I .code stack 1 locals 1 L0: aload_0 L1: getfield Field Customer age I L4: ireturn L5: .linenumbertable L0 19 .end linenumbertable .end code .end method .method public getId : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field Customer id Ljava/lang/String; L4: areturn L5: .linenumbertable L0 23 .end linenumbertable .end code .end method .method public getName : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field Customer name Ljava/lang/String; L4: areturn L5: .linenumbertable L0 27 .end linenumbertable .end code .end method .method public setAge : (I)V .code stack 2 locals 2 L0: iload_1 L1: ifle L15 L4: iload_1 L5: bipush 120 L7: if_icmpge L15 L10: aload_0 L11: iload_1 L12: putfield Field Customer age I .stack same L15: return L16: .linenumbertable L0 31 L10 32 L15 34 .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 Customer id Ljava/lang/String; L5: return L6: .linenumbertable L0 37 L5 38 .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 Customer name Ljava/lang/String; L5: return L6: .linenumbertable L0 41 L5 42 .end linenumbertable .end code .end method .sourcefile 'Customer.java' .end class
/* * This file was automatically generated by EvoSuite * Sat Jul 02 09:53: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 Customer_ESTest extends Customer_ESTest_scaffolding { @Test(timeout = 4000) public void test00() throws Throwable { Customer customer0 = new Customer("", "", 11510); customer0.setAge(120); assertEquals(0, customer0.getAge()); } @Test(timeout = 4000) public void test01() throws Throwable { Customer customer0 = new Customer((String) null, (String) null, 0); customer0.getName(); assertEquals(0, customer0.getAge()); } @Test(timeout = 4000) public void test02() throws Throwable { Customer customer0 = new Customer("", "FA+lCsU8Av", 20474); customer0.getName(); assertEquals(0, customer0.getAge()); } @Test(timeout = 4000) public void test03() throws Throwable { Customer customer0 = new Customer(); customer0.getId(); assertEquals(30, customer0.getAge()); } @Test(timeout = 4000) public void test04() throws Throwable { Customer customer0 = new Customer("", "", (-22)); int int0 = customer0.getAge(); assertEquals(0, int0); } @Test(timeout = 4000) public void test05() throws Throwable { Customer customer0 = new Customer("", "", (-1)); customer0.setAge(0); assertEquals(0, customer0.getAge()); } @Test(timeout = 4000) public void test06() throws Throwable { Customer customer0 = new Customer(); customer0.setAge(2); assertEquals(2, customer0.getAge()); } @Test(timeout = 4000) public void test07() throws Throwable { Customer customer0 = new Customer("", "", (-1)); customer0.setId((String) null); customer0.getId(); assertEquals(0, customer0.getAge()); } @Test(timeout = 4000) public void test08() throws Throwable { Customer customer0 = new Customer(); customer0.setName(""); assertEquals(30, customer0.getAge()); } @Test(timeout = 4000) public void test09() throws Throwable { Customer customer0 = new Customer(); customer0.getName(); assertEquals(30, customer0.getAge()); } @Test(timeout = 4000) public void test10() throws Throwable { Customer customer0 = new Customer("wMNK/2qgUT", "", (-40575)); customer0.getId(); assertEquals(0, customer0.getAge()); } @Test(timeout = 4000) public void test11() throws Throwable { Customer customer0 = new Customer(); int int0 = customer0.getAge(); assertEquals(30, int0); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sat Jul 02 09:53: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 Customer_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000); @BeforeClass public static void initEvoSuiteFramework() { org.evosuite.runtime.RuntimeSettings.className = "Customer"; org.evosuite.runtime.GuiSupport.initialize(); org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); org.evosuite.runtime.classhandling.JDKClassResetter.init(); setSystemProperties(); initializeClasses(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); } @AfterClass public static void clearEvoSuiteFramework(){ Sandbox.resetDefaultSecurityManager(); java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); } @Before public void initTestCase(){ threadStopper.storeCurrentThreads(); threadStopper.startRecordingTime(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); setSystemProperties(); org.evosuite.runtime.GuiSupport.setHeadless(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); org.evosuite.runtime.agent.InstrumentingAgent.activate(); } @After public void doneWithTestCase(){ threadStopper.killAndJoinClientThreads(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); org.evosuite.runtime.classhandling.JDKClassResetter.reset(); resetClasses(); org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); } public static void setSystemProperties() { java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); java.lang.System.setProperty("file.encoding", "UTF-8"); java.lang.System.setProperty("java.awt.headless", "true"); java.lang.System.setProperty("java.io.tmpdir", "/tmp"); java.lang.System.setProperty("user.country", "US"); java.lang.System.setProperty("user.dir", "/tmp/tmpwj47_qax"); java.lang.System.setProperty("user.home", "/home/bmcdanel"); java.lang.System.setProperty("user.language", "en"); java.lang.System.setProperty("user.name", "bmcdanel"); java.lang.System.setProperty("user.timezone", "America/New_York"); } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Customer_ESTest_scaffolding.class.getClassLoader() , "Customer" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Customer_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "Customer" ); } }
2,255
StandardVariable
public class StandardVariable { public String result; public String id; public StandardVariable(String result, String id) { this.result = result; this.id = id; } }
.version 52 0 .class public super StandardVariable .super java/lang/Object .field public result Ljava/lang/String; .field public id Ljava/lang/String; .method public <init> : (Ljava/lang/String;Ljava/lang/String;)V .code stack 2 locals 3 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: aload_0 L5: aload_1 L6: putfield Field StandardVariable result Ljava/lang/String; L9: aload_0 L10: aload_2 L11: putfield Field StandardVariable id Ljava/lang/String; L14: return L15: .linenumbertable L0 8 L4 9 L9 10 L14 11 .end linenumbertable .end code .end method .sourcefile 'StandardVariable.java' .end class
/* * This file was automatically generated by EvoSuite * Fri Jul 01 14:01: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 StandardVariable_ESTest extends StandardVariable_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { StandardVariable standardVariable0 = new StandardVariable("e5", "e5"); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Fri Jul 01 14:01: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 StandardVariable_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000); @BeforeClass public static void initEvoSuiteFramework() { org.evosuite.runtime.RuntimeSettings.className = "StandardVariable"; org.evosuite.runtime.GuiSupport.initialize(); org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); org.evosuite.runtime.classhandling.JDKClassResetter.init(); setSystemProperties(); initializeClasses(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); } @AfterClass public static void clearEvoSuiteFramework(){ Sandbox.resetDefaultSecurityManager(); java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); } @Before public void initTestCase(){ threadStopper.storeCurrentThreads(); threadStopper.startRecordingTime(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); setSystemProperties(); org.evosuite.runtime.GuiSupport.setHeadless(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); org.evosuite.runtime.agent.InstrumentingAgent.activate(); } @After public void doneWithTestCase(){ threadStopper.killAndJoinClientThreads(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); org.evosuite.runtime.classhandling.JDKClassResetter.reset(); resetClasses(); org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); } public static void setSystemProperties() { java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); java.lang.System.setProperty("file.encoding", "UTF-8"); java.lang.System.setProperty("java.awt.headless", "true"); java.lang.System.setProperty("java.io.tmpdir", "/tmp"); java.lang.System.setProperty("user.country", "US"); java.lang.System.setProperty("user.dir", "/tmp/tmpbc45xlj7"); java.lang.System.setProperty("user.home", "/home/bmcdanel"); java.lang.System.setProperty("user.language", "en"); java.lang.System.setProperty("user.name", "bmcdanel"); java.lang.System.setProperty("user.timezone", "America/New_York"); } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(StandardVariable_ESTest_scaffolding.class.getClassLoader() , "StandardVariable" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(StandardVariable_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "StandardVariable" ); } }
2,256
InstForRedefineClass
import java.lang.instrument.ClassDefinition; import java.lang.instrument.Instrumentation; import java.lang.instrument.UnmodifiableClassException; public class InstForRedefineClass { private static Instrumentation inst; public static void premain(String agentArgs, Instrumentation instP) { inst = instP; } public static void redefineClass(Class<?> theClass, byte[] theClassFile) throws ClassNotFoundException, UnmodifiableClassException { inst.redefineClasses(new ClassDefinition(theClass, theClassFile)); } }
.version 52 0 .class public super InstForRedefineClass .super java/lang/Object .field private static inst Ljava/lang/instrument/Instrumentation; .method 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 premain : (Ljava/lang/String;Ljava/lang/instrument/Instrumentation;)V .code stack 1 locals 2 L0: aload_1 L1: putstatic Field InstForRedefineClass inst Ljava/lang/instrument/Instrumentation; L4: return L5: .linenumbertable L0 12 L4 13 .end linenumbertable .end code .end method .method public static redefineClass : (Ljava/lang/Class;[B)V .code stack 8 locals 2 L0: getstatic Field InstForRedefineClass inst Ljava/lang/instrument/Instrumentation; L3: iconst_1 L4: anewarray java/lang/instrument/ClassDefinition L7: dup L8: iconst_0 L9: new java/lang/instrument/ClassDefinition L12: dup L13: aload_0 L14: aload_1 L15: invokespecial Method java/lang/instrument/ClassDefinition <init> (Ljava/lang/Class;[B)V L18: aastore L19: invokeinterface InterfaceMethod java/lang/instrument/Instrumentation redefineClasses ([Ljava/lang/instrument/ClassDefinition;)V 2 L24: return L25: .linenumbertable L0 16 L24 17 .end linenumbertable .end code .exceptions java/lang/ClassNotFoundException java/lang/instrument/UnmodifiableClassException .signature (Ljava/lang/Class<*>;[B)V .end method .sourcefile 'InstForRedefineClass.java' .end class
/* * This file was automatically generated by EvoSuite * Fri Jul 01 16:36:04 GMT 2022 */ import org.junit.Test; import static org.junit.Assert.*; import static org.evosuite.shaded.org.mockito.Mockito.*; import java.lang.instrument.Instrumentation; 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 InstForRedefineClass_ESTest extends InstForRedefineClass_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { Instrumentation instrumentation0 = mock(Instrumentation.class, new ViolatedAssumptionAnswer()); InstForRedefineClass.premain("", instrumentation0); Class<Integer> class0 = Integer.class; byte[] byteArray0 = new byte[0]; InstForRedefineClass.redefineClass(class0, byteArray0); assertEquals(0, byteArray0.length); } @Test(timeout = 4000) public void test1() throws Throwable { InstForRedefineClass instForRedefineClass0 = new InstForRedefineClass(); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Fri Jul 01 16:36: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; import static org.evosuite.shaded.org.mockito.Mockito.*; @EvoSuiteClassExclude public class InstForRedefineClass_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000); @BeforeClass public static void initEvoSuiteFramework() { org.evosuite.runtime.RuntimeSettings.className = "InstForRedefineClass"; org.evosuite.runtime.GuiSupport.initialize(); org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.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/tmpg84p2fqo"); java.lang.System.setProperty("user.home", "/home/bmcdanel"); java.lang.System.setProperty("user.language", "en"); java.lang.System.setProperty("user.name", "bmcdanel"); java.lang.System.setProperty("user.timezone", "America/New_York"); } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(InstForRedefineClass_ESTest_scaffolding.class.getClassLoader() , "InstForRedefineClass" ); } private static void initMocksToAvoidTimeoutsInTheTests() throws ClassNotFoundException { mock(Class.forName("java.lang.instrument.Instrumentation", false, InstForRedefineClass_ESTest_scaffolding.class.getClassLoader())); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(InstForRedefineClass_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "InstForRedefineClass" ); } }
2,257
Tape
/******************************************************************************* * Copyright (c) 2010 Donal Cahill. * * This file is part of JTurMachine. * * JTurMachine 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. * * JTurMachine 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 JTurMachine. If not, see <http://www.gnu.org/licenses/>. ******************************************************************************/ import java.util.LinkedList; /** * A simulation of a length of tape, divided into cells. * * <p>This Tape can move left and right, one cell at a time, and read to and write from cells. * * @author Donal Cahill */ public class Tape { LinkedList<String> tapeList; String currentSymbol; String blank; int i; /** * Class constructor. i is the int index of the cell being read. * * @param blank the String symbol which represents a blank cell on this Tape */ public Tape(String blank) { tapeList = new LinkedList<String>(); i = 0; this.blank = blank; tapeList.add(this.blank); currentSymbol = this.blank; /* I'm sure this isn't needed now this.move("L"); this.move("R"); */ } /** * Move this Tape one cell to the left, or right, or not at all. * * @param moveDirection the String of the direction in which to move this Tape: "L", "R" or "N" */ public void move(String moveDirection) { if (moveDirection.equals("R")) { /* * Try to read the cell to the right. * If that cell doesn't exist in the LinkedList, add an entry to * the end of it, and read it. */ i++; try { currentSymbol = tapeList.get(i); } catch (IndexOutOfBoundsException e) { tapeList.addLast(blank); currentSymbol = tapeList.get(i); } } else if (moveDirection.equals("L")) { /* * Try to read the cell to the left. * If that cell doesn't exist in the LinkedList, */ i--; try { currentSymbol = tapeList.get(i); } catch (IndexOutOfBoundsException e) { tapeList.addFirst(blank); i++; currentSymbol = tapeList.get(i); } // If the move direction was invalid: } else { System.out.println( moveDirection + " isn't a valid move direction. This machine shall now DIE."); System.exit(0); } } /** * @return the String symbol in the current cell on this Tape */ public String read() { return currentSymbol; } /** * Writes a String symbol to this Tape * * @param writeSymbol the String symbol to write to this Tape */ public void write(String writeSymbol) { tapeList.set(i, writeSymbol); } /** * @return a String of symbols from the portion of this Tape which has been accessed */ @Override public String toString() { String tapeString = ""; for (String s : tapeList) { tapeString = tapeString + s; } return tapeString; } }
.version 52 0 .class public super Tape .super java/lang/Object .field tapeList Ljava/util/LinkedList; .fieldattributes .signature Ljava/util/LinkedList<Ljava/lang/String;>; .end fieldattributes .field currentSymbol Ljava/lang/String; .field blank Ljava/lang/String; .field i I .method public <init> : (Ljava/lang/String;)V .code stack 3 locals 2 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: aload_0 L5: new java/util/LinkedList L8: dup L9: invokespecial Method java/util/LinkedList <init> ()V L12: putfield Field Tape tapeList Ljava/util/LinkedList; L15: aload_0 L16: iconst_0 L17: putfield Field Tape i I L20: aload_0 L21: aload_1 L22: putfield Field Tape blank Ljava/lang/String; L25: aload_0 L26: getfield Field Tape tapeList Ljava/util/LinkedList; L29: aload_0 L30: getfield Field Tape blank Ljava/lang/String; L33: invokevirtual Method java/util/LinkedList add (Ljava/lang/Object;)Z L36: pop L37: aload_0 L38: aload_0 L39: getfield Field Tape blank Ljava/lang/String; L42: putfield Field Tape currentSymbol Ljava/lang/String; L45: return L46: .linenumbertable L0 43 L4 44 L15 45 L20 46 L25 47 L37 48 L45 54 .end linenumbertable .end code .end method .method public move : (Ljava/lang/String;)V .code stack 3 locals 3 L0: aload_1 L1: ldc 'R' L3: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z L6: ifeq L73 L9: aload_0 L10: dup L11: getfield Field Tape i I L14: iconst_1 L15: iadd L16: putfield Field Tape i I .catch java/lang/IndexOutOfBoundsException from L19 to L37 using L40 L19: aload_0 L20: aload_0 L21: getfield Field Tape tapeList Ljava/util/LinkedList; L24: aload_0 L25: getfield Field Tape i I L28: invokevirtual Method java/util/LinkedList get (I)Ljava/lang/Object; L31: checkcast java/lang/String L34: putfield Field Tape currentSymbol Ljava/lang/String; L37: goto L185 .stack stack_1 Object java/lang/IndexOutOfBoundsException L40: astore_2 L41: aload_0 L42: getfield Field Tape tapeList Ljava/util/LinkedList; L45: aload_0 L46: getfield Field Tape blank Ljava/lang/String; L49: invokevirtual Method java/util/LinkedList addLast (Ljava/lang/Object;)V L52: aload_0 L53: aload_0 L54: getfield Field Tape tapeList Ljava/util/LinkedList; L57: aload_0 L58: getfield Field Tape i I L61: invokevirtual Method java/util/LinkedList get (I)Ljava/lang/Object; L64: checkcast java/lang/String L67: putfield Field Tape currentSymbol Ljava/lang/String; L70: goto L185 .stack same L73: aload_1 L74: ldc 'L' L76: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z L79: ifeq L156 L82: aload_0 L83: dup L84: getfield Field Tape i I L87: iconst_1 L88: isub L89: putfield Field Tape i I .catch java/lang/IndexOutOfBoundsException from L92 to L110 using L113 L92: aload_0 L93: aload_0 L94: getfield Field Tape tapeList Ljava/util/LinkedList; L97: aload_0 L98: getfield Field Tape i I L101: invokevirtual Method java/util/LinkedList get (I)Ljava/lang/Object; L104: checkcast java/lang/String L107: putfield Field Tape currentSymbol Ljava/lang/String; L110: goto L185 .stack stack_1 Object java/lang/IndexOutOfBoundsException L113: astore_2 L114: aload_0 L115: getfield Field Tape tapeList Ljava/util/LinkedList; L118: aload_0 L119: getfield Field Tape blank Ljava/lang/String; L122: invokevirtual Method java/util/LinkedList addFirst (Ljava/lang/Object;)V L125: aload_0 L126: dup L127: getfield Field Tape i I L130: iconst_1 L131: iadd L132: putfield Field Tape i I L135: aload_0 L136: aload_0 L137: getfield Field Tape tapeList Ljava/util/LinkedList; L140: aload_0 L141: getfield Field Tape i I L144: invokevirtual Method java/util/LinkedList get (I)Ljava/lang/Object; L147: checkcast java/lang/String L150: putfield Field Tape currentSymbol Ljava/lang/String; L153: goto L185 .stack same L156: getstatic Field java/lang/System out Ljava/io/PrintStream; L159: new java/lang/StringBuilder L162: dup L163: invokespecial Method java/lang/StringBuilder <init> ()V L166: aload_1 L167: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L170: ldc " isn't a valid move direction. This machine shall now DIE." L172: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L175: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; L178: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V L181: iconst_0 L182: invokestatic Method java/lang/System exit (I)V .stack same L185: return L186: .linenumbertable L0 62 L9 68 L19 70 L37 74 L40 71 L41 72 L52 73 L70 74 L73 75 L82 80 L92 82 L110 87 L113 83 L114 84 L125 85 L135 86 L153 87 L156 90 L181 91 L185 94 .end linenumbertable .end code .end method .method public read : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field Tape currentSymbol Ljava/lang/String; L4: areturn L5: .linenumbertable L0 100 .end linenumbertable .end code .end method .method public write : (Ljava/lang/String;)V .code stack 3 locals 2 L0: aload_0 L1: getfield Field Tape tapeList Ljava/util/LinkedList; L4: aload_0 L5: getfield Field Tape i I L8: aload_1 L9: invokevirtual Method java/util/LinkedList set (ILjava/lang/Object;)Ljava/lang/Object; L12: pop L13: return L14: .linenumbertable L0 109 L13 110 .end linenumbertable .end code .end method .method public toString : ()Ljava/lang/String; .code stack 2 locals 4 L0: ldc '' L2: astore_1 L3: aload_0 L4: getfield Field Tape tapeList Ljava/util/LinkedList; L7: invokevirtual Method java/util/LinkedList iterator ()Ljava/util/Iterator; L10: astore_2 .stack append Object java/lang/String Object java/util/Iterator L11: aload_2 L12: invokeinterface InterfaceMethod java/util/Iterator hasNext ()Z 1 L17: ifeq L52 L20: aload_2 L21: invokeinterface InterfaceMethod java/util/Iterator next ()Ljava/lang/Object; 1 L26: checkcast java/lang/String L29: astore_3 L30: new java/lang/StringBuilder L33: dup L34: invokespecial Method java/lang/StringBuilder <init> ()V L37: aload_1 L38: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L41: aload_3 L42: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L45: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; L48: astore_1 L49: goto L11 .stack chop 1 L52: aload_1 L53: areturn L54: .linenumbertable L0 117 L3 118 L30 119 L49 120 L52 121 .end linenumbertable .end code .end method .sourcefile 'Tape.java' .end class
/* * This file was automatically generated by EvoSuite * Fri Jul 01 19:08:03 GMT 2022 */ import org.junit.Test; import static org.junit.Assert.*; import static org.evosuite.runtime.EvoAssertions.*; import org.evosuite.runtime.EvoRunner; import org.evosuite.runtime.EvoRunnerParameters; import org.evosuite.runtime.System; import org.junit.runner.RunWith; @RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) public class Tape_ESTest extends Tape_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { Tape tape0 = new Tape((String) null); // Undeclared exception! try { tape0.move("X"); fail("Expecting exception: System.SystemExitException"); } catch(System.SystemExitException e) { // // no message in exception (getMessage() returned null) // verifyException("org.evosuite.runtime.System", e); } } @Test(timeout = 4000) public void test1() throws Throwable { Tape tape0 = new Tape(""); tape0.i = 55477; tape0.toString(); tape0.currentSymbol = ""; tape0.currentSymbol = "\"p2$"; tape0.read(); // Undeclared exception! try { tape0.move("L"); fail("Expecting exception: IndexOutOfBoundsException"); } catch(IndexOutOfBoundsException e) { // // Index: 55477, Size: 2 // verifyException("java.util.LinkedList", e); } } @Test(timeout = 4000) public void test2() throws Throwable { Tape tape0 = new Tape((String) null); tape0.toString(); tape0.write((String) null); // Undeclared exception! try { tape0.move("X"); fail("Expecting exception: System.SystemExitException"); } catch(System.SystemExitException e) { // // no message in exception (getMessage() returned null) // verifyException("org.evosuite.runtime.System", e); } } @Test(timeout = 4000) public void test3() throws Throwable { Tape tape0 = new Tape(""); tape0.move("L"); assertEquals("", tape0.read()); } @Test(timeout = 4000) public void test4() throws Throwable { Tape tape0 = new Tape((String) null); tape0.read(); tape0.write((String) null); tape0.write((String) null); tape0.toString(); tape0.read(); // Undeclared exception! try { tape0.move("X"); fail("Expecting exception: System.SystemExitException"); } catch(System.SystemExitException e) { // // no message in exception (getMessage() returned null) // verifyException("org.evosuite.runtime.System", e); } } @Test(timeout = 4000) public void test5() throws Throwable { Tape tape0 = new Tape(""); String string0 = tape0.read(); assertEquals("", string0); } @Test(timeout = 4000) public void test6() throws Throwable { Tape tape0 = new Tape("R"); tape0.move("R"); assertEquals("R", tape0.read()); } @Test(timeout = 4000) public void test7() throws Throwable { Tape tape0 = new Tape((String) null); tape0.write("L"); assertNull(tape0.read()); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Fri Jul 01 19:08: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 Tape_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000); @BeforeClass public static void initEvoSuiteFramework() { org.evosuite.runtime.RuntimeSettings.className = "Tape"; org.evosuite.runtime.GuiSupport.initialize(); org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); org.evosuite.runtime.classhandling.JDKClassResetter.init(); setSystemProperties(); initializeClasses(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); } @AfterClass public static void clearEvoSuiteFramework(){ Sandbox.resetDefaultSecurityManager(); java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); } @Before public void initTestCase(){ threadStopper.storeCurrentThreads(); threadStopper.startRecordingTime(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); setSystemProperties(); org.evosuite.runtime.GuiSupport.setHeadless(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); org.evosuite.runtime.agent.InstrumentingAgent.activate(); } @After public void doneWithTestCase(){ threadStopper.killAndJoinClientThreads(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); org.evosuite.runtime.classhandling.JDKClassResetter.reset(); resetClasses(); org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); } public static void setSystemProperties() { java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); java.lang.System.setProperty("file.encoding", "UTF-8"); java.lang.System.setProperty("java.awt.headless", "true"); java.lang.System.setProperty("java.io.tmpdir", "/tmp"); java.lang.System.setProperty("user.country", "US"); java.lang.System.setProperty("user.dir", "/tmp/tmp4b6dy3dv"); java.lang.System.setProperty("user.home", "/home/bmcdanel"); java.lang.System.setProperty("user.language", "en"); java.lang.System.setProperty("user.name", "bmcdanel"); java.lang.System.setProperty("user.timezone", "America/New_York"); } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Tape_ESTest_scaffolding.class.getClassLoader() , "Tape" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Tape_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "Tape" ); } }
2,258
EnglishLastName
/** * Chance4j is a minimalist generator of random strings, numbers, etc. to help reduce some monotony * particularly while writing automated tests or anywhere else you need anything random. Based on * the <http://chancejs.com> by Victor Quinn and contributors * * <p>Copyright (C) 2016 Átila Camurça <[email protected]> Fidias Free and Open Source Team * <[email protected]> * * <p>This program is free software: you can redistribute it and/or modify it under the terms of the * GNU General Public License as published by the Free Software Foundation, either version 3 of the * License, or (at your option) any later version. * * <p>This program is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; * without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the * GNU General Public License for more details. * * <p>You should have received a copy of the GNU General Public License along with this program. If * not, see <http://www.gnu.org/licenses/>. */ /** * @author atila */ public class EnglishLastName { public static final String[] NAMES = new String[] { "Abbott", "Adkins", "Aguilar", "Allison", "Alvarado", "Atkins", "Baldwin", "Ball", "Ballard", "Barber", "Barker", "Barton", "Bass", "Becker", "Benson", "Blair", "Blake", "Boone", "Bowen", "Bowers", "Brady", "Bridges", "Briggs", "Brock", "Bryan", "Buchanan", "Burgess", "Bush", "Cain", "Cannon", "Carson", "Casey", "Chandler", "Christensen", "Clarke", "Clayton", "Cobb", "Cohen", "Collier", "Colon", "Conner", "Copeland", "Cortez", "Cross", "Cummings", "Curry", "Daniel", "Dawson", "Delgado", "Dennis", "Doyle", "Drake", "Erickson", "Estrada", "Farmer", "Figueroa", "Fitzgerald", "Flowers", "Floyd", "Francis", "Frank", "French", "Garner", "Gibbs", "Gill", "Glover", "Goodman", "Goodwin", "Greer", "Griffith", "Gross", "Guerrero", "Guzman", "Hammond", "Hampton", "Hardy", "Harmon", "Harrington", "Haynes", "Higgins", "Hines", "Hodges", "Hogan", "Holloway", "Houston", "Hubbard", "Huff", "Ingram", "Jefferson", "Joseph", "Keller", "Klein", "Lamb", "Leonard", "Lindsey", "Lloyd", "Logan", "Love", "Luna", "Lyons", "Mack", "Maldonado", "Malone", "Mann", "Manning", "Marsh", "Massey", "Mathis", "Maxwell", "McBride", "McCarthy", "McCormick", "McDaniel", "McGee", "McGuire", "McKenzie", "McLaughlin", "Mendez", "Moody", "Moran", "Morton", "Moss", "Mullins", "Munoz", "Nash", "Newton", "Norman", "Norris", "Norton", "Nunez", "Ortega", "Osborne", "Owen", "Padilla", "Page", "Park", "Parks", "Parsons", "Patrick", "Patton", "Paul", "Phelps", "Pittman", "Poole", "Pope", "Potter", "Powers", "Pratt", "Quinn", "Ramsey", "Reese", "Reeves", "Rios", "Robbins", "Roberson", "Rodgers", "Rowe", "Roy", "Salazar", "Sandoval", "Santiago", "Santos", "Saunders", "Schneider", "Schultz", "Schwartz", "Sharp", "Sherman", "Simon", "Singleton", "Sparks", "Steele", "Stevenson", "Stokes", "Strickland", "Summers", "Swanson", "Tate", "Thornton", "Todd", "Townsend", "Tran", "Tyler", "Underwood", "Valdez", "Vaughn", "Vega", "Walsh", "Walton", "Warner", "Waters", "Weber", "Webster", "Wilkerson", "Wilkins", "Wise", "Wolfe", "Wong", "Yates", "Zimmerman" }; }
.version 52 0 .class public super EnglishLastName .super java/lang/Object .field public static final NAMES [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 29 .end linenumbertable .end code .end method .method static <clinit> : ()V .code stack 4 locals 0 L0: sipush 200 L3: anewarray java/lang/String L6: dup L7: iconst_0 L8: ldc 'Abbott' L10: aastore L11: dup L12: iconst_1 L13: ldc 'Adkins' L15: aastore L16: dup L17: iconst_2 L18: ldc 'Aguilar' L20: aastore L21: dup L22: iconst_3 L23: ldc 'Allison' L25: aastore L26: dup L27: iconst_4 L28: ldc 'Alvarado' L30: aastore L31: dup L32: iconst_5 L33: ldc 'Atkins' L35: aastore L36: dup L37: bipush 6 L39: ldc 'Baldwin' L41: aastore L42: dup L43: bipush 7 L45: ldc 'Ball' L47: aastore L48: dup L49: bipush 8 L51: ldc 'Ballard' L53: aastore L54: dup L55: bipush 9 L57: ldc 'Barber' L59: aastore L60: dup L61: bipush 10 L63: ldc 'Barker' L65: aastore L66: dup L67: bipush 11 L69: ldc 'Barton' L71: aastore L72: dup L73: bipush 12 L75: ldc 'Bass' L77: aastore L78: dup L79: bipush 13 L81: ldc 'Becker' L83: aastore L84: dup L85: bipush 14 L87: ldc 'Benson' L89: aastore L90: dup L91: bipush 15 L93: ldc 'Blair' L95: aastore L96: dup L97: bipush 16 L99: ldc 'Blake' L101: aastore L102: dup L103: bipush 17 L105: ldc 'Boone' L107: aastore L108: dup L109: bipush 18 L111: ldc 'Bowen' L113: aastore L114: dup L115: bipush 19 L117: ldc 'Bowers' L119: aastore L120: dup L121: bipush 20 L123: ldc 'Brady' L125: aastore L126: dup L127: bipush 21 L129: ldc 'Bridges' L131: aastore L132: dup L133: bipush 22 L135: ldc 'Briggs' L137: aastore L138: dup L139: bipush 23 L141: ldc 'Brock' L143: aastore L144: dup L145: bipush 24 L147: ldc 'Bryan' L149: aastore L150: dup L151: bipush 25 L153: ldc 'Buchanan' L155: aastore L156: dup L157: bipush 26 L159: ldc 'Burgess' L161: aastore L162: dup L163: bipush 27 L165: ldc 'Bush' L167: aastore L168: dup L169: bipush 28 L171: ldc 'Cain' L173: aastore L174: dup L175: bipush 29 L177: ldc 'Cannon' L179: aastore L180: dup L181: bipush 30 L183: ldc 'Carson' L185: aastore L186: dup L187: bipush 31 L189: ldc 'Casey' L191: aastore L192: dup L193: bipush 32 L195: ldc 'Chandler' L197: aastore L198: dup L199: bipush 33 L201: ldc 'Christensen' L203: aastore L204: dup L205: bipush 34 L207: ldc 'Clarke' L209: aastore L210: dup L211: bipush 35 L213: ldc 'Clayton' L215: aastore L216: dup L217: bipush 36 L219: ldc 'Cobb' L221: aastore L222: dup L223: bipush 37 L225: ldc 'Cohen' L227: aastore L228: dup L229: bipush 38 L231: ldc 'Collier' L233: aastore L234: dup L235: bipush 39 L237: ldc 'Colon' L239: aastore L240: dup L241: bipush 40 L243: ldc 'Conner' L245: aastore L246: dup L247: bipush 41 L249: ldc 'Copeland' L251: aastore L252: dup L253: bipush 42 L255: ldc 'Cortez' L257: aastore L258: dup L259: bipush 43 L261: ldc 'Cross' L263: aastore L264: dup L265: bipush 44 L267: ldc 'Cummings' L269: aastore L270: dup L271: bipush 45 L273: ldc 'Curry' L275: aastore L276: dup L277: bipush 46 L279: ldc 'Daniel' L281: aastore L282: dup L283: bipush 47 L285: ldc 'Dawson' L287: aastore L288: dup L289: bipush 48 L291: ldc 'Delgado' L293: aastore L294: dup L295: bipush 49 L297: ldc 'Dennis' L299: aastore L300: dup L301: bipush 50 L303: ldc 'Doyle' L305: aastore L306: dup L307: bipush 51 L309: ldc 'Drake' L311: aastore L312: dup L313: bipush 52 L315: ldc 'Erickson' L317: aastore L318: dup L319: bipush 53 L321: ldc 'Estrada' L323: aastore L324: dup L325: bipush 54 L327: ldc 'Farmer' L329: aastore L330: dup L331: bipush 55 L333: ldc 'Figueroa' L335: aastore L336: dup L337: bipush 56 L339: ldc 'Fitzgerald' L341: aastore L342: dup L343: bipush 57 L345: ldc 'Flowers' L347: aastore L348: dup L349: bipush 58 L351: ldc 'Floyd' L353: aastore L354: dup L355: bipush 59 L357: ldc 'Francis' L359: aastore L360: dup L361: bipush 60 L363: ldc 'Frank' L365: aastore L366: dup L367: bipush 61 L369: ldc 'French' L371: aastore L372: dup L373: bipush 62 L375: ldc 'Garner' L377: aastore L378: dup L379: bipush 63 L381: ldc 'Gibbs' L383: aastore L384: dup L385: bipush 64 L387: ldc 'Gill' L389: aastore L390: dup L391: bipush 65 L393: ldc 'Glover' L395: aastore L396: dup L397: bipush 66 L399: ldc 'Goodman' L401: aastore L402: dup L403: bipush 67 L405: ldc 'Goodwin' L407: aastore L408: dup L409: bipush 68 L411: ldc 'Greer' L413: aastore L414: dup L415: bipush 69 L417: ldc 'Griffith' L419: aastore L420: dup L421: bipush 70 L423: ldc 'Gross' L425: aastore L426: dup L427: bipush 71 L429: ldc 'Guerrero' L431: aastore L432: dup L433: bipush 72 L435: ldc 'Guzman' L437: aastore L438: dup L439: bipush 73 L441: ldc 'Hammond' L443: aastore L444: dup L445: bipush 74 L447: ldc 'Hampton' L449: aastore L450: dup L451: bipush 75 L453: ldc 'Hardy' L455: aastore L456: dup L457: bipush 76 L459: ldc 'Harmon' L461: aastore L462: dup L463: bipush 77 L465: ldc 'Harrington' L467: aastore L468: dup L469: bipush 78 L471: ldc 'Haynes' L473: aastore L474: dup L475: bipush 79 L477: ldc 'Higgins' L479: aastore L480: dup L481: bipush 80 L483: ldc 'Hines' L485: aastore L486: dup L487: bipush 81 L489: ldc 'Hodges' L491: aastore L492: dup L493: bipush 82 L495: ldc 'Hogan' L497: aastore L498: dup L499: bipush 83 L501: ldc 'Holloway' L503: aastore L504: dup L505: bipush 84 L507: ldc 'Houston' L509: aastore L510: dup L511: bipush 85 L513: ldc 'Hubbard' L515: aastore L516: dup L517: bipush 86 L519: ldc 'Huff' L521: aastore L522: dup L523: bipush 87 L525: ldc 'Ingram' L527: aastore L528: dup L529: bipush 88 L531: ldc 'Jefferson' L533: aastore L534: dup L535: bipush 89 L537: ldc 'Joseph' L539: aastore L540: dup L541: bipush 90 L543: ldc 'Keller' L545: aastore L546: dup L547: bipush 91 L549: ldc 'Klein' L551: aastore L552: dup L553: bipush 92 L555: ldc 'Lamb' L557: aastore L558: dup L559: bipush 93 L561: ldc 'Leonard' L563: aastore L564: dup L565: bipush 94 L567: ldc 'Lindsey' L569: aastore L570: dup L571: bipush 95 L573: ldc 'Lloyd' L575: aastore L576: dup L577: bipush 96 L579: ldc 'Logan' L581: aastore L582: dup L583: bipush 97 L585: ldc 'Love' L587: aastore L588: dup L589: bipush 98 L591: ldc 'Luna' L593: aastore L594: dup L595: bipush 99 L597: ldc 'Lyons' L599: aastore L600: dup L601: bipush 100 L603: ldc 'Mack' L605: aastore L606: dup L607: bipush 101 L609: ldc 'Maldonado' L611: aastore L612: dup L613: bipush 102 L615: ldc 'Malone' L617: aastore L618: dup L619: bipush 103 L621: ldc 'Mann' L623: aastore L624: dup L625: bipush 104 L627: ldc 'Manning' L629: aastore L630: dup L631: bipush 105 L633: ldc 'Marsh' L635: aastore L636: dup L637: bipush 106 L639: ldc 'Massey' L641: aastore L642: dup L643: bipush 107 L645: ldc 'Mathis' L647: aastore L648: dup L649: bipush 108 L651: ldc 'Maxwell' L653: aastore L654: dup L655: bipush 109 L657: ldc 'McBride' L659: aastore L660: dup L661: bipush 110 L663: ldc 'McCarthy' L665: aastore L666: dup L667: bipush 111 L669: ldc 'McCormick' L671: aastore L672: dup L673: bipush 112 L675: ldc 'McDaniel' L677: aastore L678: dup L679: bipush 113 L681: ldc 'McGee' L683: aastore L684: dup L685: bipush 114 L687: ldc 'McGuire' L689: aastore L690: dup L691: bipush 115 L693: ldc 'McKenzie' L695: aastore L696: dup L697: bipush 116 L699: ldc 'McLaughlin' L701: aastore L702: dup L703: bipush 117 L705: ldc 'Mendez' L707: aastore L708: dup L709: bipush 118 L711: ldc 'Moody' L713: aastore L714: dup L715: bipush 119 L717: ldc 'Moran' L719: aastore L720: dup L721: bipush 120 L723: ldc 'Morton' L725: aastore L726: dup L727: bipush 121 L729: ldc 'Moss' L731: aastore L732: dup L733: bipush 122 L735: ldc 'Mullins' L737: aastore L738: dup L739: bipush 123 L741: ldc 'Munoz' L743: aastore L744: dup L745: bipush 124 L747: ldc 'Nash' L749: aastore L750: dup L751: bipush 125 L753: ldc 'Newton' L755: aastore L756: dup L757: bipush 126 L759: ldc 'Norman' L761: aastore L762: dup L763: bipush 127 L765: ldc 'Norris' L767: aastore L768: dup L769: sipush 128 L772: ldc 'Norton' L774: aastore L775: dup L776: sipush 129 L779: ldc 'Nunez' L781: aastore L782: dup L783: sipush 130 L786: ldc 'Ortega' L788: aastore L789: dup L790: sipush 131 L793: ldc 'Osborne' L795: aastore L796: dup L797: sipush 132 L800: ldc 'Owen' L802: aastore L803: dup L804: sipush 133 L807: ldc 'Padilla' L809: aastore L810: dup L811: sipush 134 L814: ldc 'Page' L816: aastore L817: dup L818: sipush 135 L821: ldc 'Park' L823: aastore L824: dup L825: sipush 136 L828: ldc 'Parks' L830: aastore L831: dup L832: sipush 137 L835: ldc 'Parsons' L837: aastore L838: dup L839: sipush 138 L842: ldc 'Patrick' L844: aastore L845: dup L846: sipush 139 L849: ldc 'Patton' L851: aastore L852: dup L853: sipush 140 L856: ldc 'Paul' L858: aastore L859: dup L860: sipush 141 L863: ldc 'Phelps' L865: aastore L866: dup L867: sipush 142 L870: ldc 'Pittman' L872: aastore L873: dup L874: sipush 143 L877: ldc 'Poole' L879: aastore L880: dup L881: sipush 144 L884: ldc 'Pope' L886: aastore L887: dup L888: sipush 145 L891: ldc 'Potter' L893: aastore L894: dup L895: sipush 146 L898: ldc 'Powers' L900: aastore L901: dup L902: sipush 147 L905: ldc 'Pratt' L907: aastore L908: dup L909: sipush 148 L912: ldc 'Quinn' L914: aastore L915: dup L916: sipush 149 L919: ldc 'Ramsey' L921: aastore L922: dup L923: sipush 150 L926: ldc 'Reese' L928: aastore L929: dup L930: sipush 151 L933: ldc 'Reeves' L935: aastore L936: dup L937: sipush 152 L940: ldc 'Rios' L942: aastore L943: dup L944: sipush 153 L947: ldc 'Robbins' L949: aastore L950: dup L951: sipush 154 L954: ldc 'Roberson' L956: aastore L957: dup L958: sipush 155 L961: ldc 'Rodgers' L963: aastore L964: dup L965: sipush 156 L968: ldc 'Rowe' L970: aastore L971: dup L972: sipush 157 L975: ldc 'Roy' L977: aastore L978: dup L979: sipush 158 L982: ldc 'Salazar' L984: aastore L985: dup L986: sipush 159 L989: ldc 'Sandoval' L991: aastore L992: dup L993: sipush 160 L996: ldc 'Santiago' L998: aastore L999: dup L1000: sipush 161 L1003: ldc 'Santos' L1005: aastore L1006: dup L1007: sipush 162 L1010: ldc 'Saunders' L1012: aastore L1013: dup L1014: sipush 163 L1017: ldc 'Schneider' L1019: aastore L1020: dup L1021: sipush 164 L1024: ldc 'Schultz' L1026: aastore L1027: dup L1028: sipush 165 L1031: ldc 'Schwartz' L1033: aastore L1034: dup L1035: sipush 166 L1038: ldc 'Sharp' L1040: aastore L1041: dup L1042: sipush 167 L1045: ldc 'Sherman' L1047: aastore L1048: dup L1049: sipush 168 L1052: ldc 'Simon' L1054: aastore L1055: dup L1056: sipush 169 L1059: ldc 'Singleton' L1061: aastore L1062: dup L1063: sipush 170 L1066: ldc 'Sparks' L1068: aastore L1069: dup L1070: sipush 171 L1073: ldc 'Steele' L1075: aastore L1076: dup L1077: sipush 172 L1080: ldc 'Stevenson' L1082: aastore L1083: dup L1084: sipush 173 L1087: ldc 'Stokes' L1089: aastore L1090: dup L1091: sipush 174 L1094: ldc 'Strickland' L1096: aastore L1097: dup L1098: sipush 175 L1101: ldc 'Summers' L1103: aastore L1104: dup L1105: sipush 176 L1108: ldc 'Swanson' L1110: aastore L1111: dup L1112: sipush 177 L1115: ldc 'Tate' L1117: aastore L1118: dup L1119: sipush 178 L1122: ldc 'Thornton' L1124: aastore L1125: dup L1126: sipush 179 L1129: ldc 'Todd' L1131: aastore L1132: dup L1133: sipush 180 L1136: ldc 'Townsend' L1138: aastore L1139: dup L1140: sipush 181 L1143: ldc 'Tran' L1145: aastore L1146: dup L1147: sipush 182 L1150: ldc 'Tyler' L1152: aastore L1153: dup L1154: sipush 183 L1157: ldc 'Underwood' L1159: aastore L1160: dup L1161: sipush 184 L1164: ldc 'Valdez' L1166: aastore L1167: dup L1168: sipush 185 L1171: ldc 'Vaughn' L1173: aastore L1174: dup L1175: sipush 186 L1178: ldc 'Vega' L1180: aastore L1181: dup L1182: sipush 187 L1185: ldc 'Walsh' L1187: aastore L1188: dup L1189: sipush 188 L1192: ldc 'Walton' L1194: aastore L1195: dup L1196: sipush 189 L1199: ldc 'Warner' L1201: aastore L1202: dup L1203: sipush 190 L1206: ldc 'Waters' L1208: aastore L1209: dup L1210: sipush 191 L1213: ldc 'Weber' L1215: aastore L1216: dup L1217: sipush 192 L1220: ldc 'Webster' L1222: aastore L1223: dup L1224: sipush 193 L1227: ldc 'Wilkerson' L1229: aastore L1230: dup L1231: sipush 194 L1234: ldc 'Wilkins' L1236: aastore L1237: dup L1238: sipush 195 L1241: ldc 'Wise' L1243: aastore L1244: dup L1245: sipush 196 L1248: ldc 'Wolfe' L1250: aastore L1251: dup L1252: sipush 197 L1255: ldc 'Wong' L1257: aastore L1258: dup L1259: sipush 198 L1262: ldc 'Yates' L1264: aastore L1265: dup L1266: sipush 199 L1269: ldc 'Zimmerman' L1271: aastore L1272: putstatic Field EnglishLastName NAMES [Ljava/lang/String; L1275: return L1276: .linenumbertable L0 31 .end linenumbertable .end code .end method .sourcefile 'EnglishLastName.java' .end class
/* * This file was automatically generated by EvoSuite * Mon Jul 04 05:46:38 GMT 2022 */ import org.junit.Test; import static org.junit.Assert.*; import org.evosuite.runtime.EvoRunner; import org.evosuite.runtime.EvoRunnerParameters; import org.junit.runner.RunWith; @RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) public class EnglishLastName_ESTest extends EnglishLastName_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { EnglishLastName englishLastName0 = new EnglishLastName(); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Mon Jul 04 05:46:38 GMT 2022 */ import org.evosuite.runtime.annotation.EvoSuiteClassExclude; import org.junit.BeforeClass; import org.junit.Before; import org.junit.After; import org.junit.AfterClass; import org.evosuite.runtime.sandbox.Sandbox; import org.evosuite.runtime.sandbox.Sandbox.SandboxMode; @EvoSuiteClassExclude public class EnglishLastName_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000); @BeforeClass public static void initEvoSuiteFramework() { org.evosuite.runtime.RuntimeSettings.className = "EnglishLastName"; org.evosuite.runtime.GuiSupport.initialize(); org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); org.evosuite.runtime.classhandling.JDKClassResetter.init(); setSystemProperties(); initializeClasses(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); } @AfterClass public static void clearEvoSuiteFramework(){ Sandbox.resetDefaultSecurityManager(); java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); } @Before public void initTestCase(){ threadStopper.storeCurrentThreads(); threadStopper.startRecordingTime(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); setSystemProperties(); org.evosuite.runtime.GuiSupport.setHeadless(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); org.evosuite.runtime.agent.InstrumentingAgent.activate(); } @After public void doneWithTestCase(){ threadStopper.killAndJoinClientThreads(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); org.evosuite.runtime.classhandling.JDKClassResetter.reset(); resetClasses(); org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); } public static void setSystemProperties() { java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); java.lang.System.setProperty("file.encoding", "UTF-8"); java.lang.System.setProperty("java.awt.headless", "true"); java.lang.System.setProperty("java.io.tmpdir", "/tmp"); java.lang.System.setProperty("user.country", "US"); java.lang.System.setProperty("user.dir", "/tmp/tmpkqkubci8"); java.lang.System.setProperty("user.home", "/home/bmcdanel"); java.lang.System.setProperty("user.language", "en"); java.lang.System.setProperty("user.name", "bmcdanel"); java.lang.System.setProperty("user.timezone", "America/New_York"); } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(EnglishLastName_ESTest_scaffolding.class.getClassLoader() , "EnglishLastName" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(EnglishLastName_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "EnglishLastName" ); } }
2,259
ParameterValidatorException
/* Copyright (c) 2009-2011, AOL Inc. All rights reserved. This code is licensed under a BSD license. Howard Uman */ /** * @author human */ public class ParameterValidatorException extends Exception { protected int errorCode; public ParameterValidatorException(int errorCode, String name, String value, String message) { super(generateErrorMessage(name, value, message)); this.errorCode = errorCode; } public static String generateErrorMessage(String name, String value, String message) { StringBuilder sb = new StringBuilder(128); sb.append("param: '") .append(name) .append("' value: '") .append(value) .append("' error: ") .append(message); return sb.toString(); } public int getErrorCode() { return errorCode; } public void setErrorCode(int errorCode) { this.errorCode = errorCode; } }
.version 52 0 .class public super ParameterValidatorException .super java/lang/Exception .field protected errorCode I .method public <init> : (ILjava/lang/String;Ljava/lang/String;Ljava/lang/String;)V .code stack 4 locals 5 L0: aload_0 L1: aload_2 L2: aload_3 L3: aload 4 L5: invokestatic Method ParameterValidatorException generateErrorMessage (Ljava/lang/String;Ljava/lang/String;Ljava/lang/String;)Ljava/lang/String; L8: invokespecial Method java/lang/Exception <init> (Ljava/lang/String;)V L11: aload_0 L12: iload_1 L13: putfield Field ParameterValidatorException errorCode I L16: return L17: .linenumbertable L0 23 L11 24 L16 25 .end linenumbertable .end code .end method .method public static generateErrorMessage : (Ljava/lang/String;Ljava/lang/String;Ljava/lang/String;)Ljava/lang/String; .code stack 3 locals 4 L0: new java/lang/StringBuilder L3: dup L4: sipush 128 L7: invokespecial Method java/lang/StringBuilder <init> (I)V L10: astore_3 L11: aload_3 L12: ldc "param: '" L14: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L17: aload_0 L18: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L21: ldc "' value: '" L23: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L26: aload_1 L27: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L30: ldc "' error: " L32: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L35: aload_2 L36: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L39: pop L40: aload_3 L41: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; L44: areturn L45: .linenumbertable L0 28 L11 29 L40 30 .end linenumbertable .end code .end method .method public getErrorCode : ()I .code stack 1 locals 1 L0: aload_0 L1: getfield Field ParameterValidatorException errorCode I L4: ireturn L5: .linenumbertable L0 34 .end linenumbertable .end code .end method .method public setErrorCode : (I)V .code stack 2 locals 2 L0: aload_0 L1: iload_1 L2: putfield Field ParameterValidatorException errorCode I L5: return L6: .linenumbertable L0 38 L5 39 .end linenumbertable .end code .end method .sourcefile 'ParameterValidatorException.java' .end class
/* * This file was automatically generated by EvoSuite * Fri Jul 01 20:51: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 ParameterValidatorException_ESTest extends ParameterValidatorException_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { String string0 = ParameterValidatorException.generateErrorMessage("ParameterValidatorException", "ParameterValidatorException", "PI3@NC~E80c1l@rL`"); assertEquals("param: 'ParameterValidatorException' value: 'ParameterValidatorException' error: PI3@NC~E80c1l@rL`", string0); } @Test(timeout = 4000) public void test1() throws Throwable { ParameterValidatorException parameterValidatorException0 = new ParameterValidatorException(0, "", "", ""); int int0 = parameterValidatorException0.getErrorCode(); assertEquals(0, int0); } @Test(timeout = 4000) public void test2() throws Throwable { ParameterValidatorException parameterValidatorException0 = new ParameterValidatorException(128, ";3", ";3", ";3"); int int0 = parameterValidatorException0.getErrorCode(); assertEquals(128, int0); } @Test(timeout = 4000) public void test3() throws Throwable { ParameterValidatorException parameterValidatorException0 = new ParameterValidatorException((-35514), "", "", ""); parameterValidatorException0.setErrorCode((-35514)); assertEquals((-35514), parameterValidatorException0.getErrorCode()); } @Test(timeout = 4000) public void test4() throws Throwable { ParameterValidatorException parameterValidatorException0 = new ParameterValidatorException((-35514), "", "", ""); int int0 = parameterValidatorException0.getErrorCode(); assertEquals((-35514), int0); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Fri Jul 01 20:51: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 ParameterValidatorException_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000); @BeforeClass public static void initEvoSuiteFramework() { org.evosuite.runtime.RuntimeSettings.className = "ParameterValidatorException"; org.evosuite.runtime.GuiSupport.initialize(); org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); org.evosuite.runtime.classhandling.JDKClassResetter.init(); setSystemProperties(); initializeClasses(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); } @AfterClass public static void clearEvoSuiteFramework(){ Sandbox.resetDefaultSecurityManager(); java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); } @Before public void initTestCase(){ threadStopper.storeCurrentThreads(); threadStopper.startRecordingTime(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); setSystemProperties(); org.evosuite.runtime.GuiSupport.setHeadless(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); org.evosuite.runtime.agent.InstrumentingAgent.activate(); } @After public void doneWithTestCase(){ threadStopper.killAndJoinClientThreads(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); org.evosuite.runtime.classhandling.JDKClassResetter.reset(); resetClasses(); org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); } public static void setSystemProperties() { java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); java.lang.System.setProperty("file.encoding", "UTF-8"); java.lang.System.setProperty("java.awt.headless", "true"); java.lang.System.setProperty("java.io.tmpdir", "/tmp"); java.lang.System.setProperty("user.country", "US"); java.lang.System.setProperty("user.dir", "/tmp/tmpvwr4ykg3"); java.lang.System.setProperty("user.home", "/home/bmcdanel"); java.lang.System.setProperty("user.language", "en"); java.lang.System.setProperty("user.name", "bmcdanel"); java.lang.System.setProperty("user.timezone", "America/New_York"); } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(ParameterValidatorException_ESTest_scaffolding.class.getClassLoader() , "ParameterValidatorException" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ParameterValidatorException_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "ParameterValidatorException" ); } }
2,260
Usuario
/* * To change this template, choose Tools | Templates * and open the template in the editor. */ /** * @author Miguel Mejia */ public class Usuario { private long codigo; private Boolean estado; private String ci; private String nombres; private String apellidos; private String mail; private String telefono1; private String telefono2; private String tituloTercerNivel; private String tituloPostgrado; private String codtitulo; private String pass; public Usuario() { this.codigo = 0; this.estado = false; this.ci = ""; this.nombres = ""; this.apellidos = ""; this.mail = ""; this.telefono1 = ""; this.telefono2 = ""; this.tituloTercerNivel = ""; this.tituloPostgrado = ""; this.codtitulo = ""; } public Usuario( long codigo, Boolean estado, String ci, String nombres, String apellidos, String mail, String telefono1, String telefono2, String tituloTercerNivel, String tituloPostgrado, String codtitulo) { this.codigo = codigo; this.estado = estado; this.ci = ci; this.nombres = nombres; this.apellidos = apellidos; this.mail = mail; this.telefono1 = telefono1; this.telefono2 = telefono2; this.tituloTercerNivel = tituloTercerNivel; this.tituloPostgrado = tituloPostgrado; this.codtitulo = codtitulo; } /** * @return the codigo */ public long getCodigo() { return codigo; } /** * @param codigo the codigo to set */ public void setCodigo(long codigo) { this.codigo = codigo; } /** * @return the ci */ public String getCi() { return ci; } /** * @param ci the ci to set */ public void setCi(String ci) { this.ci = ci; } /** * @return the nombres */ public String getNombres() { return nombres; } /** * @param nombres the nombres to set */ public void setNombres(String nombres) { this.nombres = nombres; } /** * @return the apellidos */ public String getApellidos() { return apellidos; } /** * @param apellidos the apellidos to set */ public void setApellidos(String apellidos) { this.apellidos = apellidos; } /** * @return the mail */ public String getMail() { return mail; } /** * @param mail the mail to set */ public void setMail(String mail) { this.mail = mail; } /** * @return the telefono1 */ public String getTelefono1() { return telefono1; } /** * @param telefono1 the telefono1 to set */ public void setTelefono1(String telefono1) { this.telefono1 = telefono1; } /** * @return the telefono2 */ public String getTelefono2() { return telefono2; } /** * @param telefono2 the telefono2 to set */ public void setTelefono2(String telefono2) { this.telefono2 = telefono2; } /** * @return the tituloTercerNivel */ public String getTituloTercerNivel() { return tituloTercerNivel; } /** * @param tituloTercerNivel the tituloTercerNivel to set */ public void setTituloTercerNivel(String tituloTercerNivel) { this.tituloTercerNivel = tituloTercerNivel; } /** * @return the tituloPostgrado */ public String getTituloPostgrado() { return tituloPostgrado; } /** * @param tituloPostgrado the tituloPostgrado to set */ public void setTituloPostgrado(String tituloPostgrado) { this.tituloPostgrado = tituloPostgrado; } public String getCodtitulo() { return codtitulo; } public String getpass() { return pass; } public void setCodtitulo(String codtitulo) { this.codtitulo = codtitulo; } public void setPass(String password) { this.pass = password; } public Boolean getEstado() { return estado; } public void setEstado(Boolean estado) { this.estado = estado; } public Usuario(long codigo) { this.codigo = codigo; } public Usuario(Boolean estado, String ci, String pass) { this.estado = estado; this.ci = ci; this.pass = pass; } }
.version 52 0 .class public super Usuario .super java/lang/Object .field private codigo J .field private estado Ljava/lang/Boolean; .field private ci Ljava/lang/String; .field private nombres Ljava/lang/String; .field private apellidos Ljava/lang/String; .field private mail Ljava/lang/String; .field private telefono1 Ljava/lang/String; .field private telefono2 Ljava/lang/String; .field private tituloTercerNivel Ljava/lang/String; .field private tituloPostgrado Ljava/lang/String; .field private codtitulo Ljava/lang/String; .field private pass 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: lconst_0 L6: putfield Field Usuario codigo J L9: aload_0 L10: iconst_0 L11: invokestatic Method java/lang/Boolean valueOf (Z)Ljava/lang/Boolean; L14: putfield Field Usuario estado Ljava/lang/Boolean; L17: aload_0 L18: ldc '' L20: putfield Field Usuario ci Ljava/lang/String; L23: aload_0 L24: ldc '' L26: putfield Field Usuario nombres Ljava/lang/String; L29: aload_0 L30: ldc '' L32: putfield Field Usuario apellidos Ljava/lang/String; L35: aload_0 L36: ldc '' L38: putfield Field Usuario mail Ljava/lang/String; L41: aload_0 L42: ldc '' L44: putfield Field Usuario telefono1 Ljava/lang/String; L47: aload_0 L48: ldc '' L50: putfield Field Usuario telefono2 Ljava/lang/String; L53: aload_0 L54: ldc '' L56: putfield Field Usuario tituloTercerNivel Ljava/lang/String; L59: aload_0 L60: ldc '' L62: putfield Field Usuario tituloPostgrado Ljava/lang/String; L65: aload_0 L66: ldc '' L68: putfield Field Usuario codtitulo Ljava/lang/String; L71: return L72: .linenumbertable L0 26 L4 27 L9 28 L17 29 L23 30 L29 31 L35 32 L41 33 L47 34 L53 35 L59 36 L65 37 L71 38 .end linenumbertable .end code .end method .method public <init> : (JLjava/lang/Boolean;Ljava/lang/String;Ljava/lang/String;Ljava/lang/String;Ljava/lang/String;Ljava/lang/String;Ljava/lang/String;Ljava/lang/String;Ljava/lang/String;Ljava/lang/String;)V .code stack 3 locals 13 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: aload_0 L5: lload_1 L6: putfield Field Usuario codigo J L9: aload_0 L10: aload_3 L11: putfield Field Usuario estado Ljava/lang/Boolean; L14: aload_0 L15: aload 4 L17: putfield Field Usuario ci Ljava/lang/String; L20: aload_0 L21: aload 5 L23: putfield Field Usuario nombres Ljava/lang/String; L26: aload_0 L27: aload 6 L29: putfield Field Usuario apellidos Ljava/lang/String; L32: aload_0 L33: aload 7 L35: putfield Field Usuario mail Ljava/lang/String; L38: aload_0 L39: aload 8 L41: putfield Field Usuario telefono1 Ljava/lang/String; L44: aload_0 L45: aload 9 L47: putfield Field Usuario telefono2 Ljava/lang/String; L50: aload_0 L51: aload 10 L53: putfield Field Usuario tituloTercerNivel Ljava/lang/String; L56: aload_0 L57: aload 11 L59: putfield Field Usuario tituloPostgrado Ljava/lang/String; L62: aload_0 L63: aload 12 L65: putfield Field Usuario codtitulo Ljava/lang/String; L68: return L69: .linenumbertable L0 41 L4 42 L9 43 L14 44 L20 45 L26 46 L32 47 L38 48 L44 49 L50 50 L56 51 L62 52 L68 53 .end linenumbertable .end code .end method .method public getCodigo : ()J .code stack 2 locals 1 L0: aload_0 L1: getfield Field Usuario codigo J L4: lreturn L5: .linenumbertable L0 59 .end linenumbertable .end code .end method .method public setCodigo : (J)V .code stack 3 locals 3 L0: aload_0 L1: lload_1 L2: putfield Field Usuario codigo J L5: return L6: .linenumbertable L0 66 L5 67 .end linenumbertable .end code .end method .method public getCi : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field Usuario ci Ljava/lang/String; L4: areturn L5: .linenumbertable L0 74 .end linenumbertable .end code .end method .method public setCi : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field Usuario ci Ljava/lang/String; L5: return L6: .linenumbertable L0 81 L5 82 .end linenumbertable .end code .end method .method public getNombres : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field Usuario nombres Ljava/lang/String; L4: areturn L5: .linenumbertable L0 88 .end linenumbertable .end code .end method .method public setNombres : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field Usuario nombres Ljava/lang/String; L5: return L6: .linenumbertable L0 95 L5 96 .end linenumbertable .end code .end method .method public getApellidos : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field Usuario apellidos Ljava/lang/String; L4: areturn L5: .linenumbertable L0 102 .end linenumbertable .end code .end method .method public setApellidos : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field Usuario apellidos Ljava/lang/String; L5: return L6: .linenumbertable L0 109 L5 110 .end linenumbertable .end code .end method .method public getMail : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field Usuario mail Ljava/lang/String; L4: areturn L5: .linenumbertable L0 116 .end linenumbertable .end code .end method .method public setMail : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field Usuario mail Ljava/lang/String; L5: return L6: .linenumbertable L0 123 L5 124 .end linenumbertable .end code .end method .method public getTelefono1 : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field Usuario telefono1 Ljava/lang/String; L4: areturn L5: .linenumbertable L0 130 .end linenumbertable .end code .end method .method public setTelefono1 : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field Usuario telefono1 Ljava/lang/String; L5: return L6: .linenumbertable L0 137 L5 138 .end linenumbertable .end code .end method .method public getTelefono2 : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field Usuario telefono2 Ljava/lang/String; L4: areturn L5: .linenumbertable L0 144 .end linenumbertable .end code .end method .method public setTelefono2 : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field Usuario telefono2 Ljava/lang/String; L5: return L6: .linenumbertable L0 151 L5 152 .end linenumbertable .end code .end method .method public getTituloTercerNivel : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field Usuario tituloTercerNivel Ljava/lang/String; L4: areturn L5: .linenumbertable L0 158 .end linenumbertable .end code .end method .method public setTituloTercerNivel : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field Usuario tituloTercerNivel Ljava/lang/String; L5: return L6: .linenumbertable L0 165 L5 166 .end linenumbertable .end code .end method .method public getTituloPostgrado : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field Usuario tituloPostgrado Ljava/lang/String; L4: areturn L5: .linenumbertable L0 172 .end linenumbertable .end code .end method .method public setTituloPostgrado : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field Usuario tituloPostgrado Ljava/lang/String; L5: return L6: .linenumbertable L0 179 L5 180 .end linenumbertable .end code .end method .method public getCodtitulo : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field Usuario codtitulo Ljava/lang/String; L4: areturn L5: .linenumbertable L0 183 .end linenumbertable .end code .end method .method public getpass : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field Usuario pass Ljava/lang/String; L4: areturn L5: .linenumbertable L0 187 .end linenumbertable .end code .end method .method public setCodtitulo : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field Usuario codtitulo Ljava/lang/String; L5: return L6: .linenumbertable L0 191 L5 192 .end linenumbertable .end code .end method .method public setPass : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field Usuario pass Ljava/lang/String; L5: return L6: .linenumbertable L0 195 L5 196 .end linenumbertable .end code .end method .method public getEstado : ()Ljava/lang/Boolean; .code stack 1 locals 1 L0: aload_0 L1: getfield Field Usuario estado Ljava/lang/Boolean; L4: areturn L5: .linenumbertable L0 199 .end linenumbertable .end code .end method .method public setEstado : (Ljava/lang/Boolean;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field Usuario estado Ljava/lang/Boolean; L5: return L6: .linenumbertable L0 203 L5 204 .end linenumbertable .end code .end method .method public <init> : (J)V .code stack 3 locals 3 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: aload_0 L5: lload_1 L6: putfield Field Usuario codigo J L9: return L10: .linenumbertable L0 206 L4 207 L9 208 .end linenumbertable .end code .end method .method public <init> : (Ljava/lang/Boolean;Ljava/lang/String;Ljava/lang/String;)V .code stack 2 locals 4 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: aload_0 L5: aload_1 L6: putfield Field Usuario estado Ljava/lang/Boolean; L9: aload_0 L10: aload_2 L11: putfield Field Usuario ci Ljava/lang/String; L14: aload_0 L15: aload_3 L16: putfield Field Usuario pass Ljava/lang/String; L19: return L20: .linenumbertable L0 210 L4 211 L9 212 L14 213 L19 214 .end linenumbertable .end code .end method .sourcefile 'Usuario.java' .end class
/* * This file was automatically generated by EvoSuite * Sat Jul 02 00:37: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 Usuario_ESTest extends Usuario_ESTest_scaffolding { @Test(timeout = 4000) public void test00() throws Throwable { Usuario usuario0 = new Usuario(); usuario0.getpass(); assertEquals(0L, usuario0.getCodigo()); assertFalse(usuario0.getEstado()); } @Test(timeout = 4000) public void test01() throws Throwable { Usuario usuario0 = new Usuario(); usuario0.setPass("\"D"); usuario0.getpass(); assertEquals(0L, usuario0.getCodigo()); assertFalse(usuario0.getEstado()); } @Test(timeout = 4000) public void test02() throws Throwable { Boolean boolean0 = Boolean.FALSE; Usuario usuario0 = new Usuario(boolean0, "IAs$]", ""); String string0 = usuario0.getTituloTercerNivel(); assertNull(string0); } @Test(timeout = 4000) public void test03() throws Throwable { Usuario usuario0 = new Usuario(); usuario0.setTituloTercerNivel("Usuario"); usuario0.getTituloTercerNivel(); assertFalse(usuario0.getEstado()); assertEquals(0L, usuario0.getCodigo()); } @Test(timeout = 4000) public void test04() throws Throwable { Usuario usuario0 = new Usuario((-43257L)); usuario0.setTituloPostgrado("Usuario"); usuario0.getTituloPostgrado(); assertEquals((-43257L), usuario0.getCodigo()); } @Test(timeout = 4000) public void test05() throws Throwable { Usuario usuario0 = new Usuario(); usuario0.getTituloPostgrado(); assertEquals(0L, usuario0.getCodigo()); assertFalse(usuario0.getEstado()); } @Test(timeout = 4000) public void test06() throws Throwable { Boolean boolean0 = Boolean.valueOf(false); Usuario usuario0 = new Usuario(boolean0, "6*V,N&+E 7~=|}'v;D;", ""); String string0 = usuario0.getTelefono2(); assertNull(string0); } @Test(timeout = 4000) public void test07() throws Throwable { Boolean boolean0 = new Boolean(true); Usuario usuario0 = new Usuario(0L, boolean0, "Usuario", "Usuario", "Usuario", "Usuario", "", "g)NcR'2h$HE7T%Qz71", "Usuario", "@xJ]&]5DOR", ""); String string0 = usuario0.getTelefono2(); assertEquals("g)NcR'2h$HE7T%Qz71", string0); } @Test(timeout = 4000) public void test08() throws Throwable { Usuario usuario0 = new Usuario((-2059L)); usuario0.getTelefono1(); assertEquals((-2059L), usuario0.getCodigo()); } @Test(timeout = 4000) public void test09() throws Throwable { Usuario usuario0 = new Usuario(); usuario0.setTelefono1("TrZ'qb%B0.FP3`4"); usuario0.getTelefono1(); assertEquals(0L, usuario0.getCodigo()); assertFalse(usuario0.getEstado()); } @Test(timeout = 4000) public void test10() throws Throwable { Usuario usuario0 = new Usuario(78132L); usuario0.getNombres(); assertEquals(78132L, usuario0.getCodigo()); } @Test(timeout = 4000) public void test11() throws Throwable { Usuario usuario0 = new Usuario(); usuario0.setNombres("5\"|y1N[`q8698-a.-"); usuario0.getNombres(); assertEquals(0L, usuario0.getCodigo()); assertFalse(usuario0.getEstado()); } @Test(timeout = 4000) public void test12() throws Throwable { Boolean boolean0 = Boolean.FALSE; Usuario usuario0 = new Usuario(boolean0, "IAs$]", ""); String string0 = usuario0.getMail(); assertNull(string0); } @Test(timeout = 4000) public void test13() throws Throwable { Boolean boolean0 = Boolean.valueOf(false); Usuario usuario0 = new Usuario(1L, boolean0, "%lsu", "%lsu", "%lsu", "%lsu", "%lsu", (String) null, "", "d8s?)O'8!Cv2o!*", "i.UTGI{k"); usuario0.getMail(); assertEquals(1L, usuario0.getCodigo()); } @Test(timeout = 4000) public void test14() throws Throwable { Usuario usuario0 = new Usuario((-1L), (Boolean) null, "", "", ":]", ":]", "", "mO{v}7-]XKNwvf^", "~Xg(", "x>h", "~Xg("); usuario0.getEstado(); assertEquals((-1L), usuario0.getCodigo()); } @Test(timeout = 4000) public void test15() throws Throwable { Usuario usuario0 = new Usuario(); Boolean boolean0 = usuario0.getEstado(); assertEquals(0L, usuario0.getCodigo()); assertFalse(boolean0); } @Test(timeout = 4000) public void test16() throws Throwable { Boolean boolean0 = Boolean.valueOf(""); Usuario usuario0 = new Usuario(0L, boolean0, "", "", "^zuz*g]*f", "L.? xTvGwASfk", "q-@XUpj!1zV[wV!0\"", "L.? xTvGwASfk", (String) null, "L.? xTvGwASfk", "q-@XUpj!1zV[wV!0\""); String string0 = usuario0.getCodtitulo(); assertEquals("q-@XUpj!1zV[wV!0\"", string0); } @Test(timeout = 4000) public void test17() throws Throwable { Usuario usuario0 = new Usuario(); usuario0.getCodtitulo(); assertFalse(usuario0.getEstado()); assertEquals(0L, usuario0.getCodigo()); } @Test(timeout = 4000) public void test18() throws Throwable { Usuario usuario0 = new Usuario(); usuario0.setCodigo(62601L); long long0 = usuario0.getCodigo(); assertEquals(62601L, long0); } @Test(timeout = 4000) public void test19() throws Throwable { Boolean boolean0 = Boolean.valueOf(""); Usuario usuario0 = new Usuario(0L, boolean0, "", "", "^zuz*g]*f", "L.? xTvGwASfk", "q-@XUpj!1zV[wV!0\"", "L.? xTvGwASfk", (String) null, "L.? xTvGwASfk", "q-@XUpj!1zV[wV!0\""); usuario0.setCodigo((-3990L)); long long0 = usuario0.getCodigo(); assertEquals((-3990L), long0); } @Test(timeout = 4000) public void test20() throws Throwable { Usuario usuario0 = new Usuario((-43257L)); usuario0.getCi(); assertEquals((-43257L), usuario0.getCodigo()); } @Test(timeout = 4000) public void test21() throws Throwable { Usuario usuario0 = new Usuario(); usuario0.setCi("TrZ'qb%B0.FP3`4"); usuario0.getCi(); assertEquals(0L, usuario0.getCodigo()); assertFalse(usuario0.getEstado()); } @Test(timeout = 4000) public void test22() throws Throwable { Usuario usuario0 = new Usuario(78132L); usuario0.setApellidos("u<QWsFYCI(U"); usuario0.getApellidos(); assertEquals(78132L, usuario0.getCodigo()); } @Test(timeout = 4000) public void test23() throws Throwable { Usuario usuario0 = new Usuario(); usuario0.getApellidos(); assertFalse(usuario0.getEstado()); assertEquals(0L, usuario0.getCodigo()); } @Test(timeout = 4000) public void test24() throws Throwable { Usuario usuario0 = new Usuario(); usuario0.getCi(); assertEquals(0L, usuario0.getCodigo()); assertFalse(usuario0.getEstado()); } @Test(timeout = 4000) public void test25() throws Throwable { Usuario usuario0 = new Usuario(); usuario0.getTituloTercerNivel(); assertEquals(0L, usuario0.getCodigo()); assertFalse(usuario0.getEstado()); } @Test(timeout = 4000) public void test26() throws Throwable { Boolean boolean0 = new Boolean(true); Usuario usuario0 = new Usuario(boolean0, "", ""); String string0 = usuario0.getTituloPostgrado(); assertNull(string0); } @Test(timeout = 4000) public void test27() throws Throwable { Usuario usuario0 = new Usuario(); usuario0.getTelefono2(); assertFalse(usuario0.getEstado()); assertEquals(0L, usuario0.getCodigo()); } @Test(timeout = 4000) public void test28() throws Throwable { Usuario usuario0 = new Usuario(); usuario0.getMail(); assertEquals(0L, usuario0.getCodigo()); assertFalse(usuario0.getEstado()); } @Test(timeout = 4000) public void test29() throws Throwable { Usuario usuario0 = new Usuario(); long long0 = usuario0.getCodigo(); assertEquals(0L, long0); assertFalse(usuario0.getEstado()); } @Test(timeout = 4000) public void test30() throws Throwable { Boolean boolean0 = new Boolean(true); Usuario usuario0 = new Usuario(boolean0, "", ""); String string0 = usuario0.getCodtitulo(); assertNull(string0); } @Test(timeout = 4000) public void test31() throws Throwable { Usuario usuario0 = new Usuario(); usuario0.getNombres(); assertEquals(0L, usuario0.getCodigo()); assertFalse(usuario0.getEstado()); } @Test(timeout = 4000) public void test32() throws Throwable { Boolean boolean0 = new Boolean(true); Usuario usuario0 = new Usuario(boolean0, "", ""); usuario0.setMail(""); assertNull(usuario0.getApellidos()); } @Test(timeout = 4000) public void test33() throws Throwable { Boolean boolean0 = new Boolean(true); Usuario usuario0 = new Usuario(boolean0, "", ""); Boolean boolean1 = usuario0.getEstado(); assertTrue(boolean1); } @Test(timeout = 4000) public void test34() throws Throwable { Boolean boolean0 = new Boolean(true); Usuario usuario0 = new Usuario(boolean0, "", ""); String string0 = usuario0.getApellidos(); assertNull(string0); } @Test(timeout = 4000) public void test35() throws Throwable { Boolean boolean0 = new Boolean(true); Usuario usuario0 = new Usuario(boolean0, "", ""); String string0 = usuario0.getpass(); assertEquals("", string0); } @Test(timeout = 4000) public void test36() throws Throwable { Usuario usuario0 = new Usuario((-1L), (Boolean) null, "", "", ":]", ":]", "", "mO{v}7-]XKNwvf^", "~Xg(", "x>h", "~Xg("); usuario0.getTelefono1(); assertEquals((-1L), usuario0.getCodigo()); } @Test(timeout = 4000) public void test37() throws Throwable { Usuario usuario0 = new Usuario(); usuario0.setCodtitulo("\"D"); assertFalse(usuario0.getEstado()); assertEquals(0L, usuario0.getCodigo()); } @Test(timeout = 4000) public void test38() throws Throwable { Usuario usuario0 = new Usuario((-1L), (Boolean) null, "", "", ":]", ":]", "", "mO{v}7-]XKNwvf^", "~Xg(", "x>h", "~Xg("); usuario0.setEstado((Boolean) null); assertEquals((-1L), usuario0.getCodigo()); } @Test(timeout = 4000) public void test39() throws Throwable { Usuario usuario0 = new Usuario((-22788L)); usuario0.setTelefono2("A?Re`vp"); assertEquals((-22788L), usuario0.getCodigo()); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sat Jul 02 00:37: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 Usuario_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000); @BeforeClass public static void initEvoSuiteFramework() { org.evosuite.runtime.RuntimeSettings.className = "Usuario"; org.evosuite.runtime.GuiSupport.initialize(); org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); org.evosuite.runtime.classhandling.JDKClassResetter.init(); setSystemProperties(); initializeClasses(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); } @AfterClass public static void clearEvoSuiteFramework(){ Sandbox.resetDefaultSecurityManager(); java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); } @Before public void initTestCase(){ threadStopper.storeCurrentThreads(); threadStopper.startRecordingTime(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); setSystemProperties(); org.evosuite.runtime.GuiSupport.setHeadless(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); org.evosuite.runtime.agent.InstrumentingAgent.activate(); } @After public void doneWithTestCase(){ threadStopper.killAndJoinClientThreads(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); org.evosuite.runtime.classhandling.JDKClassResetter.reset(); resetClasses(); org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); } public static void setSystemProperties() { java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); java.lang.System.setProperty("file.encoding", "UTF-8"); java.lang.System.setProperty("java.awt.headless", "true"); java.lang.System.setProperty("java.io.tmpdir", "/tmp"); java.lang.System.setProperty("user.country", "US"); java.lang.System.setProperty("user.dir", "/tmp/tmpphqj_v_h"); java.lang.System.setProperty("user.home", "/home/bmcdanel"); java.lang.System.setProperty("user.language", "en"); java.lang.System.setProperty("user.name", "bmcdanel"); java.lang.System.setProperty("user.timezone", "America/New_York"); } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Usuario_ESTest_scaffolding.class.getClassLoader() , "Usuario" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Usuario_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "Usuario" ); } }
2,261
NotYourTurnException
/* * RISIKO-JAVA - Game, Copyright 2014 Jennifer Theloy, Stefan Bieliauskas - All Rights Reserved. * Hochschule Bremen - University of Applied Sciences * * * This program is free software; you can redistribute it and/or * modify it under the terms of the GNU General Public License * as published by the Free Software Foundation; either version 2 * of the License, or (at your option) any later version. * * This program is distributed in the hope that it will be useful, * but WITHOUT ANY WARRANTY; without even the implied warranty of * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the * GNU General Public License for more details. * * You should have received a copy of the GNU General Public License * along with this program; if not, write to the Free Software * Foundation, Inc., 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301, USA. * * Contact: * Jennifer Theloy: [email protected] * Stefan Bieliauskas: [email protected] * * Web: * https://github.com/B-Stefan/Risiko * */ public class NotYourTurnException extends Exception { public NotYourTurnException() { super("Du bist nicht am Zug"); } }
.version 52 0 .class public super NotYourTurnException .super java/lang/Exception .method public <init> : ()V .code stack 2 locals 1 L0: aload_0 L1: ldc 'Du bist nicht am Zug' L3: invokespecial Method java/lang/Exception <init> (Ljava/lang/String;)V L6: return L7: .linenumbertable L0 33 L6 34 .end linenumbertable .end code .end method .sourcefile 'NotYourTurnException.java' .end class
/* * This file was automatically generated by EvoSuite * Fri Jul 01 10:51:23 GMT 2022 */ import org.junit.Test; import static org.junit.Assert.*; import org.evosuite.runtime.EvoRunner; import org.evosuite.runtime.EvoRunnerParameters; import org.junit.runner.RunWith; @RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) public class NotYourTurnException_ESTest extends NotYourTurnException_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { NotYourTurnException notYourTurnException0 = new NotYourTurnException(); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Fri Jul 01 10:51:23 GMT 2022 */ import org.evosuite.runtime.annotation.EvoSuiteClassExclude; import org.junit.BeforeClass; import org.junit.Before; import org.junit.After; import org.junit.AfterClass; import org.evosuite.runtime.sandbox.Sandbox; import org.evosuite.runtime.sandbox.Sandbox.SandboxMode; @EvoSuiteClassExclude public class NotYourTurnException_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000); @BeforeClass public static void initEvoSuiteFramework() { org.evosuite.runtime.RuntimeSettings.className = "NotYourTurnException"; org.evosuite.runtime.GuiSupport.initialize(); org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); org.evosuite.runtime.classhandling.JDKClassResetter.init(); setSystemProperties(); initializeClasses(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); } @AfterClass public static void clearEvoSuiteFramework(){ Sandbox.resetDefaultSecurityManager(); java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); } @Before public void initTestCase(){ threadStopper.storeCurrentThreads(); threadStopper.startRecordingTime(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); setSystemProperties(); org.evosuite.runtime.GuiSupport.setHeadless(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); org.evosuite.runtime.agent.InstrumentingAgent.activate(); } @After public void doneWithTestCase(){ threadStopper.killAndJoinClientThreads(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); org.evosuite.runtime.classhandling.JDKClassResetter.reset(); resetClasses(); org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); } public static void setSystemProperties() { java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); java.lang.System.setProperty("file.encoding", "UTF-8"); java.lang.System.setProperty("java.awt.headless", "true"); java.lang.System.setProperty("java.io.tmpdir", "/tmp"); java.lang.System.setProperty("user.country", "US"); java.lang.System.setProperty("user.dir", "/tmp/tmpv_fran26"); java.lang.System.setProperty("user.home", "/home/bmcdanel"); java.lang.System.setProperty("user.language", "en"); java.lang.System.setProperty("user.name", "bmcdanel"); java.lang.System.setProperty("user.timezone", "America/New_York"); } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(NotYourTurnException_ESTest_scaffolding.class.getClassLoader() , "NotYourTurnException" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(NotYourTurnException_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "NotYourTurnException" ); } }
2,262
TableAddress
public class TableAddress { int fileno; int offset; int ncells; public TableAddress(int fileno, int offset, int ncells) { this.fileno = fileno; this.offset = offset; this.ncells = ncells; } }
.version 52 0 .class public super TableAddress .super java/lang/Object .field fileno I .field offset I .field ncells I .method public <init> : (III)V .code stack 2 locals 4 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: aload_0 L5: iload_1 L6: putfield Field TableAddress fileno I L9: aload_0 L10: iload_2 L11: putfield Field TableAddress offset I L14: aload_0 L15: iload_3 L16: putfield Field TableAddress ncells I L19: return L20: .linenumbertable L0 9 L4 10 L9 11 L14 12 L19 13 .end linenumbertable .end code .end method .sourcefile 'TableAddress.java' .end class
/* * This file was automatically generated by EvoSuite * Sat Jul 02 13:30: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 TableAddress_ESTest extends TableAddress_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { TableAddress tableAddress0 = new TableAddress(4808, (-33532), 82334); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sat Jul 02 13:30: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 TableAddress_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000); @BeforeClass public static void initEvoSuiteFramework() { org.evosuite.runtime.RuntimeSettings.className = "TableAddress"; org.evosuite.runtime.GuiSupport.initialize(); org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); org.evosuite.runtime.classhandling.JDKClassResetter.init(); setSystemProperties(); initializeClasses(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); } @AfterClass public static void clearEvoSuiteFramework(){ Sandbox.resetDefaultSecurityManager(); java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); } @Before public void initTestCase(){ threadStopper.storeCurrentThreads(); threadStopper.startRecordingTime(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); setSystemProperties(); org.evosuite.runtime.GuiSupport.setHeadless(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); org.evosuite.runtime.agent.InstrumentingAgent.activate(); } @After public void doneWithTestCase(){ threadStopper.killAndJoinClientThreads(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); org.evosuite.runtime.classhandling.JDKClassResetter.reset(); resetClasses(); org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); } public static void setSystemProperties() { java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); java.lang.System.setProperty("file.encoding", "UTF-8"); java.lang.System.setProperty("java.awt.headless", "true"); java.lang.System.setProperty("java.io.tmpdir", "/tmp"); java.lang.System.setProperty("user.country", "US"); java.lang.System.setProperty("user.dir", "/tmp/tmp54v3gau8"); java.lang.System.setProperty("user.home", "/home/bmcdanel"); java.lang.System.setProperty("user.language", "en"); java.lang.System.setProperty("user.name", "bmcdanel"); java.lang.System.setProperty("user.timezone", "America/New_York"); } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(TableAddress_ESTest_scaffolding.class.getClassLoader() , "TableAddress" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(TableAddress_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "TableAddress" ); } }
2,263
RequestContext
/* * The Travelforge Project * http://www.travelforge.org * * Copyright (c) 2015 - 2017 Matthias Deck * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to * deal in the Software without restriction, including without limitation the * rights to use, copy, modify, merge, publish, distribute, sublicense, and/or * sell copies of the Software, and to permit persons to whom the Software is * furnished to do so, subject to the following conditions: * * The above copyright notice and this permission notice shall be included in * all copies or substantial portions of the Software. * * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN * THE SOFTWARE. * */ import java.io.Serializable; /** * @author Matthias Deck */ public class RequestContext implements Serializable { private static final long serialVersionUID = 1L; private String client; private String market; private String language; private String currency; public String getClient() { return client; } public void setClient(String client) { this.client = client; } public String getMarket() { return market; } public void setMarket(String market) { this.market = market; } public String getLanguage() { return language; } public void setLanguage(String language) { this.language = language; } public String getCurrency() { return currency; } public void setCurrency(String currency) { this.currency = currency; } @Override public boolean equals(Object o) { if (this == o) return true; if (o == null || getClass() != o.getClass()) return false; RequestContext that = (RequestContext) o; if (client != null ? !client.equals(that.client) : that.client != null) return false; if (market != null ? !market.equals(that.market) : that.market != null) return false; if (language != null ? !language.equals(that.language) : that.language != null) return false; return currency != null ? currency.equals(that.currency) : that.currency == null; } @Override public int hashCode() { int result = client != null ? client.hashCode() : 0; result = 31 * result + (market != null ? market.hashCode() : 0); result = 31 * result + (language != null ? language.hashCode() : 0); result = 31 * result + (currency != null ? currency.hashCode() : 0); return result; } @Override public String toString() { return "RequestContext{" + "client='" + client + '\'' + ", market='" + market + '\'' + ", language='" + language + '\'' + ", currency='" + currency + '\'' + '}'; } }
.version 52 0 .class public super RequestContext .super java/lang/Object .implements java/io/Serializable .field private static final serialVersionUID J = 1L .field private client Ljava/lang/String; .field private market Ljava/lang/String; .field private language Ljava/lang/String; .field private currency Ljava/lang/String; .method public <init> : ()V .code stack 1 locals 1 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: return L5: .linenumbertable L0 33 .end linenumbertable .end code .end method .method public getClient : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field RequestContext client Ljava/lang/String; L4: areturn L5: .linenumbertable L0 43 .end linenumbertable .end code .end method .method public setClient : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field RequestContext client Ljava/lang/String; L5: return L6: .linenumbertable L0 47 L5 48 .end linenumbertable .end code .end method .method public getMarket : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field RequestContext market Ljava/lang/String; L4: areturn L5: .linenumbertable L0 51 .end linenumbertable .end code .end method .method public setMarket : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field RequestContext market Ljava/lang/String; L5: return L6: .linenumbertable L0 55 L5 56 .end linenumbertable .end code .end method .method public getLanguage : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field RequestContext language Ljava/lang/String; L4: areturn L5: .linenumbertable L0 59 .end linenumbertable .end code .end method .method public setLanguage : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field RequestContext language Ljava/lang/String; L5: return L6: .linenumbertable L0 63 L5 64 .end linenumbertable .end code .end method .method public getCurrency : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field RequestContext currency Ljava/lang/String; L4: areturn L5: .linenumbertable L0 67 .end linenumbertable .end code .end method .method public setCurrency : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field RequestContext currency Ljava/lang/String; L5: return L6: .linenumbertable L0 71 L5 72 .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 RequestContext L28: astore_2 L29: aload_0 L30: getfield Field RequestContext client Ljava/lang/String; L33: ifnull L53 L36: aload_0 L37: getfield Field RequestContext client Ljava/lang/String; L40: aload_2 L41: getfield Field RequestContext client Ljava/lang/String; L44: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z L47: ifne L62 L50: goto L60 .stack append Object RequestContext L53: aload_2 L54: getfield Field RequestContext client Ljava/lang/String; L57: ifnull L62 .stack same L60: iconst_0 L61: ireturn .stack same L62: aload_0 L63: getfield Field RequestContext market Ljava/lang/String; L66: ifnull L86 L69: aload_0 L70: getfield Field RequestContext market Ljava/lang/String; L73: aload_2 L74: getfield Field RequestContext market Ljava/lang/String; L77: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z L80: ifne L95 L83: goto L93 .stack same L86: aload_2 L87: getfield Field RequestContext market Ljava/lang/String; L90: ifnull L95 .stack same L93: iconst_0 L94: ireturn .stack same L95: aload_0 L96: getfield Field RequestContext language Ljava/lang/String; L99: ifnull L119 L102: aload_0 L103: getfield Field RequestContext language Ljava/lang/String; L106: aload_2 L107: getfield Field RequestContext language Ljava/lang/String; L110: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z L113: ifne L128 L116: goto L126 .stack same L119: aload_2 L120: getfield Field RequestContext language Ljava/lang/String; L123: ifnull L128 .stack same L126: iconst_0 L127: ireturn .stack same L128: aload_0 L129: getfield Field RequestContext currency Ljava/lang/String; L132: ifnull L149 L135: aload_0 L136: getfield Field RequestContext currency Ljava/lang/String; L139: aload_2 L140: getfield Field RequestContext currency Ljava/lang/String; L143: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z L146: goto L161 .stack same L149: aload_2 L150: getfield Field RequestContext currency Ljava/lang/String; L153: ifnonnull L160 L156: iconst_1 L157: goto L161 .stack same L160: iconst_0 .stack stack_1 Integer L161: ireturn L162: .linenumbertable L0 76 L7 77 L24 79 L29 81 L62 82 L95 83 L128 84 .end linenumbertable .end code .end method .method public hashCode : ()I .code stack 2 locals 2 L0: aload_0 L1: getfield Field RequestContext client Ljava/lang/String; L4: ifnull L17 L7: aload_0 L8: getfield Field RequestContext client Ljava/lang/String; L11: invokevirtual Method java/lang/String hashCode ()I L14: goto L18 .stack same L17: iconst_0 .stack stack_1 Integer L18: istore_1 L19: bipush 31 L21: iload_1 L22: imul L23: aload_0 L24: getfield Field RequestContext market Ljava/lang/String; L27: ifnull L40 L30: aload_0 L31: getfield Field RequestContext market Ljava/lang/String; L34: invokevirtual Method java/lang/String hashCode ()I L37: goto L41 .stack full locals Object RequestContext Integer stack Integer .end stack L40: iconst_0 .stack full locals Object RequestContext Integer stack Integer Integer .end stack L41: iadd L42: istore_1 L43: bipush 31 L45: iload_1 L46: imul L47: aload_0 L48: getfield Field RequestContext language Ljava/lang/String; L51: ifnull L64 L54: aload_0 L55: getfield Field RequestContext language Ljava/lang/String; L58: invokevirtual Method java/lang/String hashCode ()I L61: goto L65 .stack stack_1 Integer L64: iconst_0 .stack full locals Object RequestContext Integer stack Integer Integer .end stack L65: iadd L66: istore_1 L67: bipush 31 L69: iload_1 L70: imul L71: aload_0 L72: getfield Field RequestContext currency Ljava/lang/String; L75: ifnull L88 L78: aload_0 L79: getfield Field RequestContext currency Ljava/lang/String; L82: invokevirtual Method java/lang/String hashCode ()I L85: goto L89 .stack stack_1 Integer L88: iconst_0 .stack full locals Object RequestContext Integer stack Integer Integer .end stack L89: iadd L90: istore_1 L91: iload_1 L92: ireturn L93: .linenumbertable L0 89 L19 90 L43 91 L67 92 L91 93 .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 "RequestContext{client='" L9: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L12: aload_0 L13: getfield Field RequestContext client Ljava/lang/String; L16: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L19: bipush 39 L21: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder; L24: ldc ", market='" L26: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L29: aload_0 L30: getfield Field RequestContext market Ljava/lang/String; L33: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L36: bipush 39 L38: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder; L41: ldc ", language='" L43: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L46: aload_0 L47: getfield Field RequestContext language Ljava/lang/String; L50: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L53: bipush 39 L55: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder; L58: ldc ", currency='" L60: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L63: aload_0 L64: getfield Field RequestContext currency Ljava/lang/String; L67: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L70: bipush 39 L72: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder; L75: bipush 125 L77: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder; L80: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; L83: areturn L84: .linenumbertable L0 98 .end linenumbertable .end code .end method .sourcefile 'RequestContext.java' .end class
/* * This file was automatically generated by EvoSuite * Fri Jul 01 02:38: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 RequestContext_ESTest extends RequestContext_ESTest_scaffolding { @Test(timeout = 4000) public void test00() throws Throwable { RequestContext requestContext0 = new RequestContext(); requestContext0.setCurrency("4POAu|\"5<N@E"); requestContext0.hashCode(); } @Test(timeout = 4000) public void test01() throws Throwable { RequestContext requestContext0 = new RequestContext(); requestContext0.setLanguage("#nUh?9<hNVP~"); requestContext0.hashCode(); } @Test(timeout = 4000) public void test02() throws Throwable { RequestContext requestContext0 = new RequestContext(); requestContext0.setMarket("o1=4|W+jZWO[Kuc-u"); requestContext0.hashCode(); } @Test(timeout = 4000) public void test03() throws Throwable { RequestContext requestContext0 = new RequestContext(); requestContext0.setMarket(",evU#S_q/@4V"); String string0 = requestContext0.getMarket(); assertEquals(",evU#S_q/@4V", string0); } @Test(timeout = 4000) public void test04() throws Throwable { RequestContext requestContext0 = new RequestContext(); requestContext0.setMarket(""); String string0 = requestContext0.getMarket(); assertEquals("", string0); } @Test(timeout = 4000) public void test05() throws Throwable { RequestContext requestContext0 = new RequestContext(); requestContext0.setLanguage(", market='"); String string0 = requestContext0.getLanguage(); assertEquals(", market='", string0); } @Test(timeout = 4000) public void test06() throws Throwable { RequestContext requestContext0 = new RequestContext(); requestContext0.setLanguage(""); String string0 = requestContext0.getLanguage(); assertEquals("", string0); } @Test(timeout = 4000) public void test07() throws Throwable { RequestContext requestContext0 = new RequestContext(); requestContext0.setCurrency("RequestContext{client='null', market='null', language='null', currency='null'}"); String string0 = requestContext0.getCurrency(); assertEquals("RequestContext{client='null', market='null', language='null', currency='null'}", string0); } @Test(timeout = 4000) public void test08() throws Throwable { RequestContext requestContext0 = new RequestContext(); requestContext0.setCurrency(""); String string0 = requestContext0.getCurrency(); assertEquals("", string0); } @Test(timeout = 4000) public void test09() throws Throwable { RequestContext requestContext0 = new RequestContext(); requestContext0.setClient("#nUh?9<hNVP~"); String string0 = requestContext0.getClient(); assertEquals("#nUh?9<hNVP~", string0); } @Test(timeout = 4000) public void test10() throws Throwable { RequestContext requestContext0 = new RequestContext(); requestContext0.setClient(", market='"); requestContext0.hashCode(); } @Test(timeout = 4000) public void test11() throws Throwable { RequestContext requestContext0 = new RequestContext(); requestContext0.setCurrency("RequestContext"); requestContext0.setMarket(""); RequestContext requestContext1 = new RequestContext(); requestContext1.setMarket(""); boolean boolean0 = requestContext0.equals(requestContext1); // // Unstable assertion: assertTrue(boolean0); // // Unstable assertion: assertFalse(requestContext1.equals((Object)requestContext0)); } @Test(timeout = 4000) public void test12() throws Throwable { RequestContext requestContext0 = new RequestContext(); requestContext0.setLanguage("HW|g"); RequestContext requestContext1 = new RequestContext(); boolean boolean0 = requestContext0.equals(requestContext1); assertFalse(boolean0); } @Test(timeout = 4000) public void test13() throws Throwable { RequestContext requestContext0 = new RequestContext(); requestContext0.setMarket(""); RequestContext requestContext1 = new RequestContext(); assertFalse(requestContext1.equals((Object)requestContext0)); requestContext1.setMarket(""); boolean boolean0 = requestContext0.equals(requestContext1); assertTrue(requestContext1.equals((Object)requestContext0)); assertTrue(boolean0); } @Test(timeout = 4000) public void test14() throws Throwable { RequestContext requestContext0 = new RequestContext(); requestContext0.setClient("RequestContext{client='"); RequestContext requestContext1 = new RequestContext(); boolean boolean0 = requestContext0.equals(requestContext1); assertFalse(boolean0); } @Test(timeout = 4000) public void test15() throws Throwable { RequestContext requestContext0 = new RequestContext(); Object object0 = new Object(); boolean boolean0 = requestContext0.equals(object0); assertFalse(boolean0); } @Test(timeout = 4000) public void test16() throws Throwable { RequestContext requestContext0 = new RequestContext(); boolean boolean0 = requestContext0.equals((Object) null); assertFalse(boolean0); } @Test(timeout = 4000) public void test17() throws Throwable { RequestContext requestContext0 = new RequestContext(); boolean boolean0 = requestContext0.equals(requestContext0); assertTrue(boolean0); } @Test(timeout = 4000) public void test18() throws Throwable { RequestContext requestContext0 = new RequestContext(); RequestContext requestContext1 = new RequestContext(); assertTrue(requestContext1.equals((Object)requestContext0)); requestContext1.setClient(""); boolean boolean0 = requestContext0.equals(requestContext1); assertFalse(boolean0); } @Test(timeout = 4000) public void test19() throws Throwable { RequestContext requestContext0 = new RequestContext(); String string0 = requestContext0.getMarket(); assertNull(string0); } @Test(timeout = 4000) public void test20() throws Throwable { RequestContext requestContext0 = new RequestContext(); String string0 = requestContext0.getClient(); assertNull(string0); } @Test(timeout = 4000) public void test21() throws Throwable { RequestContext requestContext0 = new RequestContext(); String string0 = requestContext0.toString(); assertEquals("RequestContext{client='null', market='null', language='null', currency='null'}", string0); } @Test(timeout = 4000) public void test22() throws Throwable { RequestContext requestContext0 = new RequestContext(); String string0 = requestContext0.getCurrency(); assertNull(string0); } @Test(timeout = 4000) public void test23() throws Throwable { RequestContext requestContext0 = new RequestContext(); requestContext0.setMarket(""); RequestContext requestContext1 = new RequestContext(); boolean boolean0 = requestContext0.equals(requestContext1); assertFalse(boolean0); } @Test(timeout = 4000) public void test24() throws Throwable { RequestContext requestContext0 = new RequestContext(); requestContext0.setClient(""); String string0 = requestContext0.getClient(); assertEquals("", string0); } @Test(timeout = 4000) public void test25() throws Throwable { RequestContext requestContext0 = new RequestContext(); String string0 = requestContext0.getLanguage(); assertNull(string0); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Fri Jul 01 02:38: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 RequestContext_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000); @BeforeClass public static void initEvoSuiteFramework() { org.evosuite.runtime.RuntimeSettings.className = "RequestContext"; org.evosuite.runtime.GuiSupport.initialize(); org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); org.evosuite.runtime.classhandling.JDKClassResetter.init(); setSystemProperties(); initializeClasses(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); } @AfterClass public static void clearEvoSuiteFramework(){ Sandbox.resetDefaultSecurityManager(); java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); } @Before public void initTestCase(){ threadStopper.storeCurrentThreads(); threadStopper.startRecordingTime(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); setSystemProperties(); org.evosuite.runtime.GuiSupport.setHeadless(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); org.evosuite.runtime.agent.InstrumentingAgent.activate(); } @After public void doneWithTestCase(){ threadStopper.killAndJoinClientThreads(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); org.evosuite.runtime.classhandling.JDKClassResetter.reset(); resetClasses(); org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); } public static void setSystemProperties() { java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); java.lang.System.setProperty("file.encoding", "UTF-8"); java.lang.System.setProperty("java.awt.headless", "true"); java.lang.System.setProperty("java.io.tmpdir", "/tmp"); java.lang.System.setProperty("user.country", "US"); java.lang.System.setProperty("user.dir", "/tmp/tmpywq1n773"); java.lang.System.setProperty("user.home", "/home/bmcdanel"); java.lang.System.setProperty("user.language", "en"); java.lang.System.setProperty("user.name", "bmcdanel"); java.lang.System.setProperty("user.timezone", "America/New_York"); } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(RequestContext_ESTest_scaffolding.class.getClassLoader() , "RequestContext" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(RequestContext_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "RequestContext" ); } }
2,264
Moderator
/* * Copyright (C) 2009-2016 by the geOrchestra PSC * * This file is part of geOrchestra. * * geOrchestra 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. * * geOrchestra 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 * geOrchestra. If not, see <http://www.gnu.org/licenses/>. */ /** * Moderator attribute * * @author Mauricio Pazos */ public final class Moderator { private boolean moderatedSignup = true; private String moderatorEmail = "moderator@mail"; public void setModeratedSignup(boolean moderatedSignup) { this.moderatedSignup = moderatedSignup; } public String getModeratorEmail() { return moderatorEmail; } public void setModeratorEmail(String moderatorEmail) { this.moderatorEmail = moderatorEmail; } public boolean moderatedSignup() { return this.moderatedSignup; } }
.version 52 0 .class public final super Moderator .super java/lang/Object .field private moderatedSignup Z .field private moderatorEmail Ljava/lang/String; .method public <init> : ()V .code stack 2 locals 1 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: aload_0 L5: iconst_1 L6: putfield Field Moderator moderatedSignup Z L9: aload_0 L10: ldc 'moderator@mail' L12: putfield Field Moderator moderatorEmail Ljava/lang/String; L15: return L16: .linenumbertable L0 29 L4 31 L9 33 .end linenumbertable .end code .end method .method public setModeratedSignup : (Z)V .code stack 2 locals 2 L0: aload_0 L1: iload_1 L2: putfield Field Moderator moderatedSignup Z L5: return L6: .linenumbertable L0 36 L5 37 .end linenumbertable .end code .end method .method public getModeratorEmail : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field Moderator moderatorEmail Ljava/lang/String; L4: areturn L5: .linenumbertable L0 40 .end linenumbertable .end code .end method .method public setModeratorEmail : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field Moderator moderatorEmail Ljava/lang/String; L5: return L6: .linenumbertable L0 44 L5 45 .end linenumbertable .end code .end method .method public moderatedSignup : ()Z .code stack 1 locals 1 L0: aload_0 L1: getfield Field Moderator moderatedSignup Z L4: ireturn L5: .linenumbertable L0 48 .end linenumbertable .end code .end method .sourcefile 'Moderator.java' .end class
/* * This file was automatically generated by EvoSuite * Mon Jul 04 02:29: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 Moderator_ESTest extends Moderator_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { Moderator moderator0 = new Moderator(); assertEquals("moderator@mail", moderator0.getModeratorEmail()); moderator0.setModeratorEmail(""); moderator0.getModeratorEmail(); assertTrue(moderator0.moderatedSignup()); } @Test(timeout = 4000) public void test1() throws Throwable { Moderator moderator0 = new Moderator(); assertEquals("moderator@mail", moderator0.getModeratorEmail()); moderator0.setModeratorEmail((String) null); moderator0.getModeratorEmail(); assertTrue(moderator0.moderatedSignup()); } @Test(timeout = 4000) public void test2() throws Throwable { Moderator moderator0 = new Moderator(); String string0 = moderator0.getModeratorEmail(); assertEquals("moderator@mail", string0); assertTrue(moderator0.moderatedSignup()); } @Test(timeout = 4000) public void test3() throws Throwable { Moderator moderator0 = new Moderator(); assertTrue(moderator0.moderatedSignup()); moderator0.setModeratedSignup(false); boolean boolean0 = moderator0.moderatedSignup(); assertFalse(boolean0); } @Test(timeout = 4000) public void test4() throws Throwable { Moderator moderator0 = new Moderator(); boolean boolean0 = moderator0.moderatedSignup(); assertEquals("moderator@mail", moderator0.getModeratorEmail()); assertTrue(boolean0); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Mon Jul 04 02:29: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 Moderator_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000); @BeforeClass public static void initEvoSuiteFramework() { org.evosuite.runtime.RuntimeSettings.className = "Moderator"; org.evosuite.runtime.GuiSupport.initialize(); org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); org.evosuite.runtime.classhandling.JDKClassResetter.init(); setSystemProperties(); initializeClasses(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); } @AfterClass public static void clearEvoSuiteFramework(){ Sandbox.resetDefaultSecurityManager(); java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); } @Before public void initTestCase(){ threadStopper.storeCurrentThreads(); threadStopper.startRecordingTime(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); setSystemProperties(); org.evosuite.runtime.GuiSupport.setHeadless(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); org.evosuite.runtime.agent.InstrumentingAgent.activate(); } @After public void doneWithTestCase(){ threadStopper.killAndJoinClientThreads(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); org.evosuite.runtime.classhandling.JDKClassResetter.reset(); resetClasses(); org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); } public static void setSystemProperties() { java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); java.lang.System.setProperty("file.encoding", "UTF-8"); java.lang.System.setProperty("java.awt.headless", "true"); java.lang.System.setProperty("java.io.tmpdir", "/tmp"); java.lang.System.setProperty("user.country", "US"); java.lang.System.setProperty("user.dir", "/tmp/tmphef77vtw"); java.lang.System.setProperty("user.home", "/home/bmcdanel"); java.lang.System.setProperty("user.language", "en"); java.lang.System.setProperty("user.name", "bmcdanel"); java.lang.System.setProperty("user.timezone", "America/New_York"); } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Moderator_ESTest_scaffolding.class.getClassLoader() , "Moderator" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Moderator_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "Moderator" ); } }
2,265
NegativeNumberException
class NegativeNumberException extends RuntimeException { NegativeNumberException(String number) { super(number); } }
.version 52 0 .class super NegativeNumberException .super java/lang/RuntimeException .method <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 6 L5 7 .end linenumbertable .end code .end method .sourcefile 'NegativeNumberException.java' .end class
/* * This file was automatically generated by EvoSuite * Fri Jul 01 11:32: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 NegativeNumberException_ESTest extends NegativeNumberException_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { NegativeNumberException negativeNumberException0 = new NegativeNumberException(""); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Fri Jul 01 11:32: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 NegativeNumberException_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000); @BeforeClass public static void initEvoSuiteFramework() { org.evosuite.runtime.RuntimeSettings.className = "NegativeNumberException"; org.evosuite.runtime.GuiSupport.initialize(); org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); org.evosuite.runtime.classhandling.JDKClassResetter.init(); setSystemProperties(); initializeClasses(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); } @AfterClass public static void clearEvoSuiteFramework(){ Sandbox.resetDefaultSecurityManager(); java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); } @Before public void initTestCase(){ threadStopper.storeCurrentThreads(); threadStopper.startRecordingTime(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); setSystemProperties(); org.evosuite.runtime.GuiSupport.setHeadless(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); org.evosuite.runtime.agent.InstrumentingAgent.activate(); } @After public void doneWithTestCase(){ threadStopper.killAndJoinClientThreads(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); org.evosuite.runtime.classhandling.JDKClassResetter.reset(); resetClasses(); org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); } public static void setSystemProperties() { java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); java.lang.System.setProperty("file.encoding", "UTF-8"); java.lang.System.setProperty("java.awt.headless", "true"); java.lang.System.setProperty("java.io.tmpdir", "/tmp"); java.lang.System.setProperty("user.country", "US"); java.lang.System.setProperty("user.dir", "/tmp/tmp0r4o4yea"); java.lang.System.setProperty("user.home", "/home/bmcdanel"); java.lang.System.setProperty("user.language", "en"); java.lang.System.setProperty("user.name", "bmcdanel"); java.lang.System.setProperty("user.timezone", "America/New_York"); } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(NegativeNumberException_ESTest_scaffolding.class.getClassLoader() , "NegativeNumberException" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(NegativeNumberException_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "NegativeNumberException" ); } }
2,266
AverageCandyLifetime
// https://community.topcoder.com/stat?c=problem_statement&pm=8707 public class AverageCandyLifetime { public static double getAverage(int[] eatenCandies) { double average = 0.0d; int candyLifetime = 0; int numberOfCandies = 0; int[] monthLength = new int[] {31, 28, 31, 30, 31, 30, 31, 31, 30, 31, 30, 31}; for (int i = 0; i < eatenCandies.length; ++i) { if (eatenCandies[i] > 0) { for (int j = 0; j <= i; ++j) { candyLifetime += monthLength[j] * eatenCandies[i]; } numberOfCandies += eatenCandies[i]; } } average = (double) candyLifetime / numberOfCandies; return average; } }
.version 52 0 .class public super AverageCandyLifetime .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 getAverage : ([I)D .code stack 4 locals 8 L0: dconst_0 L1: dstore_1 L2: iconst_0 L3: istore_3 L4: iconst_0 L5: istore 4 L7: bipush 12 L9: newarray int L11: dup L12: iconst_0 L13: bipush 31 L15: iastore L16: dup L17: iconst_1 L18: bipush 28 L20: iastore L21: dup L22: iconst_2 L23: bipush 31 L25: iastore L26: dup L27: iconst_3 L28: bipush 30 L30: iastore L31: dup L32: iconst_4 L33: bipush 31 L35: iastore L36: dup L37: iconst_5 L38: bipush 30 L40: iastore L41: dup L42: bipush 6 L44: bipush 31 L46: iastore L47: dup L48: bipush 7 L50: bipush 31 L52: iastore L53: dup L54: bipush 8 L56: bipush 30 L58: iastore L59: dup L60: bipush 9 L62: bipush 31 L64: iastore L65: dup L66: bipush 10 L68: bipush 30 L70: iastore L71: dup L72: bipush 11 L74: bipush 31 L76: iastore L77: astore 5 L79: iconst_0 L80: istore 6 .stack full locals Object [I Double Integer Integer Object [I Integer stack .end stack L82: iload 6 L84: aload_0 L85: arraylength L86: if_icmpge L140 L89: aload_0 L90: iload 6 L92: iaload L93: ifle L134 L96: iconst_0 L97: istore 7 .stack append Integer L99: iload 7 L101: iload 6 L103: if_icmpgt L125 L106: iload_3 L107: aload 5 L109: iload 7 L111: iaload L112: aload_0 L113: iload 6 L115: iaload L116: imul L117: iadd L118: istore_3 L119: iinc 7 1 L122: goto L99 .stack chop 1 L125: iload 4 L127: aload_0 L128: iload 6 L130: iaload L131: iadd L132: istore 4 .stack same L134: iinc 6 1 L137: goto L82 .stack chop 1 L140: iload_3 L141: i2d L142: iload 4 L144: i2d L145: ddiv L146: dstore_1 L147: dload_1 L148: dreturn L149: .linenumbertable L0 5 L2 6 L4 7 L7 9 L79 11 L89 12 L96 13 L106 14 L119 13 L125 17 L134 11 L140 22 L147 24 .end linenumbertable .end code .end method .sourcefile 'AverageCandyLifetime.java' .end class
/* * This file was automatically generated by EvoSuite * Sat Jul 02 20:34:39 GMT 2022 */ import org.junit.Test; import static org.junit.Assert.*; import org.evosuite.runtime.EvoRunner; import org.evosuite.runtime.EvoRunnerParameters; import org.junit.runner.RunWith; @RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) public class AverageCandyLifetime_ESTest extends AverageCandyLifetime_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { int[] intArray0 = new int[5]; intArray0[2] = 7; AverageCandyLifetime.getAverage(intArray0); double double0 = AverageCandyLifetime.getAverage(intArray0); assertEquals(90.0, double0, 1.0E-4); } @Test(timeout = 4000) public void test1() throws Throwable { int[] intArray0 = new int[4]; intArray0[0] = 1; intArray0[3] = 1; AverageCandyLifetime.getAverage(intArray0); AverageCandyLifetime averageCandyLifetime0 = new AverageCandyLifetime(); double double0 = AverageCandyLifetime.getAverage(intArray0); assertEquals(75.5, double0, 1.0E-4); } @Test(timeout = 4000) public void test2() throws Throwable { int[] intArray0 = new int[4]; intArray0[1] = (-37407); double double0 = AverageCandyLifetime.getAverage(intArray0); assertEquals(Double.NaN, double0, 1.0E-4); } @Test(timeout = 4000) public void test3() throws Throwable { int[] intArray0 = new int[4]; intArray0[0] = 1; AverageCandyLifetime.getAverage(intArray0); AverageCandyLifetime averageCandyLifetime0 = new AverageCandyLifetime(); double double0 = AverageCandyLifetime.getAverage(intArray0); assertEquals(31.0, double0, 1.0E-4); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sat Jul 02 20:34:39 GMT 2022 */ import org.evosuite.runtime.annotation.EvoSuiteClassExclude; import org.junit.BeforeClass; import org.junit.Before; import org.junit.After; import org.junit.AfterClass; import org.evosuite.runtime.sandbox.Sandbox; import org.evosuite.runtime.sandbox.Sandbox.SandboxMode; @EvoSuiteClassExclude public class AverageCandyLifetime_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000); @BeforeClass public static void initEvoSuiteFramework() { org.evosuite.runtime.RuntimeSettings.className = "AverageCandyLifetime"; org.evosuite.runtime.GuiSupport.initialize(); org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); org.evosuite.runtime.classhandling.JDKClassResetter.init(); setSystemProperties(); initializeClasses(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); } @AfterClass public static void clearEvoSuiteFramework(){ Sandbox.resetDefaultSecurityManager(); java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); } @Before public void initTestCase(){ threadStopper.storeCurrentThreads(); threadStopper.startRecordingTime(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); setSystemProperties(); org.evosuite.runtime.GuiSupport.setHeadless(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); org.evosuite.runtime.agent.InstrumentingAgent.activate(); } @After public void doneWithTestCase(){ threadStopper.killAndJoinClientThreads(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); org.evosuite.runtime.classhandling.JDKClassResetter.reset(); resetClasses(); org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); } public static void setSystemProperties() { java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); java.lang.System.setProperty("file.encoding", "UTF-8"); java.lang.System.setProperty("java.awt.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_fzn86ep"); java.lang.System.setProperty("user.home", "/home/bmcdanel"); java.lang.System.setProperty("user.language", "en"); java.lang.System.setProperty("user.name", "bmcdanel"); java.lang.System.setProperty("user.timezone", "America/New_York"); } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(AverageCandyLifetime_ESTest_scaffolding.class.getClassLoader() , "AverageCandyLifetime" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(AverageCandyLifetime_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "AverageCandyLifetime" ); } }
2,267
ZooKeeperProperties
/* * 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 final class ZooKeeperProperties { public static final String CONNECTION_STRING = "zookeeper.connection.string"; public static final String ZOOKEEPER_CONTAINER = "zookeeper.container"; private ZooKeeperProperties() {} }
.version 52 0 .class public final super ZooKeeperProperties .super java/lang/Object .field public static final CONNECTION_STRING Ljava/lang/String; = 'zookeeper.connection.string' .field public static final ZOOKEEPER_CONTAINER Ljava/lang/String; = 'zookeeper.container' .method private <init> : ()V .code stack 1 locals 1 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: return L5: .linenumbertable L0 24 L4 26 .end linenumbertable .end code .end method .sourcefile 'ZooKeeperProperties.java' .end class
/* * This file was automatically generated by EvoSuite * Mon Jul 04 06: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 ZooKeeperProperties_ESTest extends ZooKeeperProperties_ESTest_scaffolding { @Test public void notGeneratedAnyTest() { // EvoSuite did not generate any tests } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Mon Jul 04 06:28:13 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 ZooKeeperProperties_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 = "ZooKeeperProperties"; org.evosuite.runtime.GuiSupport.initialize(); org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.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(ZooKeeperProperties_ESTest_scaffolding.class.getClassLoader() , "ZooKeeperProperties" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ZooKeeperProperties_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "ZooKeeperProperties" ); } }
2,268
EasyVistaDto
import java.util.ArrayList; import java.util.List; public class EasyVistaDto { private Integer nomatrChef; private List<String> errors; private List<String> infos; public EasyVistaDto() { errors = new ArrayList<String>(); infos = new ArrayList<String>(); } public List<String> getErrors() { return errors; } public void setErrors(List<String> errors) { this.errors = errors; } public List<String> getInfos() { return infos; } public void setInfos(List<String> infos) { this.infos = infos; } public Integer getNomatrChef() { return nomatrChef; } public void setNomatrChef(Integer nomatrChef) { this.nomatrChef = nomatrChef; } }
.version 52 0 .class public super EasyVistaDto .super java/lang/Object .field private nomatrChef Ljava/lang/Integer; .field private errors Ljava/util/List; .fieldattributes .signature Ljava/util/List<Ljava/lang/String;>; .end fieldattributes .field private infos 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 EasyVistaDto errors Ljava/util/List; L15: aload_0 L16: new java/util/ArrayList L19: dup L20: invokespecial Method java/util/ArrayList <init> ()V L23: putfield Field EasyVistaDto infos Ljava/util/List; L26: return L27: .linenumbertable L0 12 L4 13 L15 14 L26 15 .end linenumbertable .end code .end method .method public getErrors : ()Ljava/util/List; .code stack 1 locals 1 L0: aload_0 L1: getfield Field EasyVistaDto errors Ljava/util/List; L4: areturn L5: .linenumbertable L0 18 .end linenumbertable .end code .signature ()Ljava/util/List<Ljava/lang/String;>; .end method .method public setErrors : (Ljava/util/List;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field EasyVistaDto errors Ljava/util/List; L5: return L6: .linenumbertable L0 22 L5 23 .end linenumbertable .end code .signature (Ljava/util/List<Ljava/lang/String;>;)V .end method .method public getInfos : ()Ljava/util/List; .code stack 1 locals 1 L0: aload_0 L1: getfield Field EasyVistaDto infos Ljava/util/List; L4: areturn L5: .linenumbertable L0 26 .end linenumbertable .end code .signature ()Ljava/util/List<Ljava/lang/String;>; .end method .method public setInfos : (Ljava/util/List;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field EasyVistaDto infos Ljava/util/List; L5: return L6: .linenumbertable L0 30 L5 31 .end linenumbertable .end code .signature (Ljava/util/List<Ljava/lang/String;>;)V .end method .method public getNomatrChef : ()Ljava/lang/Integer; .code stack 1 locals 1 L0: aload_0 L1: getfield Field EasyVistaDto nomatrChef Ljava/lang/Integer; L4: areturn L5: .linenumbertable L0 34 .end linenumbertable .end code .end method .method public setNomatrChef : (Ljava/lang/Integer;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field EasyVistaDto nomatrChef Ljava/lang/Integer; L5: return L6: .linenumbertable L0 38 L5 39 .end linenumbertable .end code .end method .sourcefile 'EasyVistaDto.java' .end class
/* * This file was automatically generated by EvoSuite * Sat Jul 02 04:17:23 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 EasyVistaDto_ESTest extends EasyVistaDto_ESTest_scaffolding { @Test(timeout = 4000) public void test00() throws Throwable { EasyVistaDto easyVistaDto0 = new EasyVistaDto(); Integer integer0 = new Integer(5311); easyVistaDto0.setNomatrChef(integer0); Integer integer1 = easyVistaDto0.getNomatrChef(); assertEquals(5311, (int)integer1); } @Test(timeout = 4000) public void test01() throws Throwable { EasyVistaDto easyVistaDto0 = new EasyVistaDto(); Integer integer0 = new Integer(0); easyVistaDto0.setNomatrChef(integer0); Integer integer1 = easyVistaDto0.getNomatrChef(); assertEquals(0, (int)integer1); } @Test(timeout = 4000) public void test02() throws Throwable { EasyVistaDto easyVistaDto0 = new EasyVistaDto(); Integer integer0 = new Integer((-47608)); easyVistaDto0.setNomatrChef(integer0); Integer integer1 = easyVistaDto0.getNomatrChef(); assertEquals((-47608), (int)integer1); } @Test(timeout = 4000) public void test03() throws Throwable { EasyVistaDto easyVistaDto0 = new EasyVistaDto(); Integer integer0 = new Integer((-22)); easyVistaDto0.setNomatrChef(integer0); Integer integer1 = easyVistaDto0.getNomatrChef(); assertEquals((-22), (int)integer1); } @Test(timeout = 4000) public void test04() throws Throwable { EasyVistaDto easyVistaDto0 = new EasyVistaDto(); easyVistaDto0.setInfos((List<String>) null); List<String> list0 = easyVistaDto0.getInfos(); assertNull(list0); } @Test(timeout = 4000) public void test05() throws Throwable { EasyVistaDto easyVistaDto0 = new EasyVistaDto(); LinkedList<String> linkedList0 = new LinkedList<String>(); linkedList0.add("wm%9/r&{(A9M##"); easyVistaDto0.setInfos(linkedList0); List<String> list0 = easyVistaDto0.getInfos(); assertTrue(list0.contains("wm%9/r&{(A9M##")); } @Test(timeout = 4000) public void test06() throws Throwable { EasyVistaDto easyVistaDto0 = new EasyVistaDto(); easyVistaDto0.setErrors((List<String>) null); List<String> list0 = easyVistaDto0.getErrors(); assertNull(list0); } @Test(timeout = 4000) public void test07() throws Throwable { EasyVistaDto easyVistaDto0 = new EasyVistaDto(); LinkedList<String> linkedList0 = new LinkedList<String>(); linkedList0.add("wm%9/r&{(A9M##"); easyVistaDto0.setErrors(linkedList0); List<String> list0 = easyVistaDto0.getErrors(); assertTrue(list0.contains("wm%9/r&{(A9M##")); } @Test(timeout = 4000) public void test08() throws Throwable { EasyVistaDto easyVistaDto0 = new EasyVistaDto(); Integer integer0 = easyVistaDto0.getNomatrChef(); assertNull(integer0); } @Test(timeout = 4000) public void test09() throws Throwable { EasyVistaDto easyVistaDto0 = new EasyVistaDto(); List<String> list0 = easyVistaDto0.getErrors(); easyVistaDto0.setErrors(list0); assertEquals(0, list0.size()); } @Test(timeout = 4000) public void test10() throws Throwable { EasyVistaDto easyVistaDto0 = new EasyVistaDto(); List<String> list0 = easyVistaDto0.getInfos(); assertTrue(list0.isEmpty()); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sat Jul 02 04:17:23 GMT 2022 */ import org.evosuite.runtime.annotation.EvoSuiteClassExclude; import org.junit.BeforeClass; import org.junit.Before; import org.junit.After; import org.junit.AfterClass; import org.evosuite.runtime.sandbox.Sandbox; import org.evosuite.runtime.sandbox.Sandbox.SandboxMode; @EvoSuiteClassExclude public class EasyVistaDto_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000); @BeforeClass public static void initEvoSuiteFramework() { org.evosuite.runtime.RuntimeSettings.className = "EasyVistaDto"; org.evosuite.runtime.GuiSupport.initialize(); org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); org.evosuite.runtime.classhandling.JDKClassResetter.init(); setSystemProperties(); initializeClasses(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); } @AfterClass public static void clearEvoSuiteFramework(){ Sandbox.resetDefaultSecurityManager(); java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); } @Before public void initTestCase(){ threadStopper.storeCurrentThreads(); threadStopper.startRecordingTime(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); setSystemProperties(); org.evosuite.runtime.GuiSupport.setHeadless(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); org.evosuite.runtime.agent.InstrumentingAgent.activate(); } @After public void doneWithTestCase(){ threadStopper.killAndJoinClientThreads(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); org.evosuite.runtime.classhandling.JDKClassResetter.reset(); resetClasses(); org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); } public static void setSystemProperties() { java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); java.lang.System.setProperty("file.encoding", "UTF-8"); java.lang.System.setProperty("java.awt.headless", "true"); java.lang.System.setProperty("java.io.tmpdir", "/tmp"); java.lang.System.setProperty("user.country", "US"); java.lang.System.setProperty("user.dir", "/tmp/tmpc5t04gt2"); java.lang.System.setProperty("user.home", "/home/bmcdanel"); java.lang.System.setProperty("user.language", "en"); java.lang.System.setProperty("user.name", "bmcdanel"); java.lang.System.setProperty("user.timezone", "America/New_York"); } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(EasyVistaDto_ESTest_scaffolding.class.getClassLoader() , "EasyVistaDto" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(EasyVistaDto_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "EasyVistaDto" ); } }
2,269
StandExample
// 包名必须全为小写字母和数字,不能有下划线 // import不要用'*', eclipse中CTRL + SHIFT + O可自动调整import顺序 /** * 类注释格式 * * <p>所有类成员变量声明放在类的开头,在任何方法声明之前。 方法之间有一个空行 必须使用英文进行注释 */ public class StandExample { // 所有大括号起始都在行尾, 类名首字母大写 private static final String TAG = "example.StyleExample"; public static final int DATA_EXAMPLE = 0; // 常量全为大写字母,以_分隔 public static final int DATA_EXAMPLE_ANOTHER = 1; private static Object sLock = null; // 静态成员变量以s开头 private int mScreenOff = 0; // 非静态成员变量名以m开头 /** 函数注释 */ public static void main(String[] args) { // 圆括号后面的元素紧挨圆括号 int wifiState = 1; // 所有双目操作符必须前后都有空格,所有;号之前都没有空格 // 缩进为4个space,而不是tab // 行注释 或 /* 行注释 */ wifiState -= 1; /* * 多行注释 * 行2 */ wifiState = wifiState + 1; if (true || wifiState == 0) { // if语句, if与圆括号之间以及圆括号与大括号之间有一个空格, if语句一定要有大括号. for (int i = 0; i < 10; i++) { // for语句, for与圆括号之间以及圆括号与大括号之间有一个空格 ++wifiState; // 单目运算符与操作数之间无空格 } for (String string : args) { // foreach语句,冒号两边各一个空格 } } switch (wifiState) { // case之间有一个空行 case DATA_EXAMPLE: System.out.println(args[0]); break; case DATA_EXAMPLE_ANOTHER: break; default: break; } while (true) { // do something break; } do { // dummy } while (true); } /** * 类方法注释, 所有public的方法都要加注释 * * @param param1 数据1 * @param param2 数据2 * @return 返回测试值 */ public String getBossId(int param1, int param2) { // 参数之间有空格, 方法名单词首字母大写(第一个字母小写). return "bob"; } /** * 类方法注释, 私有成员函数 * * @return 返回测试值 */ private String getUrl() { return "http://www.eee168.com"; } }
.version 52 0 .class public super StandExample .super java/lang/Object .field private static final TAG Ljava/lang/String; = 'example.StyleExample' .field public static final DATA_EXAMPLE I = 0 .field public static final DATA_EXAMPLE_ANOTHER I = 1 .field private static sLock Ljava/lang/Object; .field private mScreenOff I .method public <init> : ()V .code stack 2 locals 1 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: aload_0 L5: iconst_0 L6: putfield Field StandExample mScreenOff I L9: return L10: .linenumbertable L0 12 L4 17 .end linenumbertable .end code .end method .method public static main : ([Ljava/lang/String;)V .code stack 3 locals 6 L0: iconst_1 L1: istore_1 L2: iinc 1 -1 L5: iload_1 L6: iconst_1 L7: iadd L8: istore_1 L9: iconst_0 L10: istore_2 .stack append Integer Integer L11: iload_2 L12: bipush 10 L14: if_icmpge L26 L17: iinc 1 1 L20: iinc 2 1 L23: goto L11 .stack chop 1 L26: aload_0 L27: astore_2 L28: aload_2 L29: arraylength L30: istore_3 L31: iconst_0 L32: istore 4 .stack append Object [Ljava/lang/String; Integer Integer L34: iload 4 L36: iload_3 L37: if_icmpge L52 L40: aload_2 L41: iload 4 L43: aaload L44: astore 5 L46: iinc 4 1 L49: goto L34 .stack chop 3 L52: iload_1 L53: lookupswitch 0 : L80 1 : L92 default : L95 .stack same L80: getstatic Field java/lang/System out Ljava/io/PrintStream; L83: aload_0 L84: iconst_0 L85: aaload L86: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V L89: goto L95 .stack same L92: goto L95 .stack same L95: goto L95 L98: .linenumbertable L0 23 L2 28 L5 34 L9 36 L17 37 L20 36 L26 40 L52 45 L80 47 L89 48 L92 51 L95 64 .end linenumbertable .end code .end method .method public getBossId : (II)Ljava/lang/String; .code stack 1 locals 3 L0: ldc 'bob' L2: areturn L3: .linenumbertable L0 74 .end linenumbertable .end code .end method .method private getUrl : ()Ljava/lang/String; .code stack 1 locals 1 L0: ldc 'http://www.eee168.com' L2: areturn L3: .linenumbertable L0 82 .end linenumbertable .end code .end method .method static <clinit> : ()V .code stack 1 locals 0 L0: aconst_null L1: putstatic Field StandExample sLock Ljava/lang/Object; L4: return L5: .linenumbertable L0 16 .end linenumbertable .end code .end method .sourcefile 'StandExample.java' .end class
/* * This file was automatically generated by EvoSuite * Fri Jul 01 07:34:11 GMT 2022 */ import org.junit.Test; import static org.junit.Assert.*; import static org.evosuite.runtime.EvoAssertions.*; import org.evosuite.runtime.EvoRunner; import org.evosuite.runtime.EvoRunnerParameters; import org.junit.runner.RunWith; @RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) public class StandExample_ESTest extends StandExample_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { String[] stringArray0 = new String[4]; // Undeclared exception! StandExample.main(stringArray0); } @Test(timeout = 4000) public void test1() throws Throwable { StandExample standExample0 = new StandExample(); String string0 = standExample0.getBossId((-44966), 0); assertEquals("bob", string0); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Fri Jul 01 07:34:11 GMT 2022 */ import org.evosuite.runtime.annotation.EvoSuiteClassExclude; import org.junit.BeforeClass; import org.junit.Before; import org.junit.After; import org.junit.AfterClass; import org.evosuite.runtime.sandbox.Sandbox; import org.evosuite.runtime.sandbox.Sandbox.SandboxMode; @EvoSuiteClassExclude public class StandExample_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000); @BeforeClass public static void initEvoSuiteFramework() { org.evosuite.runtime.RuntimeSettings.className = "StandExample"; org.evosuite.runtime.GuiSupport.initialize(); org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); org.evosuite.runtime.classhandling.JDKClassResetter.init(); setSystemProperties(); initializeClasses(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); } @AfterClass public static void clearEvoSuiteFramework(){ Sandbox.resetDefaultSecurityManager(); java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); } @Before public void initTestCase(){ threadStopper.storeCurrentThreads(); threadStopper.startRecordingTime(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); setSystemProperties(); org.evosuite.runtime.GuiSupport.setHeadless(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); org.evosuite.runtime.agent.InstrumentingAgent.activate(); } @After public void doneWithTestCase(){ threadStopper.killAndJoinClientThreads(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); org.evosuite.runtime.classhandling.JDKClassResetter.reset(); resetClasses(); org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); } public static void setSystemProperties() { java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); java.lang.System.setProperty("file.encoding", "UTF-8"); java.lang.System.setProperty("java.awt.headless", "true"); java.lang.System.setProperty("java.io.tmpdir", "/tmp"); java.lang.System.setProperty("user.country", "US"); java.lang.System.setProperty("user.dir", "/tmp/tmpeymglpyw"); java.lang.System.setProperty("user.home", "/home/bmcdanel"); java.lang.System.setProperty("user.language", "en"); java.lang.System.setProperty("user.name", "bmcdanel"); java.lang.System.setProperty("user.timezone", "America/New_York"); } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(StandExample_ESTest_scaffolding.class.getClassLoader() , "StandExample" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(StandExample_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "StandExample" ); } }
2,270
BeautifulBinaryString
/** Created by Maks on 11/12/2017. */ public class BeautifulBinaryString { public int solve(String str) { StringBuilder sb = new StringBuilder(str); int idx = sb.toString().indexOf("010"); int res = 0; while (idx >= 0) { sb = sb.replace(idx + 2, idx + 3, "1"); res++; idx = sb.toString().indexOf("010"); } return res; } public static void main(String[] args) { BeautifulBinaryString b = new BeautifulBinaryString(); System.out.println(b.solve("0100101010")); } }
.version 52 0 .class public super BeautifulBinaryString .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 solve : (Ljava/lang/String;)I .code stack 4 locals 5 L0: new java/lang/StringBuilder L3: dup L4: aload_1 L5: invokespecial Method java/lang/StringBuilder <init> (Ljava/lang/String;)V L8: astore_2 L9: aload_2 L10: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; L13: ldc '010' L15: invokevirtual Method java/lang/String indexOf (Ljava/lang/String;)I L18: istore_3 L19: iconst_0 L20: istore 4 .stack append Object java/lang/StringBuilder Integer Integer L22: iload_3 L23: iflt L55 L26: aload_2 L27: iload_3 L28: iconst_2 L29: iadd L30: iload_3 L31: iconst_3 L32: iadd L33: ldc '1' L35: invokevirtual Method java/lang/StringBuilder replace (IILjava/lang/String;)Ljava/lang/StringBuilder; L38: astore_2 L39: iinc 4 1 L42: aload_2 L43: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; L46: ldc '010' L48: invokevirtual Method java/lang/String indexOf (Ljava/lang/String;)I L51: istore_3 L52: goto L22 .stack same L55: iload 4 L57: ireturn L58: .linenumbertable L0 8 L9 9 L19 10 L22 11 L26 12 L39 13 L42 14 L55 16 .end linenumbertable .end code .end method .method public static main : ([Ljava/lang/String;)V .code stack 3 locals 2 L0: new BeautifulBinaryString L3: dup L4: invokespecial Method BeautifulBinaryString <init> ()V L7: astore_1 L8: getstatic Field java/lang/System out Ljava/io/PrintStream; L11: aload_1 L12: ldc '0100101010' L14: invokevirtual Method BeautifulBinaryString solve (Ljava/lang/String;)I L17: invokevirtual Method java/io/PrintStream println (I)V L20: return L21: .linenumbertable L0 20 L8 21 L20 22 .end linenumbertable .end code .end method .sourcefile 'BeautifulBinaryString.java' .end class
/* * This file was automatically generated by EvoSuite * Fri Jul 01 18:46:22 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 BeautifulBinaryString_ESTest extends BeautifulBinaryString_ESTest_scaffolding { @Test(timeout = 4000) public void test00() throws Throwable { String[] stringArray0 = new String[5]; stringArray0[0] = "UZ_hC7;uIu"; stringArray0[1] = ""; stringArray0[2] = "BeautifulBinaryString"; stringArray0[3] = "]"; stringArray0[4] = "a9a_tJ"; BeautifulBinaryString.main(stringArray0); BeautifulBinaryString beautifulBinaryString0 = new BeautifulBinaryString(); beautifulBinaryString0.solve(""); String[] stringArray1 = new String[8]; stringArray1[0] = ":*LQ+lu}ozU[t:"; stringArray1[1] = "BeautifulBinaryString"; stringArray1[2] = "]"; stringArray1[3] = "a9a_tJ"; stringArray1[4] = ""; stringArray1[5] = "a9a_tJ"; stringArray1[6] = "BeautifulBinaryString"; stringArray1[7] = "]"; BeautifulBinaryString.main(stringArray1); beautifulBinaryString0.solve("C/*]KSDk'"); BeautifulBinaryString.main(stringArray0); beautifulBinaryString0.solve("C/*]KSDk'"); beautifulBinaryString0.solve("]"); BeautifulBinaryString.main(stringArray0); BeautifulBinaryString.main(stringArray0); BeautifulBinaryString.main(stringArray0); int int0 = beautifulBinaryString0.solve("010"); assertEquals(1, int0); } @Test(timeout = 4000) public void test01() throws Throwable { BeautifulBinaryString beautifulBinaryString0 = new BeautifulBinaryString(); String[] stringArray0 = new String[9]; stringArray0[0] = "010"; stringArray0[1] = ""; stringArray0[2] = "h9EO]"; stringArray0[3] = ""; stringArray0[4] = "1"; stringArray0[5] = "_H"; stringArray0[6] = "010"; stringArray0[7] = ""; stringArray0[8] = "0KcC"; BeautifulBinaryString.main(stringArray0); beautifulBinaryString0.solve(""); String[] stringArray1 = new String[2]; stringArray1[0] = ""; stringArray1[1] = ""; BeautifulBinaryString.main(stringArray1); assertEquals(2, stringArray1.length); } @Test(timeout = 4000) public void test02() throws Throwable { String[] stringArray0 = new String[6]; stringArray0[0] = ""; stringArray0[1] = ""; stringArray0[2] = ""; stringArray0[3] = ""; stringArray0[4] = "pq3"; stringArray0[5] = "4X"; BeautifulBinaryString.main(stringArray0); BeautifulBinaryString.main(stringArray0); BeautifulBinaryString.main(stringArray0); BeautifulBinaryString beautifulBinaryString0 = new BeautifulBinaryString(); int int0 = beautifulBinaryString0.solve("OR.bi?[T~kKjW7"); assertEquals(0, int0); } @Test(timeout = 4000) public void test03() throws Throwable { BeautifulBinaryString beautifulBinaryString0 = new BeautifulBinaryString(); String[] stringArray0 = new String[6]; stringArray0[0] = "7I^IXa('cJb+H`]-\"$^"; stringArray0[1] = "<i8]a>[eXXgcM\"Hk&{2"; stringArray0[2] = ""; stringArray0[3] = "^&>"; stringArray0[4] = ""; stringArray0[5] = "AJnCF8w["; BeautifulBinaryString.main(stringArray0); beautifulBinaryString0.solve("BeautifulBinaryString"); String[] stringArray1 = new String[2]; stringArray1[0] = "ra9&{o<EcS>&?TTz"; stringArray1[1] = "I-_r[y\"}jM-or"; BeautifulBinaryString.main(stringArray1); assertFalse(stringArray1.equals((Object)stringArray0)); } @Test(timeout = 4000) public void test04() throws Throwable { BeautifulBinaryString beautifulBinaryString0 = new BeautifulBinaryString(); String[] stringArray0 = new String[5]; stringArray0[0] = "&S9U7o"; stringArray0[1] = "D"; stringArray0[2] = ".*e6)dH\"Lmt)dA{9nVH"; stringArray0[3] = ">LB:)Vp^]UG-"; stringArray0[4] = "_\f$@#G!vtD"; BeautifulBinaryString.main(stringArray0); String string0 = "BeautifulBinaryString"; beautifulBinaryString0.solve("BeautifulBinaryString"); String string1 = null; // Undeclared exception! try { beautifulBinaryString0.solve((String) null); fail("Expecting exception: NullPointerException"); } catch(NullPointerException e) { } } @Test(timeout = 4000) public void test05() throws Throwable { BeautifulBinaryString beautifulBinaryString0 = new BeautifulBinaryString(); beautifulBinaryString0.solve(""); int int0 = beautifulBinaryString0.solve("^>c,?&bJ!]VZ+N@["); assertEquals(0, int0); } @Test(timeout = 4000) public void test06() throws Throwable { BeautifulBinaryString beautifulBinaryString0 = new BeautifulBinaryString(); String[] stringArray0 = new String[7]; stringArray0[0] = ""; stringArray0[1] = "ZMa7 blVXN"; stringArray0[2] = "0100101010"; stringArray0[3] = ""; stringArray0[4] = "Bty(ScRp"; stringArray0[5] = "}jB~Y!*RE"; stringArray0[6] = "em<,.T'"; BeautifulBinaryString.main(stringArray0); String[] stringArray1 = new String[2]; stringArray1[0] = ""; stringArray1[1] = ""; BeautifulBinaryString.main(stringArray1); beautifulBinaryString0.solve(":"); int int0 = beautifulBinaryString0.solve(""); assertEquals(0, int0); } @Test(timeout = 4000) public void test07() throws Throwable { BeautifulBinaryString beautifulBinaryString0 = new BeautifulBinaryString(); String string0 = null; // Undeclared exception! try { beautifulBinaryString0.solve((String) null); fail("Expecting exception: NullPointerException"); } catch(NullPointerException e) { } } @Test(timeout = 4000) public void test08() throws Throwable { String[] stringArray0 = new String[9]; stringArray0[0] = "}-s"; stringArray0[1] = "c#"; stringArray0[2] = "?"; stringArray0[3] = ""; stringArray0[4] = "R%:m6B%~{>JtfSO%"; stringArray0[5] = "1G;^y"; stringArray0[6] = "121vJ2{w@JHl"; stringArray0[7] = ""; stringArray0[8] = "P}\"%V"; BeautifulBinaryString.main(stringArray0); BeautifulBinaryString beautifulBinaryString0 = new BeautifulBinaryString(); BeautifulBinaryString.main(stringArray0); String[] stringArray1 = new String[3]; stringArray1[0] = ""; stringArray1[1] = "?"; stringArray1[2] = "1G;^y"; BeautifulBinaryString.main(stringArray1); // Undeclared exception! try { beautifulBinaryString0.solve((String) null); fail("Expecting exception: NullPointerException"); } catch(NullPointerException e) { } } @Test(timeout = 4000) public void test09() throws Throwable { String[] stringArray0 = new String[6]; stringArray0[0] = "(hER,qL`,BE.82@JE"; stringArray0[1] = "} r@Hx&x4%SL{g*bKR"; stringArray0[2] = "&L,XY@Z`Y1"; stringArray0[3] = ""; stringArray0[4] = "[C"; stringArray0[5] = "ApF5;Q:?"; BeautifulBinaryString.main(stringArray0); BeautifulBinaryString beautifulBinaryString0 = new BeautifulBinaryString(); BeautifulBinaryString.main(stringArray0); BeautifulBinaryString.main(stringArray0); BeautifulBinaryString.main(stringArray0); beautifulBinaryString0.solve("ApF5;Q:?"); beautifulBinaryString0.solve("&L,XY@Z`Y1"); BeautifulBinaryString.main(stringArray0); beautifulBinaryString0.solve("In3KcCRQ-ISMl_~e5"); BeautifulBinaryString.main(stringArray0); String[] stringArray1 = new String[6]; stringArray1[0] = "(hER,qL`,BE.82@JE"; stringArray1[1] = "1"; stringArray1[2] = "} r@Hx&x4%SL{g*bKR"; stringArray1[3] = "(hER,qL`,BE.82@JE"; stringArray1[4] = ""; stringArray1[5] = "[C"; BeautifulBinaryString.main(stringArray1); assertFalse(stringArray1.equals((Object)stringArray0)); } @Test(timeout = 4000) public void test10() throws Throwable { BeautifulBinaryString beautifulBinaryString0 = new BeautifulBinaryString(); // Undeclared exception! try { beautifulBinaryString0.solve((String) null); fail("Expecting exception: NullPointerException"); } catch(NullPointerException e) { } } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Fri Jul 01 18:46: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 BeautifulBinaryString_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000); @BeforeClass public static void initEvoSuiteFramework() { org.evosuite.runtime.RuntimeSettings.className = "BeautifulBinaryString"; org.evosuite.runtime.GuiSupport.initialize(); org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); org.evosuite.runtime.classhandling.JDKClassResetter.init(); setSystemProperties(); initializeClasses(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); } @AfterClass public static void clearEvoSuiteFramework(){ Sandbox.resetDefaultSecurityManager(); java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); } @Before public void initTestCase(){ threadStopper.storeCurrentThreads(); threadStopper.startRecordingTime(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); setSystemProperties(); org.evosuite.runtime.GuiSupport.setHeadless(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); org.evosuite.runtime.agent.InstrumentingAgent.activate(); } @After public void doneWithTestCase(){ threadStopper.killAndJoinClientThreads(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); org.evosuite.runtime.classhandling.JDKClassResetter.reset(); resetClasses(); org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); } public static void setSystemProperties() { java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); java.lang.System.setProperty("file.encoding", "UTF-8"); java.lang.System.setProperty("java.awt.headless", "true"); java.lang.System.setProperty("java.io.tmpdir", "/tmp"); java.lang.System.setProperty("user.country", "US"); java.lang.System.setProperty("user.dir", "/tmp/tmpo_a5mccs"); java.lang.System.setProperty("user.home", "/home/bmcdanel"); java.lang.System.setProperty("user.language", "en"); java.lang.System.setProperty("user.name", "bmcdanel"); java.lang.System.setProperty("user.timezone", "America/New_York"); } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(BeautifulBinaryString_ESTest_scaffolding.class.getClassLoader() , "BeautifulBinaryString" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(BeautifulBinaryString_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "BeautifulBinaryString" ); } }
2,271
Record
public class Record { int _id; String date; int people; double miles; double expense; public Record() {} public int get_id() { return _id; } public void set_id(int _id) { this._id = _id; } public String getDate() { return date; } public void setDate(String date) { this.date = date; } public int getPeople() { return people; } public void setPeople(int people) { this.people = people; } public double getMiles() { return miles; } public void setMiles(double miles) { this.miles = miles; } public double getExpense() { return expense; } public void setExpense(double expense) { this.expense = expense; } }
.version 52 0 .class public super Record .super java/lang/Object .field _id I .field date Ljava/lang/String; .field people I .field miles D .field expense D .method public <init> : ()V .code stack 1 locals 1 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: return L5: .linenumbertable L0 12 .end linenumbertable .end code .end method .method public get_id : ()I .code stack 1 locals 1 L0: aload_0 L1: getfield Field Record _id I L4: ireturn L5: .linenumbertable L0 15 .end linenumbertable .end code .end method .method public set_id : (I)V .code stack 2 locals 2 L0: aload_0 L1: iload_1 L2: putfield Field Record _id I L5: return L6: .linenumbertable L0 19 L5 20 .end linenumbertable .end code .end method .method public getDate : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field Record date Ljava/lang/String; L4: areturn L5: .linenumbertable L0 23 .end linenumbertable .end code .end method .method public setDate : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field Record date Ljava/lang/String; L5: return L6: .linenumbertable L0 27 L5 28 .end linenumbertable .end code .end method .method public getPeople : ()I .code stack 1 locals 1 L0: aload_0 L1: getfield Field Record people I L4: ireturn L5: .linenumbertable L0 31 .end linenumbertable .end code .end method .method public setPeople : (I)V .code stack 2 locals 2 L0: aload_0 L1: iload_1 L2: putfield Field Record people I L5: return L6: .linenumbertable L0 35 L5 36 .end linenumbertable .end code .end method .method public getMiles : ()D .code stack 2 locals 1 L0: aload_0 L1: getfield Field Record miles D L4: dreturn L5: .linenumbertable L0 39 .end linenumbertable .end code .end method .method public setMiles : (D)V .code stack 3 locals 3 L0: aload_0 L1: dload_1 L2: putfield Field Record miles D L5: return L6: .linenumbertable L0 43 L5 44 .end linenumbertable .end code .end method .method public getExpense : ()D .code stack 2 locals 1 L0: aload_0 L1: getfield Field Record expense D L4: dreturn L5: .linenumbertable L0 47 .end linenumbertable .end code .end method .method public setExpense : (D)V .code stack 3 locals 3 L0: aload_0 L1: dload_1 L2: putfield Field Record expense D L5: return L6: .linenumbertable L0 51 L5 52 .end linenumbertable .end code .end method .sourcefile 'Record.java' .end class
/* * This file was automatically generated by EvoSuite * Fri Jul 01 23:51: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 Record_ESTest extends Record_ESTest_scaffolding { @Test(timeout = 4000) public void test00() throws Throwable { Record record0 = new Record(); record0.set_id(6706); int int0 = record0.get_id(); assertEquals(6706, int0); } @Test(timeout = 4000) public void test01() throws Throwable { Record record0 = new Record(); record0._id = (-38101); int int0 = record0.get_id(); assertEquals((-38101), int0); } @Test(timeout = 4000) public void test02() throws Throwable { Record record0 = new Record(); record0.setPeople(42305); int int0 = record0.getPeople(); assertEquals(42305, int0); } @Test(timeout = 4000) public void test03() throws Throwable { Record record0 = new Record(); record0.setPeople((-70311)); int int0 = record0.getPeople(); assertEquals((-70311), int0); } @Test(timeout = 4000) public void test04() throws Throwable { Record record0 = new Record(); record0.setMiles(15255.917); double double0 = record0.getMiles(); assertEquals(15255.917, double0, 1.0E-4); } @Test(timeout = 4000) public void test05() throws Throwable { Record record0 = new Record(); record0.setMiles((-5472.52462)); double double0 = record0.getMiles(); assertEquals((-5472.52462), double0, 1.0E-4); } @Test(timeout = 4000) public void test06() throws Throwable { Record record0 = new Record(); record0.expense = (-23400.0714469643); record0.expense = 69406.012329; double double0 = record0.getExpense(); assertEquals(69406.012329, double0, 1.0E-4); } @Test(timeout = 4000) public void test07() throws Throwable { Record record0 = new Record(); record0.setExpense((-1.0)); double double0 = record0.getExpense(); assertEquals((-1.0), double0, 1.0E-4); } @Test(timeout = 4000) public void test08() throws Throwable { Record record0 = new Record(); record0.setDate(";kkgjlMM,7-RK"); String string0 = record0.getDate(); assertEquals(";kkgjlMM,7-RK", string0); } @Test(timeout = 4000) public void test09() throws Throwable { Record record0 = new Record(); double double0 = record0.getMiles(); assertEquals(0.0, double0, 1.0E-4); } @Test(timeout = 4000) public void test10() throws Throwable { Record record0 = new Record(); int int0 = record0.getPeople(); assertEquals(0, int0); } @Test(timeout = 4000) public void test11() throws Throwable { Record record0 = new Record(); String string0 = record0.getDate(); assertNull(string0); } @Test(timeout = 4000) public void test12() throws Throwable { Record record0 = new Record(); double double0 = record0.getExpense(); assertEquals(0.0, double0, 1.0E-4); } @Test(timeout = 4000) public void test13() throws Throwable { Record record0 = new Record(); record0.setDate(""); String string0 = record0.getDate(); assertEquals("", string0); } @Test(timeout = 4000) public void test14() throws Throwable { Record record0 = new Record(); int int0 = record0.get_id(); assertEquals(0, int0); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Fri Jul 01 23:51: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 Record_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000); @BeforeClass public static void initEvoSuiteFramework() { org.evosuite.runtime.RuntimeSettings.className = "Record"; org.evosuite.runtime.GuiSupport.initialize(); org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); org.evosuite.runtime.classhandling.JDKClassResetter.init(); setSystemProperties(); initializeClasses(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); } @AfterClass public static void clearEvoSuiteFramework(){ Sandbox.resetDefaultSecurityManager(); java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); } @Before public void initTestCase(){ threadStopper.storeCurrentThreads(); threadStopper.startRecordingTime(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); setSystemProperties(); org.evosuite.runtime.GuiSupport.setHeadless(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); org.evosuite.runtime.agent.InstrumentingAgent.activate(); } @After public void doneWithTestCase(){ threadStopper.killAndJoinClientThreads(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); org.evosuite.runtime.classhandling.JDKClassResetter.reset(); resetClasses(); org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); } public static void setSystemProperties() { java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); java.lang.System.setProperty("file.encoding", "UTF-8"); java.lang.System.setProperty("java.awt.headless", "true"); java.lang.System.setProperty("java.io.tmpdir", "/tmp"); java.lang.System.setProperty("user.country", "US"); java.lang.System.setProperty("user.dir", "/tmp/tmp6iuaxmfc"); java.lang.System.setProperty("user.home", "/home/bmcdanel"); java.lang.System.setProperty("user.language", "en"); java.lang.System.setProperty("user.name", "bmcdanel"); java.lang.System.setProperty("user.timezone", "America/New_York"); } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Record_ESTest_scaffolding.class.getClassLoader() , "Record" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Record_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "Record" ); } }
2,272
UserPass
import java.util.Arrays; public final class UserPass { private final char[] password; private final String string; private final String userId; public UserPass(final String str) { String[] stringElements = str.split(":", 2); if (stringElements.length != 2) { throw new IllegalArgumentException(); } this.userId = stringElements[0]; this.password = stringElements[1].toCharArray(); this.string = str; } public char[] getPassword() { return Arrays.copyOf(this.password, this.password.length); } public String getUserId() { return this.userId; } @Override public String toString() { return this.string; } }
.version 52 0 .class public final super UserPass .super java/lang/Object .field private final password [C .field private final string Ljava/lang/String; .field private final userId Ljava/lang/String; .method public <init> : (Ljava/lang/String;)V .code stack 3 locals 3 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: aload_1 L5: ldc ':' L7: iconst_2 L8: invokevirtual Method java/lang/String split (Ljava/lang/String;I)[Ljava/lang/String; L11: astore_2 L12: aload_2 L13: arraylength L14: iconst_2 L15: if_icmpeq L26 L18: new java/lang/IllegalArgumentException L21: dup L22: invokespecial Method java/lang/IllegalArgumentException <init> ()V L25: athrow .stack full locals Object UserPass Object java/lang/String Object [Ljava/lang/String; stack .end stack L26: aload_0 L27: aload_2 L28: iconst_0 L29: aaload L30: putfield Field UserPass userId Ljava/lang/String; L33: aload_0 L34: aload_2 L35: iconst_1 L36: aaload L37: invokevirtual Method java/lang/String toCharArray ()[C L40: putfield Field UserPass password [C L43: aload_0 L44: aload_1 L45: putfield Field UserPass string Ljava/lang/String; L48: return L49: .linenumbertable L0 11 L4 12 L12 13 L18 14 L26 16 L33 17 L43 18 L48 19 .end linenumbertable .end code .end method .method public getPassword : ()[C .code stack 2 locals 1 L0: aload_0 L1: getfield Field UserPass password [C L4: aload_0 L5: getfield Field UserPass password [C L8: arraylength L9: invokestatic Method java/util/Arrays copyOf ([CI)[C L12: areturn L13: .linenumbertable L0 22 .end linenumbertable .end code .end method .method public getUserId : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field UserPass userId Ljava/lang/String; L4: areturn L5: .linenumbertable L0 26 .end linenumbertable .end code .end method .method public toString : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field UserPass string Ljava/lang/String; L4: areturn L5: .linenumbertable L0 31 .end linenumbertable .end code .end method .sourcefile 'UserPass.java' .end class
/* * This file was automatically generated by EvoSuite * Sat Jul 02 02:53:08 GMT 2022 */ import org.junit.Test; import static org.junit.Assert.*; import static org.evosuite.runtime.EvoAssertions.*; import org.evosuite.runtime.EvoRunner; import org.evosuite.runtime.EvoRunnerParameters; import org.junit.runner.RunWith; @RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) public class UserPass_ESTest extends UserPass_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { UserPass userPass0 = new UserPass("\"[X+:N7>L"); String string0 = userPass0.getUserId(); assertEquals("\"[X+", string0); } @Test(timeout = 4000) public void test1() throws Throwable { UserPass userPass0 = new UserPass(":Yl<ais"); char[] charArray0 = userPass0.getPassword(); assertEquals("", userPass0.getUserId()); assertEquals(6, charArray0.length); } @Test(timeout = 4000) public void test2() throws Throwable { UserPass userPass0 = null; try { userPass0 = new UserPass("NDW"); fail("Expecting exception: IllegalArgumentException"); } catch(IllegalArgumentException e) { // // no message in exception (getMessage() returned null) // verifyException("UserPass", e); } } @Test(timeout = 4000) public void test3() throws Throwable { UserPass userPass0 = new UserPass(":"); userPass0.getPassword(); assertEquals("", userPass0.getUserId()); } @Test(timeout = 4000) public void test4() throws Throwable { UserPass userPass0 = new UserPass(":"); String string0 = userPass0.getUserId(); assertEquals("", string0); } @Test(timeout = 4000) public void test5() throws Throwable { UserPass userPass0 = new UserPass(":"); userPass0.toString(); assertEquals("", userPass0.getUserId()); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sat Jul 02 02:53: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 UserPass_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000); @BeforeClass public static void initEvoSuiteFramework() { org.evosuite.runtime.RuntimeSettings.className = "UserPass"; org.evosuite.runtime.GuiSupport.initialize(); org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); org.evosuite.runtime.classhandling.JDKClassResetter.init(); setSystemProperties(); initializeClasses(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); } @AfterClass public static void clearEvoSuiteFramework(){ Sandbox.resetDefaultSecurityManager(); java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); } @Before public void initTestCase(){ threadStopper.storeCurrentThreads(); threadStopper.startRecordingTime(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); setSystemProperties(); org.evosuite.runtime.GuiSupport.setHeadless(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); org.evosuite.runtime.agent.InstrumentingAgent.activate(); } @After public void doneWithTestCase(){ threadStopper.killAndJoinClientThreads(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); org.evosuite.runtime.classhandling.JDKClassResetter.reset(); resetClasses(); org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); } public static void setSystemProperties() { java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); java.lang.System.setProperty("file.encoding", "UTF-8"); java.lang.System.setProperty("java.awt.headless", "true"); java.lang.System.setProperty("java.io.tmpdir", "/tmp"); java.lang.System.setProperty("user.country", "US"); java.lang.System.setProperty("user.dir", "/tmp/tmpxpuo631i"); java.lang.System.setProperty("user.home", "/home/bmcdanel"); java.lang.System.setProperty("user.language", "en"); java.lang.System.setProperty("user.name", "bmcdanel"); java.lang.System.setProperty("user.timezone", "America/New_York"); } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(UserPass_ESTest_scaffolding.class.getClassLoader() , "UserPass" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(UserPass_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "UserPass" ); } }
2,273
ConstructorArgTestClass
// ======================================================================== // Copyright (c) 2009-2009 Mort Bay Consulting Pty. Ltd. // ------------------------------------------------------------------------ // All rights reserved. This program and the accompanying materials // are made available under the terms of the Eclipse Public License v1.0 // and Apache License v2.0 which accompanies this distribution. // The Eclipse Public License is available at // http://www.eclipse.org/legal/epl-v10.html // The Apache License v2.0 is available at // http://www.opensource.org/licenses/apache2.0.php // You may elect to redistribute this code under either of these licenses. // ======================================================================== import java.util.ArrayList; import java.util.LinkedList; import java.util.List; import java.util.Set; /* ------------------------------------------------------------ */ /** */ public class ConstructorArgTestClass { @SuppressWarnings("rawtypes") private List list; @SuppressWarnings("rawtypes") private ArrayList arrayList; @SuppressWarnings("rawtypes") private Set set; @SuppressWarnings("rawtypes") public ConstructorArgTestClass(LinkedList list) { // not supported yet } @SuppressWarnings("rawtypes") public ConstructorArgTestClass(ArrayList arrayList, List list) { this.arrayList = arrayList; this.list = list; } @SuppressWarnings("rawtypes") public ConstructorArgTestClass(ArrayList list) { this.list = list; } @SuppressWarnings("rawtypes") public ConstructorArgTestClass(Set set) { this.set = set; } @SuppressWarnings("rawtypes") public List getList() { return list; } @SuppressWarnings("rawtypes") public ArrayList getArrayList() { return arrayList; } @SuppressWarnings("rawtypes") public Set getSet() { return set; } }
.version 52 0 .class public super ConstructorArgTestClass .super java/lang/Object .field private list Ljava/util/List; .field private arrayList Ljava/util/ArrayList; .field private set Ljava/util/Set; .method public <init> : (Ljava/util/LinkedList;)V .code stack 1 locals 2 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: return L5: .linenumbertable L0 37 L4 39 .end linenumbertable .end code .end method .method public <init> : (Ljava/util/ArrayList;Ljava/util/List;)V .code stack 2 locals 3 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: aload_0 L5: aload_1 L6: putfield Field ConstructorArgTestClass arrayList Ljava/util/ArrayList; L9: aload_0 L10: aload_2 L11: putfield Field ConstructorArgTestClass list Ljava/util/List; L14: return L15: .linenumbertable L0 43 L4 44 L9 45 L14 46 .end linenumbertable .end code .end method .method public <init> : (Ljava/util/ArrayList;)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 ConstructorArgTestClass list Ljava/util/List; L9: return L10: .linenumbertable L0 50 L4 51 L9 52 .end linenumbertable .end code .end method .method public <init> : (Ljava/util/Set;)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 ConstructorArgTestClass set Ljava/util/Set; L9: return L10: .linenumbertable L0 56 L4 57 L9 58 .end linenumbertable .end code .end method .method public getList : ()Ljava/util/List; .code stack 1 locals 1 L0: aload_0 L1: getfield Field ConstructorArgTestClass list Ljava/util/List; L4: areturn L5: .linenumbertable L0 63 .end linenumbertable .end code .end method .method public getArrayList : ()Ljava/util/ArrayList; .code stack 1 locals 1 L0: aload_0 L1: getfield Field ConstructorArgTestClass arrayList Ljava/util/ArrayList; L4: areturn L5: .linenumbertable L0 69 .end linenumbertable .end code .end method .method public getSet : ()Ljava/util/Set; .code stack 1 locals 1 L0: aload_0 L1: getfield Field ConstructorArgTestClass set Ljava/util/Set; L4: areturn L5: .linenumbertable L0 75 .end linenumbertable .end code .end method .sourcefile 'ConstructorArgTestClass.java' .end class
/* * This file was automatically generated by EvoSuite * Sat Jul 02 16:37:03 GMT 2022 */ import org.junit.Test; import static org.junit.Assert.*; import java.util.ArrayList; import java.util.LinkedHashSet; import java.util.LinkedList; import java.util.List; 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 ConstructorArgTestClass_ESTest extends ConstructorArgTestClass_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { LinkedHashSet<String> linkedHashSet0 = new LinkedHashSet<String>(); linkedHashSet0.add(""); ConstructorArgTestClass constructorArgTestClass0 = new ConstructorArgTestClass(linkedHashSet0); Set set0 = constructorArgTestClass0.getSet(); assertFalse(set0.isEmpty()); } @Test(timeout = 4000) public void test1() throws Throwable { LinkedList<String> linkedList0 = new LinkedList<String>(); ArrayList<String> arrayList0 = new ArrayList<String>(linkedList0); ConstructorArgTestClass constructorArgTestClass0 = new ConstructorArgTestClass(arrayList0, arrayList0); List list0 = constructorArgTestClass0.getList(); assertEquals(0, list0.size()); } @Test(timeout = 4000) public void test2() throws Throwable { ArrayList<String> arrayList0 = new ArrayList<String>(); ConstructorArgTestClass constructorArgTestClass0 = new ConstructorArgTestClass(arrayList0, arrayList0); arrayList0.add(""); List list0 = constructorArgTestClass0.getList(); assertEquals(1, list0.size()); } @Test(timeout = 4000) public void test3() throws Throwable { LinkedList<String> linkedList0 = new LinkedList<String>(); ArrayList<String> arrayList0 = new ArrayList<String>(linkedList0); ConstructorArgTestClass constructorArgTestClass0 = new ConstructorArgTestClass(arrayList0, arrayList0); ArrayList arrayList1 = constructorArgTestClass0.getArrayList(); assertEquals(0, arrayList1.size()); } @Test(timeout = 4000) public void test4() throws Throwable { ArrayList<String> arrayList0 = new ArrayList<String>(); ConstructorArgTestClass constructorArgTestClass0 = new ConstructorArgTestClass(arrayList0, arrayList0); arrayList0.add(""); ArrayList arrayList1 = constructorArgTestClass0.getArrayList(); assertFalse(arrayList1.isEmpty()); } @Test(timeout = 4000) public void test5() throws Throwable { ArrayList<String> arrayList0 = new ArrayList<String>(); ConstructorArgTestClass constructorArgTestClass0 = new ConstructorArgTestClass(arrayList0); ArrayList arrayList1 = constructorArgTestClass0.getArrayList(); assertNull(arrayList1); } @Test(timeout = 4000) public void test6() throws Throwable { ArrayList<String> arrayList0 = new ArrayList<String>(); ConstructorArgTestClass constructorArgTestClass0 = new ConstructorArgTestClass(arrayList0); Set set0 = constructorArgTestClass0.getSet(); assertNull(set0); } @Test(timeout = 4000) public void test7() throws Throwable { LinkedHashSet<Integer> linkedHashSet0 = new LinkedHashSet<Integer>(); ConstructorArgTestClass constructorArgTestClass0 = new ConstructorArgTestClass(linkedHashSet0); Set set0 = constructorArgTestClass0.getSet(); assertTrue(set0.isEmpty()); } @Test(timeout = 4000) public void test8() throws Throwable { LinkedList<String> linkedList0 = new LinkedList<String>(); ConstructorArgTestClass constructorArgTestClass0 = new ConstructorArgTestClass(linkedList0); List list0 = constructorArgTestClass0.getList(); assertNull(list0); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sat Jul 02 16:37: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 ConstructorArgTestClass_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000); @BeforeClass public static void initEvoSuiteFramework() { org.evosuite.runtime.RuntimeSettings.className = "ConstructorArgTestClass"; org.evosuite.runtime.GuiSupport.initialize(); org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); org.evosuite.runtime.classhandling.JDKClassResetter.init(); setSystemProperties(); initializeClasses(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); } @AfterClass public static void clearEvoSuiteFramework(){ Sandbox.resetDefaultSecurityManager(); java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); } @Before public void initTestCase(){ threadStopper.storeCurrentThreads(); threadStopper.startRecordingTime(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); setSystemProperties(); org.evosuite.runtime.GuiSupport.setHeadless(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); org.evosuite.runtime.agent.InstrumentingAgent.activate(); } @After public void doneWithTestCase(){ threadStopper.killAndJoinClientThreads(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); org.evosuite.runtime.classhandling.JDKClassResetter.reset(); resetClasses(); org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); } public static void setSystemProperties() { java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); java.lang.System.setProperty("file.encoding", "UTF-8"); java.lang.System.setProperty("java.awt.headless", "true"); java.lang.System.setProperty("java.io.tmpdir", "/tmp"); java.lang.System.setProperty("user.country", "US"); java.lang.System.setProperty("user.dir", "/tmp/tmpcuddky0w"); java.lang.System.setProperty("user.home", "/home/bmcdanel"); java.lang.System.setProperty("user.language", "en"); java.lang.System.setProperty("user.name", "bmcdanel"); java.lang.System.setProperty("user.timezone", "America/New_York"); } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(ConstructorArgTestClass_ESTest_scaffolding.class.getClassLoader() , "ConstructorArgTestClass" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ConstructorArgTestClass_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "ConstructorArgTestClass" ); } }
2,274
Command
public class Command { public static final int NOP = 0x00; public static final int TASK_WRITE = 0x01; public static final int TASK_END = 0x02; public static final int GO = 0x03; public static final int STOP = 0x04; public static final int PARAM_WRITE = 0x05; public static final int PARAM_END = 0x06; public static final int BOOTLOADER = 0x55; }
.version 52 0 .class public super Command .super java/lang/Object .field public static final NOP I = 0 .field public static final TASK_WRITE I = 1 .field public static final TASK_END I = 2 .field public static final GO I = 3 .field public static final STOP I = 4 .field public static final PARAM_WRITE I = 5 .field public static final PARAM_END I = 6 .field public static final BOOTLOADER I = 85 .method 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 'Command.java' .end class
/* * This file was automatically generated by EvoSuite * Sat Jul 02 03: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 Command_ESTest extends Command_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { Command command0 = new Command(); assertEquals(2, Command.TASK_END); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sat Jul 02 03: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 Command_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000); @BeforeClass public static void initEvoSuiteFramework() { org.evosuite.runtime.RuntimeSettings.className = "Command"; org.evosuite.runtime.GuiSupport.initialize(); org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); org.evosuite.runtime.classhandling.JDKClassResetter.init(); setSystemProperties(); initializeClasses(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); } @AfterClass public static void clearEvoSuiteFramework(){ Sandbox.resetDefaultSecurityManager(); java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); } @Before public void initTestCase(){ threadStopper.storeCurrentThreads(); threadStopper.startRecordingTime(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); setSystemProperties(); org.evosuite.runtime.GuiSupport.setHeadless(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); org.evosuite.runtime.agent.InstrumentingAgent.activate(); } @After public void doneWithTestCase(){ threadStopper.killAndJoinClientThreads(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); org.evosuite.runtime.classhandling.JDKClassResetter.reset(); resetClasses(); org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); } public static void setSystemProperties() { java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); java.lang.System.setProperty("file.encoding", "UTF-8"); java.lang.System.setProperty("java.awt.headless", "true"); java.lang.System.setProperty("java.io.tmpdir", "/tmp"); java.lang.System.setProperty("user.country", "US"); java.lang.System.setProperty("user.dir", "/tmp/tmp5ecs_1at"); java.lang.System.setProperty("user.home", "/home/bmcdanel"); java.lang.System.setProperty("user.language", "en"); java.lang.System.setProperty("user.name", "bmcdanel"); java.lang.System.setProperty("user.timezone", "America/New_York"); } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Command_ESTest_scaffolding.class.getClassLoader() , "Command" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Command_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "Command" ); } }
2,275
PreferencesActivity
/* * Copyright (C) 2008 ZXing 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. */ /** * The main settings activity. * * @author [email protected] (Daniel Switkin) * @author Sean Owen */ public final class PreferencesActivity /*extends Activity*/ { public static final String KEY_DECODE_1D_PRODUCT = "preferences_decode_1D_product"; public static final String KEY_DECODE_1D_INDUSTRIAL = "preferences_decode_1D_industrial"; public static final String KEY_DECODE_QR = "preferences_decode_QR"; public static final String KEY_DECODE_DATA_MATRIX = "preferences_decode_Data_Matrix"; public static final String KEY_DECODE_AZTEC = "preferences_decode_Aztec"; public static final String KEY_DECODE_PDF417 = "preferences_decode_PDF417"; public static final String KEY_CUSTOM_PRODUCT_SEARCH = "preferences_custom_product_search"; public static final String KEY_PLAY_BEEP = "preferences_play_beep"; public static final String KEY_VIBRATE = "preferences_vibrate"; public static final String KEY_COPY_TO_CLIPBOARD = "preferences_copy_to_clipboard"; public static final String KEY_FRONT_LIGHT_MODE = "preferences_front_light_mode"; public static final String KEY_BULK_MODE = "preferences_bulk_mode"; public static final String KEY_REMEMBER_DUPLICATES = "preferences_remember_duplicates"; public static final String KEY_ENABLE_HISTORY = "preferences_history"; public static final String KEY_SUPPLEMENTAL = "preferences_supplemental"; public static final String KEY_AUTO_FOCUS = "preferences_auto_focus"; public static final String KEY_INVERT_SCAN = "preferences_invert_scan"; public static final String KEY_SEARCH_COUNTRY = "preferences_search_country"; public static final String KEY_DISABLE_AUTO_ORIENTATION = "preferences_orientation"; public static final String KEY_DISABLE_CONTINUOUS_FOCUS = "preferences_disable_continuous_focus"; public static final String KEY_DISABLE_EXPOSURE = "preferences_disable_exposure"; public static final String KEY_DISABLE_METERING = "preferences_disable_metering"; public static final String KEY_DISABLE_BARCODE_SCENE_MODE = "preferences_disable_barcode_scene_mode"; public static final String KEY_AUTO_OPEN_WEB = "preferences_auto_open_web"; /** * removed by alex @Override protected void onCreate(Bundle icicle) { super.onCreate(icicle); * getFragmentManager().beginTransaction().replace(android.R.id.content, new * PreferencesFragment()).commit(); } */ // Apparently this will be necessary when targeting API 19+: /* @Override protected boolean isValidFragment(String fragmentName) { return true; } */ }
.version 52 0 .class public final super PreferencesActivity .super java/lang/Object .field public static final KEY_DECODE_1D_PRODUCT Ljava/lang/String; = 'preferences_decode_1D_product' .field public static final KEY_DECODE_1D_INDUSTRIAL Ljava/lang/String; = 'preferences_decode_1D_industrial' .field public static final KEY_DECODE_QR Ljava/lang/String; = 'preferences_decode_QR' .field public static final KEY_DECODE_DATA_MATRIX Ljava/lang/String; = 'preferences_decode_Data_Matrix' .field public static final KEY_DECODE_AZTEC Ljava/lang/String; = 'preferences_decode_Aztec' .field public static final KEY_DECODE_PDF417 Ljava/lang/String; = 'preferences_decode_PDF417' .field public static final KEY_CUSTOM_PRODUCT_SEARCH Ljava/lang/String; = 'preferences_custom_product_search' .field public static final KEY_PLAY_BEEP Ljava/lang/String; = 'preferences_play_beep' .field public static final KEY_VIBRATE Ljava/lang/String; = 'preferences_vibrate' .field public static final KEY_COPY_TO_CLIPBOARD Ljava/lang/String; = 'preferences_copy_to_clipboard' .field public static final KEY_FRONT_LIGHT_MODE Ljava/lang/String; = 'preferences_front_light_mode' .field public static final KEY_BULK_MODE Ljava/lang/String; = 'preferences_bulk_mode' .field public static final KEY_REMEMBER_DUPLICATES Ljava/lang/String; = 'preferences_remember_duplicates' .field public static final KEY_ENABLE_HISTORY Ljava/lang/String; = 'preferences_history' .field public static final KEY_SUPPLEMENTAL Ljava/lang/String; = 'preferences_supplemental' .field public static final KEY_AUTO_FOCUS Ljava/lang/String; = 'preferences_auto_focus' .field public static final KEY_INVERT_SCAN Ljava/lang/String; = 'preferences_invert_scan' .field public static final KEY_SEARCH_COUNTRY Ljava/lang/String; = 'preferences_search_country' .field public static final KEY_DISABLE_AUTO_ORIENTATION Ljava/lang/String; = 'preferences_orientation' .field public static final KEY_DISABLE_CONTINUOUS_FOCUS Ljava/lang/String; = 'preferences_disable_continuous_focus' .field public static final KEY_DISABLE_EXPOSURE Ljava/lang/String; = 'preferences_disable_exposure' .field public static final KEY_DISABLE_METERING Ljava/lang/String; = 'preferences_disable_metering' .field public static final KEY_DISABLE_BARCODE_SCENE_MODE Ljava/lang/String; = 'preferences_disable_barcode_scene_mode' .field public static final KEY_AUTO_OPEN_WEB Ljava/lang/String; = 'preferences_auto_open_web' .method public <init> : ()V .code stack 1 locals 1 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: return L5: .linenumbertable L0 25 .end linenumbertable .end code .end method .sourcefile 'PreferencesActivity.java' .end class
/* * This file was automatically generated by EvoSuite * Sat Jul 02 15:56: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 PreferencesActivity_ESTest extends PreferencesActivity_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { PreferencesActivity preferencesActivity0 = new PreferencesActivity(); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sat Jul 02 15:56: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 PreferencesActivity_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000); @BeforeClass public static void initEvoSuiteFramework() { org.evosuite.runtime.RuntimeSettings.className = "PreferencesActivity"; org.evosuite.runtime.GuiSupport.initialize(); org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); org.evosuite.runtime.classhandling.JDKClassResetter.init(); setSystemProperties(); initializeClasses(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); } @AfterClass public static void clearEvoSuiteFramework(){ Sandbox.resetDefaultSecurityManager(); java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); } @Before public void initTestCase(){ threadStopper.storeCurrentThreads(); threadStopper.startRecordingTime(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); setSystemProperties(); org.evosuite.runtime.GuiSupport.setHeadless(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); org.evosuite.runtime.agent.InstrumentingAgent.activate(); } @After public void doneWithTestCase(){ threadStopper.killAndJoinClientThreads(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); org.evosuite.runtime.classhandling.JDKClassResetter.reset(); resetClasses(); org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); } public static void setSystemProperties() { java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); java.lang.System.setProperty("file.encoding", "UTF-8"); java.lang.System.setProperty("java.awt.headless", "true"); java.lang.System.setProperty("java.io.tmpdir", "/tmp"); java.lang.System.setProperty("user.country", "US"); java.lang.System.setProperty("user.dir", "/tmp/tmp0k2fx78f"); java.lang.System.setProperty("user.home", "/home/bmcdanel"); java.lang.System.setProperty("user.language", "en"); java.lang.System.setProperty("user.name", "bmcdanel"); java.lang.System.setProperty("user.timezone", "America/New_York"); } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(PreferencesActivity_ESTest_scaffolding.class.getClassLoader() , "PreferencesActivity" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(PreferencesActivity_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "PreferencesActivity" ); } }
2,276
Xb3
/* * Copyright (C) 2015 Giuseppe Cardone <[email protected]> * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ /** * Character map for Unicode characters with codepoint U+B3xx. * * @author Giuseppe Cardone * @version 0.1 */ class Xb3 { public static final String[] map = new String[] { "dae", // 0x00 "daeg", // 0x01 "daegg", // 0x02 "daegs", // 0x03 "daen", // 0x04 "daenj", // 0x05 "daenh", // 0x06 "daed", // 0x07 "dael", // 0x08 "daelg", // 0x09 "daelm", // 0x0a "daelb", // 0x0b "daels", // 0x0c "daelt", // 0x0d "daelp", // 0x0e "daelh", // 0x0f "daem", // 0x10 "daeb", // 0x11 "daebs", // 0x12 "daes", // 0x13 "daess", // 0x14 "daeng", // 0x15 "daej", // 0x16 "daec", // 0x17 "daek", // 0x18 "daet", // 0x19 "daep", // 0x1a "daeh", // 0x1b "dya", // 0x1c "dyag", // 0x1d "dyagg", // 0x1e "dyags", // 0x1f "dyan", // 0x20 "dyanj", // 0x21 "dyanh", // 0x22 "dyad", // 0x23 "dyal", // 0x24 "dyalg", // 0x25 "dyalm", // 0x26 "dyalb", // 0x27 "dyals", // 0x28 "dyalt", // 0x29 "dyalp", // 0x2a "dyalh", // 0x2b "dyam", // 0x2c "dyab", // 0x2d "dyabs", // 0x2e "dyas", // 0x2f "dyass", // 0x30 "dyang", // 0x31 "dyaj", // 0x32 "dyac", // 0x33 "dyak", // 0x34 "dyat", // 0x35 "dyap", // 0x36 "dyah", // 0x37 "dyae", // 0x38 "dyaeg", // 0x39 "dyaegg", // 0x3a "dyaegs", // 0x3b "dyaen", // 0x3c "dyaenj", // 0x3d "dyaenh", // 0x3e "dyaed", // 0x3f "dyael", // 0x40 "dyaelg", // 0x41 "dyaelm", // 0x42 "dyaelb", // 0x43 "dyaels", // 0x44 "dyaelt", // 0x45 "dyaelp", // 0x46 "dyaelh", // 0x47 "dyaem", // 0x48 "dyaeb", // 0x49 "dyaebs", // 0x4a "dyaes", // 0x4b "dyaess", // 0x4c "dyaeng", // 0x4d "dyaej", // 0x4e "dyaec", // 0x4f "dyaek", // 0x50 "dyaet", // 0x51 "dyaep", // 0x52 "dyaeh", // 0x53 "deo", // 0x54 "deog", // 0x55 "deogg", // 0x56 "deogs", // 0x57 "deon", // 0x58 "deonj", // 0x59 "deonh", // 0x5a "deod", // 0x5b "deol", // 0x5c "deolg", // 0x5d "deolm", // 0x5e "deolb", // 0x5f "deols", // 0x60 "deolt", // 0x61 "deolp", // 0x62 "deolh", // 0x63 "deom", // 0x64 "deob", // 0x65 "deobs", // 0x66 "deos", // 0x67 "deoss", // 0x68 "deong", // 0x69 "deoj", // 0x6a "deoc", // 0x6b "deok", // 0x6c "deot", // 0x6d "deop", // 0x6e "deoh", // 0x6f "de", // 0x70 "deg", // 0x71 "degg", // 0x72 "degs", // 0x73 "den", // 0x74 "denj", // 0x75 "denh", // 0x76 "ded", // 0x77 "del", // 0x78 "delg", // 0x79 "delm", // 0x7a "delb", // 0x7b "dels", // 0x7c "delt", // 0x7d "delp", // 0x7e "delh", // 0x7f "dem", // 0x80 "deb", // 0x81 "debs", // 0x82 "des", // 0x83 "dess", // 0x84 "deng", // 0x85 "dej", // 0x86 "dec", // 0x87 "dek", // 0x88 "det", // 0x89 "dep", // 0x8a "deh", // 0x8b "dyeo", // 0x8c "dyeog", // 0x8d "dyeogg", // 0x8e "dyeogs", // 0x8f "dyeon", // 0x90 "dyeonj", // 0x91 "dyeonh", // 0x92 "dyeod", // 0x93 "dyeol", // 0x94 "dyeolg", // 0x95 "dyeolm", // 0x96 "dyeolb", // 0x97 "dyeols", // 0x98 "dyeolt", // 0x99 "dyeolp", // 0x9a "dyeolh", // 0x9b "dyeom", // 0x9c "dyeob", // 0x9d "dyeobs", // 0x9e "dyeos", // 0x9f "dyeoss", // 0xa0 "dyeong", // 0xa1 "dyeoj", // 0xa2 "dyeoc", // 0xa3 "dyeok", // 0xa4 "dyeot", // 0xa5 "dyeop", // 0xa6 "dyeoh", // 0xa7 "dye", // 0xa8 "dyeg", // 0xa9 "dyegg", // 0xaa "dyegs", // 0xab "dyen", // 0xac "dyenj", // 0xad "dyenh", // 0xae "dyed", // 0xaf "dyel", // 0xb0 "dyelg", // 0xb1 "dyelm", // 0xb2 "dyelb", // 0xb3 "dyels", // 0xb4 "dyelt", // 0xb5 "dyelp", // 0xb6 "dyelh", // 0xb7 "dyem", // 0xb8 "dyeb", // 0xb9 "dyebs", // 0xba "dyes", // 0xbb "dyess", // 0xbc "dyeng", // 0xbd "dyej", // 0xbe "dyec", // 0xbf "dyek", // 0xc0 "dyet", // 0xc1 "dyep", // 0xc2 "dyeh", // 0xc3 "do", // 0xc4 "dog", // 0xc5 "dogg", // 0xc6 "dogs", // 0xc7 "don", // 0xc8 "donj", // 0xc9 "donh", // 0xca "dod", // 0xcb "dol", // 0xcc "dolg", // 0xcd "dolm", // 0xce "dolb", // 0xcf "dols", // 0xd0 "dolt", // 0xd1 "dolp", // 0xd2 "dolh", // 0xd3 "dom", // 0xd4 "dob", // 0xd5 "dobs", // 0xd6 "dos", // 0xd7 "doss", // 0xd8 "dong", // 0xd9 "doj", // 0xda "doc", // 0xdb "dok", // 0xdc "dot", // 0xdd "dop", // 0xde "doh", // 0xdf "dwa", // 0xe0 "dwag", // 0xe1 "dwagg", // 0xe2 "dwags", // 0xe3 "dwan", // 0xe4 "dwanj", // 0xe5 "dwanh", // 0xe6 "dwad", // 0xe7 "dwal", // 0xe8 "dwalg", // 0xe9 "dwalm", // 0xea "dwalb", // 0xeb "dwals", // 0xec "dwalt", // 0xed "dwalp", // 0xee "dwalh", // 0xef "dwam", // 0xf0 "dwab", // 0xf1 "dwabs", // 0xf2 "dwas", // 0xf3 "dwass", // 0xf4 "dwang", // 0xf5 "dwaj", // 0xf6 "dwac", // 0xf7 "dwak", // 0xf8 "dwat", // 0xf9 "dwap", // 0xfa "dwah", // 0xfb "dwae", // 0xfc "dwaeg", // 0xfd "dwaegg", // 0xfe "dwaegs" // 0xff }; }
.version 52 0 .class super Xb3 .super java/lang/Object .field public static final map [Ljava/lang/String; .method <init> : ()V .code stack 1 locals 1 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: return L5: .linenumbertable L0 23 .end linenumbertable .end code .end method .method static <clinit> : ()V .code stack 4 locals 0 L0: sipush 256 L3: anewarray java/lang/String L6: dup L7: iconst_0 L8: ldc 'dae' L10: aastore L11: dup L12: iconst_1 L13: ldc 'daeg' L15: aastore L16: dup L17: iconst_2 L18: ldc 'daegg' L20: aastore L21: dup L22: iconst_3 L23: ldc 'daegs' L25: aastore L26: dup L27: iconst_4 L28: ldc 'daen' L30: aastore L31: dup L32: iconst_5 L33: ldc 'daenj' L35: aastore L36: dup L37: bipush 6 L39: ldc 'daenh' L41: aastore L42: dup L43: bipush 7 L45: ldc 'daed' L47: aastore L48: dup L49: bipush 8 L51: ldc 'dael' L53: aastore L54: dup L55: bipush 9 L57: ldc 'daelg' L59: aastore L60: dup L61: bipush 10 L63: ldc 'daelm' L65: aastore L66: dup L67: bipush 11 L69: ldc 'daelb' L71: aastore L72: dup L73: bipush 12 L75: ldc 'daels' L77: aastore L78: dup L79: bipush 13 L81: ldc 'daelt' L83: aastore L84: dup L85: bipush 14 L87: ldc 'daelp' L89: aastore L90: dup L91: bipush 15 L93: ldc 'daelh' L95: aastore L96: dup L97: bipush 16 L99: ldc 'daem' L101: aastore L102: dup L103: bipush 17 L105: ldc 'daeb' L107: aastore L108: dup L109: bipush 18 L111: ldc 'daebs' L113: aastore L114: dup L115: bipush 19 L117: ldc 'daes' L119: aastore L120: dup L121: bipush 20 L123: ldc 'daess' L125: aastore L126: dup L127: bipush 21 L129: ldc 'daeng' L131: aastore L132: dup L133: bipush 22 L135: ldc 'daej' L137: aastore L138: dup L139: bipush 23 L141: ldc 'daec' L143: aastore L144: dup L145: bipush 24 L147: ldc 'daek' L149: aastore L150: dup L151: bipush 25 L153: ldc 'daet' L155: aastore L156: dup L157: bipush 26 L159: ldc 'daep' L161: aastore L162: dup L163: bipush 27 L165: ldc 'daeh' L167: aastore L168: dup L169: bipush 28 L171: ldc 'dya' L173: aastore L174: dup L175: bipush 29 L177: ldc 'dyag' L179: aastore L180: dup L181: bipush 30 L183: ldc 'dyagg' L185: aastore L186: dup L187: bipush 31 L189: ldc 'dyags' L191: aastore L192: dup L193: bipush 32 L195: ldc 'dyan' L197: aastore L198: dup L199: bipush 33 L201: ldc 'dyanj' L203: aastore L204: dup L205: bipush 34 L207: ldc 'dyanh' L209: aastore L210: dup L211: bipush 35 L213: ldc 'dyad' L215: aastore L216: dup L217: bipush 36 L219: ldc 'dyal' L221: aastore L222: dup L223: bipush 37 L225: ldc 'dyalg' L227: aastore L228: dup L229: bipush 38 L231: ldc 'dyalm' L233: aastore L234: dup L235: bipush 39 L237: ldc 'dyalb' L239: aastore L240: dup L241: bipush 40 L243: ldc 'dyals' L245: aastore L246: dup L247: bipush 41 L249: ldc 'dyalt' L251: aastore L252: dup L253: bipush 42 L255: ldc 'dyalp' L257: aastore L258: dup L259: bipush 43 L261: ldc 'dyalh' L263: aastore L264: dup L265: bipush 44 L267: ldc 'dyam' L269: aastore L270: dup L271: bipush 45 L273: ldc 'dyab' L275: aastore L276: dup L277: bipush 46 L279: ldc 'dyabs' L281: aastore L282: dup L283: bipush 47 L285: ldc 'dyas' L287: aastore L288: dup L289: bipush 48 L291: ldc 'dyass' L293: aastore L294: dup L295: bipush 49 L297: ldc 'dyang' L299: aastore L300: dup L301: bipush 50 L303: ldc 'dyaj' L305: aastore L306: dup L307: bipush 51 L309: ldc 'dyac' L311: aastore L312: dup L313: bipush 52 L315: ldc 'dyak' L317: aastore L318: dup L319: bipush 53 L321: ldc 'dyat' L323: aastore L324: dup L325: bipush 54 L327: ldc 'dyap' L329: aastore L330: dup L331: bipush 55 L333: ldc 'dyah' L335: aastore L336: dup L337: bipush 56 L339: ldc 'dyae' L341: aastore L342: dup L343: bipush 57 L345: ldc 'dyaeg' L347: aastore L348: dup L349: bipush 58 L351: ldc 'dyaegg' L353: aastore L354: dup L355: bipush 59 L357: ldc 'dyaegs' L359: aastore L360: dup L361: bipush 60 L363: ldc 'dyaen' L365: aastore L366: dup L367: bipush 61 L369: ldc 'dyaenj' L371: aastore L372: dup L373: bipush 62 L375: ldc 'dyaenh' L377: aastore L378: dup L379: bipush 63 L381: ldc 'dyaed' L383: aastore L384: dup L385: bipush 64 L387: ldc 'dyael' L389: aastore L390: dup L391: bipush 65 L393: ldc 'dyaelg' L395: aastore L396: dup L397: bipush 66 L399: ldc 'dyaelm' L401: aastore L402: dup L403: bipush 67 L405: ldc 'dyaelb' L407: aastore L408: dup L409: bipush 68 L411: ldc 'dyaels' L413: aastore L414: dup L415: bipush 69 L417: ldc 'dyaelt' L419: aastore L420: dup L421: bipush 70 L423: ldc 'dyaelp' L425: aastore L426: dup L427: bipush 71 L429: ldc 'dyaelh' L431: aastore L432: dup L433: bipush 72 L435: ldc 'dyaem' L437: aastore L438: dup L439: bipush 73 L441: ldc 'dyaeb' L443: aastore L444: dup L445: bipush 74 L447: ldc 'dyaebs' L449: aastore L450: dup L451: bipush 75 L453: ldc 'dyaes' L455: aastore L456: dup L457: bipush 76 L459: ldc 'dyaess' L461: aastore L462: dup L463: bipush 77 L465: ldc 'dyaeng' L467: aastore L468: dup L469: bipush 78 L471: ldc 'dyaej' L473: aastore L474: dup L475: bipush 79 L477: ldc 'dyaec' L479: aastore L480: dup L481: bipush 80 L483: ldc 'dyaek' L485: aastore L486: dup L487: bipush 81 L489: ldc 'dyaet' L491: aastore L492: dup L493: bipush 82 L495: ldc 'dyaep' L497: aastore L498: dup L499: bipush 83 L501: ldc 'dyaeh' L503: aastore L504: dup L505: bipush 84 L507: ldc 'deo' L509: aastore L510: dup L511: bipush 85 L513: ldc 'deog' L515: aastore L516: dup L517: bipush 86 L519: ldc 'deogg' L521: aastore L522: dup L523: bipush 87 L525: ldc 'deogs' L527: aastore L528: dup L529: bipush 88 L531: ldc 'deon' L533: aastore L534: dup L535: bipush 89 L537: ldc 'deonj' L539: aastore L540: dup L541: bipush 90 L543: ldc 'deonh' L545: aastore L546: dup L547: bipush 91 L549: ldc 'deod' L551: aastore L552: dup L553: bipush 92 L555: ldc 'deol' L557: aastore L558: dup L559: bipush 93 L561: ldc 'deolg' L563: aastore L564: dup L565: bipush 94 L567: ldc 'deolm' L569: aastore L570: dup L571: bipush 95 L573: ldc 'deolb' L575: aastore L576: dup L577: bipush 96 L579: ldc 'deols' L581: aastore L582: dup L583: bipush 97 L585: ldc 'deolt' L587: aastore L588: dup L589: bipush 98 L591: ldc 'deolp' L593: aastore L594: dup L595: bipush 99 L597: ldc 'deolh' L599: aastore L600: dup L601: bipush 100 L603: ldc 'deom' L605: aastore L606: dup L607: bipush 101 L609: ldc 'deob' L611: aastore L612: dup L613: bipush 102 L615: ldc 'deobs' L617: aastore L618: dup L619: bipush 103 L621: ldc 'deos' L623: aastore L624: dup L625: bipush 104 L627: ldc 'deoss' L629: aastore L630: dup L631: bipush 105 L633: ldc 'deong' L635: aastore L636: dup L637: bipush 106 L639: ldc 'deoj' L641: aastore L642: dup L643: bipush 107 L645: ldc 'deoc' L647: aastore L648: dup L649: bipush 108 L651: ldc 'deok' L653: aastore L654: dup L655: bipush 109 L657: ldc 'deot' L659: aastore L660: dup L661: bipush 110 L663: ldc 'deop' L665: aastore L666: dup L667: bipush 111 L669: ldc 'deoh' L671: aastore L672: dup L673: bipush 112 L675: ldc 'de' L677: aastore L678: dup L679: bipush 113 L681: ldc 'deg' L683: aastore L684: dup L685: bipush 114 L687: ldc 'degg' L689: aastore L690: dup L691: bipush 115 L693: ldc 'degs' L695: aastore L696: dup L697: bipush 116 L699: ldc 'den' L701: aastore L702: dup L703: bipush 117 L705: ldc 'denj' L707: aastore L708: dup L709: bipush 118 L711: ldc 'denh' L713: aastore L714: dup L715: bipush 119 L717: ldc 'ded' L719: aastore L720: dup L721: bipush 120 L723: ldc 'del' L725: aastore L726: dup L727: bipush 121 L729: ldc 'delg' L731: aastore L732: dup L733: bipush 122 L735: ldc 'delm' L737: aastore L738: dup L739: bipush 123 L741: ldc 'delb' L743: aastore L744: dup L745: bipush 124 L747: ldc 'dels' L749: aastore L750: dup L751: bipush 125 L753: ldc 'delt' L755: aastore L756: dup L757: bipush 126 L759: ldc 'delp' L761: aastore L762: dup L763: bipush 127 L765: ldc 'delh' L767: aastore L768: dup L769: sipush 128 L772: ldc 'dem' L774: aastore L775: dup L776: sipush 129 L779: ldc 'deb' L781: aastore L782: dup L783: sipush 130 L786: ldc 'debs' L788: aastore L789: dup L790: sipush 131 L793: ldc 'des' L795: aastore L796: dup L797: sipush 132 L800: ldc 'dess' L802: aastore L803: dup L804: sipush 133 L807: ldc 'deng' L809: aastore L810: dup L811: sipush 134 L814: ldc 'dej' L816: aastore L817: dup L818: sipush 135 L821: ldc 'dec' L823: aastore L824: dup L825: sipush 136 L828: ldc 'dek' L830: aastore L831: dup L832: sipush 137 L835: ldc 'det' L837: aastore L838: dup L839: sipush 138 L842: ldc 'dep' L844: aastore L845: dup L846: sipush 139 L849: ldc 'deh' L851: aastore L852: dup L853: sipush 140 L856: ldc 'dyeo' L858: aastore L859: dup L860: sipush 141 L863: ldc 'dyeog' L865: aastore L866: dup L867: sipush 142 L870: ldc 'dyeogg' L872: aastore L873: dup L874: sipush 143 L877: ldc 'dyeogs' L879: aastore L880: dup L881: sipush 144 L884: ldc 'dyeon' L886: aastore L887: dup L888: sipush 145 L891: ldc 'dyeonj' L893: aastore L894: dup L895: sipush 146 L898: ldc 'dyeonh' L900: aastore L901: dup L902: sipush 147 L905: ldc 'dyeod' L907: aastore L908: dup L909: sipush 148 L912: ldc 'dyeol' L914: aastore L915: dup L916: sipush 149 L919: ldc 'dyeolg' L921: aastore L922: dup L923: sipush 150 L926: ldc 'dyeolm' L928: aastore L929: dup L930: sipush 151 L933: ldc 'dyeolb' L935: aastore L936: dup L937: sipush 152 L940: ldc 'dyeols' L942: aastore L943: dup L944: sipush 153 L947: ldc 'dyeolt' L949: aastore L950: dup L951: sipush 154 L954: ldc 'dyeolp' L956: aastore L957: dup L958: sipush 155 L961: ldc 'dyeolh' L963: aastore L964: dup L965: sipush 156 L968: ldc 'dyeom' L970: aastore L971: dup L972: sipush 157 L975: ldc 'dyeob' L977: aastore L978: dup L979: sipush 158 L982: ldc 'dyeobs' L984: aastore L985: dup L986: sipush 159 L989: ldc 'dyeos' L991: aastore L992: dup L993: sipush 160 L996: ldc 'dyeoss' L998: aastore L999: dup L1000: sipush 161 L1003: ldc 'dyeong' L1005: aastore L1006: dup L1007: sipush 162 L1010: ldc 'dyeoj' L1012: aastore L1013: dup L1014: sipush 163 L1017: ldc 'dyeoc' L1019: aastore L1020: dup L1021: sipush 164 L1024: ldc 'dyeok' L1026: aastore L1027: dup L1028: sipush 165 L1031: ldc 'dyeot' L1033: aastore L1034: dup L1035: sipush 166 L1038: ldc 'dyeop' L1040: aastore L1041: dup L1042: sipush 167 L1045: ldc 'dyeoh' L1047: aastore L1048: dup L1049: sipush 168 L1052: ldc 'dye' L1054: aastore L1055: dup L1056: sipush 169 L1059: ldc 'dyeg' L1061: aastore L1062: dup L1063: sipush 170 L1066: ldc 'dyegg' L1068: aastore L1069: dup L1070: sipush 171 L1073: ldc 'dyegs' L1075: aastore L1076: dup L1077: sipush 172 L1080: ldc 'dyen' L1082: aastore L1083: dup L1084: sipush 173 L1087: ldc 'dyenj' L1089: aastore L1090: dup L1091: sipush 174 L1094: ldc 'dyenh' L1096: aastore L1097: dup L1098: sipush 175 L1101: ldc 'dyed' L1103: aastore L1104: dup L1105: sipush 176 L1108: ldc 'dyel' L1110: aastore L1111: dup L1112: sipush 177 L1115: ldc 'dyelg' L1117: aastore L1118: dup L1119: sipush 178 L1122: ldc 'dyelm' L1124: aastore L1125: dup L1126: sipush 179 L1129: ldc 'dyelb' L1131: aastore L1132: dup L1133: sipush 180 L1136: ldc 'dyels' L1138: aastore L1139: dup L1140: sipush 181 L1143: ldc 'dyelt' L1145: aastore L1146: dup L1147: sipush 182 L1150: ldc 'dyelp' L1152: aastore L1153: dup L1154: sipush 183 L1157: ldc 'dyelh' L1159: aastore L1160: dup L1161: sipush 184 L1164: ldc 'dyem' L1166: aastore L1167: dup L1168: sipush 185 L1171: ldc 'dyeb' L1173: aastore L1174: dup L1175: sipush 186 L1178: ldc 'dyebs' L1180: aastore L1181: dup L1182: sipush 187 L1185: ldc 'dyes' L1187: aastore L1188: dup L1189: sipush 188 L1192: ldc 'dyess' L1194: aastore L1195: dup L1196: sipush 189 L1199: ldc 'dyeng' L1201: aastore L1202: dup L1203: sipush 190 L1206: ldc 'dyej' L1208: aastore L1209: dup L1210: sipush 191 L1213: ldc 'dyec' L1215: aastore L1216: dup L1217: sipush 192 L1220: ldc 'dyek' L1222: aastore L1223: dup L1224: sipush 193 L1227: ldc 'dyet' L1229: aastore L1230: dup L1231: sipush 194 L1234: ldc 'dyep' L1236: aastore L1237: dup L1238: sipush 195 L1241: ldc 'dyeh' L1243: aastore L1244: dup L1245: sipush 196 L1248: ldc 'do' L1250: aastore L1251: dup L1252: sipush 197 L1255: ldc 'dog' L1257: aastore L1258: dup L1259: sipush 198 L1262: ldc 'dogg' L1264: aastore L1265: dup L1266: sipush 199 L1269: ldc 'dogs' L1271: aastore L1272: dup L1273: sipush 200 L1276: ldc 'don' L1278: aastore L1279: dup L1280: sipush 201 L1283: ldc 'donj' L1285: aastore L1286: dup L1287: sipush 202 L1290: ldc 'donh' L1292: aastore L1293: dup L1294: sipush 203 L1297: ldc 'dod' L1299: aastore L1300: dup L1301: sipush 204 L1304: ldc 'dol' L1306: aastore L1307: dup L1308: sipush 205 L1311: ldc 'dolg' L1313: aastore L1314: dup L1315: sipush 206 L1318: ldc 'dolm' L1320: aastore L1321: dup L1322: sipush 207 L1325: ldc 'dolb' L1327: aastore L1328: dup L1329: sipush 208 L1332: ldc 'dols' L1334: aastore L1335: dup L1336: sipush 209 L1339: ldc 'dolt' L1341: aastore L1342: dup L1343: sipush 210 L1346: ldc 'dolp' L1348: aastore L1349: dup L1350: sipush 211 L1353: ldc 'dolh' L1355: aastore L1356: dup L1357: sipush 212 L1360: ldc 'dom' L1362: aastore L1363: dup L1364: sipush 213 L1367: ldc 'dob' L1369: aastore L1370: dup L1371: sipush 214 L1374: ldc 'dobs' L1376: aastore L1377: dup L1378: sipush 215 L1381: ldc 'dos' L1383: aastore L1384: dup L1385: sipush 216 L1388: ldc 'doss' L1390: aastore L1391: dup L1392: sipush 217 L1395: ldc 'dong' L1397: aastore L1398: dup L1399: sipush 218 L1402: ldc 'doj' L1404: aastore L1405: dup L1406: sipush 219 L1409: ldc 'doc' L1411: aastore L1412: dup L1413: sipush 220 L1416: ldc 'dok' L1418: aastore L1419: dup L1420: sipush 221 L1423: ldc 'dot' L1425: aastore L1426: dup L1427: sipush 222 L1430: ldc 'dop' L1432: aastore L1433: dup L1434: sipush 223 L1437: ldc 'doh' L1439: aastore L1440: dup L1441: sipush 224 L1444: ldc 'dwa' L1446: aastore L1447: dup L1448: sipush 225 L1451: ldc 'dwag' L1453: aastore L1454: dup L1455: sipush 226 L1458: ldc 'dwagg' L1460: aastore L1461: dup L1462: sipush 227 L1465: ldc 'dwags' L1467: aastore L1468: dup L1469: sipush 228 L1472: ldc 'dwan' L1474: aastore L1475: dup L1476: sipush 229 L1479: ldc 'dwanj' L1481: aastore L1482: dup L1483: sipush 230 L1486: ldc 'dwanh' L1488: aastore L1489: dup L1490: sipush 231 L1493: ldc 'dwad' L1495: aastore L1496: dup L1497: sipush 232 L1500: ldc 'dwal' L1502: aastore L1503: dup L1504: sipush 233 L1507: ldc 'dwalg' L1509: aastore L1510: dup L1511: sipush 234 L1514: ldc 'dwalm' L1516: aastore L1517: dup L1518: sipush 235 L1521: ldc 'dwalb' L1523: aastore L1524: dup L1525: sipush 236 L1528: ldc 'dwals' L1530: aastore L1531: dup L1532: sipush 237 L1535: ldc 'dwalt' L1537: aastore L1538: dup L1539: sipush 238 L1542: ldc 'dwalp' L1544: aastore L1545: dup L1546: sipush 239 L1549: ldc 'dwalh' L1551: aastore L1552: dup L1553: sipush 240 L1556: ldc 'dwam' L1558: aastore L1559: dup L1560: sipush 241 L1563: ldc 'dwab' L1565: aastore L1566: dup L1567: sipush 242 L1570: ldc 'dwabs' L1572: aastore L1573: dup L1574: sipush 243 L1577: ldc 'dwas' L1579: aastore L1580: dup L1581: sipush 244 L1584: ldc 'dwass' L1586: aastore L1587: dup L1588: sipush 245 L1591: ldc 'dwang' L1593: aastore L1594: dup L1595: sipush 246 L1598: ldc 'dwaj' L1600: aastore L1601: dup L1602: sipush 247 L1605: ldc 'dwac' L1607: aastore L1608: dup L1609: sipush 248 L1612: ldc 'dwak' L1614: aastore L1615: dup L1616: sipush 249 L1619: ldc 'dwat' L1621: aastore L1622: dup L1623: sipush 250 L1626: ldc 'dwap' L1628: aastore L1629: dup L1630: sipush 251 L1633: ldc 'dwah' L1635: aastore L1636: dup L1637: sipush 252 L1640: ldc 'dwae' L1642: aastore L1643: dup L1644: sipush 253 L1647: ldc_w 'dwaeg' L1650: aastore L1651: dup L1652: sipush 254 L1655: ldc_w 'dwaegg' L1658: aastore L1659: dup L1660: sipush 255 L1663: ldc_w 'dwaegs' L1666: aastore L1667: putstatic Field Xb3 map [Ljava/lang/String; L1670: return L1671: .linenumbertable L0 25 .end linenumbertable .end code .end method .sourcefile 'Xb3.java' .end class
/* * This file was automatically generated by EvoSuite * Fri Jul 01 11:42: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 Xb3_ESTest extends Xb3_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { Xb3 xb3_0 = new Xb3(); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Fri Jul 01 11:42: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 Xb3_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000); @BeforeClass public static void initEvoSuiteFramework() { org.evosuite.runtime.RuntimeSettings.className = "Xb3"; org.evosuite.runtime.GuiSupport.initialize(); org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); org.evosuite.runtime.classhandling.JDKClassResetter.init(); setSystemProperties(); initializeClasses(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); } @AfterClass public static void clearEvoSuiteFramework(){ Sandbox.resetDefaultSecurityManager(); java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); } @Before public void initTestCase(){ threadStopper.storeCurrentThreads(); threadStopper.startRecordingTime(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); setSystemProperties(); org.evosuite.runtime.GuiSupport.setHeadless(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); org.evosuite.runtime.agent.InstrumentingAgent.activate(); } @After public void doneWithTestCase(){ threadStopper.killAndJoinClientThreads(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); org.evosuite.runtime.classhandling.JDKClassResetter.reset(); resetClasses(); org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); } public static void setSystemProperties() { java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); java.lang.System.setProperty("file.encoding", "UTF-8"); java.lang.System.setProperty("java.awt.headless", "true"); java.lang.System.setProperty("java.io.tmpdir", "/tmp"); java.lang.System.setProperty("user.country", "US"); java.lang.System.setProperty("user.dir", "/tmp/tmpraiu3poa"); java.lang.System.setProperty("user.home", "/home/bmcdanel"); java.lang.System.setProperty("user.language", "en"); java.lang.System.setProperty("user.name", "bmcdanel"); java.lang.System.setProperty("user.timezone", "America/New_York"); } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Xb3_ESTest_scaffolding.class.getClassLoader() , "Xb3" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Xb3_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "Xb3" ); } }
2,277
Util
import java.net.URI; import java.net.URISyntaxException; import java.net.URL; import java.net.URLClassLoader; import java.util.Arrays; public class Util { public static URI toURI(String sUri) { try { return new URI(sUri); } catch (URISyntaxException e) { return null; } } public static URL findInClasspath(String resource) { URL resourceURL = Util.class.getClassLoader().getResource(resource); // Util.class.getResource(resource); // dumpClasspath(Util.class.getClassLoader()); return resourceURL; } public static void dumpClasspath(ClassLoader loader) { System.out.println("Classloader " + loader + ":"); if (loader instanceof URLClassLoader) { URLClassLoader ucl = (URLClassLoader) loader; System.out.println("\t" + Arrays.toString(ucl.getURLs())); } else System.out.println("\t(cannot display components as not a URLClassLoader)"); if (loader.getParent() != null) dumpClasspath(loader.getParent()); } }
.version 52 0 .class public super Util .super java/lang/Object .method public <init> : ()V .code stack 1 locals 1 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: return L5: .linenumbertable L0 9 .end linenumbertable .end code .end method .method public static toURI : (Ljava/lang/String;)Ljava/net/URI; .code stack 3 locals 2 .catch java/net/URISyntaxException from L0 to L8 using L9 L0: new java/net/URI L3: dup L4: aload_0 L5: invokespecial Method java/net/URI <init> (Ljava/lang/String;)V L8: areturn .stack stack_1 Object java/net/URISyntaxException L9: astore_1 L10: aconst_null L11: areturn L12: .linenumbertable L0 14 L9 15 L10 16 .end linenumbertable .end code .end method .method public static findInClasspath : (Ljava/lang/String;)Ljava/net/URL; .code stack 2 locals 2 L0: ldc Class Util L2: invokevirtual Method java/lang/Class getClassLoader ()Ljava/lang/ClassLoader; L5: aload_0 L6: invokevirtual Method java/lang/ClassLoader getResource (Ljava/lang/String;)Ljava/net/URL; L9: astore_1 L10: aload_1 L11: areturn L12: .linenumbertable L0 22 L10 26 .end linenumbertable .end code .end method .method public static dumpClasspath : (Ljava/lang/ClassLoader;)V .code stack 3 locals 2 L0: getstatic Field java/lang/System out Ljava/io/PrintStream; L3: new java/lang/StringBuilder L6: dup L7: invokespecial Method java/lang/StringBuilder <init> ()V L10: ldc 'Classloader ' L12: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L15: aload_0 L16: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/Object;)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: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V L30: aload_0 L31: instanceof java/net/URLClassLoader L34: ifeq L76 L37: aload_0 L38: checkcast java/net/URLClassLoader L41: astore_1 L42: getstatic Field java/lang/System out Ljava/io/PrintStream; L45: new java/lang/StringBuilder L48: dup L49: invokespecial Method java/lang/StringBuilder <init> ()V L52: ldc '\t' L54: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L57: aload_1 L58: invokevirtual Method java/net/URLClassLoader getURLs ()[Ljava/net/URL; L61: invokestatic Method java/util/Arrays toString ([Ljava/lang/Object;)Ljava/lang/String; L64: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L67: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; L70: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V L73: goto L84 .stack same_extended L76: getstatic Field java/lang/System out Ljava/io/PrintStream; L79: ldc '\t(cannot display components as not a URLClassLoader)' L81: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V .stack same L84: aload_0 L85: invokevirtual Method java/lang/ClassLoader getParent ()Ljava/lang/ClassLoader; L88: ifnull L98 L91: aload_0 L92: invokevirtual Method java/lang/ClassLoader getParent ()Ljava/lang/ClassLoader; L95: invokestatic Method Util dumpClasspath (Ljava/lang/ClassLoader;)V .stack same L98: return L99: .linenumbertable L0 31 L30 33 L37 35 L42 36 L73 37 L76 39 L84 41 L91 42 L98 43 .end linenumbertable .end code .end method .sourcefile 'Util.java' .end class
/* * This file was automatically generated by EvoSuite * Fri Jul 01 10:58:16 GMT 2022 */ import org.junit.Test; import static org.junit.Assert.*; import static org.evosuite.runtime.EvoAssertions.*; import java.net.URI; import java.net.URL; import org.evosuite.runtime.EvoRunner; import org.evosuite.runtime.EvoRunnerParameters; import org.junit.runner.RunWith; @RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) public class Util_ESTest extends Util_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { URI uRI0 = Util.toURI("3CwJf7Jl.S"); assertNull(uRI0); } @Test(timeout = 4000) public void test1() throws Throwable { URI uRI0 = Util.toURI("S:VJ8"); assertNull(uRI0.getRawPath()); } @Test(timeout = 4000) public void test2() throws Throwable { URL uRL0 = Util.findInClasspath("wbjEUF"); assertNull(uRL0); } @Test(timeout = 4000) public void test3() throws Throwable { ClassLoader classLoader0 = ClassLoader.getSystemClassLoader(); ClassLoader classLoader1 = classLoader0.getParent(); Util.dumpClasspath(classLoader1); assertFalse(classLoader1.equals((Object)classLoader0)); } @Test(timeout = 4000) public void test4() throws Throwable { ClassLoader classLoader0 = ClassLoader.getSystemClassLoader(); Util.dumpClasspath(classLoader0); } @Test(timeout = 4000) public void test5() throws Throwable { // Undeclared exception! try { Util.dumpClasspath((ClassLoader) null); fail("Expecting exception: NullPointerException"); } catch(NullPointerException e) { // // no message in exception (getMessage() returned null) // verifyException("Util", e); } } @Test(timeout = 4000) public void test6() throws Throwable { URI uRI0 = Util.toURI(""); assertNull(uRI0.getRawAuthority()); } @Test(timeout = 4000) public void test7() throws Throwable { Util util0 = new Util(); } @Test(timeout = 4000) public void test8() throws Throwable { URL uRL0 = Util.findInClasspath(""); assertEquals("", uRL0.getAuthority()); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Fri Jul 01 10:58: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 Util_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000); @BeforeClass public static void initEvoSuiteFramework() { org.evosuite.runtime.RuntimeSettings.className = "Util"; org.evosuite.runtime.GuiSupport.initialize(); org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); org.evosuite.runtime.classhandling.JDKClassResetter.init(); setSystemProperties(); initializeClasses(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); } @AfterClass public static void clearEvoSuiteFramework(){ Sandbox.resetDefaultSecurityManager(); java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); } @Before public void initTestCase(){ threadStopper.storeCurrentThreads(); threadStopper.startRecordingTime(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); setSystemProperties(); org.evosuite.runtime.GuiSupport.setHeadless(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); org.evosuite.runtime.agent.InstrumentingAgent.activate(); } @After public void doneWithTestCase(){ threadStopper.killAndJoinClientThreads(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); org.evosuite.runtime.classhandling.JDKClassResetter.reset(); resetClasses(); org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); } public static void setSystemProperties() { java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); java.lang.System.setProperty("file.encoding", "UTF-8"); java.lang.System.setProperty("java.awt.headless", "true"); java.lang.System.setProperty("java.io.tmpdir", "/tmp"); java.lang.System.setProperty("user.country", "US"); java.lang.System.setProperty("user.dir", "/tmp/tmp8qapwb2v"); java.lang.System.setProperty("user.home", "/home/bmcdanel"); java.lang.System.setProperty("user.language", "en"); java.lang.System.setProperty("user.name", "bmcdanel"); java.lang.System.setProperty("user.timezone", "America/New_York"); } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Util_ESTest_scaffolding.class.getClassLoader() , "Util" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Util_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "Util" ); } }
2,278
HaruException
/** Haru Android SDK를 초기화하는 역할이자, 각종 함수들을 모아놓은 Utility Class의 역할을 한다. */ public class HaruException extends Exception { // 로그인 에러 : 해당 계정이 존재하지 않음 public static final int NO_SUCH_ACCOUNT = 200; // 기타 에러 (서버 내부 오류) public static final int OTHER_CAUSE = 999; private int code; public HaruException(String message) { super(message); } public HaruException(int code, String message) { super(message); this.code = code; } public HaruException(String message, Throwable cause) { super(message, cause); this.code = -1; } public HaruException(Throwable cause) { super(cause); this.code = -1; } /** * API 호출 에러시, 에러코드를 반환한다. * * @return 에러 코드 */ public int getErrorCode() { return code; } /** * 에러 내용을 반환한다. * * @return Error Message (String) */ @Override public String getMessage() { if (getCause() != null) { return super.getMessage() + " : " + getCause().getMessage(); } return super.getMessage(); } }
.version 52 0 .class public super HaruException .super java/lang/Exception .field public static final NO_SUCH_ACCOUNT I = 200 .field public static final OTHER_CAUSE I = 999 .field private code I .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 19 L5 20 .end linenumbertable .end code .end method .method public <init> : (ILjava/lang/String;)V .code stack 2 locals 3 L0: aload_0 L1: aload_2 L2: invokespecial Method java/lang/Exception <init> (Ljava/lang/String;)V L5: aload_0 L6: iload_1 L7: putfield Field HaruException code I L10: return L11: .linenumbertable L0 23 L5 24 L10 25 .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: aload_0 L7: iconst_m1 L8: putfield Field HaruException code I L11: return L12: .linenumbertable L0 28 L6 29 L11 30 .end linenumbertable .end code .end method .method public <init> : (Ljava/lang/Throwable;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: invokespecial Method java/lang/Exception <init> (Ljava/lang/Throwable;)V L5: aload_0 L6: iconst_m1 L7: putfield Field HaruException code I L10: return L11: .linenumbertable L0 33 L5 34 L10 35 .end linenumbertable .end code .end method .method public getErrorCode : ()I .code stack 1 locals 1 L0: aload_0 L1: getfield Field HaruException code I L4: ireturn L5: .linenumbertable L0 42 .end linenumbertable .end code .end method .method public getMessage : ()Ljava/lang/String; .code stack 2 locals 1 L0: aload_0 L1: invokevirtual Method HaruException getCause ()Ljava/lang/Throwable; L4: ifnull L40 L7: new java/lang/StringBuilder L10: dup L11: invokespecial Method java/lang/StringBuilder <init> ()V L14: aload_0 L15: invokespecial Method java/lang/Exception getMessage ()Ljava/lang/String; L18: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L21: ldc ' : ' L23: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L26: aload_0 L27: invokevirtual Method HaruException getCause ()Ljava/lang/Throwable; L30: invokevirtual Method java/lang/Throwable getMessage ()Ljava/lang/String; 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 .stack same L40: aload_0 L41: invokespecial Method java/lang/Exception getMessage ()Ljava/lang/String; L44: areturn L45: .linenumbertable L0 51 L7 52 L40 54 .end linenumbertable .end code .end method .sourcefile 'HaruException.java' .end class
/* * This file was automatically generated by EvoSuite * Sun Jul 03 19:36: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 HaruException_ESTest extends HaruException_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { HaruException haruException0 = new HaruException(""); String string0 = haruException0.getMessage(); assertEquals("", string0); } @Test(timeout = 4000) public void test1() throws Throwable { HaruException haruException0 = new HaruException(""); int int0 = haruException0.getErrorCode(); assertEquals(0, int0); } @Test(timeout = 4000) public void test2() throws Throwable { HaruException haruException0 = new HaruException(1, ""); int int0 = haruException0.getErrorCode(); assertEquals(1, int0); } @Test(timeout = 4000) public void test3() throws Throwable { HaruException haruException0 = new HaruException((-1), "[E7"); HaruException haruException1 = new HaruException(haruException0); String string0 = haruException1.getMessage(); assertEquals("org.evosuite.runtime.mock.java.lang.MockThrowable: [E7 : [E7", string0); } @Test(timeout = 4000) public void test4() throws Throwable { HaruException haruException0 = new HaruException((-1), "[E7"); int int0 = haruException0.getErrorCode(); assertEquals((-1), int0); } @Test(timeout = 4000) public void test5() throws Throwable { HaruException haruException0 = new HaruException(""); HaruException haruException1 = new HaruException("IY>,}vT}vGDW", haruException0); assertEquals(200, HaruException.NO_SUCH_ACCOUNT); } @Test(timeout = 4000) public void test6() throws Throwable { HaruException haruException0 = new HaruException((Throwable) null); String string0 = haruException0.getMessage(); assertNull(string0); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sun Jul 03 19:36: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 HaruException_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000); @BeforeClass public static void initEvoSuiteFramework() { org.evosuite.runtime.RuntimeSettings.className = "HaruException"; org.evosuite.runtime.GuiSupport.initialize(); org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); org.evosuite.runtime.classhandling.JDKClassResetter.init(); setSystemProperties(); initializeClasses(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); } @AfterClass public static void clearEvoSuiteFramework(){ Sandbox.resetDefaultSecurityManager(); java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); } @Before public void initTestCase(){ threadStopper.storeCurrentThreads(); threadStopper.startRecordingTime(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); setSystemProperties(); org.evosuite.runtime.GuiSupport.setHeadless(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); org.evosuite.runtime.agent.InstrumentingAgent.activate(); } @After public void doneWithTestCase(){ threadStopper.killAndJoinClientThreads(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); org.evosuite.runtime.classhandling.JDKClassResetter.reset(); resetClasses(); org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); } public static void setSystemProperties() { java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); java.lang.System.setProperty("file.encoding", "UTF-8"); java.lang.System.setProperty("java.awt.headless", "true"); java.lang.System.setProperty("java.io.tmpdir", "/tmp"); java.lang.System.setProperty("user.country", "US"); java.lang.System.setProperty("user.dir", "/tmp/tmpt5ye5u42"); java.lang.System.setProperty("user.home", "/home/bmcdanel"); java.lang.System.setProperty("user.language", "en"); java.lang.System.setProperty("user.name", "bmcdanel"); java.lang.System.setProperty("user.timezone", "America/New_York"); } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(HaruException_ESTest_scaffolding.class.getClassLoader() , "HaruException" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(HaruException_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "HaruException" ); } }
2,279
CriticalServiceImpl
/** * Copyright (c) 2011, 2014 Eurotech and/or its affiliates * * <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 * * <p>Contributors: Eurotech */ /* * Copyright (c) 2011 Eurotech Inc. All rights reserved. */ public class CriticalServiceImpl { private String name; private long timeout; private long updated; /** * @param name * @param timeout timeout for reporting interval in seconds */ public CriticalServiceImpl(String name, long timeout) { this.name = name; this.timeout = timeout; this.updated = System.currentTimeMillis(); } public String getName() { return name; } public long getTimeout() { return timeout; } public boolean isTimedOut() { long current = System.currentTimeMillis(); return timeout < (current - updated); } public void update() { updated = System.currentTimeMillis(); } public String toString() { return "Service Name: " + name + ", Timeout(ms): " + timeout; } }
.version 52 0 .class public super CriticalServiceImpl .super java/lang/Object .field private name Ljava/lang/String; .field private timeout J .field private updated J .method public <init> : (Ljava/lang/String;J)V .code stack 3 locals 4 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: aload_0 L5: aload_1 L6: putfield Field CriticalServiceImpl name Ljava/lang/String; L9: aload_0 L10: lload_2 L11: putfield Field CriticalServiceImpl timeout J L14: aload_0 L15: invokestatic Method java/lang/System currentTimeMillis ()J L18: putfield Field CriticalServiceImpl updated J L21: return L22: .linenumbertable L0 29 L4 30 L9 31 L14 32 L21 33 .end linenumbertable .end code .end method .method public getName : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field CriticalServiceImpl name Ljava/lang/String; L4: areturn L5: .linenumbertable L0 36 .end linenumbertable .end code .end method .method public getTimeout : ()J .code stack 2 locals 1 L0: aload_0 L1: getfield Field CriticalServiceImpl timeout J L4: lreturn L5: .linenumbertable L0 40 .end linenumbertable .end code .end method .method public isTimedOut : ()Z .code stack 6 locals 3 L0: invokestatic Method java/lang/System currentTimeMillis ()J L3: lstore_1 L4: aload_0 L5: getfield Field CriticalServiceImpl timeout J L8: lload_1 L9: aload_0 L10: getfield Field CriticalServiceImpl updated J L13: lsub L14: lcmp L15: ifge L22 L18: iconst_1 L19: goto L23 .stack append Long L22: iconst_0 .stack stack_1 Integer L23: ireturn L24: .linenumbertable L0 44 L4 45 .end linenumbertable .end code .end method .method public update : ()V .code stack 3 locals 1 L0: aload_0 L1: invokestatic Method java/lang/System currentTimeMillis ()J L4: putfield Field CriticalServiceImpl updated J L7: return L8: .linenumbertable L0 49 L7 50 .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 'Service Name: ' L9: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L12: aload_0 L13: getfield Field CriticalServiceImpl name Ljava/lang/String; L16: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L19: ldc ', Timeout(ms): ' L21: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L24: aload_0 L25: getfield Field CriticalServiceImpl timeout J L28: invokevirtual Method java/lang/StringBuilder append (J)Ljava/lang/StringBuilder; L31: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; L34: areturn L35: .linenumbertable L0 53 .end linenumbertable .end code .end method .sourcefile 'CriticalServiceImpl.java' .end class
/* * This file was automatically generated by EvoSuite * Sat Jul 02 08:48: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.System; import org.junit.runner.RunWith; @RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) public class CriticalServiceImpl_ESTest extends CriticalServiceImpl_ESTest_scaffolding { @Test(timeout = 4000) public void test00() throws Throwable { CriticalServiceImpl criticalServiceImpl0 = new CriticalServiceImpl("", 0L); boolean boolean0 = criticalServiceImpl0.isTimedOut(); assertFalse(boolean0); } @Test(timeout = 4000) public void test01() throws Throwable { CriticalServiceImpl criticalServiceImpl0 = new CriticalServiceImpl("9hq{6zY?KSwBRt!", 53913L); System.setCurrentTimeMillis((-113548L)); boolean boolean0 = criticalServiceImpl0.isTimedOut(); assertFalse(boolean0); } @Test(timeout = 4000) public void test02() throws Throwable { CriticalServiceImpl criticalServiceImpl0 = new CriticalServiceImpl("", 0L); long long0 = criticalServiceImpl0.getTimeout(); assertEquals(0L, long0); } @Test(timeout = 4000) public void test03() throws Throwable { CriticalServiceImpl criticalServiceImpl0 = new CriticalServiceImpl("", 52975L); long long0 = criticalServiceImpl0.getTimeout(); assertEquals(52975L, long0); } @Test(timeout = 4000) public void test04() throws Throwable { CriticalServiceImpl criticalServiceImpl0 = new CriticalServiceImpl((String) null, (-28506L)); criticalServiceImpl0.getName(); assertEquals((-28506L), criticalServiceImpl0.getTimeout()); } @Test(timeout = 4000) public void test05() throws Throwable { CriticalServiceImpl criticalServiceImpl0 = new CriticalServiceImpl("", 1L); criticalServiceImpl0.getName(); assertEquals(1L, criticalServiceImpl0.getTimeout()); } @Test(timeout = 4000) public void test06() throws Throwable { CriticalServiceImpl criticalServiceImpl0 = new CriticalServiceImpl("&FwRl{CF6I][1$=Y^", (-7022L)); boolean boolean0 = criticalServiceImpl0.isTimedOut(); assertTrue(boolean0); } @Test(timeout = 4000) public void test07() throws Throwable { CriticalServiceImpl criticalServiceImpl0 = new CriticalServiceImpl("&FwRl{CF6I][1$=Y^", (-7022L)); criticalServiceImpl0.update(); assertEquals((-7022L), criticalServiceImpl0.getTimeout()); } @Test(timeout = 4000) public void test08() throws Throwable { CriticalServiceImpl criticalServiceImpl0 = new CriticalServiceImpl("+", 5876L); criticalServiceImpl0.getName(); assertFalse(criticalServiceImpl0.isTimedOut()); } @Test(timeout = 4000) public void test09() throws Throwable { CriticalServiceImpl criticalServiceImpl0 = new CriticalServiceImpl("&FwRl{CF6I][1$=Y^", (-7022L)); long long0 = criticalServiceImpl0.getTimeout(); assertEquals((-7022L), long0); } @Test(timeout = 4000) public void test10() throws Throwable { CriticalServiceImpl criticalServiceImpl0 = new CriticalServiceImpl("+", 5876L); String string0 = criticalServiceImpl0.toString(); assertEquals("Service Name: +, Timeout(ms): 5876", string0); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sat Jul 02 08:48: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 CriticalServiceImpl_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000); @BeforeClass public static void initEvoSuiteFramework() { org.evosuite.runtime.RuntimeSettings.className = "CriticalServiceImpl"; org.evosuite.runtime.GuiSupport.initialize(); org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); org.evosuite.runtime.classhandling.JDKClassResetter.init(); setSystemProperties(); initializeClasses(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); } @AfterClass public static void clearEvoSuiteFramework(){ Sandbox.resetDefaultSecurityManager(); java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); } @Before public void initTestCase(){ threadStopper.storeCurrentThreads(); threadStopper.startRecordingTime(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); setSystemProperties(); org.evosuite.runtime.GuiSupport.setHeadless(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); org.evosuite.runtime.agent.InstrumentingAgent.activate(); } @After public void doneWithTestCase(){ threadStopper.killAndJoinClientThreads(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); org.evosuite.runtime.classhandling.JDKClassResetter.reset(); resetClasses(); org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); } public static void setSystemProperties() { java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); java.lang.System.setProperty("file.encoding", "UTF-8"); java.lang.System.setProperty("java.awt.headless", "true"); java.lang.System.setProperty("java.io.tmpdir", "/tmp"); java.lang.System.setProperty("user.country", "US"); java.lang.System.setProperty("user.dir", "/tmp/tmpto7g5pqp"); java.lang.System.setProperty("user.home", "/home/bmcdanel"); java.lang.System.setProperty("user.language", "en"); java.lang.System.setProperty("user.name", "bmcdanel"); java.lang.System.setProperty("user.timezone", "America/New_York"); } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(CriticalServiceImpl_ESTest_scaffolding.class.getClassLoader() , "CriticalServiceImpl" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(CriticalServiceImpl_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "CriticalServiceImpl" ); } }
2,280
ChatServer
import java.io.IOException; import java.io.PrintStream; import java.net.Socket; import java.util.HashMap; import java.util.Map; public class ChatServer { /** Map usernames to output stream for broadcasting */ protected Map<String, PrintStream> users = new HashMap<String, PrintStream>(); /** Which port should the server listen at? */ protected int port; public static void main(String[] args) throws IOException {} public ChatServer(int port) { this.port = port; } public void startup() throws IOException { System.out.println("ChatServer listening at port " + port); Socket socket = null; // forever do: // Wait for connection from a client // Create and launch a new client handler } /** Track that this user name has this output stream */ public void registerClient(String user, PrintStream out) { // broadcast to everyone that user has "connected" // print "welcome user" to the client // print to standard out: "user connected" // add the user,out pair to the users map } /** Send a string to everybody but user */ public void broadcast(String user, String line) { // For each user u in users // print to u's output stream: "user: line" if u not user } public void disconnect(String user) { // remove user from users table // broadcast "disconnected" message } }
.version 52 0 .class public super ChatServer .super java/lang/Object .field protected users Ljava/util/Map; .fieldattributes .signature Ljava/util/Map<Ljava/lang/String;Ljava/io/PrintStream;>; .end fieldattributes .field protected port I .method public static main : ([Ljava/lang/String;)V .code stack 0 locals 1 L0: return L1: .linenumbertable L0 16 .end linenumbertable .end code .exceptions java/io/IOException .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/util/HashMap L8: dup L9: invokespecial Method java/util/HashMap <init> ()V L12: putfield Field ChatServer users Ljava/util/Map; L15: aload_0 L16: iload_1 L17: putfield Field ChatServer port I L20: return L21: .linenumbertable L0 18 L4 10 L15 19 L20 20 .end linenumbertable .end code .end method .method public startup : ()V .code stack 3 locals 2 L0: getstatic Field java/lang/System out Ljava/io/PrintStream; L3: new java/lang/StringBuilder L6: dup L7: invokespecial Method java/lang/StringBuilder <init> ()V L10: ldc 'ChatServer listening at port ' L12: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L15: aload_0 L16: getfield Field ChatServer port I L19: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder; L22: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; L25: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V L28: aconst_null L29: astore_1 L30: return L31: .linenumbertable L0 23 L28 24 L30 28 .end linenumbertable .end code .exceptions java/io/IOException .end method .method public registerClient : (Ljava/lang/String;Ljava/io/PrintStream;)V .code stack 0 locals 3 L0: return L1: .linenumbertable L0 36 .end linenumbertable .end code .end method .method public broadcast : (Ljava/lang/String;Ljava/lang/String;)V .code stack 0 locals 3 L0: return L1: .linenumbertable L0 42 .end linenumbertable .end code .end method .method public disconnect : (Ljava/lang/String;)V .code stack 0 locals 2 L0: return L1: .linenumbertable L0 47 .end linenumbertable .end code .end method .sourcefile 'ChatServer.java' .end class
/* * This file was automatically generated by EvoSuite * Mon Jul 04 05:57:19 GMT 2022 */ import org.junit.Test; import static org.junit.Assert.*; import org.evosuite.runtime.EvoRunner; import org.evosuite.runtime.EvoRunnerParameters; import org.evosuite.runtime.mock.java.io.MockPrintStream; import org.junit.runner.RunWith; @RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) public class ChatServer_ESTest extends ChatServer_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { ChatServer chatServer0 = new ChatServer(0); chatServer0.startup(); } @Test(timeout = 4000) public void test1() throws Throwable { ChatServer chatServer0 = new ChatServer(0); MockPrintStream mockPrintStream0 = new MockPrintStream("x"); chatServer0.registerClient("x", mockPrintStream0); } @Test(timeout = 4000) public void test2() throws Throwable { ChatServer chatServer0 = new ChatServer(0); chatServer0.disconnect(""); } @Test(timeout = 4000) public void test3() throws Throwable { ChatServer chatServer0 = new ChatServer(0); chatServer0.broadcast("x", "x"); } @Test(timeout = 4000) public void test4() throws Throwable { String[] stringArray0 = new String[0]; ChatServer.main(stringArray0); assertEquals(0, stringArray0.length); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Mon Jul 04 05:57: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 ChatServer_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000); @BeforeClass public static void initEvoSuiteFramework() { org.evosuite.runtime.RuntimeSettings.className = "ChatServer"; org.evosuite.runtime.GuiSupport.initialize(); org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); org.evosuite.runtime.classhandling.JDKClassResetter.init(); setSystemProperties(); initializeClasses(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); } @AfterClass public static void clearEvoSuiteFramework(){ Sandbox.resetDefaultSecurityManager(); java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); } @Before public void initTestCase(){ threadStopper.storeCurrentThreads(); threadStopper.startRecordingTime(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); setSystemProperties(); org.evosuite.runtime.GuiSupport.setHeadless(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); org.evosuite.runtime.agent.InstrumentingAgent.activate(); } @After public void doneWithTestCase(){ threadStopper.killAndJoinClientThreads(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); org.evosuite.runtime.classhandling.JDKClassResetter.reset(); resetClasses(); org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); } public static void setSystemProperties() { java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); java.lang.System.setProperty("file.encoding", "UTF-8"); java.lang.System.setProperty("java.awt.headless", "true"); java.lang.System.setProperty("java.io.tmpdir", "/tmp"); java.lang.System.setProperty("user.country", "US"); java.lang.System.setProperty("user.dir", "/tmp/tmpdc0jj1us"); java.lang.System.setProperty("user.home", "/home/bmcdanel"); java.lang.System.setProperty("user.language", "en"); java.lang.System.setProperty("user.name", "bmcdanel"); java.lang.System.setProperty("user.timezone", "America/New_York"); } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(ChatServer_ESTest_scaffolding.class.getClassLoader() , "ChatServer" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ChatServer_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "ChatServer" ); } }
2,281
DemoJavaMain
/** * Copyright (c) 2010 Yahoo! 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 * * <p>http://www.apache.org/licenses/LICENSE-2.0 * * <p>Unless required by applicable law or agreed to in writing, software distributed under the * License is distributed on an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either * express or implied. See the License for the specific language governing permissions and * limitations under the License. See accompanying LICENSE file. */ public class DemoJavaMain { public static void main(String[] args) { System.out.println("Demo Java Main"); System.out.println("# Arguments: " + args.length); for (int i = 0; i < args.length; i++) { System.out.println("Argument[" + i + "]: " + args[i]); } } }
.version 52 0 .class public super DemoJavaMain .super java/lang/Object .method public <init> : ()V .code stack 1 locals 1 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: return L5: .linenumbertable L0 17 .end linenumbertable .end code .end method .method public static main : ([Ljava/lang/String;)V .code stack 4 locals 2 L0: getstatic Field java/lang/System out Ljava/io/PrintStream; L3: ldc 'Demo Java Main' L5: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V L8: getstatic Field java/lang/System out Ljava/io/PrintStream; L11: new java/lang/StringBuilder L14: dup L15: invokespecial Method java/lang/StringBuilder <init> ()V L18: ldc '# Arguments: ' L20: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L23: aload_0 L24: arraylength L25: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder; L28: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; L31: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V L34: iconst_0 L35: istore_1 .stack append Integer L36: iload_1 L37: aload_0 L38: arraylength L39: if_icmpge L84 L42: getstatic Field java/lang/System out Ljava/io/PrintStream; L45: new java/lang/StringBuilder L48: dup L49: invokespecial Method java/lang/StringBuilder <init> ()V L52: ldc 'Argument[' L54: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L57: iload_1 L58: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder; L61: ldc ']: ' L63: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L66: aload_0 L67: iload_1 L68: aaload L69: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L72: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; L75: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V L78: iinc 1 1 L81: goto L36 .stack chop 1 L84: return L85: .linenumbertable L0 19 L8 21 L34 22 L42 23 L78 22 L84 25 .end linenumbertable .end code .end method .sourcefile 'DemoJavaMain.java' .end class
/* * This file was automatically generated by EvoSuite * Sun Jul 03 23:38: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 DemoJavaMain_ESTest extends DemoJavaMain_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { String[] stringArray0 = new String[2]; DemoJavaMain.main(stringArray0); DemoJavaMain.main(stringArray0); assertEquals(2, stringArray0.length); } @Test(timeout = 4000) public void test1() throws Throwable { String[] stringArray0 = new String[0]; DemoJavaMain.main(stringArray0); DemoJavaMain demoJavaMain0 = new DemoJavaMain(); String[] stringArray1 = new String[2]; DemoJavaMain.main(stringArray1); assertEquals(2, stringArray1.length); } @Test(timeout = 4000) public void test2() throws Throwable { String[] stringArray0 = new String[0]; DemoJavaMain.main(stringArray0); DemoJavaMain.main(stringArray0); DemoJavaMain demoJavaMain0 = new DemoJavaMain(); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sun Jul 03 23:38: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 DemoJavaMain_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000); @BeforeClass public static void initEvoSuiteFramework() { org.evosuite.runtime.RuntimeSettings.className = "DemoJavaMain"; org.evosuite.runtime.GuiSupport.initialize(); org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); org.evosuite.runtime.classhandling.JDKClassResetter.init(); setSystemProperties(); initializeClasses(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); } @AfterClass public static void clearEvoSuiteFramework(){ Sandbox.resetDefaultSecurityManager(); java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); } @Before public void initTestCase(){ threadStopper.storeCurrentThreads(); threadStopper.startRecordingTime(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); setSystemProperties(); org.evosuite.runtime.GuiSupport.setHeadless(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); org.evosuite.runtime.agent.InstrumentingAgent.activate(); } @After public void doneWithTestCase(){ threadStopper.killAndJoinClientThreads(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); org.evosuite.runtime.classhandling.JDKClassResetter.reset(); resetClasses(); org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); } public static void setSystemProperties() { java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); java.lang.System.setProperty("file.encoding", "UTF-8"); java.lang.System.setProperty("java.awt.headless", "true"); java.lang.System.setProperty("java.io.tmpdir", "/tmp"); java.lang.System.setProperty("user.country", "US"); java.lang.System.setProperty("user.dir", "/tmp/tmpti9_jpnh"); java.lang.System.setProperty("user.home", "/home/bmcdanel"); java.lang.System.setProperty("user.language", "en"); java.lang.System.setProperty("user.name", "bmcdanel"); java.lang.System.setProperty("user.timezone", "America/New_York"); } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(DemoJavaMain_ESTest_scaffolding.class.getClassLoader() , "DemoJavaMain" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(DemoJavaMain_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "DemoJavaMain" ); } }
2,282
GridPortableTestClass3
/* * 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 GridPortableTestClass3 { // No-op. }
.version 52 0 .class public super GridPortableTestClass3 .super java/lang/Object .method public <init> : ()V .code stack 1 locals 1 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: return L5: .linenumbertable L0 22 .end linenumbertable .end code .end method .sourcefile 'GridPortableTestClass3.java' .end class
/* * This file was automatically generated by EvoSuite * Sat Jul 02 17: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 GridPortableTestClass3_ESTest extends GridPortableTestClass3_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { GridPortableTestClass3 gridPortableTestClass3_0 = new GridPortableTestClass3(); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sat Jul 02 17: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 GridPortableTestClass3_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000); @BeforeClass public static void initEvoSuiteFramework() { org.evosuite.runtime.RuntimeSettings.className = "GridPortableTestClass3"; org.evosuite.runtime.GuiSupport.initialize(); org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); org.evosuite.runtime.classhandling.JDKClassResetter.init(); setSystemProperties(); initializeClasses(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); } @AfterClass public static void clearEvoSuiteFramework(){ Sandbox.resetDefaultSecurityManager(); java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); } @Before public void initTestCase(){ threadStopper.storeCurrentThreads(); threadStopper.startRecordingTime(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); setSystemProperties(); org.evosuite.runtime.GuiSupport.setHeadless(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); org.evosuite.runtime.agent.InstrumentingAgent.activate(); } @After public void doneWithTestCase(){ threadStopper.killAndJoinClientThreads(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); org.evosuite.runtime.classhandling.JDKClassResetter.reset(); resetClasses(); org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); } public static void setSystemProperties() { java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); java.lang.System.setProperty("file.encoding", "UTF-8"); java.lang.System.setProperty("java.awt.headless", "true"); java.lang.System.setProperty("java.io.tmpdir", "/tmp"); java.lang.System.setProperty("user.country", "US"); java.lang.System.setProperty("user.dir", "/tmp/tmpb7l2jlk4"); java.lang.System.setProperty("user.home", "/home/bmcdanel"); java.lang.System.setProperty("user.language", "en"); java.lang.System.setProperty("user.name", "bmcdanel"); java.lang.System.setProperty("user.timezone", "America/New_York"); } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(GridPortableTestClass3_ESTest_scaffolding.class.getClassLoader() , "GridPortableTestClass3" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(GridPortableTestClass3_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "GridPortableTestClass3" ); } }
2,283
Hidden
public class Hidden { public int count; public void Hidden() { count = 0; } public static void main(String[] args) { final int numThreads = Integer.parseInt(args[0]); final Hidden h = new Hidden(); Thread[] threads = new Thread[numThreads]; // Create the threads for (int index = 0; index < numThreads; index++) { final int i = index; threads[i] = new Thread( new Runnable() { public void run() { for (int j = 0; j < 3; j++) { String message = "Thread %d wrote %d on loop %d"; System.out.println(String.format(message, i, ++h.count, j)); } } }); } // Start the threads for (Thread th : threads) { th.start(); } // Wait for the threads to finish for (Thread th : threads) { try { th.join(); } catch (Exception ex) { } } // Report the final value of count System.out.println(String.format("count = %d", h.count)); } }
.version 52 0 .class public super Hidden .super java/lang/Object .field public count I .method public <init> : ()V .code stack 1 locals 1 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: return L5: .linenumbertable L0 3 .end linenumbertable .end code .end method .method public Hidden : ()V .code stack 2 locals 1 L0: aload_0 L1: iconst_0 L2: putfield Field Hidden count I L5: return L6: .linenumbertable L0 8 L5 9 .end linenumbertable .end code .end method .method public static main : ([Ljava/lang/String;)V .code stack 8 locals 9 L0: aload_0 L1: iconst_0 L2: aaload L3: invokestatic Method java/lang/Integer parseInt (Ljava/lang/String;)I L6: istore_1 L7: new Hidden L10: dup L11: invokespecial Method Hidden <init> ()V L14: astore_2 L15: iload_1 L16: anewarray java/lang/Thread L19: astore_3 L20: iconst_0 L21: istore 4 .stack full locals Object [Ljava/lang/String; Integer Object Hidden Object [Ljava/lang/Thread; Integer stack .end stack L23: iload 4 L25: iload_1 L26: if_icmpge L60 L29: iload 4 L31: istore 5 L33: aload_3 L34: iload 5 L36: new java/lang/Thread L39: dup L40: new Hidden$1 L43: dup L44: iload 5 L46: aload_2 L47: invokespecial Method Hidden$1 <init> (ILHidden;)V L50: invokespecial Method java/lang/Thread <init> (Ljava/lang/Runnable;)V L53: aastore L54: iinc 4 1 L57: goto L23 .stack chop 1 L60: aload_3 L61: astore 4 L63: aload 4 L65: arraylength L66: istore 5 L68: iconst_0 L69: istore 6 .stack append Object [Ljava/lang/Thread; Integer Integer L71: iload 6 L73: iload 5 L75: if_icmpge L96 L78: aload 4 L80: iload 6 L82: aaload L83: astore 7 L85: aload 7 L87: invokevirtual Method java/lang/Thread start ()V L90: iinc 6 1 L93: goto L71 .stack chop 3 L96: aload_3 L97: astore 4 L99: aload 4 L101: arraylength L102: istore 5 L104: iconst_0 L105: istore 6 .stack append Object [Ljava/lang/Thread; Integer Integer L107: iload 6 L109: iload 5 L111: if_icmpge L137 L114: aload 4 L116: iload 6 L118: aaload L119: astore 7 .catch java/lang/Exception from L121 to L126 using L129 L121: aload 7 L123: invokevirtual Method java/lang/Thread join ()V L126: goto L131 .stack full locals Object [Ljava/lang/String; Integer Object Hidden Object [Ljava/lang/Thread; Object [Ljava/lang/Thread; Integer Integer Object java/lang/Thread stack Object java/lang/Exception .end stack L129: astore 8 .stack chop 1 L131: iinc 6 1 L134: goto L107 .stack chop 3 L137: getstatic Field java/lang/System out Ljava/io/PrintStream; L140: ldc 'count = %d' L142: iconst_1 L143: anewarray java/lang/Object L146: dup L147: iconst_0 L148: aload_2 L149: getfield Field Hidden count I L152: invokestatic Method java/lang/Integer valueOf (I)Ljava/lang/Integer; L155: aastore L156: invokestatic Method java/lang/String format (Ljava/lang/String;[Ljava/lang/Object;)Ljava/lang/String; L159: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V L162: return L163: .linenumbertable L0 13 L7 15 L15 17 L20 20 L29 22 L33 24 L54 20 L60 40 L85 41 L90 40 L96 45 L121 47 L126 49 L129 48 L131 45 L137 53 L162 54 .end linenumbertable .end code .end method .sourcefile 'Hidden.java' .innerclasses Hidden$1 [0] [0] static .end innerclasses .end class
/* * This file was automatically generated by EvoSuite * Fri Jul 01 14:49:17 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 Hidden_ESTest extends Hidden_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { String[] stringArray0 = new String[0]; // Undeclared exception! try { Hidden.main(stringArray0); fail("Expecting exception: ArrayIndexOutOfBoundsException"); } catch(ArrayIndexOutOfBoundsException e) { // // 0 // verifyException("Hidden", e); } } @Test(timeout = 4000) public void test1() throws Throwable { String[] stringArray0 = new String[2]; stringArray0[0] = "6"; // Undeclared exception! try { Hidden.main(stringArray0); fail("Expecting exception: NoClassDefFoundError"); } catch(NoClassDefFoundError e) { // // Hidden$1 // verifyException("Hidden", e); } } @Test(timeout = 4000) public void test2() throws Throwable { Hidden hidden0 = new Hidden(); hidden0.Hidden(); assertEquals(0, hidden0.count); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Fri Jul 01 14:49: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 Hidden_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000); @BeforeClass public static void initEvoSuiteFramework() { org.evosuite.runtime.RuntimeSettings.className = "Hidden"; org.evosuite.runtime.GuiSupport.initialize(); org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); org.evosuite.runtime.classhandling.JDKClassResetter.init(); setSystemProperties(); initializeClasses(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); } @AfterClass public static void clearEvoSuiteFramework(){ Sandbox.resetDefaultSecurityManager(); java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); } @Before public void initTestCase(){ threadStopper.storeCurrentThreads(); threadStopper.startRecordingTime(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); setSystemProperties(); org.evosuite.runtime.GuiSupport.setHeadless(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); org.evosuite.runtime.agent.InstrumentingAgent.activate(); } @After public void doneWithTestCase(){ threadStopper.killAndJoinClientThreads(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); org.evosuite.runtime.classhandling.JDKClassResetter.reset(); resetClasses(); org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); } public static void setSystemProperties() { java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); java.lang.System.setProperty("file.encoding", "UTF-8"); java.lang.System.setProperty("java.awt.headless", "true"); java.lang.System.setProperty("java.io.tmpdir", "/tmp"); java.lang.System.setProperty("user.country", "US"); java.lang.System.setProperty("user.dir", "/tmp/tmpy2gxfmxi"); java.lang.System.setProperty("user.home", "/home/bmcdanel"); java.lang.System.setProperty("user.language", "en"); java.lang.System.setProperty("user.name", "bmcdanel"); java.lang.System.setProperty("user.timezone", "America/New_York"); } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Hidden_ESTest_scaffolding.class.getClassLoader() , "Hidden" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Hidden_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "Hidden" ); } }
2,284
Student
import java.util.ArrayList; import java.util.List; public class Student { private String name; private List<Integer> scores; public Student(final String name) { this.name = name; scores = new ArrayList<>(); } public String getName() { return name; } public void addScores(final Integer score) { scores.add(score); } public Double calculateAverageScore() { return scores.stream().mapToDouble(a -> a).average().getAsDouble(); } }
.version 52 0 .class public super Student .super java/lang/Object .field private name Ljava/lang/String; .field private scores Ljava/util/List; .fieldattributes .signature Ljava/util/List<Ljava/lang/Integer;>; .end fieldattributes .method public <init> : (Ljava/lang/String;)V .code stack 3 locals 2 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: aload_0 L5: aload_1 L6: putfield Field Student name Ljava/lang/String; L9: aload_0 L10: new java/util/ArrayList L13: dup L14: invokespecial Method java/util/ArrayList <init> ()V L17: putfield Field Student scores Ljava/util/List; L20: return L21: .linenumbertable L0 10 L4 11 L9 12 L20 13 .end linenumbertable .end code .end method .method public getName : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field Student name Ljava/lang/String; L4: areturn L5: .linenumbertable L0 16 .end linenumbertable .end code .end method .method public addScores : (Ljava/lang/Integer;)V .code stack 2 locals 2 L0: aload_0 L1: getfield Field Student scores 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 20 L11 21 .end linenumbertable .end code .end method .method public calculateAverageScore : ()Ljava/lang/Double; .code stack 2 locals 1 L0: aload_0 L1: getfield Field Student scores Ljava/util/List; L4: invokeinterface InterfaceMethod java/util/List stream ()Ljava/util/stream/Stream; 1 L9: invokedynamic [id8] L14: invokeinterface InterfaceMethod java/util/stream/Stream mapToDouble (Ljava/util/function/ToDoubleFunction;)Ljava/util/stream/DoubleStream; 2 L19: invokeinterface InterfaceMethod java/util/stream/DoubleStream average ()Ljava/util/OptionalDouble; 1 L24: invokevirtual Method java/util/OptionalDouble getAsDouble ()D L27: invokestatic Method java/lang/Double valueOf (D)Ljava/lang/Double; L30: areturn L31: .linenumbertable L0 24 L4 25 L14 26 L19 27 L27 24 .end linenumbertable .end code .end method .method private static synthetic lambda$calculateAverageScore$0 : (Ljava/lang/Integer;)D .code stack 2 locals 1 L0: aload_0 L1: invokevirtual Method java/lang/Integer intValue ()I L4: i2d L5: dreturn L6: .linenumbertable L0 26 .end linenumbertable .end code .end method .sourcefile 'Student.java' .innerclasses java/lang/invoke/MethodHandles$Lookup java/lang/invoke/MethodHandles Lookup public static final .end innerclasses .const [id8] = 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;)D MethodHandle invokeStatic Method Student lambda$calculateAverageScore$0 (Ljava/lang/Integer;)D MethodType (Ljava/lang/Integer;)D : applyAsDouble ()Ljava/util/function/ToDoubleFunction; .end class
/* * This file was automatically generated by EvoSuite * Sat Jul 02 14:19: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 Student_ESTest extends Student_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { Student student0 = new Student((String) null); String string0 = student0.getName(); assertNull(string0); } @Test(timeout = 4000) public void test1() throws Throwable { Student student0 = new Student(""); String string0 = student0.getName(); assertEquals("", string0); } @Test(timeout = 4000) public void test2() throws Throwable { Student student0 = new Student(""); Integer integer0 = new Integer((-38968)); student0.addScores(integer0); Double double0 = student0.calculateAverageScore(); assertEquals((-38968.0), (double)double0, 1.0E-4); } @Test(timeout = 4000) public void test3() throws Throwable { Student student0 = new Student((String) null); Integer integer0 = new Integer(32790); student0.addScores(integer0); Double double0 = student0.calculateAverageScore(); assertEquals(32790.0, (double)double0, 1.0E-4); } @Test(timeout = 4000) public void test4() throws Throwable { Student student0 = new Student(""); Integer integer0 = Integer.valueOf(0); student0.addScores(integer0); Double double0 = student0.calculateAverageScore(); assertEquals(0.0, (double)double0, 1.0E-4); } @Test(timeout = 4000) public void test5() throws Throwable { Student student0 = new Student("%"); String string0 = student0.getName(); assertEquals("%", string0); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sat Jul 02 14:19: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 Student_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000); @BeforeClass public static void initEvoSuiteFramework() { org.evosuite.runtime.RuntimeSettings.className = "Student"; org.evosuite.runtime.GuiSupport.initialize(); org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); org.evosuite.runtime.classhandling.JDKClassResetter.init(); setSystemProperties(); initializeClasses(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); } @AfterClass public static void clearEvoSuiteFramework(){ Sandbox.resetDefaultSecurityManager(); java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); } @Before public void initTestCase(){ threadStopper.storeCurrentThreads(); threadStopper.startRecordingTime(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); setSystemProperties(); org.evosuite.runtime.GuiSupport.setHeadless(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); org.evosuite.runtime.agent.InstrumentingAgent.activate(); } @After public void doneWithTestCase(){ threadStopper.killAndJoinClientThreads(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); org.evosuite.runtime.classhandling.JDKClassResetter.reset(); resetClasses(); org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); } public static void setSystemProperties() { java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); java.lang.System.setProperty("file.encoding", "UTF-8"); java.lang.System.setProperty("java.awt.headless", "true"); java.lang.System.setProperty("java.io.tmpdir", "/tmp"); java.lang.System.setProperty("user.country", "US"); java.lang.System.setProperty("user.dir", "/tmp/tmpb9wqs76_"); java.lang.System.setProperty("user.home", "/home/bmcdanel"); java.lang.System.setProperty("user.language", "en"); java.lang.System.setProperty("user.name", "bmcdanel"); java.lang.System.setProperty("user.timezone", "America/New_York"); } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Student_ESTest_scaffolding.class.getClassLoader() , "Student" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Student_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "Student" ); } }
2,285
PairStu
/** * Copyright (c) 2015, 2016 Fitvoy Florian,Dubray Alexandre 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. * * <p>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 PairStu { /* *@pré: b est un entier *@post: Retourne true si b est pair et false sinon. */ public static boolean isPair(int b) { while (b > 0) { b -= 2; } return (b == 0); } }
.version 52 0 .class public super PairStu .super java/lang/Object .method public <init> : ()V .code stack 1 locals 1 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: return L5: .linenumbertable L0 18 .end linenumbertable .end code .end method .method public static isPair : (I)Z .code stack 1 locals 1 .stack same L0: iload_0 L1: ifle L10 L4: iinc 0 -2 L7: goto L0 .stack same L10: iload_0 L11: ifne L18 L14: iconst_1 L15: goto L19 .stack same L18: iconst_0 .stack stack_1 Integer L19: ireturn L20: .linenumbertable L0 25 L4 26 L10 28 .end linenumbertable .end code .end method .sourcefile 'PairStu.java' .end class
/* * This file was automatically generated by EvoSuite * Sat Jul 02 07:07: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 PairStu_ESTest extends PairStu_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { boolean boolean0 = PairStu.isPair(7258); assertTrue(boolean0); } @Test(timeout = 4000) public void test1() throws Throwable { boolean boolean0 = PairStu.isPair((-46718)); PairStu pairStu0 = new PairStu(); boolean boolean1 = PairStu.isPair(7258); assertFalse(boolean1 == boolean0); assertTrue(boolean1); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sat Jul 02 07:07: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 PairStu_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000); @BeforeClass public static void initEvoSuiteFramework() { org.evosuite.runtime.RuntimeSettings.className = "PairStu"; org.evosuite.runtime.GuiSupport.initialize(); org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); org.evosuite.runtime.classhandling.JDKClassResetter.init(); setSystemProperties(); initializeClasses(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); } @AfterClass public static void clearEvoSuiteFramework(){ Sandbox.resetDefaultSecurityManager(); java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); } @Before public void initTestCase(){ threadStopper.storeCurrentThreads(); threadStopper.startRecordingTime(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); setSystemProperties(); org.evosuite.runtime.GuiSupport.setHeadless(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); org.evosuite.runtime.agent.InstrumentingAgent.activate(); } @After public void doneWithTestCase(){ threadStopper.killAndJoinClientThreads(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); org.evosuite.runtime.classhandling.JDKClassResetter.reset(); resetClasses(); org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); } public static void setSystemProperties() { java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); java.lang.System.setProperty("file.encoding", "UTF-8"); java.lang.System.setProperty("java.awt.headless", "true"); java.lang.System.setProperty("java.io.tmpdir", "/tmp"); java.lang.System.setProperty("user.country", "US"); java.lang.System.setProperty("user.dir", "/tmp/tmpyseoipjl"); java.lang.System.setProperty("user.home", "/home/bmcdanel"); java.lang.System.setProperty("user.language", "en"); java.lang.System.setProperty("user.name", "bmcdanel"); java.lang.System.setProperty("user.timezone", "America/New_York"); } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(PairStu_ESTest_scaffolding.class.getClassLoader() , "PairStu" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(PairStu_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "PairStu" ); } }
2,286
CommandResult
/* * This file is part of Hootenanny. * * Hootenanny 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/>. * * -------------------------------------------------------------------- * * The following copyright notices are generated automatically. If you * have a new notice to add, please use the format: * " * @copyright Copyright ..." * This will properly maintain the copyright information. Maxar * copyrights will be updated automatically. * * @copyright Copyright (C) 2015, 2016, 2017, 2019, 2021 Maxar (http://www.maxar.com/) */ import java.io.File; import java.time.Duration; import java.time.LocalDateTime; public class CommandResult { public static final int SUCCESS = 0; public static final int FAILURE = -1; private Long id; private String command; private Integer exitCode; private String stdout; private String stderr; private LocalDateTime start; private LocalDateTime finish; private String jobId; private String caller; private File workingDir; private Integer percentProgress; public CommandResult() { percentProgress = 0; } public String getCommand() { return command; } public Integer getExitCode() { return exitCode; } public LocalDateTime getStart() { return start; } public void setStart(LocalDateTime start) { this.start = start; } public LocalDateTime getFinish() { return finish; } public void setFinish(LocalDateTime finish) { this.finish = finish; } public String getStderr() { return stderr; } public Duration getDuration() { return ((start != null) && (finish != null)) ? Duration.between(finish, start) : null; } public String getStdout() { return stdout; } public void setStdout(String stdout) { this.stdout = stdout; } public void setStderr(String stderr) { this.stderr = stderr; } public boolean failed() { return (exitCode == FAILURE); } public void setCommand(String command) { this.command = command; } public void setExitCode(Integer exitCode) { this.exitCode = exitCode; } public String getJobId() { return jobId; } public void setJobId(String jobId) { this.jobId = jobId; } public Long getId() { return id; } public void setId(Long id) { this.id = id; } public String getCaller() { return caller; } public void setCaller(String caller) { this.caller = caller; } public File getWorkingDir() { return workingDir; } public void setWorkingDir(File workingDir) { this.workingDir = workingDir; } public Integer getPercentProgress() { return percentProgress; } public void setPercentProgress(Integer progress) { this.percentProgress = progress; } @Override public String toString() { return "CommandResult{" + "command=[" + command + "]" + ", jobId=[" + jobId + ']' + ", command_id=[" + id + ']' + ", caller=[" + caller + ']' + ", workingDir=[" + workingDir.getAbsolutePath() + ']' + ", start=[" + start + ']' + ", finish=[" + finish + ']' + ", duration=[" + getDuration() + "]" + ", exitCode=[" + exitCode + ']' + ", stdout=[" + stdout + ']' + ", stderr=[" + stderr + ']' + '}'; } }
.version 52 0 .class public super CommandResult .super java/lang/Object .field public static final SUCCESS I = 0 .field public static final FAILURE I = -1 .field private id Ljava/lang/Long; .field private command Ljava/lang/String; .field private exitCode Ljava/lang/Integer; .field private stdout Ljava/lang/String; .field private stderr Ljava/lang/String; .field private start Ljava/time/LocalDateTime; .field private finish Ljava/time/LocalDateTime; .field private jobId Ljava/lang/String; .field private caller Ljava/lang/String; .field private workingDir Ljava/io/File; .field private percentProgress Ljava/lang/Integer; .method public <init> : ()V .code stack 2 locals 1 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: aload_0 L5: iconst_0 L6: invokestatic Method java/lang/Integer valueOf (I)Ljava/lang/Integer; L9: putfield Field CommandResult percentProgress Ljava/lang/Integer; L12: return L13: .linenumbertable L0 52 L4 53 L12 54 .end linenumbertable .end code .end method .method public getCommand : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field CommandResult command Ljava/lang/String; L4: areturn L5: .linenumbertable L0 57 .end linenumbertable .end code .end method .method public getExitCode : ()Ljava/lang/Integer; .code stack 1 locals 1 L0: aload_0 L1: getfield Field CommandResult exitCode Ljava/lang/Integer; L4: areturn L5: .linenumbertable L0 61 .end linenumbertable .end code .end method .method public getStart : ()Ljava/time/LocalDateTime; .code stack 1 locals 1 L0: aload_0 L1: getfield Field CommandResult start Ljava/time/LocalDateTime; L4: areturn L5: .linenumbertable L0 65 .end linenumbertable .end code .end method .method public setStart : (Ljava/time/LocalDateTime;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field CommandResult start Ljava/time/LocalDateTime; L5: return L6: .linenumbertable L0 69 L5 70 .end linenumbertable .end code .end method .method public getFinish : ()Ljava/time/LocalDateTime; .code stack 1 locals 1 L0: aload_0 L1: getfield Field CommandResult finish Ljava/time/LocalDateTime; L4: areturn L5: .linenumbertable L0 73 .end linenumbertable .end code .end method .method public setFinish : (Ljava/time/LocalDateTime;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field CommandResult finish Ljava/time/LocalDateTime; L5: return L6: .linenumbertable L0 77 L5 78 .end linenumbertable .end code .end method .method public getStderr : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field CommandResult stderr Ljava/lang/String; L4: areturn L5: .linenumbertable L0 81 .end linenumbertable .end code .end method .method public getDuration : ()Ljava/time/Duration; .code stack 2 locals 1 L0: aload_0 L1: getfield Field CommandResult start Ljava/time/LocalDateTime; L4: ifnull L28 L7: aload_0 L8: getfield Field CommandResult finish Ljava/time/LocalDateTime; L11: ifnull L28 L14: aload_0 L15: getfield Field CommandResult finish Ljava/time/LocalDateTime; L18: aload_0 L19: getfield Field CommandResult start Ljava/time/LocalDateTime; L22: invokestatic Method java/time/Duration between (Ljava/time/temporal/Temporal;Ljava/time/temporal/Temporal;)Ljava/time/Duration; L25: goto L29 .stack same L28: aconst_null .stack stack_1 Object java/time/Duration L29: areturn L30: .linenumbertable L0 85 .end linenumbertable .end code .end method .method public getStdout : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field CommandResult stdout Ljava/lang/String; L4: areturn L5: .linenumbertable L0 89 .end linenumbertable .end code .end method .method public setStdout : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field CommandResult stdout Ljava/lang/String; L5: return L6: .linenumbertable L0 93 L5 94 .end linenumbertable .end code .end method .method public setStderr : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field CommandResult stderr Ljava/lang/String; L5: return L6: .linenumbertable L0 97 L5 98 .end linenumbertable .end code .end method .method public failed : ()Z .code stack 2 locals 1 L0: aload_0 L1: getfield Field CommandResult exitCode Ljava/lang/Integer; L4: invokevirtual Method java/lang/Integer intValue ()I L7: iconst_m1 L8: if_icmpne L15 L11: iconst_1 L12: goto L16 .stack same L15: iconst_0 .stack stack_1 Integer L16: ireturn L17: .linenumbertable L0 101 .end linenumbertable .end code .end method .method public setCommand : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field CommandResult command Ljava/lang/String; L5: return L6: .linenumbertable L0 105 L5 106 .end linenumbertable .end code .end method .method public setExitCode : (Ljava/lang/Integer;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field CommandResult exitCode Ljava/lang/Integer; L5: return L6: .linenumbertable L0 109 L5 110 .end linenumbertable .end code .end method .method public getJobId : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field CommandResult jobId Ljava/lang/String; L4: areturn L5: .linenumbertable L0 113 .end linenumbertable .end code .end method .method public setJobId : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field CommandResult jobId Ljava/lang/String; L5: return L6: .linenumbertable L0 117 L5 118 .end linenumbertable .end code .end method .method public getId : ()Ljava/lang/Long; .code stack 1 locals 1 L0: aload_0 L1: getfield Field CommandResult id Ljava/lang/Long; L4: areturn L5: .linenumbertable L0 121 .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 CommandResult id Ljava/lang/Long; L5: return L6: .linenumbertable L0 125 L5 126 .end linenumbertable .end code .end method .method public getCaller : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field CommandResult caller Ljava/lang/String; L4: areturn L5: .linenumbertable L0 129 .end linenumbertable .end code .end method .method public setCaller : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field CommandResult caller Ljava/lang/String; L5: return L6: .linenumbertable L0 133 L5 134 .end linenumbertable .end code .end method .method public getWorkingDir : ()Ljava/io/File; .code stack 1 locals 1 L0: aload_0 L1: getfield Field CommandResult workingDir Ljava/io/File; L4: areturn L5: .linenumbertable L0 137 .end linenumbertable .end code .end method .method public setWorkingDir : (Ljava/io/File;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field CommandResult workingDir Ljava/io/File; L5: return L6: .linenumbertable L0 141 L5 142 .end linenumbertable .end code .end method .method public getPercentProgress : ()Ljava/lang/Integer; .code stack 1 locals 1 L0: aload_0 L1: getfield Field CommandResult percentProgress Ljava/lang/Integer; L4: areturn L5: .linenumbertable L0 145 .end linenumbertable .end code .end method .method public setPercentProgress : (Ljava/lang/Integer;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field CommandResult percentProgress Ljava/lang/Integer; L5: return L6: .linenumbertable L0 149 L5 150 .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 'CommandResult{command=[' L9: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L12: aload_0 L13: getfield Field CommandResult command Ljava/lang/String; L16: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L19: ldc '], jobId=[' L21: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L24: aload_0 L25: getfield Field CommandResult jobId Ljava/lang/String; L28: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L31: bipush 93 L33: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder; L36: ldc ', command_id=[' L38: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L41: aload_0 L42: getfield Field CommandResult id Ljava/lang/Long; L45: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/Object;)Ljava/lang/StringBuilder; L48: bipush 93 L50: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder; L53: ldc ', caller=[' L55: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L58: aload_0 L59: getfield Field CommandResult caller Ljava/lang/String; L62: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L65: bipush 93 L67: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder; L70: ldc ', workingDir=[' L72: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L75: aload_0 L76: getfield Field CommandResult workingDir Ljava/io/File; L79: invokevirtual Method java/io/File getAbsolutePath ()Ljava/lang/String; L82: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L85: bipush 93 L87: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder; L90: ldc ', start=[' L92: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L95: aload_0 L96: getfield Field CommandResult start Ljava/time/LocalDateTime; L99: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/Object;)Ljava/lang/StringBuilder; L102: bipush 93 L104: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder; L107: ldc ', finish=[' L109: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L112: aload_0 L113: getfield Field CommandResult finish Ljava/time/LocalDateTime; L116: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/Object;)Ljava/lang/StringBuilder; L119: bipush 93 L121: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder; L124: ldc ', duration=[' L126: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L129: aload_0 L130: invokevirtual Method CommandResult getDuration ()Ljava/time/Duration; L133: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/Object;)Ljava/lang/StringBuilder; L136: ldc '], exitCode=[' L138: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L141: aload_0 L142: getfield Field CommandResult exitCode Ljava/lang/Integer; L145: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/Object;)Ljava/lang/StringBuilder; L148: bipush 93 L150: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder; L153: ldc ', stdout=[' L155: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L158: aload_0 L159: getfield Field CommandResult stdout Ljava/lang/String; L162: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L165: bipush 93 L167: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder; L170: ldc ', stderr=[' L172: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L175: aload_0 L176: getfield Field CommandResult stderr Ljava/lang/String; L179: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L182: bipush 93 L184: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder; L187: bipush 125 L189: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder; L192: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; L195: areturn L196: .linenumbertable L0 154 L79 159 L130 162 L195 154 .end linenumbertable .end code .end method .sourcefile 'CommandResult.java' .end class
/* * This file was automatically generated by EvoSuite * Fri Jul 01 04:36:24 GMT 2022 */ import org.junit.Test; import static org.junit.Assert.*; import java.time.Clock; import java.time.Duration; import java.time.LocalDate; import java.time.LocalDateTime; import java.time.LocalTime; import java.time.ZoneId; import java.time.ZoneOffset; import org.evosuite.runtime.EvoRunner; import org.evosuite.runtime.EvoRunnerParameters; import org.evosuite.runtime.mock.java.io.MockFile; import org.evosuite.runtime.mock.java.time.MockClock; import org.evosuite.runtime.mock.java.time.MockLocalDate; import org.evosuite.runtime.mock.java.time.MockLocalDateTime; import org.evosuite.runtime.mock.java.time.MockLocalTime; import org.junit.runner.RunWith; @RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) public class CommandResult_ESTest extends CommandResult_ESTest_scaffolding { @Test(timeout = 4000) public void test00() throws Throwable { CommandResult commandResult0 = new CommandResult(); Integer integer0 = new Integer((-18121)); commandResult0.setExitCode(integer0); boolean boolean0 = commandResult0.failed(); assertEquals(0, (int)commandResult0.getPercentProgress()); assertFalse(boolean0); } @Test(timeout = 4000) public void test01() throws Throwable { CommandResult commandResult0 = new CommandResult(); MockFile mockFile0 = new MockFile("j]^jeB:jtz,Dik\"%Hl"); commandResult0.setWorkingDir(mockFile0); String string0 = commandResult0.toString(); assertEquals("CommandResult{command=[null], jobId=[null], command_id=[null], caller=[null], workingDir=[/tmp/tmpalou0yy6/j]^jeB:jtz,Dik\"%Hl], start=[null], finish=[null], duration=[null], exitCode=[null], stdout=[null], stderr=[null]}", string0); assertEquals(0, (int)commandResult0.getPercentProgress()); } @Test(timeout = 4000) public void test02() throws Throwable { CommandResult commandResult0 = new CommandResult(); MockFile mockFile0 = new MockFile(""); commandResult0.setWorkingDir(mockFile0); commandResult0.getWorkingDir(); assertEquals(0, (int)commandResult0.getPercentProgress()); } @Test(timeout = 4000) public void test03() throws Throwable { CommandResult commandResult0 = new CommandResult(); MockFile mockFile0 = new MockFile(", stderr=[", ", stderr=["); commandResult0.setWorkingDir(mockFile0); commandResult0.getWorkingDir(); assertEquals(0, (int)commandResult0.getPercentProgress()); } @Test(timeout = 4000) public void test04() throws Throwable { CommandResult commandResult0 = new CommandResult(); commandResult0.setStdout("0Mdd_y9E{z@t~]2;E"); commandResult0.getStdout(); assertEquals(0, (int)commandResult0.getPercentProgress()); } @Test(timeout = 4000) public void test05() throws Throwable { CommandResult commandResult0 = new CommandResult(); commandResult0.setStdout(""); commandResult0.getStdout(); assertEquals(0, (int)commandResult0.getPercentProgress()); } @Test(timeout = 4000) public void test06() throws Throwable { CommandResult commandResult0 = new CommandResult(); commandResult0.setStderr(", workingDir=["); commandResult0.getStderr(); assertEquals(0, (int)commandResult0.getPercentProgress()); } @Test(timeout = 4000) public void test07() throws Throwable { CommandResult commandResult0 = new CommandResult(); commandResult0.setStderr(""); commandResult0.getStderr(); assertEquals(0, (int)commandResult0.getPercentProgress()); } @Test(timeout = 4000) public void test08() throws Throwable { CommandResult commandResult0 = new CommandResult(); Clock clock0 = MockClock.systemUTC(); LocalDateTime localDateTime0 = MockLocalDateTime.now(clock0); commandResult0.setStart(localDateTime0); commandResult0.getStart(); assertEquals(0, (int)commandResult0.getPercentProgress()); } @Test(timeout = 4000) public void test09() throws Throwable { CommandResult commandResult0 = new CommandResult(); commandResult0.setPercentProgress((Integer) null); Integer integer0 = commandResult0.getPercentProgress(); assertNull(integer0); } @Test(timeout = 4000) public void test10() throws Throwable { CommandResult commandResult0 = new CommandResult(); Integer integer0 = new Integer(1); commandResult0.setPercentProgress(integer0); Integer integer1 = commandResult0.getPercentProgress(); assertEquals(1, (int)integer1); } @Test(timeout = 4000) public void test11() throws Throwable { CommandResult commandResult0 = new CommandResult(); commandResult0.setJobId("Bpe_n"); commandResult0.getJobId(); assertEquals(0, (int)commandResult0.getPercentProgress()); } @Test(timeout = 4000) public void test12() throws Throwable { CommandResult commandResult0 = new CommandResult(); commandResult0.setJobId(""); commandResult0.getJobId(); assertEquals(0, (int)commandResult0.getPercentProgress()); } @Test(timeout = 4000) public void test13() throws Throwable { CommandResult commandResult0 = new CommandResult(); Long long0 = new Long((-15218L)); commandResult0.setId(long0); commandResult0.getId(); assertEquals(0, (int)commandResult0.getPercentProgress()); } @Test(timeout = 4000) public void test14() throws Throwable { CommandResult commandResult0 = new CommandResult(); Long long0 = new Long(0); commandResult0.setId(long0); commandResult0.getId(); assertEquals(0, (int)commandResult0.getPercentProgress()); } @Test(timeout = 4000) public void test15() throws Throwable { CommandResult commandResult0 = new CommandResult(); Long long0 = new Long(1L); commandResult0.setId(long0); commandResult0.getId(); assertEquals(0, (int)commandResult0.getPercentProgress()); } @Test(timeout = 4000) public void test16() throws Throwable { CommandResult commandResult0 = new CommandResult(); ZoneOffset zoneOffset0 = ZoneOffset.MAX; LocalDateTime localDateTime0 = MockLocalDateTime.ofEpochSecond((-9160L), 0, zoneOffset0); commandResult0.setFinish(localDateTime0); commandResult0.getFinish(); assertEquals(0, (int)commandResult0.getPercentProgress()); } @Test(timeout = 4000) public void test17() throws Throwable { CommandResult commandResult0 = new CommandResult(); commandResult0.setExitCode((Integer) commandResult0.SUCCESS); commandResult0.getExitCode(); assertEquals(0, (int)commandResult0.getPercentProgress()); } @Test(timeout = 4000) public void test18() throws Throwable { CommandResult commandResult0 = new CommandResult(); Integer integer0 = Integer.getInteger("", 1); commandResult0.setExitCode(integer0); commandResult0.getExitCode(); assertEquals(0, (int)commandResult0.getPercentProgress()); } @Test(timeout = 4000) public void test19() throws Throwable { CommandResult commandResult0 = new CommandResult(); Integer integer0 = Integer.valueOf((-1)); commandResult0.setExitCode(integer0); commandResult0.getExitCode(); assertEquals(0, (int)commandResult0.getPercentProgress()); } @Test(timeout = 4000) public void test20() throws Throwable { CommandResult commandResult0 = new CommandResult(); commandResult0.setCommand("bYx'c"); commandResult0.getCommand(); assertEquals(0, (int)commandResult0.getPercentProgress()); } @Test(timeout = 4000) public void test21() throws Throwable { CommandResult commandResult0 = new CommandResult(); commandResult0.setCommand(""); commandResult0.getCommand(); assertEquals(0, (int)commandResult0.getPercentProgress()); } @Test(timeout = 4000) public void test22() throws Throwable { CommandResult commandResult0 = new CommandResult(); commandResult0.setCaller("2sW}Y~!urp"); commandResult0.getCaller(); assertEquals(0, (int)commandResult0.getPercentProgress()); } @Test(timeout = 4000) public void test23() throws Throwable { CommandResult commandResult0 = new CommandResult(); commandResult0.setCaller(""); commandResult0.getCaller(); assertEquals(0, (int)commandResult0.getPercentProgress()); } @Test(timeout = 4000) public void test24() throws Throwable { CommandResult commandResult0 = new CommandResult(); commandResult0.setExitCode((Integer) commandResult0.SUCCESS); boolean boolean0 = commandResult0.failed(); assertEquals(0, (int)commandResult0.getPercentProgress()); assertFalse(boolean0); } @Test(timeout = 4000) public void test25() throws Throwable { CommandResult commandResult0 = new CommandResult(); ZoneId zoneId0 = ZoneId.systemDefault(); LocalDate localDate0 = MockLocalDate.now(zoneId0); LocalTime localTime0 = MockLocalTime.now(zoneId0); LocalDateTime localDateTime0 = MockLocalDateTime.of(localDate0, localTime0); commandResult0.setStart(localDateTime0); commandResult0.setFinish(localDateTime0); Duration duration0 = commandResult0.getDuration(); assertEquals(0, (int)commandResult0.getPercentProgress()); assertNotNull(duration0); } @Test(timeout = 4000) public void test26() throws Throwable { CommandResult commandResult0 = new CommandResult(); commandResult0.getDuration(); assertEquals(0, (int)commandResult0.getPercentProgress()); } @Test(timeout = 4000) public void test27() throws Throwable { CommandResult commandResult0 = new CommandResult(); commandResult0.getJobId(); assertEquals(0, (int)commandResult0.getPercentProgress()); } @Test(timeout = 4000) public void test28() throws Throwable { CommandResult commandResult0 = new CommandResult(); commandResult0.getWorkingDir(); assertEquals(0, (int)commandResult0.getPercentProgress()); } @Test(timeout = 4000) public void test29() throws Throwable { CommandResult commandResult0 = new CommandResult(); commandResult0.setPercentProgress((Integer) (-1)); Integer integer0 = commandResult0.getPercentProgress(); assertEquals((-1), (int)integer0); } @Test(timeout = 4000) public void test30() throws Throwable { CommandResult commandResult0 = new CommandResult(); commandResult0.getStart(); assertEquals(0, (int)commandResult0.getPercentProgress()); } @Test(timeout = 4000) public void test31() throws Throwable { CommandResult commandResult0 = new CommandResult(); commandResult0.getCaller(); assertEquals(0, (int)commandResult0.getPercentProgress()); } @Test(timeout = 4000) public void test32() throws Throwable { CommandResult commandResult0 = new CommandResult(); commandResult0.getStdout(); assertEquals(0, (int)commandResult0.getPercentProgress()); } @Test(timeout = 4000) public void test33() throws Throwable { CommandResult commandResult0 = new CommandResult(); ZoneId zoneId0 = ZoneId.systemDefault(); LocalDate localDate0 = MockLocalDate.now(zoneId0); LocalTime localTime0 = MockLocalTime.now(zoneId0); LocalDateTime localDateTime0 = MockLocalDateTime.of(localDate0, localTime0); commandResult0.setStart(localDateTime0); commandResult0.getDuration(); assertEquals(0, (int)commandResult0.getPercentProgress()); } @Test(timeout = 4000) public void test34() throws Throwable { CommandResult commandResult0 = new CommandResult(); commandResult0.getExitCode(); assertEquals(0, (int)commandResult0.getPercentProgress()); } @Test(timeout = 4000) public void test35() throws Throwable { CommandResult commandResult0 = new CommandResult(); commandResult0.getCommand(); assertEquals(0, (int)commandResult0.getPercentProgress()); } @Test(timeout = 4000) public void test36() throws Throwable { CommandResult commandResult0 = new CommandResult(); commandResult0.getFinish(); assertEquals(0, (int)commandResult0.getPercentProgress()); } @Test(timeout = 4000) public void test37() throws Throwable { CommandResult commandResult0 = new CommandResult(); commandResult0.getStderr(); assertEquals(0, (int)commandResult0.getPercentProgress()); } @Test(timeout = 4000) public void test38() throws Throwable { CommandResult commandResult0 = new CommandResult(); Integer integer0 = commandResult0.getPercentProgress(); assertEquals(0, (int)integer0); } @Test(timeout = 4000) public void test39() throws Throwable { CommandResult commandResult0 = new CommandResult(); commandResult0.getId(); assertEquals(0, (int)commandResult0.getPercentProgress()); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Fri Jul 01 04:36: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 CommandResult_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000); @BeforeClass public static void initEvoSuiteFramework() { org.evosuite.runtime.RuntimeSettings.className = "CommandResult"; org.evosuite.runtime.GuiSupport.initialize(); org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); org.evosuite.runtime.classhandling.JDKClassResetter.init(); setSystemProperties(); initializeClasses(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); } @AfterClass public static void clearEvoSuiteFramework(){ Sandbox.resetDefaultSecurityManager(); java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); } @Before public void initTestCase(){ threadStopper.storeCurrentThreads(); threadStopper.startRecordingTime(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); setSystemProperties(); org.evosuite.runtime.GuiSupport.setHeadless(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); org.evosuite.runtime.agent.InstrumentingAgent.activate(); } @After public void doneWithTestCase(){ threadStopper.killAndJoinClientThreads(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); org.evosuite.runtime.classhandling.JDKClassResetter.reset(); resetClasses(); org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); } public static void setSystemProperties() { java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); java.lang.System.setProperty("file.encoding", "UTF-8"); java.lang.System.setProperty("java.awt.headless", "true"); java.lang.System.setProperty("java.io.tmpdir", "/tmp"); java.lang.System.setProperty("user.country", "US"); java.lang.System.setProperty("user.dir", "/tmp/tmpalou0yy6"); java.lang.System.setProperty("user.home", "/home/bmcdanel"); java.lang.System.setProperty("user.language", "en"); java.lang.System.setProperty("user.name", "bmcdanel"); java.lang.System.setProperty("user.timezone", "America/New_York"); } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(CommandResult_ESTest_scaffolding.class.getClassLoader() , "CommandResult" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(CommandResult_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "CommandResult" ); } }
2,287
Order
import java.io.Serializable; public class Order implements Serializable { /** */ private static final long serialVersionUID = 1L; String id; String clientName; int amount; public Order() {} public Order(String id, String client, int amount) { this.id = id; this.clientName = client; this.amount = amount; } public String getId() { return id; } public void setId(String id) { this.id = id; } public String getClientName() { return clientName; } public void setClientName(String clientName) { this.clientName = clientName; } public int getAmount() { return amount; } public void setAmount(int amount) { this.amount = amount; } @Override public int hashCode() { final int prime = 31; int result = 1; result = prime * result + amount; result = prime * result + ((clientName == null) ? 0 : clientName.hashCode()); result = prime * result + ((id == null) ? 0 : id.hashCode()); return result; } @Override public boolean equals(Object obj) { if (this == obj) return true; if (obj == null) return false; if (getClass() != obj.getClass()) return false; final Order other = (Order) obj; if (amount != other.amount) return false; if (clientName == null) { if (other.clientName != null) return false; } else if (!clientName.equals(other.clientName)) return false; if (id == null) { if (other.id != null) return false; } else if (!id.equals(other.id)) return false; return true; } }
.version 52 0 .class public super Order .super java/lang/Object .implements java/io/Serializable .field private static final serialVersionUID J = 1L .field id Ljava/lang/String; .field clientName Ljava/lang/String; .field amount 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 16 .end linenumbertable .end code .end method .method public <init> : (Ljava/lang/String;Ljava/lang/String;I)V .code stack 2 locals 4 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: aload_0 L5: aload_1 L6: putfield Field Order id Ljava/lang/String; L9: aload_0 L10: aload_2 L11: putfield Field Order clientName Ljava/lang/String; L14: aload_0 L15: iload_3 L16: putfield Field Order amount I L19: return L20: .linenumbertable L0 18 L4 20 L9 21 L14 22 L19 23 .end linenumbertable .end code .end method .method public getId : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field Order id Ljava/lang/String; L4: areturn L5: .linenumbertable L0 26 .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 Order id Ljava/lang/String; L5: return L6: .linenumbertable L0 30 L5 31 .end linenumbertable .end code .end method .method public getClientName : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field Order clientName Ljava/lang/String; L4: areturn L5: .linenumbertable L0 34 .end linenumbertable .end code .end method .method public setClientName : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field Order clientName Ljava/lang/String; L5: return L6: .linenumbertable L0 38 L5 39 .end linenumbertable .end code .end method .method public getAmount : ()I .code stack 1 locals 1 L0: aload_0 L1: getfield Field Order amount I L4: ireturn L5: .linenumbertable L0 42 .end linenumbertable .end code .end method .method public setAmount : (I)V .code stack 2 locals 2 L0: aload_0 L1: iload_1 L2: putfield Field Order amount I L5: return L6: .linenumbertable L0 46 L5 47 .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 Order amount I L10: iadd L11: istore_2 L12: bipush 31 L14: iload_2 L15: imul L16: aload_0 L17: getfield Field Order clientName Ljava/lang/String; L20: ifnonnull L27 L23: iconst_0 L24: goto L34 .stack full locals Object Order Top Integer stack Integer .end stack L27: aload_0 L28: getfield Field Order clientName Ljava/lang/String; L31: invokevirtual Method java/lang/String hashCode ()I .stack full locals Object Order Top Integer stack Integer Integer .end stack L34: iadd L35: istore_2 L36: bipush 31 L38: iload_2 L39: imul L40: aload_0 L41: getfield Field Order id Ljava/lang/String; L44: ifnonnull L51 L47: iconst_0 L48: goto L58 .stack stack_1 Integer L51: aload_0 L52: getfield Field Order id Ljava/lang/String; L55: invokevirtual Method java/lang/String hashCode ()I .stack full locals Object Order Top Integer stack Integer Integer .end stack L58: iadd L59: istore_2 L60: iload_2 L61: ireturn L62: .linenumbertable L0 53 L2 54 L12 55 L36 56 L60 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: 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 Order L30: astore_2 L31: aload_0 L32: getfield Field Order amount I L35: aload_2 L36: getfield Field Order amount I L39: if_icmpeq L44 L42: iconst_0 L43: ireturn .stack append Object Order L44: aload_0 L45: getfield Field Order clientName Ljava/lang/String; L48: ifnonnull L60 L51: aload_2 L52: getfield Field Order clientName Ljava/lang/String; L55: ifnull L76 L58: iconst_0 L59: ireturn .stack same L60: aload_0 L61: getfield Field Order clientName Ljava/lang/String; L64: aload_2 L65: getfield Field Order clientName Ljava/lang/String; L68: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z L71: ifne L76 L74: iconst_0 L75: ireturn .stack same L76: aload_0 L77: getfield Field Order id Ljava/lang/String; L80: ifnonnull L92 L83: aload_2 L84: getfield Field Order id Ljava/lang/String; L87: ifnull L108 L90: iconst_0 L91: ireturn .stack same L92: aload_0 L93: getfield Field Order id Ljava/lang/String; L96: aload_2 L97: getfield Field Order id Ljava/lang/String; L100: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z L103: ifne L108 L106: iconst_0 L107: ireturn .stack same L108: iconst_1 L109: ireturn L110: .linenumbertable L0 62 L5 63 L7 64 L11 65 L13 66 L24 67 L26 68 L31 69 L42 70 L44 71 L51 72 L58 73 L60 74 L74 75 L76 76 L83 77 L90 78 L92 79 L106 80 L108 81 .end linenumbertable .end code .end method .sourcefile 'Order.java' .end class
/* * This file was automatically generated by EvoSuite * Fri Jul 01 11:50: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 Order_ESTest extends Order_ESTest_scaffolding { @Test(timeout = 4000) public void test00() throws Throwable { Order order0 = new Order(); Order order1 = new Order("I$(HbYp/jJA?nr", "I$(HbYp/jJA?nr", (-573)); boolean boolean0 = order0.equals(order1); assertFalse(boolean0); assertEquals((-573), order1.getAmount()); } @Test(timeout = 4000) public void test01() throws Throwable { Order order0 = new Order(); order0.clientName = "w^:/TePIo=-q>FMB[L"; order0.hashCode(); } @Test(timeout = 4000) public void test02() throws Throwable { Order order0 = new Order(); order0.setAmount(35163); order0.hashCode(); assertEquals(35163, order0.getAmount()); } @Test(timeout = 4000) public void test03() throws Throwable { Order order0 = new Order(); String string0 = order0.getId(); assertNull(string0); } @Test(timeout = 4000) public void test04() throws Throwable { Order order0 = new Order(); order0.id = "j!*D"; String string0 = order0.getId(); assertEquals("j!*D", string0); } @Test(timeout = 4000) public void test05() throws Throwable { Order order0 = new Order(); order0.setClientName("'k5&V9FBWAjNrY"); String string0 = order0.getClientName(); assertEquals("'k5&V9FBWAjNrY", string0); } @Test(timeout = 4000) public void test06() throws Throwable { Order order0 = new Order(); order0.setClientName(""); String string0 = order0.getClientName(); assertEquals("", string0); } @Test(timeout = 4000) public void test07() throws Throwable { Order order0 = new Order(); order0.setAmount(15461); int int0 = order0.getAmount(); assertEquals(15461, int0); } @Test(timeout = 4000) public void test08() throws Throwable { Order order0 = new Order(); order0.setAmount((-3382)); int int0 = order0.getAmount(); assertEquals((-3382), int0); } @Test(timeout = 4000) public void test09() throws Throwable { Order order0 = new Order(); order0.setClientName(""); Order order1 = new Order("", "", 0); assertFalse(order1.equals((Object)order0)); order0.setId(""); boolean boolean0 = order0.equals(order1); assertTrue(order1.equals((Object)order0)); assertTrue(boolean0); } @Test(timeout = 4000) public void test10() throws Throwable { Order order0 = new Order(); order0.setId("qT!W"); Order order1 = new Order(); boolean boolean0 = order0.equals(order1); assertFalse(boolean0); } @Test(timeout = 4000) public void test11() throws Throwable { Order order0 = new Order(); order0.setClientName(""); Order order1 = new Order(); boolean boolean0 = order0.equals(order1); assertFalse(boolean0); } @Test(timeout = 4000) public void test12() throws Throwable { Order order0 = new Order(); Order order1 = new Order("", "", 0); boolean boolean0 = order0.equals(order1); assertEquals(0, order1.getAmount()); assertFalse(boolean0); } @Test(timeout = 4000) public void test13() throws Throwable { Order order0 = new Order(); order0.setClientName(""); Order order1 = new Order("", "", 0); boolean boolean0 = order0.equals(order1); assertEquals(0, order1.getAmount()); assertFalse(boolean0); } @Test(timeout = 4000) public void test14() throws Throwable { Order order0 = new Order(); Order order1 = new Order(); order0.setAmount(35163); boolean boolean0 = order1.equals(order0); assertEquals(35163, order0.getAmount()); assertFalse(boolean0); } @Test(timeout = 4000) public void test15() throws Throwable { Order order0 = new Order(); Order order1 = new Order(); boolean boolean0 = order0.equals(order1); assertTrue(boolean0); } @Test(timeout = 4000) public void test16() throws Throwable { Order order0 = new Order(); boolean boolean0 = order0.equals((Object) null); assertFalse(boolean0); } @Test(timeout = 4000) public void test17() throws Throwable { Order order0 = new Order(); boolean boolean0 = order0.equals(order0); assertTrue(boolean0); } @Test(timeout = 4000) public void test18() throws Throwable { Order order0 = new Order(); Object object0 = new Object(); boolean boolean0 = order0.equals(object0); assertFalse(boolean0); } @Test(timeout = 4000) public void test19() throws Throwable { Order order0 = new Order(); String string0 = order0.getClientName(); assertNull(string0); } @Test(timeout = 4000) public void test20() throws Throwable { Order order0 = new Order(); int int0 = order0.getAmount(); assertEquals(0, int0); } @Test(timeout = 4000) public void test21() throws Throwable { Order order0 = new Order(); order0.setId("qT!W"); order0.hashCode(); } @Test(timeout = 4000) public void test22() throws Throwable { Order order0 = new Order("", "", 67253); order0.getId(); assertEquals(67253, order0.getAmount()); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Fri Jul 01 11:50: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 Order_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000); @BeforeClass public static void initEvoSuiteFramework() { org.evosuite.runtime.RuntimeSettings.className = "Order"; org.evosuite.runtime.GuiSupport.initialize(); org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); org.evosuite.runtime.classhandling.JDKClassResetter.init(); setSystemProperties(); initializeClasses(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); } @AfterClass public static void clearEvoSuiteFramework(){ Sandbox.resetDefaultSecurityManager(); java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); } @Before public void initTestCase(){ threadStopper.storeCurrentThreads(); threadStopper.startRecordingTime(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); setSystemProperties(); org.evosuite.runtime.GuiSupport.setHeadless(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); org.evosuite.runtime.agent.InstrumentingAgent.activate(); } @After public void doneWithTestCase(){ threadStopper.killAndJoinClientThreads(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); org.evosuite.runtime.classhandling.JDKClassResetter.reset(); resetClasses(); org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); } public static void setSystemProperties() { java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); java.lang.System.setProperty("file.encoding", "UTF-8"); java.lang.System.setProperty("java.awt.headless", "true"); java.lang.System.setProperty("java.io.tmpdir", "/tmp"); java.lang.System.setProperty("user.country", "US"); java.lang.System.setProperty("user.dir", "/tmp/tmp5qc6zr5m"); java.lang.System.setProperty("user.home", "/home/bmcdanel"); java.lang.System.setProperty("user.language", "en"); java.lang.System.setProperty("user.name", "bmcdanel"); java.lang.System.setProperty("user.timezone", "America/New_York"); } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Order_ESTest_scaffolding.class.getClassLoader() , "Order" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Order_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "Order" ); } }
2,288
Marker
/** * Marker.java * * <p>Version information : * * <p>Date:2012-8-15 * * <p>Copyright notice : 本文件及其附带的相关文件包含机密信息,仅限瀚特盛科技有限公司指定的,与本项目有关的内部人员和客户联络人员查阅和使用。 * 如果您不是本保密声明中指定的收件者,请立即销毁本文件,禁止对本文件或根据本文件中的内容采取任何其他行动, * 包括但不限于:泄露本文件中的信息、以任何方式制作本文件全部或部分内容之副本、将本文件或其相关副本提供给任何其他人。 */ /** * @author Jason * @version * @since JDK1.6 */ public class Marker { private int offset; private int endOffset; private String content; public Marker() {} public Marker(int offset, int endoffset, String content) { this.offset = offset; this.endOffset = endoffset; this.content = content; } /** * @return the offset */ public int getOffset() { return offset; } /** * @param offset the offset to set */ public void setOffset(int offset) { this.offset = offset; } /** * @return the endOffset */ public int getEndOffset() { return endOffset; } /** * @param endOffset the endOffset to set */ public void setEndOffset(int endOffset) { this.endOffset = endOffset; } /** * @return the content */ public String getContent() { return content; } /** * @param content the content to set */ public void setContent(String content) { this.content = content; } }
.version 52 0 .class public super Marker .super java/lang/Object .field private offset I .field private endOffset I .field private content 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 26 L4 28 .end linenumbertable .end code .end method .method public <init> : (IILjava/lang/String;)V .code stack 2 locals 4 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: aload_0 L5: iload_1 L6: putfield Field Marker offset I L9: aload_0 L10: iload_2 L11: putfield Field Marker endOffset I L14: aload_0 L15: aload_3 L16: putfield Field Marker content Ljava/lang/String; L19: return L20: .linenumbertable L0 30 L4 31 L9 32 L14 33 L19 34 .end linenumbertable .end code .end method .method public getOffset : ()I .code stack 1 locals 1 L0: aload_0 L1: getfield Field Marker offset I L4: ireturn L5: .linenumbertable L0 38 .end linenumbertable .end code .end method .method public setOffset : (I)V .code stack 2 locals 2 L0: aload_0 L1: iload_1 L2: putfield Field Marker offset I L5: return L6: .linenumbertable L0 46 L5 47 .end linenumbertable .end code .end method .method public getEndOffset : ()I .code stack 1 locals 1 L0: aload_0 L1: getfield Field Marker endOffset I L4: ireturn L5: .linenumbertable L0 51 .end linenumbertable .end code .end method .method public setEndOffset : (I)V .code stack 2 locals 2 L0: aload_0 L1: iload_1 L2: putfield Field Marker endOffset I L5: return L6: .linenumbertable L0 59 L5 60 .end linenumbertable .end code .end method .method public getContent : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field Marker content Ljava/lang/String; L4: areturn L5: .linenumbertable L0 64 .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 Marker content Ljava/lang/String; L5: return L6: .linenumbertable L0 72 L5 73 .end linenumbertable .end code .end method .sourcefile 'Marker.java' .end class
/* * This file was automatically generated by EvoSuite * Fri Jul 01 23:57: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 Marker_ESTest extends Marker_ESTest_scaffolding { @Test(timeout = 4000) public void test00() throws Throwable { Marker marker0 = new Marker(); int int0 = marker0.getOffset(); assertEquals(0, int0); } @Test(timeout = 4000) public void test01() throws Throwable { Marker marker0 = new Marker((-14110), 9529, "Marker"); int int0 = marker0.getOffset(); assertEquals(9529, marker0.getEndOffset()); assertEquals((-14110), int0); } @Test(timeout = 4000) public void test02() throws Throwable { Marker marker0 = new Marker(); int int0 = marker0.getEndOffset(); assertEquals(0, int0); } @Test(timeout = 4000) public void test03() throws Throwable { Marker marker0 = new Marker(4090, 4090, ""); marker0.setEndOffset((-50867)); int int0 = marker0.getEndOffset(); assertEquals((-50867), int0); } @Test(timeout = 4000) public void test04() throws Throwable { Marker marker0 = new Marker(4090, 4090, ""); marker0.getContent(); assertEquals(4090, marker0.getEndOffset()); assertEquals(4090, marker0.getOffset()); } @Test(timeout = 4000) public void test05() throws Throwable { Marker marker0 = new Marker(30261, 30261, "z5J-uuj_KM,8`0j0rAv"); marker0.getContent(); assertEquals(30261, marker0.getOffset()); assertEquals(30261, marker0.getEndOffset()); } @Test(timeout = 4000) public void test06() throws Throwable { Marker marker0 = new Marker(30261, 30261, "z5J-uuj_KM,8`0j0rAv"); int int0 = marker0.getEndOffset(); assertEquals(30261, marker0.getOffset()); assertEquals(30261, int0); } @Test(timeout = 4000) public void test07() throws Throwable { Marker marker0 = new Marker(30261, 30261, "z5J-uuj_KM,8`0j0rAv"); marker0.setOffset(30261); assertEquals(30261, marker0.getOffset()); assertEquals(30261, marker0.getEndOffset()); } @Test(timeout = 4000) public void test08() throws Throwable { Marker marker0 = new Marker(30261, 30261, "z5J-uuj_KM,8`0j0rAv"); marker0.setContent("z5J-uuj_KM,8`0j0rAv"); assertEquals(30261, marker0.getEndOffset()); assertEquals(30261, marker0.getOffset()); } @Test(timeout = 4000) public void test09() throws Throwable { Marker marker0 = new Marker(); String string0 = marker0.getContent(); assertNull(string0); } @Test(timeout = 4000) public void test10() throws Throwable { Marker marker0 = new Marker(30261, 30261, "z5J-uuj_KM,8`0j0rAv"); int int0 = marker0.getOffset(); assertEquals(30261, marker0.getEndOffset()); assertEquals(30261, int0); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Fri Jul 01 23:57: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 Marker_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000); @BeforeClass public static void initEvoSuiteFramework() { org.evosuite.runtime.RuntimeSettings.className = "Marker"; org.evosuite.runtime.GuiSupport.initialize(); org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); org.evosuite.runtime.classhandling.JDKClassResetter.init(); setSystemProperties(); initializeClasses(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); } @AfterClass public static void clearEvoSuiteFramework(){ Sandbox.resetDefaultSecurityManager(); java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); } @Before public void initTestCase(){ threadStopper.storeCurrentThreads(); threadStopper.startRecordingTime(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); setSystemProperties(); org.evosuite.runtime.GuiSupport.setHeadless(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); org.evosuite.runtime.agent.InstrumentingAgent.activate(); } @After public void doneWithTestCase(){ threadStopper.killAndJoinClientThreads(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); org.evosuite.runtime.classhandling.JDKClassResetter.reset(); resetClasses(); org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); } public static void setSystemProperties() { java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); java.lang.System.setProperty("file.encoding", "UTF-8"); java.lang.System.setProperty("java.awt.headless", "true"); java.lang.System.setProperty("java.io.tmpdir", "/tmp"); java.lang.System.setProperty("user.country", "US"); java.lang.System.setProperty("user.dir", "/tmp/tmpxda56snm"); java.lang.System.setProperty("user.home", "/home/bmcdanel"); java.lang.System.setProperty("user.language", "en"); java.lang.System.setProperty("user.name", "bmcdanel"); java.lang.System.setProperty("user.timezone", "America/New_York"); } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Marker_ESTest_scaffolding.class.getClassLoader() , "Marker" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Marker_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "Marker" ); } }
2,289
MyStack
public class MyStack {}
.version 52 0 .class public super MyStack .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 2 .end linenumbertable .end code .end method .sourcefile 'MyStack.java' .end class
/* * This file was automatically generated by EvoSuite * Mon Jul 04 12:35: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 MyStack_ESTest extends MyStack_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { MyStack myStack0 = new MyStack(); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Mon Jul 04 12:35: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 MyStack_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000); @BeforeClass public static void initEvoSuiteFramework() { org.evosuite.runtime.RuntimeSettings.className = "MyStack"; org.evosuite.runtime.GuiSupport.initialize(); org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); org.evosuite.runtime.classhandling.JDKClassResetter.init(); setSystemProperties(); initializeClasses(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); } @AfterClass public static void clearEvoSuiteFramework(){ Sandbox.resetDefaultSecurityManager(); java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); } @Before public void initTestCase(){ threadStopper.storeCurrentThreads(); threadStopper.startRecordingTime(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); setSystemProperties(); org.evosuite.runtime.GuiSupport.setHeadless(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); org.evosuite.runtime.agent.InstrumentingAgent.activate(); } @After public void doneWithTestCase(){ threadStopper.killAndJoinClientThreads(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); org.evosuite.runtime.classhandling.JDKClassResetter.reset(); resetClasses(); org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); } public static void setSystemProperties() { java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); java.lang.System.setProperty("file.encoding", "UTF-8"); java.lang.System.setProperty("java.awt.headless", "true"); java.lang.System.setProperty("java.io.tmpdir", "/tmp"); java.lang.System.setProperty("user.country", "US"); java.lang.System.setProperty("user.dir", "/tmp/tmpp5hwm284"); java.lang.System.setProperty("user.home", "/home/bmcdanel"); java.lang.System.setProperty("user.language", "en"); java.lang.System.setProperty("user.name", "bmcdanel"); java.lang.System.setProperty("user.timezone", "America/New_York"); } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(MyStack_ESTest_scaffolding.class.getClassLoader() , "MyStack" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(MyStack_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "MyStack" ); } }
2,290
JsonParseException
/* * Copyright 2012-2019 the original author or authors. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * https://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ /** * {@link IllegalArgumentException} thrown when source JSON is invalid. * * @author Anton Telechev * @author Phillip Webb * @since 2.0.1 */ public class JsonParseException extends IllegalArgumentException { public JsonParseException() { this(null); } public JsonParseException(Throwable cause) { super("Cannot parse JSON", cause); } }
.version 52 0 .class public super JsonParseException .super java/lang/IllegalArgumentException .method public <init> : ()V .code stack 2 locals 1 L0: aload_0 L1: aconst_null L2: invokespecial Method JsonParseException <init> (Ljava/lang/Throwable;)V L5: return L6: .linenumbertable L0 29 L5 30 .end linenumbertable .end code .end method .method public <init> : (Ljava/lang/Throwable;)V .code stack 3 locals 2 L0: aload_0 L1: ldc 'Cannot parse JSON' L3: aload_1 L4: invokespecial Method java/lang/IllegalArgumentException <init> (Ljava/lang/String;Ljava/lang/Throwable;)V L7: return L8: .linenumbertable L0 33 L7 34 .end linenumbertable .end code .end method .sourcefile 'JsonParseException.java' .end class
/* * This file was automatically generated by EvoSuite * Fri Jul 01 07:02:43 GMT 2022 */ import org.junit.Test; import static org.junit.Assert.*; import org.evosuite.runtime.EvoRunner; import org.evosuite.runtime.EvoRunnerParameters; import org.junit.runner.RunWith; @RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) public class JsonParseException_ESTest extends JsonParseException_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { JsonParseException jsonParseException0 = new JsonParseException(); JsonParseException jsonParseException1 = new JsonParseException(jsonParseException0); assertFalse(jsonParseException1.equals((Object)jsonParseException0)); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Fri Jul 01 07:02:43 GMT 2022 */ import org.evosuite.runtime.annotation.EvoSuiteClassExclude; import org.junit.BeforeClass; import org.junit.Before; import org.junit.After; import org.junit.AfterClass; import org.evosuite.runtime.sandbox.Sandbox; import org.evosuite.runtime.sandbox.Sandbox.SandboxMode; @EvoSuiteClassExclude public class JsonParseException_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000); @BeforeClass public static void initEvoSuiteFramework() { org.evosuite.runtime.RuntimeSettings.className = "JsonParseException"; org.evosuite.runtime.GuiSupport.initialize(); org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); org.evosuite.runtime.classhandling.JDKClassResetter.init(); setSystemProperties(); initializeClasses(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); } @AfterClass public static void clearEvoSuiteFramework(){ Sandbox.resetDefaultSecurityManager(); java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); } @Before public void initTestCase(){ threadStopper.storeCurrentThreads(); threadStopper.startRecordingTime(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); setSystemProperties(); org.evosuite.runtime.GuiSupport.setHeadless(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); org.evosuite.runtime.agent.InstrumentingAgent.activate(); } @After public void doneWithTestCase(){ threadStopper.killAndJoinClientThreads(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); org.evosuite.runtime.classhandling.JDKClassResetter.reset(); resetClasses(); org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); } public static void setSystemProperties() { java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); java.lang.System.setProperty("file.encoding", "UTF-8"); java.lang.System.setProperty("java.awt.headless", "true"); java.lang.System.setProperty("java.io.tmpdir", "/tmp"); java.lang.System.setProperty("user.country", "US"); java.lang.System.setProperty("user.dir", "/tmp/tmpkaptuaud"); java.lang.System.setProperty("user.home", "/home/bmcdanel"); java.lang.System.setProperty("user.language", "en"); java.lang.System.setProperty("user.name", "bmcdanel"); java.lang.System.setProperty("user.timezone", "America/New_York"); } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(JsonParseException_ESTest_scaffolding.class.getClassLoader() , "JsonParseException" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(JsonParseException_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "JsonParseException" ); } }
2,291
ManifestFileInfo
/* * Copyright 2000-2009 JetBrains s.r.o. * * 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.List; /** * @author nik */ public class ManifestFileInfo { private final String myOutputPath; private final List<String> myClasspath; public ManifestFileInfo(final String outputPath, final List<String> classpath) { myOutputPath = outputPath; myClasspath = classpath; } public String getOutputPath() { return myOutputPath; } public List<String> getClasspath() { return myClasspath; } }
.version 52 0 .class public super ManifestFileInfo .super java/lang/Object .field private final myOutputPath Ljava/lang/String; .field private final myClasspath Ljava/util/List; .fieldattributes .signature Ljava/util/List<Ljava/lang/String;>; .end fieldattributes .method public <init> : (Ljava/lang/String;Ljava/util/List;)V .code stack 2 locals 3 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: aload_0 L5: aload_1 L6: putfield Field ManifestFileInfo myOutputPath Ljava/lang/String; L9: aload_0 L10: aload_2 L11: putfield Field ManifestFileInfo myClasspath Ljava/util/List; L14: return L15: .linenumbertable L0 28 L4 29 L9 30 L14 31 .end linenumbertable .end code .signature (Ljava/lang/String;Ljava/util/List<Ljava/lang/String;>;)V .end method .method public getOutputPath : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field ManifestFileInfo myOutputPath Ljava/lang/String; L4: areturn L5: .linenumbertable L0 34 .end linenumbertable .end code .end method .method public getClasspath : ()Ljava/util/List; .code stack 1 locals 1 L0: aload_0 L1: getfield Field ManifestFileInfo myClasspath Ljava/util/List; L4: areturn L5: .linenumbertable L0 38 .end linenumbertable .end code .signature ()Ljava/util/List<Ljava/lang/String;>; .end method .sourcefile 'ManifestFileInfo.java' .end class
/* * This file was automatically generated by EvoSuite * Sun Jul 03 21:04:40 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 ManifestFileInfo_ESTest extends ManifestFileInfo_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { LinkedList<String> linkedList0 = new LinkedList<String>(); ManifestFileInfo manifestFileInfo0 = new ManifestFileInfo((String) null, linkedList0); String string0 = manifestFileInfo0.getOutputPath(); assertNull(string0); } @Test(timeout = 4000) public void test1() throws Throwable { LinkedList<String> linkedList0 = new LinkedList<String>(); ManifestFileInfo manifestFileInfo0 = new ManifestFileInfo("", linkedList0); String string0 = manifestFileInfo0.getOutputPath(); assertEquals("", string0); } @Test(timeout = 4000) public void test2() throws Throwable { LinkedList<String> linkedList0 = new LinkedList<String>(); ManifestFileInfo manifestFileInfo0 = new ManifestFileInfo("", linkedList0); List<String> list0 = manifestFileInfo0.getClasspath(); assertFalse(list0.contains("")); } @Test(timeout = 4000) public void test3() throws Throwable { LinkedList<String> linkedList0 = new LinkedList<String>(); linkedList0.add(""); ManifestFileInfo manifestFileInfo0 = new ManifestFileInfo("", linkedList0); List<String> list0 = manifestFileInfo0.getClasspath(); assertTrue(list0.contains("")); } @Test(timeout = 4000) public void test4() throws Throwable { ManifestFileInfo manifestFileInfo0 = new ManifestFileInfo("c", (List<String>) null); List<String> list0 = manifestFileInfo0.getClasspath(); assertNull(list0); } @Test(timeout = 4000) public void test5() throws Throwable { ManifestFileInfo manifestFileInfo0 = new ManifestFileInfo("c", (List<String>) null); String string0 = manifestFileInfo0.getOutputPath(); assertEquals("c", string0); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sun Jul 03 21:04: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 ManifestFileInfo_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000); @BeforeClass public static void initEvoSuiteFramework() { org.evosuite.runtime.RuntimeSettings.className = "ManifestFileInfo"; org.evosuite.runtime.GuiSupport.initialize(); org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); org.evosuite.runtime.classhandling.JDKClassResetter.init(); setSystemProperties(); initializeClasses(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); } @AfterClass public static void clearEvoSuiteFramework(){ Sandbox.resetDefaultSecurityManager(); java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); } @Before public void initTestCase(){ threadStopper.storeCurrentThreads(); threadStopper.startRecordingTime(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); setSystemProperties(); org.evosuite.runtime.GuiSupport.setHeadless(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); org.evosuite.runtime.agent.InstrumentingAgent.activate(); } @After public void doneWithTestCase(){ threadStopper.killAndJoinClientThreads(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); org.evosuite.runtime.classhandling.JDKClassResetter.reset(); resetClasses(); org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); } public static void setSystemProperties() { java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); java.lang.System.setProperty("file.encoding", "UTF-8"); java.lang.System.setProperty("java.awt.headless", "true"); java.lang.System.setProperty("java.io.tmpdir", "/tmp"); java.lang.System.setProperty("user.country", "US"); java.lang.System.setProperty("user.dir", "/tmp/tmpm0fqt6ee"); java.lang.System.setProperty("user.home", "/home/bmcdanel"); java.lang.System.setProperty("user.language", "en"); java.lang.System.setProperty("user.name", "bmcdanel"); java.lang.System.setProperty("user.timezone", "America/New_York"); } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(ManifestFileInfo_ESTest_scaffolding.class.getClassLoader() , "ManifestFileInfo" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ManifestFileInfo_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "ManifestFileInfo" ); } }
2,292
StartResponse
public class StartResponse { private String id; private String status; private String error; private String testReport; public StartResponse() {} public final String getId() { return id; } public final void setId(String id) { this.id = id; } public final String getStatus() { return status; } public final void setStatus(String status) { this.status = status; } public final String getError() { return error; } public final void setError(String error) { this.error = error; } public final String getTestReport() { return testReport; } public final void setTestReport(String testReport) { this.testReport = testReport; } @Override public String toString() { return "StartResponse [id=" + id + ", status=" + status + ", error=" + error + ", testReport=" + testReport + "]"; } }
.version 52 0 .class public super StartResponse .super java/lang/Object .field private id Ljava/lang/String; .field private status Ljava/lang/String; .field private error Ljava/lang/String; .field private testReport Ljava/lang/String; .method public <init> : ()V .code stack 1 locals 1 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: return L5: .linenumbertable L0 9 L4 10 .end linenumbertable .end code .end method .method public final getId : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field StartResponse id Ljava/lang/String; L4: areturn L5: .linenumbertable L0 13 .end linenumbertable .end code .end method .method public final setId : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field StartResponse id Ljava/lang/String; L5: return L6: .linenumbertable L0 17 L5 18 .end linenumbertable .end code .end method .method public final getStatus : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field StartResponse status Ljava/lang/String; L4: areturn L5: .linenumbertable L0 21 .end linenumbertable .end code .end method .method public final setStatus : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field StartResponse status Ljava/lang/String; L5: return L6: .linenumbertable L0 25 L5 26 .end linenumbertable .end code .end method .method public final getError : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field StartResponse error Ljava/lang/String; L4: areturn L5: .linenumbertable L0 29 .end linenumbertable .end code .end method .method public final setError : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field StartResponse error Ljava/lang/String; L5: return L6: .linenumbertable L0 33 L5 34 .end linenumbertable .end code .end method .method public final getTestReport : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field StartResponse testReport Ljava/lang/String; L4: areturn L5: .linenumbertable L0 37 .end linenumbertable .end code .end method .method public final setTestReport : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field StartResponse testReport Ljava/lang/String; L5: return L6: .linenumbertable L0 41 L5 42 .end linenumbertable .end code .end method .method public toString : ()Ljava/lang/String; .code stack 2 locals 1 L0: new java/lang/StringBuilder L3: dup L4: invokespecial Method java/lang/StringBuilder <init> ()V L7: ldc 'StartResponse [id=' L9: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L12: aload_0 L13: getfield Field StartResponse id Ljava/lang/String; L16: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L19: ldc ', status=' L21: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L24: aload_0 L25: getfield Field StartResponse status Ljava/lang/String; L28: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L31: ldc ', error=' L33: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L36: aload_0 L37: getfield Field StartResponse error Ljava/lang/String; L40: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L43: ldc ', testReport=' L45: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L48: aload_0 L49: getfield Field StartResponse testReport Ljava/lang/String; L52: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L55: ldc ']' L57: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L60: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; L63: areturn L64: .linenumbertable L0 46 .end linenumbertable .end code .end method .sourcefile 'StartResponse.java' .end class
/* * This file was automatically generated by EvoSuite * Sat Jul 02 07:32:27 GMT 2022 */ import org.junit.Test; import static org.junit.Assert.*; import org.evosuite.runtime.EvoRunner; import org.evosuite.runtime.EvoRunnerParameters; import org.junit.runner.RunWith; @RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) public class StartResponse_ESTest extends StartResponse_ESTest_scaffolding { @Test(timeout = 4000) public void test00() throws Throwable { StartResponse startResponse0 = new StartResponse(); startResponse0.setTestReport("nT,Fok<pc)J64bsE$"); String string0 = startResponse0.getTestReport(); assertEquals("nT,Fok<pc)J64bsE$", string0); } @Test(timeout = 4000) public void test01() throws Throwable { StartResponse startResponse0 = new StartResponse(); startResponse0.setTestReport(""); String string0 = startResponse0.getTestReport(); assertEquals("", string0); } @Test(timeout = 4000) public void test02() throws Throwable { StartResponse startResponse0 = new StartResponse(); startResponse0.setStatus(""); String string0 = startResponse0.getStatus(); assertEquals("", string0); } @Test(timeout = 4000) public void test03() throws Throwable { StartResponse startResponse0 = new StartResponse(); startResponse0.setId(""); String string0 = startResponse0.getId(); assertEquals("", string0); } @Test(timeout = 4000) public void test04() throws Throwable { StartResponse startResponse0 = new StartResponse(); startResponse0.setError("qIg/|%*uj<R*#MbI0Bj"); String string0 = startResponse0.getError(); assertEquals("qIg/|%*uj<R*#MbI0Bj", string0); } @Test(timeout = 4000) public void test05() throws Throwable { StartResponse startResponse0 = new StartResponse(); startResponse0.setError(""); String string0 = startResponse0.getError(); assertEquals("", string0); } @Test(timeout = 4000) public void test06() throws Throwable { StartResponse startResponse0 = new StartResponse(); String string0 = startResponse0.getError(); assertNull(string0); } @Test(timeout = 4000) public void test07() throws Throwable { StartResponse startResponse0 = new StartResponse(); startResponse0.setStatus(", error="); String string0 = startResponse0.getStatus(); assertEquals(", error=", string0); } @Test(timeout = 4000) public void test08() throws Throwable { StartResponse startResponse0 = new StartResponse(); String string0 = startResponse0.getId(); assertNull(string0); } @Test(timeout = 4000) public void test09() throws Throwable { StartResponse startResponse0 = new StartResponse(); startResponse0.setId(", error="); String string0 = startResponse0.getId(); assertEquals(", error=", string0); } @Test(timeout = 4000) public void test10() throws Throwable { StartResponse startResponse0 = new StartResponse(); String string0 = startResponse0.getTestReport(); assertNull(string0); } @Test(timeout = 4000) public void test11() throws Throwable { StartResponse startResponse0 = new StartResponse(); String string0 = startResponse0.toString(); assertEquals("StartResponse [id=null, status=null, error=null, testReport=null]", string0); } @Test(timeout = 4000) public void test12() throws Throwable { StartResponse startResponse0 = new StartResponse(); String string0 = startResponse0.getStatus(); assertNull(string0); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sat Jul 02 07:32:27 GMT 2022 */ import org.evosuite.runtime.annotation.EvoSuiteClassExclude; import org.junit.BeforeClass; import org.junit.Before; import org.junit.After; import org.junit.AfterClass; import org.evosuite.runtime.sandbox.Sandbox; import org.evosuite.runtime.sandbox.Sandbox.SandboxMode; @EvoSuiteClassExclude public class StartResponse_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000); @BeforeClass public static void initEvoSuiteFramework() { org.evosuite.runtime.RuntimeSettings.className = "StartResponse"; org.evosuite.runtime.GuiSupport.initialize(); org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); org.evosuite.runtime.classhandling.JDKClassResetter.init(); setSystemProperties(); initializeClasses(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); } @AfterClass public static void clearEvoSuiteFramework(){ Sandbox.resetDefaultSecurityManager(); java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); } @Before public void initTestCase(){ threadStopper.storeCurrentThreads(); threadStopper.startRecordingTime(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); setSystemProperties(); org.evosuite.runtime.GuiSupport.setHeadless(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); org.evosuite.runtime.agent.InstrumentingAgent.activate(); } @After public void doneWithTestCase(){ threadStopper.killAndJoinClientThreads(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); org.evosuite.runtime.classhandling.JDKClassResetter.reset(); resetClasses(); org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); } public static void setSystemProperties() { java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); java.lang.System.setProperty("file.encoding", "UTF-8"); java.lang.System.setProperty("java.awt.headless", "true"); java.lang.System.setProperty("java.io.tmpdir", "/tmp"); java.lang.System.setProperty("user.country", "US"); java.lang.System.setProperty("user.dir", "/tmp/tmp12yimtoz"); java.lang.System.setProperty("user.home", "/home/bmcdanel"); java.lang.System.setProperty("user.language", "en"); java.lang.System.setProperty("user.name", "bmcdanel"); java.lang.System.setProperty("user.timezone", "America/New_York"); } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(StartResponse_ESTest_scaffolding.class.getClassLoader() , "StartResponse" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(StartResponse_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "StartResponse" ); } }
2,293
KoreanAnalyzer
import java.io.BufferedOutputStream; import java.io.BufferedReader; import java.io.InputStream; import java.io.InputStreamReader; import java.io.OutputStream; import java.net.InetAddress; import java.net.Socket; public class KoreanAnalyzer { private Socket soc; public String getResult(String input) throws Exception { StringBuffer sb = new StringBuffer(); InetAddress ia = null; String serverIp = "143.248.135.20"; try { ia = InetAddress.getByName(serverIp); soc = new Socket(ia, 5763); OutputStream os = soc.getOutputStream(); BufferedOutputStream bos = new BufferedOutputStream(os); bos.write((input).getBytes()); bos.flush(); soc.shutdownOutput(); InputStream is = soc.getInputStream(); InputStreamReader isr = new InputStreamReader(is); BufferedReader br = new BufferedReader(isr); String line = null; while (true) { line = br.readLine(); if (line == null) break; line = line.trim(); if (line.equals("")) continue; sb.append(line); sb.append("\n"); } bos.close(); br.close(); } catch (Exception e) { // e.printStackTrace(); throw e; } return sb.toString(); } public static void main(String[] args) { KoreanAnalyzer ex = new KoreanAnalyzer(); try { String output = ex.getResult("세종대왕은 한자를 모르는 민중을 위해 한글을 창제하였다."); System.out.println(output); } catch (Exception e) { // TODO Auto-generated catch block e.printStackTrace(); } } }
.version 52 0 .class public super KoreanAnalyzer .super java/lang/Object .field private soc Ljava/net/Socket; .method public <init> : ()V .code stack 1 locals 1 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: return L5: .linenumbertable L0 11 .end linenumbertable .end code .end method .method public getResult : (Ljava/lang/String;)Ljava/lang/String; .code stack 5 locals 11 L0: new java/lang/StringBuffer L3: dup L4: invokespecial Method java/lang/StringBuffer <init> ()V L7: astore_2 L8: aconst_null L9: astore_3 L10: ldc '143.248.135.20' L12: astore 4 .catch java/lang/Exception from L14 to L172 using L175 L14: aload 4 L16: invokestatic Method java/net/InetAddress getByName (Ljava/lang/String;)Ljava/net/InetAddress; L19: astore_3 L20: aload_0 L21: new java/net/Socket L24: dup L25: aload_3 L26: sipush 5763 L29: invokespecial Method java/net/Socket <init> (Ljava/net/InetAddress;I)V L32: putfield Field KoreanAnalyzer soc Ljava/net/Socket; L35: aload_0 L36: getfield Field KoreanAnalyzer soc Ljava/net/Socket; L39: invokevirtual Method java/net/Socket getOutputStream ()Ljava/io/OutputStream; L42: astore 5 L44: new java/io/BufferedOutputStream L47: dup L48: aload 5 L50: invokespecial Method java/io/BufferedOutputStream <init> (Ljava/io/OutputStream;)V L53: astore 6 L55: aload 6 L57: aload_1 L58: invokevirtual Method java/lang/String getBytes ()[B L61: invokevirtual Method java/io/BufferedOutputStream write ([B)V L64: aload 6 L66: invokevirtual Method java/io/BufferedOutputStream flush ()V L69: aload_0 L70: getfield Field KoreanAnalyzer soc Ljava/net/Socket; L73: invokevirtual Method java/net/Socket shutdownOutput ()V L76: aload_0 L77: getfield Field KoreanAnalyzer soc Ljava/net/Socket; L80: invokevirtual Method java/net/Socket getInputStream ()Ljava/io/InputStream; L83: astore 7 L85: new java/io/InputStreamReader L88: dup L89: aload 7 L91: invokespecial Method java/io/InputStreamReader <init> (Ljava/io/InputStream;)V L94: astore 8 L96: new java/io/BufferedReader L99: dup L100: aload 8 L102: invokespecial Method java/io/BufferedReader <init> (Ljava/io/Reader;)V L105: astore 9 L107: aconst_null L108: astore 10 .stack full locals Object KoreanAnalyzer Object java/lang/String Object java/lang/StringBuffer Object java/net/InetAddress Object java/lang/String Object java/io/OutputStream Object java/io/BufferedOutputStream Object java/io/InputStream Object java/io/InputStreamReader Object java/io/BufferedReader Object java/lang/String stack .end stack L110: aload 9 L112: invokevirtual Method java/io/BufferedReader readLine ()Ljava/lang/String; L115: astore 10 L117: aload 10 L119: ifnonnull L125 L122: goto L162 .stack same L125: aload 10 L127: invokevirtual Method java/lang/String trim ()Ljava/lang/String; L130: astore 10 L132: aload 10 L134: ldc '' L136: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z L139: ifeq L145 L142: goto L110 .stack same L145: aload_2 L146: aload 10 L148: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/String;)Ljava/lang/StringBuffer; L151: pop L152: aload_2 L153: ldc '\n' L155: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/String;)Ljava/lang/StringBuffer; L158: pop L159: goto L110 .stack same L162: aload 6 L164: invokevirtual Method java/io/BufferedOutputStream close ()V L167: aload 9 L169: invokevirtual Method java/io/BufferedReader close ()V L172: goto L180 .stack full locals Object KoreanAnalyzer Object java/lang/String Object java/lang/StringBuffer Object java/net/InetAddress Object java/lang/String stack Object java/lang/Exception .end stack L175: astore 5 L177: aload 5 L179: athrow .stack same L180: aload_2 L181: invokevirtual Method java/lang/StringBuffer toString ()Ljava/lang/String; L184: areturn L185: .linenumbertable L0 15 L8 17 L10 19 L14 22 L20 23 L35 25 L44 26 L55 28 L64 29 L69 30 L76 32 L85 33 L96 34 L107 36 L110 38 L117 39 L122 40 L125 41 L132 42 L142 43 L145 45 L152 46 L162 48 L167 49 L172 54 L175 51 L177 53 L180 56 .end linenumbertable .end code .exceptions java/lang/Exception .end method .method public static main : ([Ljava/lang/String;)V .code stack 2 locals 3 L0: new KoreanAnalyzer L3: dup L4: invokespecial Method KoreanAnalyzer <init> ()V L7: astore_1 .catch java/lang/Exception from L8 to L22 using L25 L8: aload_1 L9: ldc '세종대왕은 한자를 모르는 민중을 위해 한글을 창제하였다.' L11: invokevirtual Method KoreanAnalyzer getResult (Ljava/lang/String;)Ljava/lang/String; L14: astore_2 L15: getstatic Field java/lang/System out Ljava/io/PrintStream; L18: aload_2 L19: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V L22: goto L30 .stack full locals Object [Ljava/lang/String; Object KoreanAnalyzer stack Object java/lang/Exception .end stack L25: astore_2 L26: aload_2 L27: invokevirtual Method java/lang/Exception printStackTrace ()V .stack same L30: return L31: .linenumbertable L0 60 L8 63 L15 64 L22 68 L25 65 L26 67 L30 69 .end linenumbertable .end code .end method .sourcefile 'KoreanAnalyzer.java' .end class
/* * This file was automatically generated by EvoSuite * Sun Jul 03 20:34:25 GMT 2022 */ import org.junit.Test; import static org.junit.Assert.*; import static org.evosuite.runtime.EvoAssertions.*; import java.io.IOException; import org.evosuite.runtime.EvoRunner; import org.evosuite.runtime.EvoRunnerParameters; import org.evosuite.runtime.testdata.EvoSuiteRemoteAddress; import org.evosuite.runtime.testdata.NetworkHandling; import org.junit.runner.RunWith; @RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) public class KoreanAnalyzer_ESTest extends KoreanAnalyzer_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { String[] stringArray0 = new String[6]; EvoSuiteRemoteAddress evoSuiteRemoteAddress0 = new EvoSuiteRemoteAddress("143.248.135.20", 5763); NetworkHandling.openRemoteTcpServer(evoSuiteRemoteAddress0); KoreanAnalyzer.main(stringArray0); assertEquals(6, stringArray0.length); } @Test(timeout = 4000) public void test1() throws Throwable { KoreanAnalyzer koreanAnalyzer0 = new KoreanAnalyzer(); try { koreanAnalyzer0.getResult(""); fail("Expecting exception: IOException"); } catch(IOException e) { // // Remote address/port is not opened: org.evosuite.runtime.vnet.EndPointInfo@f83c4225 // verifyException("org.evosuite.runtime.vnet.VirtualNetwork", e); } } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sun Jul 03 20:34: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 KoreanAnalyzer_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000); @BeforeClass public static void initEvoSuiteFramework() { org.evosuite.runtime.RuntimeSettings.className = "KoreanAnalyzer"; org.evosuite.runtime.GuiSupport.initialize(); org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); org.evosuite.runtime.classhandling.JDKClassResetter.init(); setSystemProperties(); initializeClasses(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); } @AfterClass public static void clearEvoSuiteFramework(){ Sandbox.resetDefaultSecurityManager(); java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); } @Before public void initTestCase(){ threadStopper.storeCurrentThreads(); threadStopper.startRecordingTime(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); setSystemProperties(); org.evosuite.runtime.GuiSupport.setHeadless(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); org.evosuite.runtime.agent.InstrumentingAgent.activate(); } @After public void doneWithTestCase(){ threadStopper.killAndJoinClientThreads(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); org.evosuite.runtime.classhandling.JDKClassResetter.reset(); resetClasses(); org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); } public static void setSystemProperties() { java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); java.lang.System.setProperty("file.encoding", "UTF-8"); java.lang.System.setProperty("java.awt.headless", "true"); java.lang.System.setProperty("java.io.tmpdir", "/tmp"); java.lang.System.setProperty("user.country", "US"); java.lang.System.setProperty("user.dir", "/tmp/tmp7nlkdthf"); java.lang.System.setProperty("user.home", "/home/bmcdanel"); java.lang.System.setProperty("user.language", "en"); java.lang.System.setProperty("user.name", "bmcdanel"); java.lang.System.setProperty("user.timezone", "America/New_York"); } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(KoreanAnalyzer_ESTest_scaffolding.class.getClassLoader() , "KoreanAnalyzer" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(KoreanAnalyzer_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "KoreanAnalyzer" ); } }
2,294
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 * Sat Jul 02 03:58:10 GMT 2022 */ import org.junit.Test; import static org.junit.Assert.*; import org.evosuite.runtime.EvoRunner; import org.evosuite.runtime.EvoRunnerParameters; import org.junit.runner.RunWith; @RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) public class 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 * Sat Jul 02 03:58:10 GMT 2022 */ import org.evosuite.runtime.annotation.EvoSuiteClassExclude; import org.junit.BeforeClass; import org.junit.Before; import org.junit.After; import org.junit.AfterClass; import org.evosuite.runtime.sandbox.Sandbox; import org.evosuite.runtime.sandbox.Sandbox.SandboxMode; @EvoSuiteClassExclude public class 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/tmpa7uc7hlr"); java.lang.System.setProperty("user.home", "/home/bmcdanel"); java.lang.System.setProperty("user.language", "en"); java.lang.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" ); } }
2,295
Node
import java.util.HashSet; import java.util.Set; /** * Description * * @author Dimitris Kontokostas * @since 6/23/14 10:27 AM */ public class Node { private final String name; private final Set<Node> children; private int level = -1; private Node parent = null; public Node(String name) { if (name != null) this.name = name; else this.name = ""; children = new HashSet<Node>(); } public String getName() { return name; } public Set<Node> getChildren() { return children; } public void addChildren(Node node) { // No identity if (this == node) { return; } // No direct cycles if (node.getChildren().contains(this)) { return; } // no A->B->A for (Node n : node.getChildren()) { if (n.getChildren().contains(this)) { return; } } this.children.add(node); node.setParent(this); } public int getLevel() { return this.level; } public boolean hasAssignedLevel() { return this.level >= 0; } public void setLevel(int level) { this.level = level; } /* Check equality only with name */ @Override public boolean equals(Object o) { if (this == o) return true; if (o instanceof String) return name.equals(o); if (!(o instanceof Node)) return false; Node node = (Node) o; return (name.equals(node.name)); } @Override public int hashCode() { return name.hashCode(); } public Node getParent() { return parent; } public void setParent(Node parent) { this.parent = parent; } }
.version 52 0 .class public super Node .super java/lang/Object .field private final name Ljava/lang/String; .field private final children Ljava/util/Set; .fieldattributes .signature Ljava/util/Set<LNode;>; .end fieldattributes .field private level I .field private parent LNode; .method public <init> : (Ljava/lang/String;)V .code stack 3 locals 2 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: aload_0 L5: iconst_m1 L6: putfield Field Node level I L9: aload_0 L10: aconst_null L11: putfield Field Node parent LNode; L14: aload_1 L15: ifnull L26 L18: aload_0 L19: aload_1 L20: putfield Field Node name Ljava/lang/String; L23: goto L32 .stack full locals Object Node Object java/lang/String stack .end stack L26: aload_0 L27: ldc '' L29: putfield Field Node name Ljava/lang/String; .stack same L32: aload_0 L33: new java/util/HashSet L36: dup L37: invokespecial Method java/util/HashSet <init> ()V L40: putfield Field Node children Ljava/util/Set; L43: return L44: .linenumbertable L0 19 L4 16 L9 17 L14 20 L18 21 L26 23 L32 24 L43 25 .end linenumbertable .end code .end method .method public getName : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field Node name Ljava/lang/String; L4: areturn L5: .linenumbertable L0 28 .end linenumbertable .end code .end method .method public getChildren : ()Ljava/util/Set; .code stack 1 locals 1 L0: aload_0 L1: getfield Field Node children Ljava/util/Set; L4: areturn L5: .linenumbertable L0 33 .end linenumbertable .end code .signature ()Ljava/util/Set<LNode;>; .end method .method public addChildren : (LNode;)V .code stack 2 locals 4 L0: aload_0 L1: aload_1 L2: if_acmpne L6 L5: return .stack same L6: aload_1 L7: invokevirtual Method Node getChildren ()Ljava/util/Set; L10: aload_0 L11: invokeinterface InterfaceMethod java/util/Set contains (Ljava/lang/Object;)Z 2 L16: ifeq L20 L19: return .stack same L20: aload_1 L21: invokevirtual Method Node getChildren ()Ljava/util/Set; L24: invokeinterface InterfaceMethod java/util/Set iterator ()Ljava/util/Iterator; 1 L29: astore_2 .stack append Object java/util/Iterator L30: aload_2 L31: invokeinterface InterfaceMethod java/util/Iterator hasNext ()Z 1 L36: ifeq L66 L39: aload_2 L40: invokeinterface InterfaceMethod java/util/Iterator next ()Ljava/lang/Object; 1 L45: checkcast Node L48: astore_3 L49: aload_3 L50: invokevirtual Method Node getChildren ()Ljava/util/Set; L53: aload_0 L54: invokeinterface InterfaceMethod java/util/Set contains (Ljava/lang/Object;)Z 2 L59: ifeq L63 L62: return .stack same L63: goto L30 .stack chop 1 L66: aload_0 L67: getfield Field Node children Ljava/util/Set; L70: aload_1 L71: invokeinterface InterfaceMethod java/util/Set add (Ljava/lang/Object;)Z 2 L76: pop L77: aload_1 L78: aload_0 L79: invokevirtual Method Node setParent (LNode;)V L82: return L83: .linenumbertable L0 39 L5 40 L6 44 L19 45 L20 49 L49 50 L62 51 L63 53 L66 55 L77 56 L82 57 .end linenumbertable .end code .end method .method public getLevel : ()I .code stack 1 locals 1 L0: aload_0 L1: getfield Field Node level I L4: ireturn L5: .linenumbertable L0 60 .end linenumbertable .end code .end method .method public hasAssignedLevel : ()Z .code stack 1 locals 1 L0: aload_0 L1: getfield Field Node level I L4: iflt L11 L7: iconst_1 L8: goto L12 .stack same L11: iconst_0 .stack stack_1 Integer L12: ireturn L13: .linenumbertable L0 64 .end linenumbertable .end code .end method .method public setLevel : (I)V .code stack 2 locals 2 L0: aload_0 L1: iload_1 L2: putfield Field Node level I L5: return L6: .linenumbertable L0 68 L5 69 .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: instanceof java/lang/String L11: ifeq L23 L14: aload_0 L15: getfield Field Node name Ljava/lang/String; L18: aload_1 L19: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z L22: ireturn .stack same L23: aload_1 L24: instanceof Node L27: ifne L32 L30: iconst_0 L31: ireturn .stack same L32: aload_1 L33: checkcast Node L36: astore_2 L37: aload_0 L38: getfield Field Node name Ljava/lang/String; L41: aload_2 L42: getfield Field Node name Ljava/lang/String; L45: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z L48: ireturn L49: .linenumbertable L0 74 L7 75 L23 76 L32 78 L37 81 .end linenumbertable .end code .end method .method public hashCode : ()I .code stack 1 locals 1 L0: aload_0 L1: getfield Field Node name Ljava/lang/String; L4: invokevirtual Method java/lang/String hashCode ()I L7: ireturn L8: .linenumbertable L0 86 .end linenumbertable .end code .end method .method public getParent : ()LNode; .code stack 1 locals 1 L0: aload_0 L1: getfield Field Node parent LNode; L4: areturn L5: .linenumbertable L0 90 .end linenumbertable .end code .end method .method public setParent : (LNode;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field Node parent LNode; L5: return L6: .linenumbertable L0 94 L5 95 .end linenumbertable .end code .end method .sourcefile 'Node.java' .end class
/* * This file was automatically generated by EvoSuite * Sun Jul 03 19:06:32 GMT 2022 */ import org.junit.Test; import static org.junit.Assert.*; 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 Node_ESTest extends Node_ESTest_scaffolding { @Test(timeout = 4000) public void test00() throws Throwable { Node node0 = new Node(""); boolean boolean0 = node0.equals(node0); assertTrue(boolean0); assertEquals((-1), node0.getLevel()); } @Test(timeout = 4000) public void test01() throws Throwable { Node node0 = new Node((String) null); assertFalse(node0.hasAssignedLevel()); node0.setLevel(1); boolean boolean0 = node0.hasAssignedLevel(); assertEquals(1, node0.getLevel()); assertTrue(boolean0); } @Test(timeout = 4000) public void test02() throws Throwable { Node node0 = new Node("4]"); Node node1 = new Node((String) null); node0.setParent(node1); node0.getLevel(); Node node2 = node0.getParent(); Node node3 = new Node("Node"); node2.addChildren(node3); boolean boolean0 = node2.hasAssignedLevel(); // // Unstable assertion: assertFalse(boolean0); Node node4 = node0.getParent(); node0.setLevel((-1)); node0.addChildren(node4); int int0 = node2.getLevel(); // // Unstable assertion: assertTrue(node2.equals((Object)node0)); // // Unstable assertion: assertFalse(node2.equals((Object)node3)); // // Unstable assertion: assertEquals((-1), int0); } @Test(timeout = 4000) public void test03() throws Throwable { Node node0 = new Node("^%n<5P#kF+Wk<Ank0g"); node0.addChildren(node0); assertEquals((-1), node0.getLevel()); } @Test(timeout = 4000) public void test04() throws Throwable { Node node0 = new Node("^%n<5P#kF+Wk<Ank0g"); assertFalse(node0.hasAssignedLevel()); node0.setLevel(0); node0.setParent(node0); node0.getParent(); assertEquals(0, node0.getLevel()); } @Test(timeout = 4000) public void test05() throws Throwable { Node node0 = new Node(""); node0.setLevel(24); node0.setParent(node0); node0.getParent(); assertEquals(24, node0.getLevel()); } @Test(timeout = 4000) public void test06() throws Throwable { Node node0 = new Node((String) null); node0.getName(); assertEquals((-1), node0.getLevel()); } @Test(timeout = 4000) public void test07() throws Throwable { Node node0 = new Node("^%n<5P#kF+Wk<Ank0g"); assertFalse(node0.hasAssignedLevel()); node0.setLevel(0); int int0 = node0.getLevel(); assertEquals(0, int0); } @Test(timeout = 4000) public void test08() throws Throwable { Node node0 = new Node("09a@O(F"); node0.setLevel(41453); int int0 = node0.getLevel(); assertEquals(41453, int0); } @Test(timeout = 4000) public void test09() throws Throwable { Node node0 = new Node("4]"); Node node1 = new Node((String) null); node0.setParent(node1); Node node2 = node0.getParent(); node2.addChildren(node0); Set<Node> set0 = node2.getChildren(); assertTrue(set0.contains(node0)); assertEquals((-1), node2.getLevel()); } @Test(timeout = 4000) public void test10() throws Throwable { Node node0 = new Node("4]"); Node node1 = new Node((String) null); boolean boolean0 = node0.equals(node1); // // Unstable assertion: assertEquals((-1), node1.getLevel()); // // Unstable assertion: assertTrue(boolean0); } @Test(timeout = 4000) public void test11() throws Throwable { Node node0 = new Node("4]"); node0.hashCode(); assertEquals((-1), node0.getLevel()); } @Test(timeout = 4000) public void test12() throws Throwable { Node node0 = new Node("4]"); node0.getChildren(); assertEquals((-1), node0.getLevel()); } @Test(timeout = 4000) public void test13() throws Throwable { Node node0 = new Node("^%n<5P#kF+Wk<Ank0g"); Object object0 = new Object(); boolean boolean0 = node0.equals(object0); assertEquals((-1), node0.getLevel()); assertFalse(boolean0); } @Test(timeout = 4000) public void test14() throws Throwable { Node node0 = new Node("-jWel{"); boolean boolean0 = node0.equals("-jWel{"); assertTrue(boolean0); assertEquals((-1), node0.getLevel()); } @Test(timeout = 4000) public void test15() throws Throwable { Node node0 = new Node("^%n<5P#kF+Wk<Ank0g"); assertEquals((-1), node0.getLevel()); node0.setLevel(0); boolean boolean0 = node0.hasAssignedLevel(); assertEquals(0, node0.getLevel()); assertTrue(boolean0); } @Test(timeout = 4000) public void test16() throws Throwable { Node node0 = new Node("4]"); Node node1 = new Node((String) null); Node node2 = new Node("Node"); node0.addChildren(node1); node1.addChildren(node2); node2.addChildren(node0); // // Unstable assertion: assertTrue(node0.equals((Object)node1)); // // Unstable assertion: assertEquals((-1), node2.getLevel()); // // Unstable assertion: assertFalse(node2.equals((Object)node0)); } @Test(timeout = 4000) public void test17() throws Throwable { Node node0 = new Node("4]"); Node node1 = new Node("Node"); node0.addChildren(node1); node1.addChildren(node0); assertEquals("Node", node1.getName()); assertEquals((-1), node1.getLevel()); } @Test(timeout = 4000) public void test18() throws Throwable { Node node0 = new Node("4]"); String string0 = node0.getName(); assertEquals((-1), node0.getLevel()); assertEquals("4]", string0); } @Test(timeout = 4000) public void test19() throws Throwable { Node node0 = new Node("4]"); node0.getParent(); assertEquals((-1), node0.getLevel()); assertEquals("4]", node0.getName()); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sun Jul 03 19:06: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 Node_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000); @BeforeClass public static void initEvoSuiteFramework() { org.evosuite.runtime.RuntimeSettings.className = "Node"; org.evosuite.runtime.GuiSupport.initialize(); org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); org.evosuite.runtime.classhandling.JDKClassResetter.init(); setSystemProperties(); initializeClasses(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); } @AfterClass public static void clearEvoSuiteFramework(){ Sandbox.resetDefaultSecurityManager(); java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); } @Before public void initTestCase(){ threadStopper.storeCurrentThreads(); threadStopper.startRecordingTime(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); setSystemProperties(); org.evosuite.runtime.GuiSupport.setHeadless(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); org.evosuite.runtime.agent.InstrumentingAgent.activate(); } @After public void doneWithTestCase(){ threadStopper.killAndJoinClientThreads(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); org.evosuite.runtime.classhandling.JDKClassResetter.reset(); resetClasses(); org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); } public static void setSystemProperties() { java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); java.lang.System.setProperty("file.encoding", "UTF-8"); java.lang.System.setProperty("java.awt.headless", "true"); java.lang.System.setProperty("java.io.tmpdir", "/tmp"); java.lang.System.setProperty("user.country", "US"); java.lang.System.setProperty("user.dir", "/tmp/tmpxgw6xqyu"); java.lang.System.setProperty("user.home", "/home/bmcdanel"); java.lang.System.setProperty("user.language", "en"); java.lang.System.setProperty("user.name", "bmcdanel"); java.lang.System.setProperty("user.timezone", "America/New_York"); } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Node_ESTest_scaffolding.class.getClassLoader() , "Node" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Node_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "Node" ); } }
2,296
PairIS
public class PairIS { public int first; public String second; public PairIS(int f, String s) { first = f; second = s; } public PairIS() {} public int getFirst() { return first; } public void setFirst(int first) { this.first = first; } public String getSecond() { return second; } public void setSecond(String second) { this.second = second; } @Override public String toString() { return first + ":" + second; } }
.version 52 0 .class public super PairIS .super java/lang/Object .field public first I .field public second Ljava/lang/String; .method public <init> : (ILjava/lang/String;)V .code stack 2 locals 3 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: aload_0 L5: iload_1 L6: putfield Field PairIS first I L9: aload_0 L10: aload_2 L11: putfield Field PairIS second Ljava/lang/String; L14: return L15: .linenumbertable L0 7 L4 8 L9 9 L14 10 .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 12 L4 13 .end linenumbertable .end code .end method .method public getFirst : ()I .code stack 1 locals 1 L0: aload_0 L1: getfield Field PairIS first I L4: ireturn L5: .linenumbertable L0 16 .end linenumbertable .end code .end method .method public setFirst : (I)V .code stack 2 locals 2 L0: aload_0 L1: iload_1 L2: putfield Field PairIS first I L5: return L6: .linenumbertable L0 20 L5 21 .end linenumbertable .end code .end method .method public getSecond : ()Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: getfield Field PairIS second Ljava/lang/String; L4: areturn L5: .linenumbertable L0 24 .end linenumbertable .end code .end method .method public setSecond : (Ljava/lang/String;)V .code stack 2 locals 2 L0: aload_0 L1: aload_1 L2: putfield Field PairIS second Ljava/lang/String; L5: return L6: .linenumbertable L0 28 L5 29 .end linenumbertable .end code .end method .method public toString : ()Ljava/lang/String; .code stack 2 locals 1 L0: new java/lang/StringBuilder L3: dup L4: invokespecial Method java/lang/StringBuilder <init> ()V L7: aload_0 L8: getfield Field PairIS first I L11: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder; L14: ldc ':' L16: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L19: aload_0 L20: getfield Field PairIS second Ljava/lang/String; L23: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L26: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; L29: areturn L30: .linenumbertable L0 33 .end linenumbertable .end code .end method .sourcefile 'PairIS.java' .end class
/* * This file was automatically generated by EvoSuite * Mon Jul 04 00:05: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 PairIS_ESTest extends PairIS_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { PairIS pairIS0 = new PairIS(); String string0 = pairIS0.getSecond(); assertNull(string0); } @Test(timeout = 4000) public void test1() throws Throwable { PairIS pairIS0 = new PairIS(); pairIS0.second = ""; String string0 = pairIS0.getSecond(); assertEquals("", string0); } @Test(timeout = 4000) public void test2() throws Throwable { PairIS pairIS0 = new PairIS(1, "=gVQm(nBtCJ"); int int0 = pairIS0.getFirst(); assertEquals(1, int0); } @Test(timeout = 4000) public void test3() throws Throwable { PairIS pairIS0 = new PairIS((-36335), "9"); int int0 = pairIS0.getFirst(); assertEquals((-36335), int0); } @Test(timeout = 4000) public void test4() throws Throwable { PairIS pairIS0 = new PairIS(); pairIS0.setSecond(""); assertEquals("", pairIS0.getSecond()); } @Test(timeout = 4000) public void test5() throws Throwable { PairIS pairIS0 = new PairIS(); String string0 = pairIS0.toString(); assertEquals("0:null", string0); } @Test(timeout = 4000) public void test6() throws Throwable { PairIS pairIS0 = new PairIS(); pairIS0.setFirst((-53171)); assertEquals((-53171), pairIS0.first); } @Test(timeout = 4000) public void test7() throws Throwable { PairIS pairIS0 = new PairIS(); int int0 = pairIS0.getFirst(); assertEquals(0, int0); } @Test(timeout = 4000) public void test8() throws Throwable { PairIS pairIS0 = new PairIS(1, "U!>OXy$i6CJrAV.C+"); pairIS0.getSecond(); assertEquals(1, pairIS0.first); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Mon Jul 04 00:05: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 PairIS_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000); @BeforeClass public static void initEvoSuiteFramework() { org.evosuite.runtime.RuntimeSettings.className = "PairIS"; org.evosuite.runtime.GuiSupport.initialize(); org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); org.evosuite.runtime.classhandling.JDKClassResetter.init(); setSystemProperties(); initializeClasses(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); } @AfterClass public static void clearEvoSuiteFramework(){ Sandbox.resetDefaultSecurityManager(); java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); } @Before public void initTestCase(){ threadStopper.storeCurrentThreads(); threadStopper.startRecordingTime(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); setSystemProperties(); org.evosuite.runtime.GuiSupport.setHeadless(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); org.evosuite.runtime.agent.InstrumentingAgent.activate(); } @After public void doneWithTestCase(){ threadStopper.killAndJoinClientThreads(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); org.evosuite.runtime.classhandling.JDKClassResetter.reset(); resetClasses(); org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); } public static void setSystemProperties() { java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); java.lang.System.setProperty("file.encoding", "UTF-8"); java.lang.System.setProperty("java.awt.headless", "true"); java.lang.System.setProperty("java.io.tmpdir", "/tmp"); java.lang.System.setProperty("user.country", "US"); java.lang.System.setProperty("user.dir", "/tmp/tmpkw3wvoag"); java.lang.System.setProperty("user.home", "/home/bmcdanel"); java.lang.System.setProperty("user.language", "en"); java.lang.System.setProperty("user.name", "bmcdanel"); java.lang.System.setProperty("user.timezone", "America/New_York"); } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(PairIS_ESTest_scaffolding.class.getClassLoader() , "PairIS" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(PairIS_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "PairIS" ); } }
2,297
ArrayUtils
/* * Licensed to the Apache Software Foundation (ASF) under one * or more contributor license agreements. See the NOTICE file * distributed with this work for additional information * regarding copyright ownership. The ASF licenses this file * to you under the Apache License, Version 2.0 (the * "License"); you may not use this file except in compliance * with the License. You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ import java.util.*; /** * Array Utility. * * @author Edward KIM * @author Seo Ji Hye * @since 0.1 */ public class ArrayUtils { /** * 배열이 비어있는지 확인한다. 배열은 <tt>null</tt> 이거나 길이가 0인 경우에 비어있다고 판단한다. * * @param array 확인할 배열 * @return 비어있다면 <tt>true</tt> */ public static boolean isEmpty(Object[] array) { return (array == null || array.length == 0); } /** * 문자열 배열을 정수 배열로 변환한다. 단, 문자열 배열은 반드시 정수로 구성되어 있어야 하며 <tt>null</tt>인 경우 빈 정수 배열을 반환한다. * * @param values 문자열 배열 * @return 정수 배열 */ public static Integer[] toIntegerArray(String... values) { if (values == null) { return new Integer[0]; } Integer[] casted = new Integer[values.length]; for (int i = 0; i < casted.length; i++) { casted[i] = Integer.parseInt(values[i]); } return casted; } /** * 문자열 배열을 정렬한다. * * @param array 정렬할 배열 * @return 정렬한 배열(절대로 <tt>null</tt>이 되지는 않는다) */ public static String[] sortStringArray(String[] array) { if (isEmpty(array)) { return new String[0]; } Arrays.sort(array); return array; } /** * 문자열 배열을 큰건을 먼저 위로 정렬한다. * * @param array 정렬할 배열 * @return 정렬한 배열(절대로 <tt>null</tt>이 되지는 않는다) */ public static Integer[] sortReverseIntegerArray(Integer[] array) { if (isEmpty(array)) { return new Integer[0]; } Arrays.sort(array, Collections.reverseOrder()); return array; } /** * 문자열 배열을 natural order로 정렬한다. * * @param array 정렬할 배열 * @return 정렬한 배열(절대로 <tt>null</tt>이 되지는 않는다) */ public static Integer[] sortIntegerArray(Integer[] array) { if (isEmpty(array)) { return new Integer[0]; } Arrays.sort(array); return array; } /** * 문자열로 구성된 Collection을 문자열 배열로 변환한다. * * @param collection 문자열로 구성된 Collection * @return Collection이 <tt>null</tt>인 경우 <tt>null</tt>, 그렇지 않으면 문자열 배열 */ public static String[] toStringArray(Collection<String> collection) { if (collection == null) { return null; } return collection.toArray(new String[collection.size()]); } /** * 문자열로 구성된 Enumeration을 문자열 배열로 변환한다. * * @param enumeration 문자열로 구성된 Enumeration * @return Enumeration이 <tt>null</tt>인 경우 <tt>null</tt>, 그렇지 않으면 문자열 배열 */ public static String[] toStringArray(Enumeration<String> enumeration) { if (enumeration == null) { return null; } List<String> list = Collections.list(enumeration); return list.toArray(new String[list.size()]); } /** * 지정한 문자열 배열의 모든 엘리먼트에 대해서 trim 처리한다. * * @param array 문자열 배열 * @return trim 처리한 문자열 배열. */ public static String[] trimArrayElements(String[] array) { if (isEmpty(array)) { return new String[0]; } String[] result = new String[array.length]; for (int i = 0; i < array.length; i++) { String element = array[i]; result[i] = (element != null ? element.trim() : null); } return result; } /** * 지정한 문자열 배열에서 중복된 문자열을 제거하고 문자열을 정렬한다. 정렬이 되는 이유는 내부적으로 {@link java.util.TreeSet}을 이용하기 때문이다. * * @param array 문자열 배열 * @return 중복이 없는 문자열 배열. 결과는 natural order로 졍렬된다. */ public static String[] removeDuplicateStrings(String[] array) { if (isEmpty(array)) { return array; } Set<String> set = new TreeSet<String>(); for (String element : array) { set.add(element); } return toStringArray(set); } /** * 배열을 구분자를 포함한 단일 문자열로 변환한다. * * @param arr 배열 * @param delimiter 구분자 * @return 구분자를 포함한 단일 문자열 */ public static String arrayToDelimitedString(Object[] arr, String delimiter) { StringBuilder builder = new StringBuilder(); for (int index = 0; index < arr.length; index++) { if (index > 0) { builder.append(delimiter); } builder.append(arr[index]); } return builder.toString(); } /** * 배열을 콤마를 포함한 단일 문자열로 변환한다. * * @param arr 배열 * @return 콤마를 포함한 단일 문자열 */ public static String arrayToCommaDelimitedString(Object[] arr) { return arrayToDelimitedString(arr, ","); } /** * 문자열 배열을 문자열 List로 변환한다. * * @param arr 문자열 배열 * @return 문자열 List */ public static List<String> stringArrayToCollection(String[] arr) { ArrayList<String> list = new ArrayList<String>(arr.length); list.addAll(Arrays.asList(arr)); return list; } }
.version 52 0 .class public super ArrayUtils .super java/lang/Object .method public <init> : ()V .code stack 1 locals 1 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: return L5: .linenumbertable L0 29 .end linenumbertable .end code .end method .method public static isEmpty : ([Ljava/lang/Object;)Z .code stack 1 locals 1 L0: aload_0 L1: ifnull L9 L4: aload_0 L5: arraylength L6: ifne L13 .stack same L9: iconst_1 L10: goto L14 .stack same L13: iconst_0 .stack stack_1 Integer L14: ireturn L15: .linenumbertable L0 38 .end linenumbertable .end code .end method .method public static varargs toIntegerArray : ([Ljava/lang/String;)[Ljava/lang/Integer; .code stack 4 locals 3 L0: aload_0 L1: ifnonnull L9 L4: iconst_0 L5: anewarray java/lang/Integer L8: areturn .stack same L9: aload_0 L10: arraylength L11: anewarray java/lang/Integer L14: astore_1 L15: iconst_0 L16: istore_2 .stack append Object [Ljava/lang/Integer; Integer L17: iload_2 L18: aload_1 L19: arraylength L20: if_icmpge L41 L23: aload_1 L24: iload_2 L25: aload_0 L26: iload_2 L27: aaload L28: invokestatic Method java/lang/Integer parseInt (Ljava/lang/String;)I L31: invokestatic Method java/lang/Integer valueOf (I)Ljava/lang/Integer; L34: aastore L35: iinc 2 1 L38: goto L17 .stack chop 1 L41: aload_1 L42: areturn L43: .linenumbertable L0 49 L4 50 L9 52 L15 53 L23 54 L35 53 L41 56 .end linenumbertable .end code .end method .method public static sortStringArray : ([Ljava/lang/String;)[Ljava/lang/String; .code stack 1 locals 1 L0: aload_0 L1: invokestatic Method ArrayUtils isEmpty ([Ljava/lang/Object;)Z L4: ifeq L12 L7: iconst_0 L8: anewarray java/lang/String L11: areturn .stack same L12: aload_0 L13: invokestatic Method java/util/Arrays sort ([Ljava/lang/Object;)V L16: aload_0 L17: areturn L18: .linenumbertable L0 66 L7 67 L12 69 L16 70 .end linenumbertable .end code .end method .method public static sortReverseIntegerArray : ([Ljava/lang/Integer;)[Ljava/lang/Integer; .code stack 2 locals 1 L0: aload_0 L1: invokestatic Method ArrayUtils isEmpty ([Ljava/lang/Object;)Z L4: ifeq L12 L7: iconst_0 L8: anewarray java/lang/Integer L11: areturn .stack same L12: aload_0 L13: invokestatic Method java/util/Collections reverseOrder ()Ljava/util/Comparator; L16: invokestatic Method java/util/Arrays sort ([Ljava/lang/Object;Ljava/util/Comparator;)V L19: aload_0 L20: areturn L21: .linenumbertable L0 80 L7 81 L12 83 L19 84 .end linenumbertable .end code .end method .method public static sortIntegerArray : ([Ljava/lang/Integer;)[Ljava/lang/Integer; .code stack 1 locals 1 L0: aload_0 L1: invokestatic Method ArrayUtils isEmpty ([Ljava/lang/Object;)Z L4: ifeq L12 L7: iconst_0 L8: anewarray java/lang/Integer L11: areturn .stack same L12: aload_0 L13: invokestatic Method java/util/Arrays sort ([Ljava/lang/Object;)V L16: aload_0 L17: areturn L18: .linenumbertable L0 94 L7 95 L12 97 L16 98 .end linenumbertable .end code .end method .method public static toStringArray : (Ljava/util/Collection;)[Ljava/lang/String; .code stack 2 locals 1 L0: aload_0 L1: ifnonnull L6 L4: aconst_null L5: areturn .stack same L6: aload_0 L7: aload_0 L8: invokeinterface InterfaceMethod java/util/Collection size ()I 1 L13: anewarray java/lang/String L16: invokeinterface InterfaceMethod java/util/Collection toArray ([Ljava/lang/Object;)[Ljava/lang/Object; 2 L21: checkcast [Ljava/lang/String; L24: areturn L25: .linenumbertable L0 108 L4 109 L6 111 .end linenumbertable .end code .signature (Ljava/util/Collection<Ljava/lang/String;>;)[Ljava/lang/String; .end method .method public static toStringArray : (Ljava/util/Enumeration;)[Ljava/lang/String; .code stack 2 locals 2 L0: aload_0 L1: ifnonnull L6 L4: aconst_null L5: areturn .stack same L6: aload_0 L7: invokestatic Method java/util/Collections list (Ljava/util/Enumeration;)Ljava/util/ArrayList; L10: astore_1 L11: aload_1 L12: aload_1 L13: invokeinterface InterfaceMethod java/util/List size ()I 1 L18: anewarray java/lang/String L21: invokeinterface InterfaceMethod java/util/List toArray ([Ljava/lang/Object;)[Ljava/lang/Object; 2 L26: checkcast [Ljava/lang/String; L29: areturn L30: .linenumbertable L0 121 L4 122 L6 124 L11 125 .end linenumbertable .end code .signature (Ljava/util/Enumeration<Ljava/lang/String;>;)[Ljava/lang/String; .end method .method public static trimArrayElements : ([Ljava/lang/String;)[Ljava/lang/String; .code stack 3 locals 4 L0: aload_0 L1: invokestatic Method ArrayUtils isEmpty ([Ljava/lang/Object;)Z L4: ifeq L12 L7: iconst_0 L8: anewarray java/lang/String L11: areturn .stack same L12: aload_0 L13: arraylength L14: anewarray java/lang/String L17: astore_1 L18: iconst_0 L19: istore_2 .stack append Object [Ljava/lang/String; Integer L20: iload_2 L21: aload_0 L22: arraylength L23: if_icmpge L51 L26: aload_0 L27: iload_2 L28: aaload L29: astore_3 L30: aload_1 L31: iload_2 L32: aload_3 L33: ifnull L43 L36: aload_3 L37: invokevirtual Method java/lang/String trim ()Ljava/lang/String; L40: goto L44 .stack full locals Object [Ljava/lang/String; Object [Ljava/lang/String; Integer Object java/lang/String stack Object [Ljava/lang/String; Integer .end stack L43: aconst_null .stack full locals Object [Ljava/lang/String; Object [Ljava/lang/String; Integer Object java/lang/String stack Object [Ljava/lang/String; Integer Object java/lang/String .end stack L44: aastore L45: iinc 2 1 L48: goto L20 .stack chop 2 L51: aload_1 L52: areturn L53: .linenumbertable L0 135 L7 136 L12 138 L18 139 L26 140 L30 141 L45 139 L51 143 .end linenumbertable .end code .end method .method public static removeDuplicateStrings : ([Ljava/lang/String;)[Ljava/lang/String; .code stack 2 locals 6 L0: aload_0 L1: invokestatic Method ArrayUtils isEmpty ([Ljava/lang/Object;)Z L4: ifeq L9 L7: aload_0 L8: areturn .stack same L9: new java/util/TreeSet L12: dup L13: invokespecial Method java/util/TreeSet <init> ()V L16: astore_1 L17: aload_0 L18: astore_2 L19: aload_2 L20: arraylength L21: istore_3 L22: iconst_0 L23: istore 4 .stack full locals Object [Ljava/lang/String; Object java/util/Set Object [Ljava/lang/String; Integer Integer stack .end stack L25: iload 4 L27: iload_3 L28: if_icmpge L52 L31: aload_2 L32: iload 4 L34: aaload L35: astore 5 L37: aload_1 L38: aload 5 L40: invokeinterface InterfaceMethod java/util/Set add (Ljava/lang/Object;)Z 2 L45: pop L46: iinc 4 1 L49: goto L25 .stack chop 3 L52: aload_1 L53: invokestatic Method ArrayUtils toStringArray (Ljava/util/Collection;)[Ljava/lang/String; L56: areturn L57: .linenumbertable L0 154 L7 155 L9 157 L17 158 L37 159 L46 158 L52 161 .end linenumbertable .end code .end method .method public static arrayToDelimitedString : ([Ljava/lang/Object;Ljava/lang/String;)Ljava/lang/String; .code stack 3 locals 4 L0: new java/lang/StringBuilder L3: dup L4: invokespecial Method java/lang/StringBuilder <init> ()V L7: astore_2 L8: iconst_0 L9: istore_3 .stack append Object java/lang/StringBuilder Integer L10: iload_3 L11: aload_0 L12: arraylength L13: if_icmpge L40 L16: iload_3 L17: ifle L26 L20: aload_2 L21: aload_1 L22: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder; L25: pop .stack same L26: aload_2 L27: aload_0 L28: iload_3 L29: aaload L30: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/Object;)Ljava/lang/StringBuilder; L33: pop L34: iinc 3 1 L37: goto L10 .stack chop 1 L40: aload_2 L41: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String; L44: areturn L45: .linenumbertable L0 172 L8 173 L16 174 L20 175 L26 177 L34 173 L40 179 .end linenumbertable .end code .end method .method public static arrayToCommaDelimitedString : ([Ljava/lang/Object;)Ljava/lang/String; .code stack 2 locals 1 L0: aload_0 L1: ldc ',' L3: invokestatic Method ArrayUtils arrayToDelimitedString ([Ljava/lang/Object;Ljava/lang/String;)Ljava/lang/String; L6: areturn L7: .linenumbertable L0 189 .end linenumbertable .end code .end method .method public static stringArrayToCollection : ([Ljava/lang/String;)Ljava/util/List; .code stack 3 locals 2 L0: new java/util/ArrayList L3: dup L4: aload_0 L5: arraylength L6: invokespecial Method java/util/ArrayList <init> (I)V L9: astore_1 L10: aload_1 L11: aload_0 L12: invokestatic Method java/util/Arrays asList ([Ljava/lang/Object;)Ljava/util/List; L15: invokevirtual Method java/util/ArrayList addAll (Ljava/util/Collection;)Z L18: pop L19: aload_1 L20: areturn L21: .linenumbertable L0 199 L10 200 L19 201 .end linenumbertable .end code .signature ([Ljava/lang/String;)Ljava/util/List<Ljava/lang/String;>; .end method .sourcefile 'ArrayUtils.java' .end class
/* * This file was automatically generated by EvoSuite * Sun Jul 03 20:09:10 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.Collection; import java.util.Enumeration; import java.util.LinkedList; import java.util.List; import org.evosuite.runtime.EvoRunner; import org.evosuite.runtime.EvoRunnerParameters; import org.evosuite.runtime.ViolatedAssumptionAnswer; import org.junit.runner.RunWith; @RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true) public class ArrayUtils_ESTest extends ArrayUtils_ESTest_scaffolding { @Test(timeout = 4000) public void test00() throws Throwable { String[] stringArray0 = new String[1]; ArrayUtils.stringArrayToCollection(stringArray0); String string0 = ArrayUtils.arrayToDelimitedString(stringArray0, ""); assertEquals("null", string0); ArrayUtils.stringArrayToCollection(stringArray0); String[] stringArray1 = new String[4]; stringArray1[0] = ""; stringArray1[1] = ""; stringArray1[2] = ""; stringArray1[3] = ""; String[] stringArray2 = ArrayUtils.sortStringArray(stringArray1); assertEquals(4, stringArray2.length); } @Test(timeout = 4000) public void test01() throws Throwable { Enumeration<String> enumeration0 = (Enumeration<String>) mock(Enumeration.class, new ViolatedAssumptionAnswer()); doReturn(false).when(enumeration0).hasMoreElements(); String[] stringArray0 = ArrayUtils.toStringArray(enumeration0); ArrayUtils.arrayToCommaDelimitedString(stringArray0); String[] stringArray1 = ArrayUtils.trimArrayElements(stringArray0); ArrayUtils.stringArrayToCollection(stringArray1); Enumeration<String> enumeration1 = (Enumeration<String>) mock(Enumeration.class, new ViolatedAssumptionAnswer()); doReturn(false).when(enumeration1).hasMoreElements(); String[] stringArray2 = ArrayUtils.toStringArray(enumeration1); ArrayUtils.toIntegerArray(stringArray2); String[] stringArray3 = new String[7]; stringArray3[0] = ""; stringArray3[1] = ""; stringArray3[2] = ""; stringArray3[3] = ""; stringArray3[4] = ""; stringArray3[5] = ""; stringArray3[6] = ""; String[] stringArray4 = ArrayUtils.sortStringArray(stringArray3); assertEquals(7, stringArray4.length); } @Test(timeout = 4000) public void test02() throws Throwable { Integer[] integerArray0 = ArrayUtils.sortReverseIntegerArray((Integer[]) null); String[] stringArray0 = new String[6]; stringArray0[0] = ""; stringArray0[1] = ""; stringArray0[2] = ""; stringArray0[3] = "+v&f"; stringArray0[4] = ""; stringArray0[5] = "Ol1AKA8P/"; ArrayUtils.removeDuplicateStrings(stringArray0); ArrayUtils.stringArrayToCollection(stringArray0); Enumeration<String> enumeration0 = (Enumeration<String>) mock(Enumeration.class, new ViolatedAssumptionAnswer()); doReturn(false).when(enumeration0).hasMoreElements(); ArrayUtils.toStringArray(enumeration0); ArrayUtils.trimArrayElements((String[]) null); ArrayUtils.arrayToCommaDelimitedString(integerArray0); // Undeclared exception! try { ArrayUtils.toIntegerArray(stringArray0); fail("Expecting exception: NumberFormatException"); } catch(NumberFormatException e) { // // For input string: \"\" // verifyException("java.lang.NumberFormatException", e); } } @Test(timeout = 4000) public void test03() throws Throwable { String[] stringArray0 = new String[1]; stringArray0[0] = ""; String[] stringArray1 = ArrayUtils.trimArrayElements(stringArray0); assertEquals(1, stringArray1.length); } @Test(timeout = 4000) public void test04() throws Throwable { String[] stringArray0 = new String[8]; String[] stringArray1 = ArrayUtils.trimArrayElements(stringArray0); assertEquals(8, stringArray1.length); } @Test(timeout = 4000) public void test05() throws Throwable { LinkedList<String> linkedList0 = new LinkedList<String>(); String[] stringArray0 = ArrayUtils.toStringArray((Collection<String>) linkedList0); assertEquals(0, stringArray0.length); } @Test(timeout = 4000) public void test06() throws Throwable { Integer[] integerArray0 = new Integer[6]; Integer integer0 = new Integer(0); integerArray0[0] = integer0; integerArray0[1] = integerArray0[0]; integerArray0[2] = integerArray0[1]; integerArray0[3] = integerArray0[0]; integerArray0[4] = integerArray0[1]; integerArray0[5] = integerArray0[1]; Integer[] integerArray1 = ArrayUtils.sortReverseIntegerArray(integerArray0); assertEquals(6, integerArray1.length); } @Test(timeout = 4000) public void test07() throws Throwable { String[] stringArray0 = ArrayUtils.removeDuplicateStrings((String[]) null); assertNull(stringArray0); } @Test(timeout = 4000) public void test08() throws Throwable { String[] stringArray0 = new String[1]; stringArray0[0] = ""; String string0 = ArrayUtils.arrayToDelimitedString(stringArray0, ""); assertEquals("", string0); } @Test(timeout = 4000) public void test09() throws Throwable { Object[] objectArray0 = new Object[3]; String string0 = ArrayUtils.arrayToCommaDelimitedString(objectArray0); assertEquals("null,null,null", string0); } @Test(timeout = 4000) public void test10() throws Throwable { ArrayUtils.isEmpty((Object[]) null); String[] stringArray0 = new String[7]; List<String> list0 = ArrayUtils.stringArrayToCollection(stringArray0); String[] stringArray1 = ArrayUtils.toStringArray((Collection<String>) list0); // Undeclared exception! try { ArrayUtils.toIntegerArray(stringArray1); fail("Expecting exception: NumberFormatException"); } catch(NumberFormatException e) { // // null // verifyException("java.lang.Integer", e); } } @Test(timeout = 4000) public void test11() throws Throwable { Enumeration<String> enumeration0 = (Enumeration<String>) mock(Enumeration.class, new ViolatedAssumptionAnswer()); doReturn(false).when(enumeration0).hasMoreElements(); String[] stringArray0 = ArrayUtils.toStringArray(enumeration0); String[] stringArray1 = ArrayUtils.trimArrayElements(stringArray0); boolean boolean0 = ArrayUtils.isEmpty(stringArray1); assertTrue(boolean0); } @Test(timeout = 4000) public void test12() throws Throwable { Integer[] integerArray0 = new Integer[1]; boolean boolean0 = ArrayUtils.isEmpty(integerArray0); assertFalse(boolean0); } @Test(timeout = 4000) public void test13() throws Throwable { Object[] objectArray0 = new Object[7]; String string0 = ArrayUtils.arrayToDelimitedString(objectArray0, ""); assertEquals("nullnullnullnullnullnullnull", string0); } @Test(timeout = 4000) public void test14() throws Throwable { String[] stringArray0 = new String[6]; stringArray0[0] = ""; stringArray0[1] = ""; stringArray0[2] = ""; stringArray0[3] = "+v&f"; stringArray0[4] = ""; stringArray0[5] = "Ol1AKA8P/"; String[] stringArray1 = ArrayUtils.removeDuplicateStrings(stringArray0); assertEquals(3, stringArray1.length); } @Test(timeout = 4000) public void test15() throws Throwable { Enumeration<String> enumeration0 = (Enumeration<String>) mock(Enumeration.class, new ViolatedAssumptionAnswer()); doReturn(false).when(enumeration0).hasMoreElements(); String[] stringArray0 = ArrayUtils.toStringArray(enumeration0); String[] stringArray1 = ArrayUtils.trimArrayElements(stringArray0); assertEquals(0, stringArray1.length); String[] stringArray2 = ArrayUtils.removeDuplicateStrings(stringArray1); assertSame(stringArray2, stringArray1); } @Test(timeout = 4000) public void test16() throws Throwable { String[] stringArray0 = ArrayUtils.toStringArray((Enumeration<String>) null); assertNull(stringArray0); } @Test(timeout = 4000) public void test17() throws Throwable { String[] stringArray0 = ArrayUtils.toStringArray((Collection<String>) null); assertNull(stringArray0); } @Test(timeout = 4000) public void test18() throws Throwable { Integer[] integerArray0 = new Integer[1]; Integer[] integerArray1 = ArrayUtils.sortIntegerArray(integerArray0); assertEquals(1, integerArray1.length); } @Test(timeout = 4000) public void test19() throws Throwable { Integer[] integerArray0 = ArrayUtils.toIntegerArray((String[]) null); Integer[] integerArray1 = ArrayUtils.sortIntegerArray(integerArray0); assertNotSame(integerArray1, integerArray0); assertEquals(0, integerArray1.length); } @Test(timeout = 4000) public void test20() throws Throwable { Enumeration<String> enumeration0 = (Enumeration<String>) mock(Enumeration.class, new ViolatedAssumptionAnswer()); doReturn(false).when(enumeration0).hasMoreElements(); String[] stringArray0 = ArrayUtils.toStringArray(enumeration0); assertNotNull(stringArray0); String[] stringArray1 = ArrayUtils.sortStringArray(stringArray0); assertNotSame(stringArray1, stringArray0); assertEquals(0, stringArray1.length); } @Test(timeout = 4000) public void test21() throws Throwable { ArrayUtils arrayUtils0 = new ArrayUtils(); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sun Jul 03 20:09:10 GMT 2022 */ import org.evosuite.runtime.annotation.EvoSuiteClassExclude; import org.junit.BeforeClass; import org.junit.Before; import org.junit.After; import org.junit.AfterClass; import org.evosuite.runtime.sandbox.Sandbox; import org.evosuite.runtime.sandbox.Sandbox.SandboxMode; import static org.evosuite.shaded.org.mockito.Mockito.*; @EvoSuiteClassExclude public class ArrayUtils_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000); @BeforeClass public static void initEvoSuiteFramework() { org.evosuite.runtime.RuntimeSettings.className = "ArrayUtils"; org.evosuite.runtime.GuiSupport.initialize(); org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); org.evosuite.runtime.classhandling.JDKClassResetter.init(); setSystemProperties(); initializeClasses(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); try { initMocksToAvoidTimeoutsInTheTests(); } catch(ClassNotFoundException e) {} } @AfterClass public static void clearEvoSuiteFramework(){ Sandbox.resetDefaultSecurityManager(); java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); } @Before public void initTestCase(){ threadStopper.storeCurrentThreads(); threadStopper.startRecordingTime(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); setSystemProperties(); org.evosuite.runtime.GuiSupport.setHeadless(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); org.evosuite.runtime.agent.InstrumentingAgent.activate(); } @After public void doneWithTestCase(){ threadStopper.killAndJoinClientThreads(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); org.evosuite.runtime.classhandling.JDKClassResetter.reset(); resetClasses(); org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); } public static void setSystemProperties() { java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); java.lang.System.setProperty("file.encoding", "UTF-8"); java.lang.System.setProperty("java.awt.headless", "true"); java.lang.System.setProperty("java.io.tmpdir", "/tmp"); java.lang.System.setProperty("user.country", "US"); java.lang.System.setProperty("user.dir", "/tmp/tmpxd3d4i9v"); java.lang.System.setProperty("user.home", "/home/bmcdanel"); java.lang.System.setProperty("user.language", "en"); java.lang.System.setProperty("user.name", "bmcdanel"); java.lang.System.setProperty("user.timezone", "America/New_York"); } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(ArrayUtils_ESTest_scaffolding.class.getClassLoader() , "ArrayUtils" ); } private static void initMocksToAvoidTimeoutsInTheTests() throws ClassNotFoundException { mock(Class.forName("java.util.Enumeration", false, ArrayUtils_ESTest_scaffolding.class.getClassLoader())); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ArrayUtils_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "ArrayUtils" ); } }
2,298
Person
class Person { public String hello() { return "hello"; } }
.version 52 0 .class super Person .super java/lang/Object .method <init> : ()V .code stack 1 locals 1 L0: aload_0 L1: invokespecial Method java/lang/Object <init> ()V L4: return L5: .linenumbertable L0 3 .end linenumbertable .end code .end method .method public hello : ()Ljava/lang/String; .code stack 1 locals 1 L0: ldc 'hello' L2: areturn L3: .linenumbertable L0 5 .end linenumbertable .end code .end method .sourcefile 'Person.java' .end class
/* * This file was automatically generated by EvoSuite * Sat Jul 02 06:56: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 Person_ESTest extends Person_ESTest_scaffolding { @Test(timeout = 4000) public void test0() throws Throwable { Person person0 = new Person(); String string0 = person0.hello(); assertEquals("hello", string0); } }
/** * Scaffolding file used to store all the setups needed to run * tests automatically generated by EvoSuite * Sat Jul 02 06:56: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 Person_ESTest_scaffolding { @org.junit.Rule public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule(); private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone(); private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000); @BeforeClass public static void initEvoSuiteFramework() { org.evosuite.runtime.RuntimeSettings.className = "Person"; org.evosuite.runtime.GuiSupport.initialize(); org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100; org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000; org.evosuite.runtime.RuntimeSettings.mockSystemIn = true; org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED; org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT(); org.evosuite.runtime.classhandling.JDKClassResetter.init(); setSystemProperties(); initializeClasses(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); } @AfterClass public static void clearEvoSuiteFramework(){ Sandbox.resetDefaultSecurityManager(); java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); } @Before public void initTestCase(){ threadStopper.storeCurrentThreads(); threadStopper.startRecordingTime(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler(); org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode(); setSystemProperties(); org.evosuite.runtime.GuiSupport.setHeadless(); org.evosuite.runtime.Runtime.getInstance().resetRuntime(); org.evosuite.runtime.agent.InstrumentingAgent.activate(); } @After public void doneWithTestCase(){ threadStopper.killAndJoinClientThreads(); org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks(); org.evosuite.runtime.classhandling.JDKClassResetter.reset(); resetClasses(); org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode(); org.evosuite.runtime.agent.InstrumentingAgent.deactivate(); org.evosuite.runtime.GuiSupport.restoreHeadlessMode(); } public static void setSystemProperties() { java.lang.System.setProperties((java.util.Properties) defaultProperties.clone()); java.lang.System.setProperty("file.encoding", "UTF-8"); java.lang.System.setProperty("java.awt.headless", "true"); java.lang.System.setProperty("java.io.tmpdir", "/tmp"); java.lang.System.setProperty("user.country", "US"); java.lang.System.setProperty("user.dir", "/tmp/tmpjxont8wa"); java.lang.System.setProperty("user.home", "/home/bmcdanel"); java.lang.System.setProperty("user.language", "en"); java.lang.System.setProperty("user.name", "bmcdanel"); java.lang.System.setProperty("user.timezone", "America/New_York"); } private static void initializeClasses() { org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Person_ESTest_scaffolding.class.getClassLoader() , "Person" ); } private static void resetClasses() { org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Person_ESTest_scaffolding.class.getClassLoader()); org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses( "Person" ); } }
2,299