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
|
---|---|---|---|---|---|
Math | /*
* Copyright (c) 1994, 2011, 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.
*/
import java.util.Random;
/**
* The class {@code Math} contains methods for performing basic numeric operations such as the
* elementary exponential, logarithm, square root, and trigonometric functions.
*
* <p>Unlike some of the numeric methods of class {@code StrictMath}, all implementations of the
* equivalent functions of class {@code Math} are not defined to return the bit-for-bit same
* results. This relaxation permits better-performing implementations where strict reproducibility
* is not required.
*
* <p>By default many of the {@code Math} methods simply call the equivalent method in {@code
* StrictMath} for their implementation. Code generators are encouraged to use platform-specific
* native libraries or microprocessor instructions, where available, to provide higher-performance
* implementations of {@code Math} methods. Such higher-performance implementations still must
* conform to the specification for {@code Math}.
*
* <p>The quality of implementation specifications concern two properties, accuracy of the returned
* result and monotonicity of the method. Accuracy of the floating-point {@code Math} methods is
* measured in terms of <i>ulps</i>, units in the last place. For a given floating-point format, an
* ulp of a specific real number value is the distance between the two floating-point values
* bracketing that numerical value. When discussing the accuracy of a method as a whole rather than
* at a specific argument, the number of ulps cited is for the worst-case error at any argument. If
* a method always has an error less than 0.5 ulps, the method always returns the floating-point
* number nearest the exact result; such a method is <i>correctly rounded</i>. A correctly rounded
* method is generally the best a floating-point approximation can be; however, it is impractical
* for many floating-point methods to be correctly rounded. Instead, for the {@code Math} class, a
* larger error bound of 1 or 2 ulps is allowed for certain methods. Informally, with a 1 ulp error
* bound, when the exact result is a representable number, the exact result should be returned as
* the computed result; otherwise, either of the two floating-point values which bracket the exact
* result may be returned. For exact results large in magnitude, one of the endpoints of the bracket
* may be infinite. Besides accuracy at individual arguments, maintaining proper relations between
* the method at different arguments is also important. Therefore, most methods with more than 0.5
* ulp errors are required to be <i>semi-monotonic</i>: whenever the mathematical function is
* non-decreasing, so is the floating-point approximation, likewise, whenever the mathematical
* function is non-increasing, so is the floating-point approximation. Not all approximations that
* have 1 ulp accuracy will automatically meet the monotonicity requirements.
*
* @author unascribed
* @author Joseph D. Darcy
* @since JDK1.0
*/
public final class Math {
/** Don't let anyone instantiate this class. */
private Math() {}
/**
* The {@code double} value that is closer than any other to <i>e</i>, the base of the natural
* logarithms.
*/
public static final double E = 2.7182818284590452354;
/**
* The {@code double} value that is closer than any other to <i>pi</i>, the ratio of the
* circumference of a circle to its diameter.
*/
public static final double PI = 3.14159265358979323846;
/**
* Returns the trigonometric sine of an angle. Special cases:
*
* <ul>
* <li>If the argument is NaN or an infinity, then the result is NaN.
* <li>If the argument is zero, then the result is a zero with the same sign as the argument.
* </ul>
*
* <p>The computed result must be within 1 ulp of the exact result. Results must be
* semi-monotonic.
*
* @param a an angle, in radians.
* @return the sine of the argument.
*/
public static double sin(double a) {
return StrictMath.sin(a); // default impl. delegates to StrictMath
}
/**
* Returns the trigonometric cosine of an angle. Special cases:
*
* <ul>
* <li>If the argument is NaN or an infinity, then the result is NaN.
* </ul>
*
* <p>The computed result must be within 1 ulp of the exact result. Results must be
* semi-monotonic.
*
* @param a an angle, in radians.
* @return the cosine of the argument.
*/
public static double cos(double a) {
return StrictMath.cos(a); // default impl. delegates to StrictMath
}
/**
* Returns the trigonometric tangent of an angle. Special cases:
*
* <ul>
* <li>If the argument is NaN or an infinity, then the result is NaN.
* <li>If the argument is zero, then the result is a zero with the same sign as the argument.
* </ul>
*
* <p>The computed result must be within 1 ulp of the exact result. Results must be
* semi-monotonic.
*
* @param a an angle, in radians.
* @return the tangent of the argument.
*/
public static double tan(double a) {
return StrictMath.tan(a); // default impl. delegates to StrictMath
}
/**
* Returns the arc sine of a value; the returned angle is in the range -<i>pi</i>/2 through
* <i>pi</i>/2. Special cases:
*
* <ul>
* <li>If the argument is NaN or its absolute value is greater than 1, then the result is NaN.
* <li>If the argument is zero, then the result is a zero with the same sign as the argument.
* </ul>
*
* <p>The computed result must be within 1 ulp of the exact result. Results must be
* semi-monotonic.
*
* @param a the value whose arc sine is to be returned.
* @return the arc sine of the argument.
*/
public static double asin(double a) {
return StrictMath.asin(a); // default impl. delegates to StrictMath
}
/**
* Returns the arc cosine of a value; the returned angle is in the range 0.0 through <i>pi</i>.
* Special case:
*
* <ul>
* <li>If the argument is NaN or its absolute value is greater than 1, then the result is NaN.
* </ul>
*
* <p>The computed result must be within 1 ulp of the exact result. Results must be
* semi-monotonic.
*
* @param a the value whose arc cosine is to be returned.
* @return the arc cosine of the argument.
*/
public static double acos(double a) {
return StrictMath.acos(a); // default impl. delegates to StrictMath
}
/**
* Returns the arc tangent of a value; the returned angle is in the range -<i>pi</i>/2 through
* <i>pi</i>/2. Special cases:
*
* <ul>
* <li>If the argument is NaN, then the result is NaN.
* <li>If the argument is zero, then the result is a zero with the same sign as the argument.
* </ul>
*
* <p>The computed result must be within 1 ulp of the exact result. Results must be
* semi-monotonic.
*
* @param a the value whose arc tangent is to be returned.
* @return the arc tangent of the argument.
*/
public static double atan(double a) {
return StrictMath.atan(a); // default impl. delegates to StrictMath
}
/**
* Converts an angle measured in degrees to an approximately equivalent angle measured in radians.
* The conversion from degrees to radians is generally inexact.
*
* @param angdeg an angle, in degrees
* @return the measurement of the angle {@code angdeg} in radians.
* @since 1.2
*/
public static double toRadians(double angdeg) {
return angdeg / 180.0 * PI;
}
/**
* Converts an angle measured in radians to an approximately equivalent angle measured in degrees.
* The conversion from radians to degrees is generally inexact; users should <i>not</i> expect
* {@code cos(toRadians(90.0))} to exactly equal {@code 0.0}.
*
* @param angrad an angle, in radians
* @return the measurement of the angle {@code angrad} in degrees.
* @since 1.2
*/
public static double toDegrees(double angrad) {
return angrad * 180.0 / PI;
}
/**
* Returns Euler's number <i>e</i> raised to the power of a {@code double} value. Special cases:
*
* <ul>
* <li>If the argument is NaN, the result is NaN.
* <li>If the argument is positive infinity, then the result is positive infinity.
* <li>If the argument is negative infinity, then the result is positive zero.
* </ul>
*
* <p>The computed result must be within 1 ulp of the exact result. Results must be
* semi-monotonic.
*
* @param a the exponent to raise <i>e</i> to.
* @return the value <i>e</i><sup>{@code a}</sup>, where <i>e</i> is the base of the natural
* logarithms.
*/
public static double exp(double a) {
return StrictMath.exp(a); // default impl. delegates to StrictMath
}
/**
* Returns the natural logarithm (base <i>e</i>) of a {@code double} value. Special cases:
*
* <ul>
* <li>If the argument is NaN or less than zero, then the result is NaN.
* <li>If the argument is positive infinity, then the result is positive infinity.
* <li>If the argument is positive zero or negative zero, then the result is negative infinity.
* </ul>
*
* <p>The computed result must be within 1 ulp of the exact result. Results must be
* semi-monotonic.
*
* @param a a value
* @return the value ln {@code a}, the natural logarithm of {@code a}.
*/
public static double log(double a) {
return StrictMath.log(a); // default impl. delegates to StrictMath
}
/**
* Returns the base 10 logarithm of a {@code double} value. Special cases:
*
* <ul>
* <li>If the argument is NaN or less than zero, then the result is NaN.
* <li>If the argument is positive infinity, then the result is positive infinity.
* <li>If the argument is positive zero or negative zero, then the result is negative infinity.
* <li>If the argument is equal to 10<sup><i>n</i></sup> for integer <i>n</i>, then the result
* is <i>n</i>.
* </ul>
*
* <p>The computed result must be within 1 ulp of the exact result. Results must be
* semi-monotonic.
*
* @param a a value
* @return the base 10 logarithm of {@code a}.
* @since 1.5
*/
public static double log10(double a) {
return StrictMath.log10(a); // default impl. delegates to StrictMath
}
/**
* Returns the correctly rounded positive square root of a {@code double} value. Special cases:
*
* <ul>
* <li>If the argument is NaN or less than zero, then the result is NaN.
* <li>If the argument is positive infinity, then the result is positive infinity.
* <li>If the argument is positive zero or negative zero, then the result is the same as the
* argument.
* </ul>
*
* Otherwise, the result is the {@code double} value closest to the true mathematical square root
* of the argument value.
*
* @param a a value.
* @return the positive square root of {@code a}. If the argument is NaN or less than zero, the
* result is NaN.
*/
public static double sqrt(double a) {
return StrictMath.sqrt(a); // default impl. delegates to StrictMath
// Note that hardware sqrt instructions
// frequently can be directly used by JITs
// and should be much faster than doing
// Math.sqrt in software.
}
/**
* Returns the cube root of a {@code double} value. For positive finite {@code x}, {@code cbrt(-x)
* == -cbrt(x)}; that is, the cube root of a negative value is the negative of the cube root of
* that value's magnitude.
*
* <p>Special cases:
*
* <ul>
* <li>If the argument is NaN, then the result is NaN.
* <li>If the argument is infinite, then the result is an infinity with the same sign as the
* argument.
* <li>If the argument is zero, then the result is a zero with the same sign as the argument.
* </ul>
*
* <p>The computed result must be within 1 ulp of the exact result.
*
* @param a a value.
* @return the cube root of {@code a}.
* @since 1.5
*/
public static double cbrt(double a) {
return StrictMath.cbrt(a);
}
/**
* Computes the remainder operation on two arguments as prescribed by the IEEE 754 standard. The
* remainder value is mathematically equal to <code>f1 - f2</code>
* × <i>n</i>, where <i>n</i> is the mathematical integer closest to the exact
* mathematical value of the quotient {@code f1/f2}, and if two mathematical integers are equally
* close to {@code f1/f2}, then <i>n</i> is the integer that is even. If the remainder is zero,
* its sign is the same as the sign of the first argument. Special cases:
*
* <ul>
* <li>If either argument is NaN, or the first argument is infinite, or the second argument is
* positive zero or negative zero, then the result is NaN.
* <li>If the first argument is finite and the second argument is infinite, then the result is
* the same as the first argument.
* </ul>
*
* @param f1 the dividend.
* @param f2 the divisor.
* @return the remainder when {@code f1} is divided by {@code f2}.
*/
public static double IEEEremainder(double f1, double f2) {
return StrictMath.IEEEremainder(f1, f2); // delegate to StrictMath
}
/**
* Returns the smallest (closest to negative infinity) {@code double} value that is greater than
* or equal to the argument and is equal to a mathematical integer. Special cases:
*
* <ul>
* <li>If the argument value is already equal to a mathematical integer, then the result is the
* same as the argument.
* <li>If the argument is NaN or an infinity or positive zero or negative zero, then the result
* is the same as the argument.
* <li>If the argument value is less than zero but greater than -1.0, then the result is
* negative zero.
* </ul>
*
* Note that the value of {@code Math.ceil(x)} is exactly the value of {@code -Math.floor(-x)}.
*
* @param a a value.
* @return the smallest (closest to negative infinity) floating-point value that is greater than
* or equal to the argument and is equal to a mathematical integer.
*/
public static double ceil(double a) {
return StrictMath.ceil(a); // default impl. delegates to StrictMath
}
/**
* Returns the largest (closest to positive infinity) {@code double} value that is less than or
* equal to the argument and is equal to a mathematical integer. Special cases:
*
* <ul>
* <li>If the argument value is already equal to a mathematical integer, then the result is the
* same as the argument.
* <li>If the argument is NaN or an infinity or positive zero or negative zero, then the result
* is the same as the argument.
* </ul>
*
* @param a a value.
* @return the largest (closest to positive infinity) floating-point value that less than or equal
* to the argument and is equal to a mathematical integer.
*/
public static double floor(double a) {
return StrictMath.floor(a); // default impl. delegates to StrictMath
}
/**
* Returns the {@code double} value that is closest in value to the argument and is equal to a
* mathematical integer. If two {@code double} values that are mathematical integers are equally
* close, the result is the integer value that is even. Special cases:
*
* <ul>
* <li>If the argument value is already equal to a mathematical integer, then the result is the
* same as the argument.
* <li>If the argument is NaN or an infinity or positive zero or negative zero, then the result
* is the same as the argument.
* </ul>
*
* @param a a {@code double} value.
* @return the closest floating-point value to {@code a} that is equal to a mathematical integer.
*/
public static double rint(double a) {
return StrictMath.rint(a); // default impl. delegates to StrictMath
}
/**
* Returns the angle <i>theta</i> from the conversion of rectangular coordinates ({@code
* x}, {@code y}) to polar coordinates (r, <i>theta</i>). This method computes the phase
* <i>theta</i> by computing an arc tangent of {@code y/x} in the range of -<i>pi</i> to
* <i>pi</i>. Special cases:
*
* <ul>
* <li>If either argument is NaN, then the result is NaN.
* <li>If the first argument is positive zero and the second argument is positive, or the first
* argument is positive and finite and the second argument is positive infinity, then the
* result is positive zero.
* <li>If the first argument is negative zero and the second argument is positive, or the first
* argument is negative and finite and the second argument is positive infinity, then the
* result is negative zero.
* <li>If the first argument is positive zero and the second argument is negative, or the first
* argument is positive and finite and the second argument is negative infinity, then the
* result is the {@code double} value closest to <i>pi</i>.
* <li>If the first argument is negative zero and the second argument is negative, or the first
* argument is negative and finite and the second argument is negative infinity, then the
* result is the {@code double} value closest to -<i>pi</i>.
* <li>If the first argument is positive and the second argument is positive zero or negative
* zero, or the first argument is positive infinity and the second argument is finite, then
* the result is the {@code double} value closest to <i>pi</i>/2.
* <li>If the first argument is negative and the second argument is positive zero or negative
* zero, or the first argument is negative infinity and the second argument is finite, then
* the result is the {@code double} value closest to -<i>pi</i>/2.
* <li>If both arguments are positive infinity, then the result is the {@code double} value
* closest to <i>pi</i>/4.
* <li>If the first argument is positive infinity and the second argument is negative infinity,
* then the result is the {@code double} value closest to 3*<i>pi</i>/4.
* <li>If the first argument is negative infinity and the second argument is positive infinity,
* then the result is the {@code double} value closest to -<i>pi</i>/4.
* <li>If both arguments are negative infinity, then the result is the {@code double} value
* closest to -3*<i>pi</i>/4.
* </ul>
*
* <p>The computed result must be within 2 ulps of the exact result. Results must be
* semi-monotonic.
*
* @param y the ordinate coordinate
* @param x the abscissa coordinate
* @return the <i>theta</i> component of the point (<i>r</i>, <i>theta</i>) in polar
* coordinates that corresponds to the point (<i>x</i>, <i>y</i>) in Cartesian
* coordinates.
*/
public static double atan2(double y, double x) {
return StrictMath.atan2(y, x); // default impl. delegates to StrictMath
}
/**
* Returns the value of the first argument raised to the power of the second argument. Special
* cases:
*
* <ul>
* <li>If the second argument is positive or negative zero, then the result is 1.0.
* <li>If the second argument is 1.0, then the result is the same as the first argument.
* <li>If the second argument is NaN, then the result is NaN.
* <li>If the first argument is NaN and the second argument is nonzero, then the result is NaN.
* <li>If
* <ul>
* <li>the absolute value of the first argument is greater than 1 and the second argument
* is positive infinity, or
* <li>the absolute value of the first argument is less than 1 and the second argument is
* negative infinity,
* </ul>
* then the result is positive infinity.
* <li>If
* <ul>
* <li>the absolute value of the first argument is greater than 1 and the second argument
* is negative infinity, or
* <li>the absolute value of the first argument is less than 1 and the second argument is
* positive infinity,
* </ul>
* then the result is positive zero.
* <li>If the absolute value of the first argument equals 1 and the second argument is infinite,
* then the result is NaN.
* <li>If
* <ul>
* <li>the first argument is positive zero and the second argument is greater than zero,
* or
* <li>the first argument is positive infinity and the second argument is less than zero,
* </ul>
* then the result is positive zero.
* <li>If
* <ul>
* <li>the first argument is positive zero and the second argument is less than zero, or
* <li>the first argument is positive infinity and the second argument is greater than
* zero,
* </ul>
* then the result is positive infinity.
* <li>If
* <ul>
* <li>the first argument is negative zero and the second argument is greater than zero
* but not a finite odd integer, or
* <li>the first argument is negative infinity and the second argument is less than zero
* but not a finite odd integer,
* </ul>
* then the result is positive zero.
* <li>If
* <ul>
* <li>the first argument is negative zero and the second argument is a positive finite
* odd integer, or
* <li>the first argument is negative infinity and the second argument is a negative
* finite odd integer,
* </ul>
* then the result is negative zero.
* <li>If
* <ul>
* <li>the first argument is negative zero and the second argument is less than zero but
* not a finite odd integer, or
* <li>the first argument is negative infinity and the second argument is greater than
* zero but not a finite odd integer,
* </ul>
* then the result is positive infinity.
* <li>If
* <ul>
* <li>the first argument is negative zero and the second argument is a negative finite
* odd integer, or
* <li>the first argument is negative infinity and the second argument is a positive
* finite odd integer,
* </ul>
* then the result is negative infinity.
* <li>If the first argument is finite and less than zero
* <ul>
* <li>if the second argument is a finite even integer, the result is equal to the result
* of raising the absolute value of the first argument to the power of the second
* argument
* <li>if the second argument is a finite odd integer, the result is equal to the negative
* of the result of raising the absolute value of the first argument to the power of
* the second argument
* <li>if the second argument is finite and not an integer, then the result is NaN.
* </ul>
* <li>If both arguments are integers, then the result is exactly equal to the mathematical
* result of raising the first argument to the power of the second argument if that result
* can in fact be represented exactly as a {@code double} value.
* </ul>
*
* <p>(In the foregoing descriptions, a floating-point value is considered to be an integer if and
* only if it is finite and a fixed point of the method {@link #ceil ceil} or, equivalently, a
* fixed point of the method {@link #floor floor}. A value is a fixed point of a one-argument
* method if and only if the result of applying the method to the value is equal to the value.)
*
* <p>The computed result must be within 1 ulp of the exact result. Results must be
* semi-monotonic.
*
* @param a the base.
* @param b the exponent.
* @return the value {@code a}<sup>{@code b}</sup>.
*/
public static double pow(double a, double b) {
return StrictMath.pow(a, b); // default impl. delegates to StrictMath
}
/**
* Returns the closest {@code int} to the argument, with ties rounding up.
*
* <p>Special cases:
*
* <ul>
* <li>If the argument is NaN, the result is 0.
* <li>If the argument is negative infinity or any value less than or equal to the value of
* {@code Integer.MIN_VALUE}, the result is equal to the value of {@code Integer.MIN_VALUE}.
* <li>If the argument is positive infinity or any value greater than or equal to the value of
* {@code Integer.MAX_VALUE}, the result is equal to the value of {@code Integer.MAX_VALUE}.
* </ul>
*
* @param a a floating-point value to be rounded to an integer.
* @return the value of the argument rounded to the nearest {@code int} value.
* @see java.lang.Integer#MAX_VALUE
* @see java.lang.Integer#MIN_VALUE
*/
public static int round(float a) {
if (a != 0x1.fffffep-2f) // greatest float value less than 0.5
return (int) floor(a + 0.5f);
else return 0;
}
/**
* Returns the closest {@code long} to the argument, with ties rounding up.
*
* <p>Special cases:
*
* <ul>
* <li>If the argument is NaN, the result is 0.
* <li>If the argument is negative infinity or any value less than or equal to the value of
* {@code Long.MIN_VALUE}, the result is equal to the value of {@code Long.MIN_VALUE}.
* <li>If the argument is positive infinity or any value greater than or equal to the value of
* {@code Long.MAX_VALUE}, the result is equal to the value of {@code Long.MAX_VALUE}.
* </ul>
*
* @param a a floating-point value to be rounded to a {@code long}.
* @return the value of the argument rounded to the nearest {@code long} value.
* @see java.lang.Long#MAX_VALUE
* @see java.lang.Long#MIN_VALUE
*/
public static long round(double a) {
if (a != 0x1.fffffffffffffp-2) // greatest double value less than 0.5
return (long) floor(a + 0.5d);
else return 0;
}
private static Random randomNumberGenerator;
private static synchronized Random initRNG() {
Random rnd = randomNumberGenerator;
return (rnd == null) ? (randomNumberGenerator = new Random()) : rnd;
}
/**
* Returns a {@code double} value with a positive sign, greater than or equal to {@code 0.0} and
* less than {@code 1.0}. Returned values are chosen pseudorandomly with (approximately) uniform
* distribution from that range.
*
* <p>When this method is first called, it creates a single new pseudorandom-number generator,
* exactly as if by the expression
*
* <blockquote>
*
* {@code new java.util.Random()}
*
* </blockquote>
*
* This new pseudorandom-number generator is used thereafter for all calls to this method and is
* used nowhere else.
*
* <p>This method is properly synchronized to allow correct use by more than one thread. However,
* if many threads need to generate pseudorandom numbers at a great rate, it may reduce contention
* for each thread to have its own pseudorandom-number generator.
*
* @return a pseudorandom {@code double} greater than or equal to {@code 0.0} and less than {@code
* 1.0}.
* @see Random#nextDouble()
*/
public static double random() {
Random rnd = randomNumberGenerator;
if (rnd == null) rnd = initRNG();
return rnd.nextDouble();
}
/**
* Returns the absolute value of an {@code int} value. If the argument is not negative, the
* argument is returned. If the argument is negative, the negation of the argument is returned.
*
* <p>Note that if the argument is equal to the value of {@link Integer#MIN_VALUE}, the most
* negative representable {@code int} value, the result is that same value, which is negative.
*
* @param a the argument whose absolute value is to be determined
* @return the absolute value of the argument.
*/
public static int abs(int a) {
return (a < 0) ? -a : a;
}
/**
* Returns the absolute value of a {@code long} value. If the argument is not negative, the
* argument is returned. If the argument is negative, the negation of the argument is returned.
*
* <p>Note that if the argument is equal to the value of {@link Long#MIN_VALUE}, the most negative
* representable {@code long} value, the result is that same value, which is negative.
*
* @param a the argument whose absolute value is to be determined
* @return the absolute value of the argument.
*/
public static long abs(long a) {
return (a < 0) ? -a : a;
}
/**
* Returns the absolute value of a {@code float} value. If the argument is not negative, the
* argument is returned. If the argument is negative, the negation of the argument is returned.
* Special cases:
*
* <ul>
* <li>If the argument is positive zero or negative zero, the result is positive zero.
* <li>If the argument is infinite, the result is positive infinity.
* <li>If the argument is NaN, the result is NaN.
* </ul>
*
* In other words, the result is the same as the value of the expression:
*
* <p>{@code Float.intBitsToFloat(0x7fffffff & Float.floatToIntBits(a))}
*
* @param a the argument whose absolute value is to be determined
* @return the absolute value of the argument.
*/
public static float abs(float a) {
return (a <= 0.0F) ? 0.0F - a : a;
}
/**
* Returns the absolute value of a {@code double} value. If the argument is not negative, the
* argument is returned. If the argument is negative, the negation of the argument is returned.
* Special cases:
*
* <ul>
* <li>If the argument is positive zero or negative zero, the result is positive zero.
* <li>If the argument is infinite, the result is positive infinity.
* <li>If the argument is NaN, the result is NaN.
* </ul>
*
* In other words, the result is the same as the value of the expression:
*
* <p>{@code Double.longBitsToDouble((Double.doubleToLongBits(a)<<1)>>>1)}
*
* @param a the argument whose absolute value is to be determined
* @return the absolute value of the argument.
*/
public static double abs(double a) {
return (a <= 0.0D) ? 0.0D - a : a;
}
/**
* Returns the greater of two {@code int} values. That is, the result is the argument closer to
* the value of {@link Integer#MAX_VALUE}. If the arguments have the same value, the result is
* that same value.
*
* @param a an argument.
* @param b another argument.
* @return the larger of {@code a} and {@code b}.
*/
public static int max(int a, int b) {
return (a >= b) ? a : b;
}
/**
* Returns the greater of two {@code long} values. That is, the result is the argument closer to
* the value of {@link Long#MAX_VALUE}. If the arguments have the same value, the result is that
* same value.
*
* @param a an argument.
* @param b another argument.
* @return the larger of {@code a} and {@code b}.
*/
public static long max(long a, long b) {
return (a >= b) ? a : b;
}
private static long negativeZeroFloatBits = Float.floatToIntBits(-0.0f);
private static long negativeZeroDoubleBits = Double.doubleToLongBits(-0.0d);
/**
* Returns the greater of two {@code float} values. That is, the result is the argument closer to
* positive infinity. If the arguments have the same value, the result is that same value. If
* either value is NaN, then the result is NaN. Unlike the numerical comparison operators, this
* method considers negative zero to be strictly smaller than positive zero. If one argument is
* positive zero and the other negative zero, the result is positive zero.
*
* @param a an argument.
* @param b another argument.
* @return the larger of {@code a} and {@code b}.
*/
public static float max(float a, float b) {
if (a != a) return a; // a is NaN
if ((a == 0.0f) && (b == 0.0f) && (Float.floatToIntBits(a) == negativeZeroFloatBits)) {
return b;
}
return (a >= b) ? a : b;
}
/**
* Returns the greater of two {@code double} values. That is, the result is the argument closer to
* positive infinity. If the arguments have the same value, the result is that same value. If
* either value is NaN, then the result is NaN. Unlike the numerical comparison operators, this
* method considers negative zero to be strictly smaller than positive zero. If one argument is
* positive zero and the other negative zero, the result is positive zero.
*
* @param a an argument.
* @param b another argument.
* @return the larger of {@code a} and {@code b}.
*/
public static double max(double a, double b) {
if (a != a) return a; // a is NaN
if ((a == 0.0d) && (b == 0.0d) && (Double.doubleToLongBits(a) == negativeZeroDoubleBits)) {
return b;
}
return (a >= b) ? a : b;
}
/**
* Returns the smaller of two {@code int} values. That is, the result the argument closer to the
* value of {@link Integer#MIN_VALUE}. If the arguments have the same value, the result is that
* same value.
*
* @param a an argument.
* @param b another argument.
* @return the smaller of {@code a} and {@code b}.
*/
public static int min(int a, int b) {
return (a <= b) ? a : b;
}
/**
* Returns the smaller of two {@code long} values. That is, the result is the argument closer to
* the value of {@link Long#MIN_VALUE}. If the arguments have the same value, the result is that
* same value.
*
* @param a an argument.
* @param b another argument.
* @return the smaller of {@code a} and {@code b}.
*/
public static long min(long a, long b) {
return (a <= b) ? a : b;
}
/**
* Returns the smaller of two {@code float} values. That is, the result is the value closer to
* negative infinity. If the arguments have the same value, the result is that same value. If
* either value is NaN, then the result is NaN. Unlike the numerical comparison operators, this
* method considers negative zero to be strictly smaller than positive zero. If one argument is
* positive zero and the other is negative zero, the result is negative zero.
*
* @param a an argument.
* @param b another argument.
* @return the smaller of {@code a} and {@code b}.
*/
public static float min(float a, float b) {
if (a != a) return a; // a is NaN
if ((a == 0.0f) && (b == 0.0f) && (Float.floatToIntBits(b) == negativeZeroFloatBits)) {
return b;
}
return (a <= b) ? a : b;
}
/**
* Returns the smaller of two {@code double} values. That is, the result is the value closer to
* negative infinity. If the arguments have the same value, the result is that same value. If
* either value is NaN, then the result is NaN. Unlike the numerical comparison operators, this
* method considers negative zero to be strictly smaller than positive zero. If one argument is
* positive zero and the other is negative zero, the result is negative zero.
*
* @param a an argument.
* @param b another argument.
* @return the smaller of {@code a} and {@code b}.
*/
public static double min(double a, double b) {
if (a != a) return a; // a is NaN
if ((a == 0.0d) && (b == 0.0d) && (Double.doubleToLongBits(b) == negativeZeroDoubleBits)) {
return b;
}
return (a <= b) ? a : b;
}
/**
* Returns the size of an ulp of the argument. An ulp of a {@code double} value is the positive
* distance between this floating-point value and the {@code double} value next larger in
* magnitude. Note that for non-NaN <i>x</i>, <code>ulp(-<i>x</i>) == ulp(<i>x</i>)</code>.
*
* <p>Special Cases:
*
* <ul>
* <li>If the argument is NaN, then the result is NaN.
* <li>If the argument is positive or negative infinity, then the result is positive infinity.
* <li>If the argument is positive or negative zero, then the result is {@code
* Double.MIN_VALUE}.
* <li>If the argument is ±{@code Double.MAX_VALUE}, then the result is equal to
* 2<sup>971</sup>.
* </ul>
*
* @param d the floating-point value whose ulp is to be returned
* @return the size of an ulp of the argument
* @author Joseph D. Darcy
* @since 1.5
*/
public static double ulp(double d) {
return sun.misc.FpUtils.ulp(d);
}
/**
* Returns the size of an ulp of the argument. An ulp of a {@code float} value is the positive
* distance between this floating-point value and the {@code float} value next larger in
* magnitude. Note that for non-NaN <i>x</i>, <code>ulp(-<i>x</i>) == ulp(<i>x</i>)</code>.
*
* <p>Special Cases:
*
* <ul>
* <li>If the argument is NaN, then the result is NaN.
* <li>If the argument is positive or negative infinity, then the result is positive infinity.
* <li>If the argument is positive or negative zero, then the result is {@code Float.MIN_VALUE}.
* <li>If the argument is ±{@code Float.MAX_VALUE}, then the result is equal to
* 2<sup>104</sup>.
* </ul>
*
* @param f the floating-point value whose ulp is to be returned
* @return the size of an ulp of the argument
* @author Joseph D. Darcy
* @since 1.5
*/
public static float ulp(float f) {
return sun.misc.FpUtils.ulp(f);
}
/**
* Returns the signum function of the argument; zero if the argument is zero, 1.0 if the argument
* is greater than zero, -1.0 if the argument is less than zero.
*
* <p>Special Cases:
*
* <ul>
* <li>If the argument is NaN, then the result is NaN.
* <li>If the argument is positive zero or negative zero, then the result is the same as the
* argument.
* </ul>
*
* @param d the floating-point value whose signum is to be returned
* @return the signum function of the argument
* @author Joseph D. Darcy
* @since 1.5
*/
public static double signum(double d) {
return sun.misc.FpUtils.signum(d);
}
/**
* Returns the signum function of the argument; zero if the argument is zero, 1.0f if the argument
* is greater than zero, -1.0f if the argument is less than zero.
*
* <p>Special Cases:
*
* <ul>
* <li>If the argument is NaN, then the result is NaN.
* <li>If the argument is positive zero or negative zero, then the result is the same as the
* argument.
* </ul>
*
* @param f the floating-point value whose signum is to be returned
* @return the signum function of the argument
* @author Joseph D. Darcy
* @since 1.5
*/
public static float signum(float f) {
return sun.misc.FpUtils.signum(f);
}
/**
* Returns the hyperbolic sine of a {@code double} value. The hyperbolic sine of <i>x</i> is
* defined to be (<i>e<sup>x</sup> - e<sup>-x</sup></i>)/2 where <i>e</i> is {@linkplain
* Math#E Euler's number}.
*
* <p>Special cases:
*
* <ul>
* <li>If the argument is NaN, then the result is NaN.
* <li>If the argument is infinite, then the result is an infinity with the same sign as the
* argument.
* <li>If the argument is zero, then the result is a zero with the same sign as the argument.
* </ul>
*
* <p>The computed result must be within 2.5 ulps of the exact result.
*
* @param x The number whose hyperbolic sine is to be returned.
* @return The hyperbolic sine of {@code x}.
* @since 1.5
*/
public static double sinh(double x) {
return StrictMath.sinh(x);
}
/**
* Returns the hyperbolic cosine of a {@code double} value. The hyperbolic cosine of <i>x</i> is
* defined to be (<i>e<sup>x</sup> + e<sup>-x</sup></i>)/2 where <i>e</i> is {@linkplain
* Math#E Euler's number}.
*
* <p>Special cases:
*
* <ul>
* <li>If the argument is NaN, then the result is NaN.
* <li>If the argument is infinite, then the result is positive infinity.
* <li>If the argument is zero, then the result is {@code 1.0}.
* </ul>
*
* <p>The computed result must be within 2.5 ulps of the exact result.
*
* @param x The number whose hyperbolic cosine is to be returned.
* @return The hyperbolic cosine of {@code x}.
* @since 1.5
*/
public static double cosh(double x) {
return StrictMath.cosh(x);
}
/**
* Returns the hyperbolic tangent of a {@code double} value. The hyperbolic tangent of <i>x</i> is
* defined to be
* (<i>e<sup>x</sup> - e<sup>-x</sup></i>)/(<i>e<sup>x</sup> + e<sup>-x</sup></i>),
* in other words, {@linkplain Math#sinh sinh(<i>x</i>)}/{@linkplain Math#cosh cosh(<i>x</i>)}.
* Note that the absolute value of the exact tanh is always less than 1.
*
* <p>Special cases:
*
* <ul>
* <li>If the argument is NaN, then the result is NaN.
* <li>If the argument is zero, then the result is a zero with the same sign as the argument.
* <li>If the argument is positive infinity, then the result is {@code +1.0}.
* <li>If the argument is negative infinity, then the result is {@code -1.0}.
* </ul>
*
* <p>The computed result must be within 2.5 ulps of the exact result. The result of {@code tanh}
* for any finite input must have an absolute value less than or equal to 1. Note that once the
* exact result of tanh is within 1/2 of an ulp of the limit value of ±1, correctly signed
* ±{@code 1.0} should be returned.
*
* @param x The number whose hyperbolic tangent is to be returned.
* @return The hyperbolic tangent of {@code x}.
* @since 1.5
*/
public static double tanh(double x) {
return StrictMath.tanh(x);
}
/**
* Returns sqrt(<i>x</i><sup>2</sup> +<i>y</i><sup>2</sup>) without intermediate overflow or
* underflow.
*
* <p>Special cases:
*
* <ul>
* <li>If either argument is infinite, then the result is positive infinity.
* <li>If either argument is NaN and neither argument is infinite, then the result is NaN.
* </ul>
*
* <p>The computed result must be within 1 ulp of the exact result. If one parameter is held
* constant, the results must be semi-monotonic in the other parameter.
*
* @param x a value
* @param y a value
* @return sqrt(<i>x</i><sup>2</sup> +<i>y</i><sup>2</sup>) without intermediate overflow or
* underflow
* @since 1.5
*/
public static double hypot(double x, double y) {
return StrictMath.hypot(x, y);
}
/**
* Returns <i>e</i><sup>x</sup> -1. Note that for values of <i>x</i> near 0, the exact sum of
* {@code expm1(x)} + 1 is much closer to the true result of <i>e</i><sup>x</sup> than
* {@code exp(x)}.
*
* <p>Special cases:
*
* <ul>
* <li>If the argument is NaN, the result is NaN.
* <li>If the argument is positive infinity, then the result is positive infinity.
* <li>If the argument is negative infinity, then the result is -1.0.
* <li>If the argument is zero, then the result is a zero with the same sign as the argument.
* </ul>
*
* <p>The computed result must be within 1 ulp of the exact result. Results must be
* semi-monotonic. The result of {@code expm1} for any finite input must be greater than or equal
* to {@code -1.0}. Note that once the exact result of <i>e</i><sup>{@code x}</sup> - 1
* is within 1/2 ulp of the limit value -1, {@code -1.0} should be returned.
*
* @param x the exponent to raise <i>e</i> to in the computation of <i>e</i><sup>{@code
* x}</sup> -1.
* @return the value <i>e</i><sup>{@code x}</sup> - 1.
* @since 1.5
*/
public static double expm1(double x) {
return StrictMath.expm1(x);
}
/**
* Returns the natural logarithm of the sum of the argument and 1. Note that for small values
* {@code x}, the result of {@code log1p(x)} is much closer to the true result of ln(1 + {@code
* x}) than the floating-point evaluation of {@code log(1.0+x)}.
*
* <p>Special cases:
*
* <ul>
* <li>If the argument is NaN or less than -1, then the result is NaN.
* <li>If the argument is positive infinity, then the result is positive infinity.
* <li>If the argument is negative one, then the result is negative infinity.
* <li>If the argument is zero, then the result is a zero with the same sign as the argument.
* </ul>
*
* <p>The computed result must be within 1 ulp of the exact result. Results must be
* semi-monotonic.
*
* @param x a value
* @return the value ln({@code x} + 1), the natural log of {@code x} + 1
* @since 1.5
*/
public static double log1p(double x) {
return StrictMath.log1p(x);
}
/**
* Returns the first floating-point argument with the sign of the second floating-point argument.
* Note that unlike the {@link StrictMath#copySign(double, double) StrictMath.copySign} method,
* this method does not require NaN {@code sign} arguments to be treated as positive values;
* implementations are permitted to treat some NaN arguments as positive and other NaN arguments
* as negative to allow greater performance.
*
* @param magnitude the parameter providing the magnitude of the result
* @param sign the parameter providing the sign of the result
* @return a value with the magnitude of {@code magnitude} and the sign of {@code sign}.
* @since 1.6
*/
public static double copySign(double magnitude, double sign) {
return sun.misc.FpUtils.rawCopySign(magnitude, sign);
}
/**
* Returns the first floating-point argument with the sign of the second floating-point argument.
* Note that unlike the {@link StrictMath#copySign(float, float) StrictMath.copySign} method, this
* method does not require NaN {@code sign} arguments to be treated as positive values;
* implementations are permitted to treat some NaN arguments as positive and other NaN arguments
* as negative to allow greater performance.
*
* @param magnitude the parameter providing the magnitude of the result
* @param sign the parameter providing the sign of the result
* @return a value with the magnitude of {@code magnitude} and the sign of {@code sign}.
* @since 1.6
*/
public static float copySign(float magnitude, float sign) {
return sun.misc.FpUtils.rawCopySign(magnitude, sign);
}
/**
* Returns the unbiased exponent used in the representation of a {@code float}. Special cases:
*
* <ul>
* <li>If the argument is NaN or infinite, then the result is {@link Float#MAX_EXPONENT} + 1.
* <li>If the argument is zero or subnormal, then the result is {@link Float#MIN_EXPONENT} -1.
* </ul>
*
* @param f a {@code float} value
* @return the unbiased exponent of the argument
* @since 1.6
*/
public static int getExponent(float f) {
return sun.misc.FpUtils.getExponent(f);
}
/**
* Returns the unbiased exponent used in the representation of a {@code double}. Special cases:
*
* <ul>
* <li>If the argument is NaN or infinite, then the result is {@link Double#MAX_EXPONENT} + 1.
* <li>If the argument is zero or subnormal, then the result is {@link Double#MIN_EXPONENT} -1.
* </ul>
*
* @param d a {@code double} value
* @return the unbiased exponent of the argument
* @since 1.6
*/
public static int getExponent(double d) {
return sun.misc.FpUtils.getExponent(d);
}
/**
* Returns the floating-point number adjacent to the first argument in the direction of the second
* argument. If both arguments compare as equal the second argument is returned.
*
* <p>Special cases:
*
* <ul>
* <li>If either argument is a NaN, then NaN is returned.
* <li>If both arguments are signed zeros, {@code direction} is returned unchanged (as implied
* by the requirement of returning the second argument if the arguments compare as equal).
* <li>If {@code start} is ±{@link Double#MIN_VALUE} and {@code direction} has a value
* such that the result should have a smaller magnitude, then a zero with the same sign as
* {@code start} is returned.
* <li>If {@code start} is infinite and {@code direction} has a value such that the result
* should have a smaller magnitude, {@link Double#MAX_VALUE} with the same sign as {@code
* start} is returned.
* <li>If {@code start} is equal to ± {@link Double#MAX_VALUE} and {@code direction} has
* a value such that the result should have a larger magnitude, an infinity with same sign
* as {@code start} is returned.
* </ul>
*
* @param start starting floating-point value
* @param direction value indicating which of {@code start}'s neighbors or {@code start} should be
* returned
* @return The floating-point number adjacent to {@code start} in the direction of {@code
* direction}.
* @since 1.6
*/
public static double nextAfter(double start, double direction) {
return sun.misc.FpUtils.nextAfter(start, direction);
}
/**
* Returns the floating-point number adjacent to the first argument in the direction of the second
* argument. If both arguments compare as equal a value equivalent to the second argument is
* returned.
*
* <p>Special cases:
*
* <ul>
* <li>If either argument is a NaN, then NaN is returned.
* <li>If both arguments are signed zeros, a value equivalent to {@code direction} is returned.
* <li>If {@code start} is ±{@link Float#MIN_VALUE} and {@code direction} has a value
* such that the result should have a smaller magnitude, then a zero with the same sign as
* {@code start} is returned.
* <li>If {@code start} is infinite and {@code direction} has a value such that the result
* should have a smaller magnitude, {@link Float#MAX_VALUE} with the same sign as {@code
* start} is returned.
* <li>If {@code start} is equal to ± {@link Float#MAX_VALUE} and {@code direction} has a
* value such that the result should have a larger magnitude, an infinity with same sign as
* {@code start} is returned.
* </ul>
*
* @param start starting floating-point value
* @param direction value indicating which of {@code start}'s neighbors or {@code start} should be
* returned
* @return The floating-point number adjacent to {@code start} in the direction of {@code
* direction}.
* @since 1.6
*/
public static float nextAfter(float start, double direction) {
return sun.misc.FpUtils.nextAfter(start, direction);
}
/**
* Returns the floating-point value adjacent to {@code d} in the direction of positive infinity.
* This method is semantically equivalent to {@code nextAfter(d, Double.POSITIVE_INFINITY)};
* however, a {@code nextUp} implementation may run faster than its equivalent {@code nextAfter}
* call.
*
* <p>Special Cases:
*
* <ul>
* <li>If the argument is NaN, the result is NaN.
* <li>If the argument is positive infinity, the result is positive infinity.
* <li>If the argument is zero, the result is {@link Double#MIN_VALUE}
* </ul>
*
* @param d starting floating-point value
* @return The adjacent floating-point value closer to positive infinity.
* @since 1.6
*/
public static double nextUp(double d) {
return sun.misc.FpUtils.nextUp(d);
}
/**
* Returns the floating-point value adjacent to {@code f} in the direction of positive infinity.
* This method is semantically equivalent to {@code nextAfter(f, Float.POSITIVE_INFINITY)};
* however, a {@code nextUp} implementation may run faster than its equivalent {@code nextAfter}
* call.
*
* <p>Special Cases:
*
* <ul>
* <li>If the argument is NaN, the result is NaN.
* <li>If the argument is positive infinity, the result is positive infinity.
* <li>If the argument is zero, the result is {@link Float#MIN_VALUE}
* </ul>
*
* @param f starting floating-point value
* @return The adjacent floating-point value closer to positive infinity.
* @since 1.6
*/
public static float nextUp(float f) {
return sun.misc.FpUtils.nextUp(f);
}
/**
* Return {@code d} × 2<sup>{@code scaleFactor}</sup> rounded as if performed by a single
* correctly rounded floating-point multiply to a member of the double value set. See the Java
* Language Specification for a discussion of floating-point value sets. If the exponent of the
* result is between {@link Double#MIN_EXPONENT} and {@link Double#MAX_EXPONENT}, the answer is
* calculated exactly. If the exponent of the result would be larger than {@code
* Double.MAX_EXPONENT}, an infinity is returned. Note that if the result is subnormal, precision
* may be lost; that is, when {@code scalb(x, n)} is subnormal, {@code scalb(scalb(x, n), -n)} may
* not equal <i>x</i>. When the result is non-NaN, the result has the same sign as {@code d}.
*
* <p>Special cases:
*
* <ul>
* <li>If the first argument is NaN, NaN is returned.
* <li>If the first argument is infinite, then an infinity of the same sign is returned.
* <li>If the first argument is zero, then a zero of the same sign is returned.
* </ul>
*
* @param d number to be scaled by a power of two.
* @param scaleFactor power of 2 used to scale {@code d}
* @return {@code d} × 2<sup>{@code scaleFactor}</sup>
* @since 1.6
*/
public static double scalb(double d, int scaleFactor) {
return sun.misc.FpUtils.scalb(d, scaleFactor);
}
/**
* Return {@code f} × 2<sup>{@code scaleFactor}</sup> rounded as if performed by a single
* correctly rounded floating-point multiply to a member of the float value set. See the Java
* Language Specification for a discussion of floating-point value sets. If the exponent of the
* result is between {@link Float#MIN_EXPONENT} and {@link Float#MAX_EXPONENT}, the answer is
* calculated exactly. If the exponent of the result would be larger than {@code
* Float.MAX_EXPONENT}, an infinity is returned. Note that if the result is subnormal, precision
* may be lost; that is, when {@code scalb(x, n)} is subnormal, {@code scalb(scalb(x, n), -n)} may
* not equal <i>x</i>. When the result is non-NaN, the result has the same sign as {@code f}.
*
* <p>Special cases:
*
* <ul>
* <li>If the first argument is NaN, NaN is returned.
* <li>If the first argument is infinite, then an infinity of the same sign is returned.
* <li>If the first argument is zero, then a zero of the same sign is returned.
* </ul>
*
* @param f number to be scaled by a power of two.
* @param scaleFactor power of 2 used to scale {@code f}
* @return {@code f} × 2<sup>{@code scaleFactor}</sup>
* @since 1.6
*/
public static float scalb(float f, int scaleFactor) {
return sun.misc.FpUtils.scalb(f, scaleFactor);
}
}
| .version 52 0
.class public final super Math
.super java/lang/Object
.field public static final E D = +2.718281828459045
.field public static final PI D = +3.141592653589793
.field private static randomNumberGenerator Ljava/util/Random;
.field private static negativeZeroFloatBits J
.field private static negativeZeroDoubleBits J
.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 92
.end linenumbertable
.end code
.end method
.method public static sin : (D)D
.code stack 2 locals 2
L0: dload_0
L1: invokestatic Method java/lang/StrictMath sin (D)D
L4: dreturn
L5:
.linenumbertable
L0 121
.end linenumbertable
.end code
.end method
.method public static cos : (D)D
.code stack 2 locals 2
L0: dload_0
L1: invokestatic Method java/lang/StrictMath cos (D)D
L4: dreturn
L5:
.linenumbertable
L0 136
.end linenumbertable
.end code
.end method
.method public static tan : (D)D
.code stack 2 locals 2
L0: dload_0
L1: invokestatic Method java/lang/StrictMath tan (D)D
L4: dreturn
L5:
.linenumbertable
L0 153
.end linenumbertable
.end code
.end method
.method public static asin : (D)D
.code stack 2 locals 2
L0: dload_0
L1: invokestatic Method java/lang/StrictMath asin (D)D
L4: dreturn
L5:
.linenumbertable
L0 171
.end linenumbertable
.end code
.end method
.method public static acos : (D)D
.code stack 2 locals 2
L0: dload_0
L1: invokestatic Method java/lang/StrictMath acos (D)D
L4: dreturn
L5:
.linenumbertable
L0 187
.end linenumbertable
.end code
.end method
.method public static atan : (D)D
.code stack 2 locals 2
L0: dload_0
L1: invokestatic Method java/lang/StrictMath atan (D)D
L4: dreturn
L5:
.linenumbertable
L0 204
.end linenumbertable
.end code
.end method
.method public static toRadians : (D)D
.code stack 4 locals 2
L0: dload_0
L1: ldc2_w +180.0
L4: ddiv
L5: ldc2_w +3.141592653589793
L8: dmul
L9: dreturn
L10:
.linenumbertable
L0 218
.end linenumbertable
.end code
.end method
.method public static toDegrees : (D)D
.code stack 4 locals 2
L0: dload_0
L1: ldc2_w +180.0
L4: dmul
L5: ldc2_w +3.141592653589793
L8: ddiv
L9: dreturn
L10:
.linenumbertable
L0 234
.end linenumbertable
.end code
.end method
.method public static exp : (D)D
.code stack 2 locals 2
L0: dload_0
L1: invokestatic Method java/lang/StrictMath exp (D)D
L4: dreturn
L5:
.linenumbertable
L0 254
.end linenumbertable
.end code
.end method
.method public static log : (D)D
.code stack 2 locals 2
L0: dload_0
L1: invokestatic Method java/lang/StrictMath log (D)D
L4: dreturn
L5:
.linenumbertable
L0 275
.end linenumbertable
.end code
.end method
.method public static log10 : (D)D
.code stack 2 locals 2
L0: dload_0
L1: invokestatic Method java/lang/StrictMath log10 (D)D
L4: dreturn
L5:
.linenumbertable
L0 300
.end linenumbertable
.end code
.end method
.method public static sqrt : (D)D
.code stack 2 locals 2
L0: dload_0
L1: invokestatic Method java/lang/StrictMath sqrt (D)D
L4: dreturn
L5:
.linenumbertable
L0 321
.end linenumbertable
.end code
.end method
.method public static cbrt : (D)D
.code stack 2 locals 2
L0: dload_0
L1: invokestatic Method java/lang/StrictMath cbrt (D)D
L4: dreturn
L5:
.linenumbertable
L0 356
.end linenumbertable
.end code
.end method
.method public static IEEEremainder : (DD)D
.code stack 4 locals 4
L0: dload_0
L1: dload_2
L2: invokestatic Method java/lang/StrictMath IEEEremainder (DD)D
L5: dreturn
L6:
.linenumbertable
L0 382
.end linenumbertable
.end code
.end method
.method public static ceil : (D)D
.code stack 2 locals 2
L0: dload_0
L1: invokestatic Method java/lang/StrictMath ceil (D)D
L4: dreturn
L5:
.linenumbertable
L0 405
.end linenumbertable
.end code
.end method
.method public static floor : (D)D
.code stack 2 locals 2
L0: dload_0
L1: invokestatic Method java/lang/StrictMath floor (D)D
L4: dreturn
L5:
.linenumbertable
L0 424
.end linenumbertable
.end code
.end method
.method public static rint : (D)D
.code stack 2 locals 2
L0: dload_0
L1: invokestatic Method java/lang/StrictMath rint (D)D
L4: dreturn
L5:
.linenumbertable
L0 443
.end linenumbertable
.end code
.end method
.method public static atan2 : (DD)D
.code stack 4 locals 4
L0: dload_0
L1: dload_2
L2: invokestatic Method java/lang/StrictMath atan2 (DD)D
L5: dreturn
L6:
.linenumbertable
L0 499
.end linenumbertable
.end code
.end method
.method public static pow : (DD)D
.code stack 4 locals 4
L0: dload_0
L1: dload_2
L2: invokestatic Method java/lang/StrictMath pow (DD)D
L5: dreturn
L6:
.linenumbertable
L0 626
.end linenumbertable
.end code
.end method
.method public static round : (F)I
.code stack 2 locals 1
L0: fload_0
L1: ldc +0.4999999701976776f
L3: fcmpl
L4: ifeq L17
L7: fload_0
L8: ldc +0.5f
L10: fadd
L11: f2d
L12: invokestatic Method Math floor (D)D
L15: d2i
L16: ireturn
.stack same
L17: iconst_0
L18: ireturn
L19:
.linenumbertable
L0 650
L7 651
L17 653
.end linenumbertable
.end code
.end method
.method public static round : (D)J
.code stack 4 locals 2
L0: dload_0
L1: ldc2_w +0.49999999999999994
L4: dcmpl
L5: ifeq L18
L8: dload_0
L9: ldc2_w +0.5
L12: dadd
L13: invokestatic Method Math floor (D)D
L16: d2l
L17: lreturn
.stack same
L18: lconst_0
L19: lreturn
L20:
.linenumbertable
L0 677
L8 678
L18 680
.end linenumbertable
.end code
.end method
.method private static synchronized initRNG : ()Ljava/util/Random;
.code stack 2 locals 1
L0: getstatic Field Math randomNumberGenerator Ljava/util/Random;
L3: astore_0
L4: aload_0
L5: ifnonnull L22
L8: new java/util/Random
L11: dup
L12: invokespecial Method java/util/Random <init> ()V
L15: dup
L16: putstatic Field Math randomNumberGenerator Ljava/util/Random;
L19: goto L23
.stack append Object java/util/Random
L22: aload_0
.stack stack_1 Object java/util/Random
L23: areturn
L24:
.linenumbertable
L0 686
L4 687
.end linenumbertable
.end code
.end method
.method public static random : ()D
.code stack 2 locals 1
L0: getstatic Field Math randomNumberGenerator Ljava/util/Random;
L3: astore_0
L4: aload_0
L5: ifnonnull L12
L8: invokestatic Method Math initRNG ()Ljava/util/Random;
L11: astore_0
.stack append Object java/util/Random
L12: aload_0
L13: invokevirtual Method java/util/Random nextDouble ()D
L16: dreturn
L17:
.linenumbertable
L0 714
L4 715
L12 716
.end linenumbertable
.end code
.end method
.method public static abs : (I)I
.code stack 1 locals 1
L0: iload_0
L1: ifge L9
L4: iload_0
L5: ineg
L6: goto L10
.stack same
L9: iload_0
.stack stack_1 Integer
L10: ireturn
L11:
.linenumbertable
L0 733
.end linenumbertable
.end code
.end method
.method public static abs : (J)J
.code stack 4 locals 2
L0: lload_0
L1: lconst_0
L2: lcmp
L3: ifge L11
L6: lload_0
L7: lneg
L8: goto L12
.stack same
L11: lload_0
.stack stack_1 Long
L12: lreturn
L13:
.linenumbertable
L0 750
.end linenumbertable
.end code
.end method
.method public static abs : (F)F
.code stack 2 locals 1
L0: fload_0
L1: fconst_0
L2: fcmpg
L3: ifgt L12
L6: fconst_0
L7: fload_0
L8: fsub
L9: goto L13
.stack same
L12: fload_0
.stack stack_1 Float
L13: freturn
L14:
.linenumbertable
L0 769
.end linenumbertable
.end code
.end method
.method public static abs : (D)D
.code stack 4 locals 2
L0: dload_0
L1: dconst_0
L2: dcmpg
L3: ifgt L12
L6: dconst_0
L7: dload_0
L8: dsub
L9: goto L13
.stack same
L12: dload_0
.stack stack_1 Double
L13: dreturn
L14:
.linenumbertable
L0 788
.end linenumbertable
.end code
.end method
.method public static max : (II)I
.code stack 2 locals 2
L0: iload_0
L1: iload_1
L2: if_icmplt L9
L5: iload_0
L6: goto L10
.stack same
L9: iload_1
.stack stack_1 Integer
L10: ireturn
L11:
.linenumbertable
L0 802
.end linenumbertable
.end code
.end method
.method public static max : (JJ)J
.code stack 4 locals 4
L0: lload_0
L1: lload_2
L2: lcmp
L3: iflt L10
L6: lload_0
L7: goto L11
.stack same
L10: lload_2
.stack stack_1 Long
L11: lreturn
L12:
.linenumbertable
L0 816
.end linenumbertable
.end code
.end method
.method public static max : (FF)F
.code stack 4 locals 2
L0: fload_0
L1: fload_0
L2: fcmpl
L3: ifeq L8
L6: fload_0
L7: freturn
.stack same
L8: fload_0
L9: fconst_0
L10: fcmpl
L11: ifne L34
L14: fload_1
L15: fconst_0
L16: fcmpl
L17: ifne L34
L20: fload_0
L21: invokestatic Method java/lang/Float floatToIntBits (F)I
L24: i2l
L25: getstatic Field Math negativeZeroFloatBits J
L28: lcmp
L29: ifne L34
L32: fload_1
L33: freturn
.stack same
L34: fload_0
L35: fload_1
L36: fcmpl
L37: iflt L44
L40: fload_0
L41: goto L45
.stack same
L44: fload_1
.stack stack_1 Float
L45: freturn
L46:
.linenumbertable
L0 837
L8 838
L21 839
L32 840
L34 842
.end linenumbertable
.end code
.end method
.method public static max : (DD)D
.code stack 4 locals 4
L0: dload_0
L1: dload_0
L2: dcmpl
L3: ifeq L8
L6: dload_0
L7: dreturn
.stack same
L8: dload_0
L9: dconst_0
L10: dcmpl
L11: ifne L33
L14: dload_2
L15: dconst_0
L16: dcmpl
L17: ifne L33
L20: dload_0
L21: invokestatic Method java/lang/Double doubleToLongBits (D)J
L24: getstatic Field Math negativeZeroDoubleBits J
L27: lcmp
L28: ifne L33
L31: dload_2
L32: dreturn
.stack same
L33: dload_0
L34: dload_2
L35: dcmpl
L36: iflt L43
L39: dload_0
L40: goto L44
.stack same
L43: dload_2
.stack stack_1 Double
L44: dreturn
L45:
.linenumbertable
L0 860
L8 861
L21 862
L31 863
L33 865
.end linenumbertable
.end code
.end method
.method public static min : (II)I
.code stack 2 locals 2
L0: iload_0
L1: iload_1
L2: if_icmpgt L9
L5: iload_0
L6: goto L10
.stack same
L9: iload_1
.stack stack_1 Integer
L10: ireturn
L11:
.linenumbertable
L0 879
.end linenumbertable
.end code
.end method
.method public static min : (JJ)J
.code stack 4 locals 4
L0: lload_0
L1: lload_2
L2: lcmp
L3: ifgt L10
L6: lload_0
L7: goto L11
.stack same
L10: lload_2
.stack stack_1 Long
L11: lreturn
L12:
.linenumbertable
L0 893
.end linenumbertable
.end code
.end method
.method public static min : (FF)F
.code stack 4 locals 2
L0: fload_0
L1: fload_0
L2: fcmpl
L3: ifeq L8
L6: fload_0
L7: freturn
.stack same
L8: fload_0
L9: fconst_0
L10: fcmpl
L11: ifne L34
L14: fload_1
L15: fconst_0
L16: fcmpl
L17: ifne L34
L20: fload_1
L21: invokestatic Method java/lang/Float floatToIntBits (F)I
L24: i2l
L25: getstatic Field Math negativeZeroFloatBits J
L28: lcmp
L29: ifne L34
L32: fload_1
L33: freturn
.stack same
L34: fload_0
L35: fload_1
L36: fcmpg
L37: ifgt L44
L40: fload_0
L41: goto L45
.stack same
L44: fload_1
.stack stack_1 Float
L45: freturn
L46:
.linenumbertable
L0 911
L8 912
L21 913
L32 914
L34 916
.end linenumbertable
.end code
.end method
.method public static min : (DD)D
.code stack 4 locals 4
L0: dload_0
L1: dload_0
L2: dcmpl
L3: ifeq L8
L6: dload_0
L7: dreturn
.stack same
L8: dload_0
L9: dconst_0
L10: dcmpl
L11: ifne L33
L14: dload_2
L15: dconst_0
L16: dcmpl
L17: ifne L33
L20: dload_2
L21: invokestatic Method java/lang/Double doubleToLongBits (D)J
L24: getstatic Field Math negativeZeroDoubleBits J
L27: lcmp
L28: ifne L33
L31: dload_2
L32: dreturn
.stack same
L33: dload_0
L34: dload_2
L35: dcmpg
L36: ifgt L43
L39: dload_0
L40: goto L44
.stack same
L43: dload_2
.stack stack_1 Double
L44: dreturn
L45:
.linenumbertable
L0 934
L8 935
L21 936
L31 937
L33 939
.end linenumbertable
.end code
.end method
.method public static ulp : (D)D
.code stack 2 locals 2
L0: dload_0
L1: invokestatic Method sun/misc/FpUtils ulp (D)D
L4: dreturn
L5:
.linenumbertable
L0 966
.end linenumbertable
.end code
.end method
.method public static ulp : (F)F
.code stack 1 locals 1
L0: fload_0
L1: invokestatic Method sun/misc/FpUtils ulp (F)F
L4: freturn
L5:
.linenumbertable
L0 993
.end linenumbertable
.end code
.end method
.method public static signum : (D)D
.code stack 2 locals 2
L0: dload_0
L1: invokestatic Method sun/misc/FpUtils signum (D)D
L4: dreturn
L5:
.linenumbertable
L0 1014
.end linenumbertable
.end code
.end method
.method public static signum : (F)F
.code stack 1 locals 1
L0: fload_0
L1: invokestatic Method sun/misc/FpUtils signum (F)F
L4: freturn
L5:
.linenumbertable
L0 1035
.end linenumbertable
.end code
.end method
.method public static sinh : (D)D
.code stack 2 locals 2
L0: dload_0
L1: invokestatic Method java/lang/StrictMath sinh (D)D
L4: dreturn
L5:
.linenumbertable
L0 1064
.end linenumbertable
.end code
.end method
.method public static cosh : (D)D
.code stack 2 locals 2
L0: dload_0
L1: invokestatic Method java/lang/StrictMath cosh (D)D
L4: dreturn
L5:
.linenumbertable
L0 1092
.end linenumbertable
.end code
.end method
.method public static tanh : (D)D
.code stack 2 locals 2
L0: dload_0
L1: invokestatic Method java/lang/StrictMath tanh (D)D
L4: dreturn
L5:
.linenumbertable
L0 1132
.end linenumbertable
.end code
.end method
.method public static hypot : (DD)D
.code stack 4 locals 4
L0: dload_0
L1: dload_2
L2: invokestatic Method java/lang/StrictMath hypot (DD)D
L5: dreturn
L6:
.linenumbertable
L0 1161
.end linenumbertable
.end code
.end method
.method public static expm1 : (D)D
.code stack 2 locals 2
L0: dload_0
L1: invokestatic Method java/lang/StrictMath expm1 (D)D
L4: dreturn
L5:
.linenumbertable
L0 1199
.end linenumbertable
.end code
.end method
.method public static log1p : (D)D
.code stack 2 locals 2
L0: dload_0
L1: invokestatic Method java/lang/StrictMath log1p (D)D
L4: dreturn
L5:
.linenumbertable
L0 1236
.end linenumbertable
.end code
.end method
.method public static copySign : (DD)D
.code stack 4 locals 4
L0: dload_0
L1: dload_2
L2: invokestatic Method sun/misc/FpUtils rawCopySign (DD)D
L5: dreturn
L6:
.linenumbertable
L0 1255
.end linenumbertable
.end code
.end method
.method public static copySign : (FF)F
.code stack 2 locals 2
L0: fload_0
L1: fload_1
L2: invokestatic Method sun/misc/FpUtils rawCopySign (FF)F
L5: freturn
L6:
.linenumbertable
L0 1274
.end linenumbertable
.end code
.end method
.method public static getExponent : (F)I
.code stack 1 locals 1
L0: fload_0
L1: invokestatic Method sun/misc/FpUtils getExponent (F)I
L4: ireturn
L5:
.linenumbertable
L0 1292
.end linenumbertable
.end code
.end method
.method public static getExponent : (D)I
.code stack 2 locals 2
L0: dload_0
L1: invokestatic Method sun/misc/FpUtils getExponent (D)I
L4: ireturn
L5:
.linenumbertable
L0 1310
.end linenumbertable
.end code
.end method
.method public static nextAfter : (DD)D
.code stack 4 locals 4
L0: dload_0
L1: dload_2
L2: invokestatic Method sun/misc/FpUtils nextAfter (DD)D
L5: dreturn
L6:
.linenumbertable
L0 1354
.end linenumbertable
.end code
.end method
.method public static nextAfter : (FD)F
.code stack 3 locals 3
L0: fload_0
L1: dload_1
L2: invokestatic Method sun/misc/FpUtils nextAfter (FD)F
L5: freturn
L6:
.linenumbertable
L0 1397
.end linenumbertable
.end code
.end method
.method public static nextUp : (D)D
.code stack 2 locals 2
L0: dload_0
L1: invokestatic Method sun/misc/FpUtils nextUp (D)D
L4: dreturn
L5:
.linenumbertable
L0 1426
.end linenumbertable
.end code
.end method
.method public static nextUp : (F)F
.code stack 1 locals 1
L0: fload_0
L1: invokestatic Method sun/misc/FpUtils nextUp (F)F
L4: freturn
L5:
.linenumbertable
L0 1455
.end linenumbertable
.end code
.end method
.method public static scalb : (DI)D
.code stack 3 locals 3
L0: dload_0
L1: iload_2
L2: invokestatic Method sun/misc/FpUtils scalb (DI)D
L5: dreturn
L6:
.linenumbertable
L0 1490
.end linenumbertable
.end code
.end method
.method public static scalb : (FI)F
.code stack 2 locals 2
L0: fload_0
L1: iload_1
L2: invokestatic Method sun/misc/FpUtils scalb (FI)F
L5: freturn
L6:
.linenumbertable
L0 1524
.end linenumbertable
.end code
.end method
.method static <clinit> : ()V
.code stack 2 locals 0
L0: ldc -0.0f
L2: invokestatic Method java/lang/Float floatToIntBits (F)I
L5: i2l
L6: putstatic Field Math negativeZeroFloatBits J
L9: ldc2_w -0.0
L12: invokestatic Method java/lang/Double doubleToLongBits (D)J
L15: putstatic Field Math negativeZeroDoubleBits J
L18: return
L19:
.linenumbertable
L0 819
L9 820
.end linenumbertable
.end code
.end method
.sourcefile 'Math.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 22:07: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 Math_ESTest extends Math_ESTest_scaffolding {
@Test(timeout = 4000)
public void test000() throws Throwable {
double double0 = Math.min(0.0, (-12244.97652193067));
assertEquals((-12244.97652193067), double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test001() throws Throwable {
double double0 = Math.min((-2376.3679), (double) (-1.0F));
assertEquals((-2376.3679), double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test002() throws Throwable {
float float0 = Math.min(0.0F, 27685.69F);
assertEquals(0.0F, float0, 0.01F);
}
@Test(timeout = 4000)
public void test003() throws Throwable {
long long0 = Math.min((-23656L), (-2877L));
assertEquals((-23656L), long0);
}
@Test(timeout = 4000)
public void test004() throws Throwable {
double double0 = Math.max(0.0, 1.0);
assertEquals(1.0, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test005() throws Throwable {
double double0 = Math.max((double) 9723, (double) 9723.0F);
assertEquals(9723.0, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test006() throws Throwable {
float float0 = Math.max(0.0F, 35608.76F);
assertEquals(35608.76F, float0, 0.01F);
}
@Test(timeout = 4000)
public void test007() throws Throwable {
int int0 = Math.max(16, 0);
assertEquals(16, int0);
}
@Test(timeout = 4000)
public void test008() throws Throwable {
double double0 = Math.abs((-4509.8));
assertEquals(4509.8, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test009() throws Throwable {
float float0 = Math.abs((-24286.0F));
assertEquals(24286.0F, float0, 0.01F);
}
@Test(timeout = 4000)
public void test010() throws Throwable {
double double0 = Math.toRadians(0L);
assertEquals(0.0, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test011() throws Throwable {
double double0 = Math.toRadians(8794.98);
assertEquals(153.50135864705086, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test012() throws Throwable {
double double0 = Math.toDegrees(0L);
assertEquals(0.0, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test013() throws Throwable {
double double0 = Math.toDegrees((-365.061663));
assertEquals((-20916.492551927164), double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test014() throws Throwable {
double double0 = Math.tanh(0);
assertEquals(0.0, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test015() throws Throwable {
double double0 = Math.tanh(74255.0);
assertEquals(1.0, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test016() throws Throwable {
double double0 = Math.tan(0.0);
assertEquals(0.0, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test017() throws Throwable {
double double0 = Math.tan(16471.038);
assertEquals((-0.3450774613635131), double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test018() throws Throwable {
double double0 = Math.sqrt(0L);
assertEquals(0.0, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test019() throws Throwable {
double double0 = Math.sqrt(28077.0F);
assertEquals(167.56192885020153, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test020() throws Throwable {
double double0 = Math.sinh(89226.4802732);
assertEquals(Double.POSITIVE_INFINITY, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test021() throws Throwable {
double double0 = Math.sinh((-52040.49));
assertEquals(Double.NEGATIVE_INFINITY, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test022() throws Throwable {
double double0 = Math.sin((-28296.477435049));
assertEquals(0.1518148678499215, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test023() throws Throwable {
double double0 = Math.sin((-4763.9));
assertEquals((-0.9475679396758342), double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test024() throws Throwable {
float float0 = Math.signum((float) 0L);
assertEquals(0.0F, float0, 0.01F);
}
@Test(timeout = 4000)
public void test025() throws Throwable {
float float0 = Math.signum((float) 14);
assertEquals(1.0F, float0, 0.01F);
}
@Test(timeout = 4000)
public void test026() throws Throwable {
double double0 = Math.signum(108594.66706977);
assertEquals(1.0, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test027() throws Throwable {
double double0 = Math.signum((double) (-17728L));
assertEquals((-1.0), double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test028() throws Throwable {
float float0 = Math.scalb(0.49999997F, 6463);
assertEquals(Float.POSITIVE_INFINITY, float0, 0.01F);
}
@Test(timeout = 4000)
public void test029() throws Throwable {
float float0 = Math.scalb((-46119.1F), 0);
assertEquals((-46119.1F), float0, 0.01F);
}
@Test(timeout = 4000)
public void test030() throws Throwable {
double double0 = Math.scalb((double) 78989.91F, 16);
assertEquals(5.176682496E9, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test031() throws Throwable {
double double0 = Math.scalb((-12984.743), 44216);
assertEquals(Double.NEGATIVE_INFINITY, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test032() throws Throwable {
int int0 = Math.round(0.0F);
assertEquals(0, int0);
}
@Test(timeout = 4000)
public void test033() throws Throwable {
int int0 = Math.round(25741.305F);
assertEquals(25741, int0);
}
@Test(timeout = 4000)
public void test034() throws Throwable {
long long0 = Math.round((double) 0L);
assertEquals(0L, long0);
}
@Test(timeout = 4000)
public void test035() throws Throwable {
long long0 = Math.round((-36.32708625580413));
assertEquals((-36L), long0);
}
@Test(timeout = 4000)
public void test036() throws Throwable {
double double0 = Math.rint(0.0);
assertEquals(0.0, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test037() throws Throwable {
double double0 = Math.rint(68410.20992084706);
assertEquals(68410.0, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test038() throws Throwable {
double double0 = Math.pow(0.0F, 22282.6954412822);
assertEquals(0.0, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test039() throws Throwable {
float float0 = Math.nextUp(0.0F);
assertEquals(1.4E-45F, float0, 0.01F);
}
@Test(timeout = 4000)
public void test040() throws Throwable {
double double0 = Math.nextUp(4509.8);
assertEquals(4509.800000000001, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test041() throws Throwable {
float float0 = Math.nextAfter((float) 44216, (double) 0L);
assertEquals(44215.996F, float0, 0.01F);
}
@Test(timeout = 4000)
public void test042() throws Throwable {
float float0 = Math.nextAfter((-876.52F), 28407.2438352763);
assertEquals((-876.51996F), float0, 0.01F);
}
@Test(timeout = 4000)
public void test043() throws Throwable {
double double0 = Math.nextAfter(0.0, 0.0);
assertEquals(0.0, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test044() throws Throwable {
double double0 = Math.nextAfter((-27231.5665), (double) 28077);
assertEquals((-27231.566499999997), double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test045() throws Throwable {
long long0 = Math.min((long) 26944, (long) 26944);
assertEquals(26944L, long0);
}
@Test(timeout = 4000)
public void test046() throws Throwable {
int int0 = Math.min(8731, 8731);
assertEquals(8731, int0);
}
@Test(timeout = 4000)
public void test047() throws Throwable {
float float0 = Math.min(21907.965F, 35403.938F);
assertEquals(21907.965F, float0, 0.01F);
}
@Test(timeout = 4000)
public void test048() throws Throwable {
double double0 = Math.min(17920.60770217902, 17920.60770217902);
assertEquals(17920.60770217902, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test049() throws Throwable {
long long0 = Math.max(0L, 0L);
assertEquals(0L, long0);
}
@Test(timeout = 4000)
public void test050() throws Throwable {
long long0 = Math.max((-17728L), (-17728L));
assertEquals((-17728L), long0);
}
@Test(timeout = 4000)
public void test051() throws Throwable {
int int0 = Math.max(0, 0);
assertEquals(0, int0);
}
@Test(timeout = 4000)
public void test052() throws Throwable {
int int0 = Math.max((-58223), (-38508));
assertEquals((-38508), int0);
}
@Test(timeout = 4000)
public void test053() throws Throwable {
float float0 = Math.max((float) 28077, (float) 0L);
assertEquals(28077.0F, float0, 0.01F);
}
@Test(timeout = 4000)
public void test054() throws Throwable {
float float0 = Math.max((-1.0F), (-34263.56F));
assertEquals((-1.0F), float0, 0.01F);
}
@Test(timeout = 4000)
public void test055() throws Throwable {
double double0 = Math.max((-1825.1283183749), (-21066.7));
assertEquals((-1825.1283183749), double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test056() throws Throwable {
double double0 = Math.log1p(0.0F);
assertEquals(0.0, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test057() throws Throwable {
double double0 = Math.log1p((-0.8414709848078965));
assertEquals((-1.8418176412695313), double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test058() throws Throwable {
double double0 = Math.log10(1.5707963267948966);
assertEquals(0.19611987703015263, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test059() throws Throwable {
double double0 = Math.log10(0.0);
assertEquals(Double.NEGATIVE_INFINITY, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test060() throws Throwable {
double double0 = Math.log(844.31360463379);
assertEquals(6.738523995052431, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test061() throws Throwable {
double double0 = Math.log(0L);
assertEquals(Double.NEGATIVE_INFINITY, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test062() throws Throwable {
double double0 = Math.hypot(1.0, (-47939.3F));
assertEquals(47939.30079167985, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test063() throws Throwable {
int int0 = Math.getExponent((-1.0F));
assertEquals(0, int0);
}
@Test(timeout = 4000)
public void test064() throws Throwable {
int int0 = Math.getExponent(78989.91F);
assertEquals(16, int0);
}
@Test(timeout = 4000)
public void test065() throws Throwable {
int int0 = Math.getExponent((double) 1.0F);
assertEquals(0, int0);
}
@Test(timeout = 4000)
public void test066() throws Throwable {
int int0 = Math.getExponent((-27570.8992));
assertEquals(14, int0);
}
@Test(timeout = 4000)
public void test067() throws Throwable {
double double0 = Math.floor(67881.0950456);
assertEquals(67881.0, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test068() throws Throwable {
double double0 = Math.floor((-27231.5665));
assertEquals((-27232.0), double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test069() throws Throwable {
double double0 = Math.expm1(0L);
assertEquals(0.0, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test070() throws Throwable {
double double0 = Math.expm1(1.0);
assertEquals(1.718281828459045, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test071() throws Throwable {
double double0 = Math.exp((-1023));
assertEquals(0.0, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test072() throws Throwable {
double double0 = Math.cos(0.0);
assertEquals(1.0, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test073() throws Throwable {
double double0 = Math.cos(40459.11330354063);
assertEquals((-0.11207830197255746), double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test074() throws Throwable {
float float0 = Math.copySign(0.0F, 0.0F);
assertEquals(0.0F, float0, 0.01F);
}
@Test(timeout = 4000)
public void test075() throws Throwable {
float float0 = Math.copySign((float) 28077, 37028.21F);
assertEquals(28077.0F, float0, 0.01F);
}
@Test(timeout = 4000)
public void test076() throws Throwable {
double double0 = Math.copySign(0.0, (double) 0L);
assertEquals(0.0, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test077() throws Throwable {
double double0 = Math.copySign(1.0, 0.0);
assertEquals(1.0, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test078() throws Throwable {
double double0 = Math.ceil(0.0);
assertEquals(0.0, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test079() throws Throwable {
double double0 = Math.ceil(24504.00572962152);
assertEquals(24505.0, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test080() throws Throwable {
double double0 = Math.cbrt(0.0);
assertEquals(0.0, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test081() throws Throwable {
double double0 = Math.cbrt(88685.7308044879);
assertEquals(44.59483722413586, double0, 1.0E-4);
Math.random();
double double1 = Math.nextAfter(0.0, 1.0);
assertEquals(4.9E-324, double1, 1.0E-4);
double double2 = Math.scalb((-12984.743), 44216);
assertEquals(Double.NEGATIVE_INFINITY, double2, 1.0E-4);
long long0 = Math.max(12873L, 0L);
assertEquals(12873L, long0);
double double3 = Math.nextUp((-12984.743));
assertEquals((-12984.742999999999), double3, 1.0E-4);
Math.log10(0.0);
float float0 = Math.nextAfter((float) 44216, (double) 0L);
assertEquals(44215.996F, float0, 0.01F);
double double4 = Math.toRadians(0.0);
assertEquals(0.0, double4, 1.0E-4);
}
@Test(timeout = 4000)
public void test082() throws Throwable {
double double0 = Math.atan2(34095.17468549755, (-8357));
assertEquals(1.8111654792966414, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test083() throws Throwable {
double double0 = Math.atan2((-4763.9), (-15273.245039212));
assertEquals((-2.8392440633028224), double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test084() throws Throwable {
double double0 = Math.atan(0.0);
assertEquals(0.0, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test085() throws Throwable {
double double0 = Math.atan(27940.6015);
assertEquals(1.5707605365847406, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test086() throws Throwable {
double double0 = Math.asin(0L);
assertEquals(0.0, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test087() throws Throwable {
double double0 = Math.asin(1.0);
assertEquals(1.5707963267948966, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test088() throws Throwable {
double double0 = Math.acos(1.4E-45F);
assertEquals(1.5707963267948966, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test089() throws Throwable {
long long0 = Math.abs(0L);
assertEquals(0L, long0);
}
@Test(timeout = 4000)
public void test090() throws Throwable {
int int0 = Math.abs(0);
assertEquals(0, int0);
}
@Test(timeout = 4000)
public void test091() throws Throwable {
double double0 = Math.IEEEremainder((-27231.5665), (-27231.5665));
assertEquals(-0.0, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test092() throws Throwable {
double double0 = Math.IEEEremainder(1.0, 95342.06210885);
assertEquals(1.0, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test093() throws Throwable {
double double0 = Math.min(0.0, 0.0);
assertEquals(0.0, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test094() throws Throwable {
double double0 = Math.min(0.0, 63101.2473);
assertEquals(0.0, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test095() throws Throwable {
float float0 = Math.min(0.0F, (float) (-7179));
assertEquals((-7179.0F), float0, 0.01F);
}
@Test(timeout = 4000)
public void test096() throws Throwable {
float float0 = Math.min(0.0F, 0.0F);
assertEquals(0.0F, float0, 0.01F);
}
@Test(timeout = 4000)
public void test097() throws Throwable {
float float0 = Math.min((-15175.2F), (-12228.89F));
assertEquals((-15175.2F), float0, 0.01F);
}
@Test(timeout = 4000)
public void test098() throws Throwable {
long long0 = Math.min(0L, 0L);
assertEquals(0L, long0);
}
@Test(timeout = 4000)
public void test099() throws Throwable {
long long0 = Math.min(18568L, (long) (-127));
assertEquals((-127L), long0);
}
@Test(timeout = 4000)
public void test100() throws Throwable {
int int0 = Math.min(0, 26478);
assertEquals(0, int0);
}
@Test(timeout = 4000)
public void test101() throws Throwable {
int int0 = Math.min((-1023), (-76786));
assertEquals((-76786), int0);
}
@Test(timeout = 4000)
public void test102() throws Throwable {
double double0 = Math.max(0.0, 0.0);
assertEquals(0.0, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test103() throws Throwable {
double double0 = Math.max(0.0, (-63733.03));
assertEquals(0.0, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test104() throws Throwable {
float float0 = Math.max((float) 0L, 0.0F);
assertEquals(0.0F, float0, 0.01F);
}
@Test(timeout = 4000)
public void test105() throws Throwable {
float float0 = Math.max(0.0F, (-43200.3F));
assertEquals(0.0F, float0, 0.01F);
}
@Test(timeout = 4000)
public void test106() throws Throwable {
long long0 = Math.max(0L, 1L);
assertEquals(1L, long0);
}
@Test(timeout = 4000)
public void test107() throws Throwable {
double double0 = Math.abs(0.0);
assertEquals(0.0, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test108() throws Throwable {
double double0 = Math.abs(58223.0);
assertEquals(58223.0, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test109() throws Throwable {
float float0 = Math.abs(0.0F);
assertEquals(0.0F, float0, 0.01F);
}
@Test(timeout = 4000)
public void test110() throws Throwable {
float float0 = Math.abs(1.0F);
assertEquals(1.0F, float0, 0.01F);
}
@Test(timeout = 4000)
public void test111() throws Throwable {
long long0 = Math.abs((-24283L));
assertEquals(24283L, long0);
}
@Test(timeout = 4000)
public void test112() throws Throwable {
long long0 = Math.abs(17011L);
assertEquals(17011L, long0);
}
@Test(timeout = 4000)
public void test113() throws Throwable {
int int0 = Math.abs((-17047));
assertEquals(17047, int0);
}
@Test(timeout = 4000)
public void test114() throws Throwable {
int int0 = Math.abs(10518);
assertEquals(10518, int0);
}
@Test(timeout = 4000)
public void test115() throws Throwable {
long long0 = Math.round(2.718281828459045);
assertEquals(3L, long0);
}
@Test(timeout = 4000)
public void test116() throws Throwable {
int int0 = Math.round((float) (-1023));
assertEquals((-1023), int0);
}
@Test(timeout = 4000)
public void test117() throws Throwable {
double double0 = Math.sinh(0.0);
assertEquals(0.0, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test118() throws Throwable {
double double0 = Math.atan((-69083.9907159362));
assertEquals((-1.5707818516612286), double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test119() throws Throwable {
double double0 = Math.toRadians((-32876.83743916777));
assertEquals((-573.8090609564185), double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test120() throws Throwable {
double double0 = Math.ceil((-9379.6214));
assertEquals((-9379.0), double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test121() throws Throwable {
double double0 = Math.hypot(0.0, 0.0);
assertEquals(0.0, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test122() throws Throwable {
double double0 = Math.cosh(0.0);
assertEquals(1.0, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test123() throws Throwable {
double double0 = Math.sin(0.0);
assertEquals(0.0, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test124() throws Throwable {
double double0 = Math.atan2(0.0, 0.0);
assertEquals(0.0, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test125() throws Throwable {
float float0 = Math.nextUp((-15175.2F));
assertEquals((-15175.199F), float0, 0.01F);
}
@Test(timeout = 4000)
public void test126() throws Throwable {
float float0 = Math.ulp((float) 0L);
assertEquals(1.4E-45F, float0, 0.01F);
}
@Test(timeout = 4000)
public void test127() throws Throwable {
double double0 = Math.tan(42466);
assertEquals(1.9269562529317, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test128() throws Throwable {
double double0 = Math.ulp(53787.806850007);
assertEquals(7.275957614183426E-12, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test129() throws Throwable {
double double0 = Math.IEEEremainder((-76786), (-1023));
assertEquals((-61.0), double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test130() throws Throwable {
double double0 = Math.scalb((double) 0.0F, (-16550));
assertEquals(0.0, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test131() throws Throwable {
int int0 = Math.getExponent(1.4E-45F);
assertEquals((-127), int0);
}
@Test(timeout = 4000)
public void test132() throws Throwable {
float float0 = Math.scalb(0.0F, (-127));
assertEquals(0.0F, float0, 0.01F);
}
@Test(timeout = 4000)
public void test133() throws Throwable {
double double0 = Math.pow(0.0F, 0.0);
assertEquals(1.0, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test134() throws Throwable {
double double0 = Math.toDegrees(2.544270302728025E-5);
assertEquals(0.0014577595028678811, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test135() throws Throwable {
int int0 = Math.getExponent(-0.0);
assertEquals((-1023), int0);
}
@Test(timeout = 4000)
public void test136() throws Throwable {
float float0 = Math.nextAfter(0.0F, (double) 0.0F);
assertEquals(0.0F, float0, 0.01F);
}
@Test(timeout = 4000)
public void test137() throws Throwable {
double double0 = Math.exp(Double.POSITIVE_INFINITY);
assertEquals(Double.POSITIVE_INFINITY, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test138() throws Throwable {
double double0 = Math.expm1((-1023));
assertEquals((-1.0), double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test139() throws Throwable {
double double0 = Math.floor(1.4E-45F);
assertEquals(0.0, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test140() throws Throwable {
double double0 = Math.cbrt((-1.0));
assertEquals((-1.0), double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test141() throws Throwable {
float float0 = Math.copySign((-55070.0F), (-10547.146F));
assertEquals((-55070.0F), float0, 0.01F);
}
@Test(timeout = 4000)
public void test142() throws Throwable {
float float0 = Math.signum((-12228.89F));
assertEquals((-1.0F), float0, 0.01F);
}
@Test(timeout = 4000)
public void test143() throws Throwable {
double double0 = Math.copySign((-11435.143219661), Double.NaN);
// // Unstable assertion: assertEquals((-11435.143219661), double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test144() throws Throwable {
double double0 = Math.signum((double) 0.0F);
assertEquals(0.0, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test145() throws Throwable {
double double0 = Math.log1p(42466);
assertEquals(10.656482582714847, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test146() throws Throwable {
double double0 = Math.tanh((-69890.6262764706));
assertEquals((-1.0), double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test147() throws Throwable {
double double0 = Math.rint((-17314.969937786293));
assertEquals((-17315.0), double0, 1.0E-4);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 22:07: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 Math_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Math";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp2jc3lmmn");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Math_ESTest_scaffolding.class.getClassLoader() ,
"Math"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Math_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Math"
);
}
}
| 5,100 |
GameState | import java.awt.Graphics;
/**
* COSC3550 Spring 2014
*
* <p>Created : Feb. 25, 2014 Last Updated : Feb. 25, 2014 Purpose: Defines a game state
*
* @author Mark Schlottke
*/
public abstract class GameState {
public boolean blockTick = true;
public boolean blockRender = true;
public abstract void tick();
public abstract void render(Graphics g);
public void onDelete() {}
}
| .version 52 0
.class public super abstract GameState
.super java/lang/Object
.field public blockTick Z
.field public blockRender Z
.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 GameState blockTick Z
L9: aload_0
L10: iconst_1
L11: putfield Field GameState blockRender Z
L14: return
L15:
.linenumbertable
L0 14
L4 16
L9 17
.end linenumbertable
.end code
.end method
.method public abstract tick : ()V
.end method
.method public abstract render : (Ljava/awt/Graphics;)V
.end method
.method public onDelete : ()V
.code stack 0 locals 1
L0: return
L1:
.linenumbertable
L0 26
.end linenumbertable
.end code
.end method
.sourcefile 'GameState.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 15:32:16 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class GameState_ESTest extends GameState_ESTest_scaffolding {
@Test
public void notGeneratedAnyTest() {
// EvoSuite did not generate any tests
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 15:32:16 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class GameState_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 = "GameState";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.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(GameState_ESTest_scaffolding.class.getClassLoader() ,
"GameState"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(GameState_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"GameState"
);
}
}
| 5,101 |
StringUtil | /*
* Copyright (c) 2006-2009 by Dirk Riehle, http://dirkriehle.com
*
* This file is part of the Wahlzeit photo rating application.
*
* This program is free software: you can redistribute it and/or modify
* it under the terms of the GNU Affero General Public License as
* published by the Free Software Foundation, either version 3 of the
* License, or (at your option) any later version.
*
* This program is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU Affero General Public License for more details.
*
* You should have received a copy of the GNU Affero General Public
* License along with this program. If not, see
* <http://www.gnu.org/licenses/>.
*/
import java.io.File;
import java.io.IOException;
import java.net.MalformedURLException;
import java.net.URL;
import java.nio.charset.Charset;
import java.nio.charset.StandardCharsets;
import java.nio.file.Files;
import java.nio.file.Paths;
import java.util.regex.Matcher;
import java.util.regex.Pattern;
/** A set of utility functions for basic string manipulations. */
public class StringUtil {
/** The string, which separates path segments in a URL */
private static final String URL_SEPARATOR = "/";
/** The String pointing to the path where the text files are being stored */
public static String FILE_PATH = "src/main/webapp/config/text/";
private static Charset CHARSET = StandardCharsets.UTF_8;
/** */
public static final boolean isLegalUserName(String s) {
return isSafeString(s) && !s.equals("");
}
/** */
public static final boolean isSafeString(String s) {
return isSafeWebString(s); // & isSafeQueryArg(s);
}
/** */
public static final boolean isSafeWebString(String s) {
return isSafeExcluding(s, "`'&<>;\"\\");
}
/** */
protected static final boolean isSafeExcluding(String s, String l) {
for (int i = 0; i < s.length(); i++) {
char c = s.charAt(i);
if (!Character.isLetterOrDigit(c) && (l.indexOf(c) != -1)) {
return false;
}
}
return true;
}
/** */
public static final boolean isValidStrictEmailAddress(String s) {
int a = s.indexOf('@');
int d = s.lastIndexOf('.');
return isSafeIncluding(s, "_-+@.") && (a > 0) && (a < (d - 2)) && (d < (s.length() - 2));
}
/**
* @methodtype boolean-query
*/
protected static final boolean isSafeIncluding(String s, String l) {
for (int i = 0; i < s.length(); i++) {
char c = s.charAt(i);
if (!Character.isLetterOrDigit(c) && (l.indexOf(c) == -1)) {
return false;
}
}
return true;
}
/** */
public static final boolean isLegalTagsString(String s) {
return isSafeString(s);
}
/** */
public static final boolean isValidURL(String s) {
try {
return new URL(s) != null;
} catch (MalformedURLException ex) {
return false;
}
}
/** */
public static final boolean isNullOrEmptyString(Object s) {
return (s == null) || s.equals("");
}
/** */
public static final String asStringInSeconds(long duration) {
long seconds = duration / 1000;
long milliSeconds = duration - (seconds * 1000);
return String.valueOf(seconds) + "." + asThreeDigits(milliSeconds);
}
/** */
public static String asThreeDigits(long id) {
if (id < 10) {
return "00" + id;
} else if (id < 100) {
return "0" + id;
} else {
return "" + id;
}
}
/**
* Convert separators in a filesystem path to URL separators. It does not escape the URL
* characters. Use java.net.URLEncoder for this.
*
* @param path
* @return
* @fixme Review for performance
*/
public static final String pathAsUrlString(String path) {
if (!File.separator.equals(URL_SEPARATOR)) {
// We are not on a platform where file separator matches the url separator,
// we need to convert between them.
path =
path.replaceAll(Pattern.quote(File.separator), Matcher.quoteReplacement(URL_SEPARATOR));
}
return path;
}
/** */
public static final URL asUrl(String s) throws IllegalArgumentException {
try {
return new URL(s);
} catch (MalformedURLException ex) {
throw new IllegalArgumentException("invalid URL string");
}
}
/** */
static String readFile(String fileInPath) throws IOException {
byte[] encoded = Files.readAllBytes(Paths.get(FILE_PATH + fileInPath));
return new String(encoded, CHARSET);
}
}
| .version 52 0
.class public super StringUtil
.super java/lang/Object
.field private static final URL_SEPARATOR Ljava/lang/String; = '/'
.field public static FILE_PATH Ljava/lang/String;
.field private static CHARSET Ljava/nio/charset/Charset;
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 37
.end linenumbertable
.end code
.end method
.method public static final isLegalUserName : (Ljava/lang/String;)Z
.code stack 2 locals 1
L0: aload_0
L1: invokestatic Method StringUtil isSafeString (Ljava/lang/String;)Z
L4: ifeq L20
L7: aload_0
L8: ldc ''
L10: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z
L13: ifne L20
L16: iconst_1
L17: goto L21
.stack same
L20: iconst_0
.stack stack_1 Integer
L21: ireturn
L22:
.linenumbertable
L0 55
.end linenumbertable
.end code
.end method
.method public static final isSafeString : (Ljava/lang/String;)Z
.code stack 1 locals 1
L0: aload_0
L1: invokestatic Method StringUtil isSafeWebString (Ljava/lang/String;)Z
L4: ireturn
L5:
.linenumbertable
L0 62
.end linenumbertable
.end code
.end method
.method public static final isSafeWebString : (Ljava/lang/String;)Z
.code stack 2 locals 1
L0: aload_0
L1: ldc '`\'&<>;"\\'
L3: invokestatic Method StringUtil isSafeExcluding (Ljava/lang/String;Ljava/lang/String;)Z
L6: ireturn
L7:
.linenumbertable
L0 69
.end linenumbertable
.end code
.end method
.method protected static final isSafeExcluding : (Ljava/lang/String;Ljava/lang/String;)Z
.code stack 2 locals 4
L0: iconst_0
L1: istore_2
.stack append Integer
L2: iload_2
L3: aload_0
L4: invokevirtual Method java/lang/String length ()I
L7: if_icmpge L40
L10: aload_0
L11: iload_2
L12: invokevirtual Method java/lang/String charAt (I)C
L15: istore_3
L16: iload_3
L17: invokestatic Method java/lang/Character isLetterOrDigit (C)Z
L20: ifne L34
L23: aload_1
L24: iload_3
L25: invokevirtual Method java/lang/String indexOf (I)I
L28: iconst_m1
L29: if_icmpeq L34
L32: iconst_0
L33: ireturn
.stack same
L34: iinc 2 1
L37: goto L2
.stack chop 1
L40: iconst_1
L41: ireturn
L42:
.linenumbertable
L0 76
L10 77
L16 78
L32 79
L34 76
L40 83
.end linenumbertable
.end code
.end method
.method public static final isValidStrictEmailAddress : (Ljava/lang/String;)Z
.code stack 3 locals 3
L0: aload_0
L1: bipush 64
L3: invokevirtual Method java/lang/String indexOf (I)I
L6: istore_1
L7: aload_0
L8: bipush 46
L10: invokevirtual Method java/lang/String lastIndexOf (I)I
L13: istore_2
L14: aload_0
L15: ldc '_-+@.'
L17: invokestatic Method StringUtil isSafeIncluding (Ljava/lang/String;Ljava/lang/String;)Z
L20: ifeq L48
L23: iload_1
L24: ifle L48
L27: iload_1
L28: iload_2
L29: iconst_2
L30: isub
L31: if_icmpge L48
L34: iload_2
L35: aload_0
L36: invokevirtual Method java/lang/String length ()I
L39: iconst_2
L40: isub
L41: if_icmpge L48
L44: iconst_1
L45: goto L49
.stack append Integer Integer
L48: iconst_0
.stack stack_1 Integer
L49: ireturn
L50:
.linenumbertable
L0 90
L7 91
L14 92
.end linenumbertable
.end code
.end method
.method protected static final isSafeIncluding : (Ljava/lang/String;Ljava/lang/String;)Z
.code stack 2 locals 4
L0: iconst_0
L1: istore_2
.stack append Integer
L2: iload_2
L3: aload_0
L4: invokevirtual Method java/lang/String length ()I
L7: if_icmpge L40
L10: aload_0
L11: iload_2
L12: invokevirtual Method java/lang/String charAt (I)C
L15: istore_3
L16: iload_3
L17: invokestatic Method java/lang/Character isLetterOrDigit (C)Z
L20: ifne L34
L23: aload_1
L24: iload_3
L25: invokevirtual Method java/lang/String indexOf (I)I
L28: iconst_m1
L29: if_icmpne L34
L32: iconst_0
L33: ireturn
.stack same
L34: iinc 2 1
L37: goto L2
.stack chop 1
L40: iconst_1
L41: ireturn
L42:
.linenumbertable
L0 99
L10 100
L16 101
L32 102
L34 99
L40 106
.end linenumbertable
.end code
.end method
.method public static final isLegalTagsString : (Ljava/lang/String;)Z
.code stack 1 locals 1
L0: aload_0
L1: invokestatic Method StringUtil isSafeString (Ljava/lang/String;)Z
L4: ireturn
L5:
.linenumbertable
L0 113
.end linenumbertable
.end code
.end method
.method public static final isValidURL : (Ljava/lang/String;)Z
.code stack 3 locals 2
.catch java/net/MalformedURLException from L0 to L16 using L17
L0: new java/net/URL
L3: dup
L4: aload_0
L5: invokespecial Method java/net/URL <init> (Ljava/lang/String;)V
L8: ifnull L15
L11: iconst_1
L12: goto L16
.stack same
L15: iconst_0
.stack stack_1 Integer
L16: ireturn
.stack stack_1 Object java/net/MalformedURLException
L17: astore_1
L18: iconst_0
L19: ireturn
L20:
.linenumbertable
L0 121
L17 122
L18 123
.end linenumbertable
.end code
.end method
.method public static final isNullOrEmptyString : (Ljava/lang/Object;)Z
.code stack 2 locals 1
L0: aload_0
L1: ifnull L13
L4: aload_0
L5: ldc ''
L7: invokevirtual Method java/lang/Object equals (Ljava/lang/Object;)Z
L10: ifeq L17
.stack same
L13: iconst_1
L14: goto L18
.stack same
L17: iconst_0
.stack stack_1 Integer
L18: ireturn
L19:
.linenumbertable
L0 131
.end linenumbertable
.end code
.end method
.method public static final asStringInSeconds : (J)Ljava/lang/String;
.code stack 6 locals 6
L0: lload_0
L1: ldc2_w 1000L
L4: ldiv
L5: lstore_2
L6: lload_0
L7: lload_2
L8: ldc2_w 1000L
L11: lmul
L12: lsub
L13: lstore 4
L15: new java/lang/StringBuilder
L18: dup
L19: invokespecial Method java/lang/StringBuilder <init> ()V
L22: lload_2
L23: invokestatic Method java/lang/String valueOf (J)Ljava/lang/String;
L26: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L29: ldc '.'
L31: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L34: lload 4
L36: invokestatic Method StringUtil asThreeDigits (J)Ljava/lang/String;
L39: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L42: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L45: areturn
L46:
.linenumbertable
L0 138
L6 139
L15 140
.end linenumbertable
.end code
.end method
.method public static asThreeDigits : (J)Ljava/lang/String;
.code stack 4 locals 2
L0: lload_0
L1: ldc2_w 10L
L4: lcmp
L5: ifge L28
L8: new java/lang/StringBuilder
L11: dup
L12: invokespecial Method java/lang/StringBuilder <init> ()V
L15: ldc '00'
L17: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L20: lload_0
L21: invokevirtual Method java/lang/StringBuilder append (J)Ljava/lang/StringBuilder;
L24: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L27: areturn
.stack same
L28: lload_0
L29: ldc2_w 100L
L32: lcmp
L33: ifge L56
L36: new java/lang/StringBuilder
L39: dup
L40: invokespecial Method java/lang/StringBuilder <init> ()V
L43: ldc '0'
L45: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L48: lload_0
L49: invokevirtual Method java/lang/StringBuilder append (J)Ljava/lang/StringBuilder;
L52: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L55: areturn
.stack same
L56: new java/lang/StringBuilder
L59: dup
L60: invokespecial Method java/lang/StringBuilder <init> ()V
L63: ldc ''
L65: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L68: lload_0
L69: invokevirtual Method java/lang/StringBuilder append (J)Ljava/lang/StringBuilder;
L72: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L75: areturn
L76:
.linenumbertable
L0 147
L8 148
L28 149
L36 150
L56 152
.end linenumbertable
.end code
.end method
.method public static final pathAsUrlString : (Ljava/lang/String;)Ljava/lang/String;
.code stack 3 locals 1
L0: getstatic Field java/io/File separator Ljava/lang/String;
L3: ldc '/'
L5: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z
L8: ifne L27
L11: aload_0
L12: getstatic Field java/io/File separator Ljava/lang/String;
L15: invokestatic Method java/util/regex/Pattern quote (Ljava/lang/String;)Ljava/lang/String;
L18: ldc '/'
L20: invokestatic Method java/util/regex/Matcher quoteReplacement (Ljava/lang/String;)Ljava/lang/String;
L23: invokevirtual Method java/lang/String replaceAll (Ljava/lang/String;Ljava/lang/String;)Ljava/lang/String;
L26: astore_0
.stack same
L27: aload_0
L28: areturn
L29:
.linenumbertable
L0 165
L11 168
L27 170
.end linenumbertable
.end code
.end method
.method public static final asUrl : (Ljava/lang/String;)Ljava/net/URL;
.code stack 3 locals 2
.catch java/net/MalformedURLException from L0 to L8 using L9
L0: new java/net/URL
L3: dup
L4: aload_0
L5: invokespecial Method java/net/URL <init> (Ljava/lang/String;)V
L8: areturn
.stack stack_1 Object java/net/MalformedURLException
L9: astore_1
L10: new java/lang/IllegalArgumentException
L13: dup
L14: ldc 'invalid URL string'
L16: invokespecial Method java/lang/IllegalArgumentException <init> (Ljava/lang/String;)V
L19: athrow
L20:
.linenumbertable
L0 178
L9 179
L10 180
.end linenumbertable
.end code
.exceptions java/lang/IllegalArgumentException
.end method
.method static readFile : (Ljava/lang/String;)Ljava/lang/String;
.code stack 4 locals 2
L0: new java/lang/StringBuilder
L3: dup
L4: invokespecial Method java/lang/StringBuilder <init> ()V
L7: getstatic Field StringUtil FILE_PATH Ljava/lang/String;
L10: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L13: aload_0
L14: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L17: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L20: iconst_0
L21: anewarray java/lang/String
L24: invokestatic Method java/nio/file/Paths get (Ljava/lang/String;[Ljava/lang/String;)Ljava/nio/file/Path;
L27: invokestatic Method java/nio/file/Files readAllBytes (Ljava/nio/file/Path;)[B
L30: astore_1
L31: new java/lang/String
L34: dup
L35: aload_1
L36: getstatic Field StringUtil CHARSET Ljava/nio/charset/Charset;
L39: invokespecial Method java/lang/String <init> ([BLjava/nio/charset/Charset;)V
L42: areturn
L43:
.linenumbertable
L0 188
L31 189
.end linenumbertable
.end code
.exceptions java/io/IOException
.end method
.method static <clinit> : ()V
.code stack 1 locals 0
L0: ldc 'src/main/webapp/config/text/'
L2: putstatic Field StringUtil FILE_PATH Ljava/lang/String;
L5: getstatic Field java/nio/charset/StandardCharsets UTF_8 Ljava/nio/charset/Charset;
L8: putstatic Field StringUtil CHARSET Ljava/nio/charset/Charset;
L11: return
L12:
.linenumbertable
L0 48
L5 49
.end linenumbertable
.end code
.end method
.sourcefile 'StringUtil.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 19:12:13 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import static org.evosuite.runtime.EvoAssertions.*;
import java.nio.file.NoSuchFileException;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class StringUtil_ESTest extends StringUtil_ESTest_scaffolding {
@Test(timeout = 4000)
public void test00() throws Throwable {
try {
StringUtil.readFile("");
fail("Expecting exception: NoSuchFileException");
} catch(NoSuchFileException e) {
}
}
@Test(timeout = 4000)
public void test01() throws Throwable {
String string0 = StringUtil.asStringInSeconds(76243L);
assertEquals("76.243", string0);
}
@Test(timeout = 4000)
public void test02() throws Throwable {
Object object0 = new Object();
StringUtil.isNullOrEmptyString(object0);
StringUtil.asStringInSeconds(0L);
StringUtil.isLegalUserName("0.000");
StringUtil.isLegalTagsString("SKpn|K@GPiL");
try {
StringUtil.asUrl("/ofA>O!Sb})MS_");
fail("Expecting exception: IllegalArgumentException");
} catch(IllegalArgumentException e) {
//
// invalid URL string
//
verifyException("StringUtil", e);
}
}
@Test(timeout = 4000)
public void test03() throws Throwable {
StringUtil.pathAsUrlString("");
StringUtil.isSafeIncluding("~wmo,#L&", "~wmo,#L&");
StringUtil.isValidStrictEmailAddress("RVy\u0005SkdfE)od.u71T");
// Undeclared exception!
try {
StringUtil.isSafeExcluding("RVy\u0005SkdfE)od.u71T", (String) null);
fail("Expecting exception: NullPointerException");
} catch(NullPointerException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("StringUtil", e);
}
}
@Test(timeout = 4000)
public void test04() throws Throwable {
String string0 = StringUtil.pathAsUrlString((String) null);
assertNull(string0);
}
@Test(timeout = 4000)
public void test05() throws Throwable {
StringUtil.pathAsUrlString("");
StringUtil.isValidStrictEmailAddress("RVy\u0005SkdfE)od.u71T");
// Undeclared exception!
try {
StringUtil.isSafeExcluding("RVy\u0005SkdfE)od.u71T", (String) null);
fail("Expecting exception: NullPointerException");
} catch(NullPointerException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("StringUtil", e);
}
}
@Test(timeout = 4000)
public void test06() throws Throwable {
boolean boolean0 = StringUtil.isValidURL("");
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test07() throws Throwable {
boolean boolean0 = StringUtil.isSafeWebString("m.Nx~V`,");
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test08() throws Throwable {
boolean boolean0 = StringUtil.isSafeString("U#<AY0L?");
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test09() throws Throwable {
boolean boolean0 = StringUtil.isSafeIncluding("~wmo,#L&", "~wmo,#L&");
assertTrue(boolean0);
}
@Test(timeout = 4000)
public void test10() throws Throwable {
boolean boolean0 = StringUtil.isSafeIncluding("O*i?>06TZif0&'~s", "");
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test11() throws Throwable {
boolean boolean0 = StringUtil.isSafeExcluding("%k!", "RVy\u0005SkdfE)od.u71T");
assertTrue(boolean0);
}
@Test(timeout = 4000)
public void test12() throws Throwable {
boolean boolean0 = StringUtil.isSafeExcluding("5_7#EOsy{Toylzb5", "5_7#EOsy{Toylzb5");
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test13() throws Throwable {
boolean boolean0 = StringUtil.isLegalTagsString("m(4338&");
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test14() throws Throwable {
String string0 = StringUtil.asThreeDigits(34282L);
assertEquals("34282", string0);
}
@Test(timeout = 4000)
public void test15() throws Throwable {
boolean boolean0 = StringUtil.isSafeWebString("");
assertTrue(boolean0);
}
@Test(timeout = 4000)
public void test16() throws Throwable {
boolean boolean0 = StringUtil.isSafeString("100");
assertTrue(boolean0);
}
@Test(timeout = 4000)
public void test17() throws Throwable {
String string0 = StringUtil.pathAsUrlString("%A9");
assertEquals("%A9", string0);
}
@Test(timeout = 4000)
public void test18() throws Throwable {
String string0 = StringUtil.asThreeDigits(10L);
assertEquals("010", string0);
}
@Test(timeout = 4000)
public void test19() throws Throwable {
String string0 = StringUtil.asThreeDigits(0L);
assertEquals("000", string0);
}
@Test(timeout = 4000)
public void test20() throws Throwable {
boolean boolean0 = StringUtil.isNullOrEmptyString("");
assertTrue(boolean0);
}
@Test(timeout = 4000)
public void test21() throws Throwable {
boolean boolean0 = StringUtil.isNullOrEmptyString((Object) null);
assertTrue(boolean0);
}
@Test(timeout = 4000)
public void test22() throws Throwable {
StringUtil.isValidStrictEmailAddress("");
StringUtil.isSafeWebString("");
try {
StringUtil.asUrl("");
fail("Expecting exception: IllegalArgumentException");
} catch(IllegalArgumentException e) {
//
// invalid URL string
//
verifyException("StringUtil", e);
}
}
@Test(timeout = 4000)
public void test23() throws Throwable {
boolean boolean0 = StringUtil.isValidStrictEmailAddress("m.Nx~V`,");
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test24() throws Throwable {
boolean boolean0 = StringUtil.isLegalUserName("");
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test25() throws Throwable {
boolean boolean0 = StringUtil.isLegalUserName("Md:'|k{8b_l*");
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test26() throws Throwable {
StringUtil stringUtil0 = new StringUtil();
}
@Test(timeout = 4000)
public void test27() throws Throwable {
String string0 = StringUtil.asStringInSeconds(100L);
assertEquals("0.100", string0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 19:12: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 StringUtil_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "StringUtil";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpbqzqc734");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(StringUtil_ESTest_scaffolding.class.getClassLoader() ,
"StringUtil"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(StringUtil_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"StringUtil"
);
}
}
| 5,102 |
LinearAlgebra | public final class LinearAlgebra {
/**
* Computes the LU factorization of A, overwriting the contents. The lower sub-diagonal contains
* L, the upper triangle contains U.
*
* <p>This function assumes that the input matrix is square.
*
* @param A The square matrix to factor.
* @return error code, 0 if everything was ok.
*/
public static int LUFactorNoPivot(double[][] A) {
for (int k = 0; k < A.length; k++) {
for (int j = k + 1; j < A.length; j++) {
A[j][k] = A[j][k] / A[k][k];
for (int i = k + 1; i < A.length; i++) {
A[j][i] -= A[j][k] * A[k][i];
}
}
}
return 0;
}
/**
* Factors A into LU form with pivoting. The pivot vector is returned.
*
* @param A The square matrix A.
* @return The pivot vector.
*/
public static int[] LUFactor(double[][] A) {
int N = A.length;
int[] pivots = new int[N];
for (int i = 0; i < N; i++) {
pivots[i] = i;
}
for (int k = 0; k < N; k++) {
// Find the pivot.
int iMax = k;
double max = Math.abs(A[k][k]);
for (int i = k; i < N; i++) {
if (Math.abs(A[i][k]) > max) {
iMax = i;
max = Math.abs(A[i][k]);
}
}
// Swap rows.
double[] rowMax = A[iMax];
A[iMax] = A[k];
A[k] = rowMax;
// Note this in pivots.
int row = pivots[k];
pivots[k] = pivots[iMax];
pivots[iMax] = row;
// Row reduce
for (int j = k + 1; j < N; j++) {
A[j][k] = A[j][k] / A[k][k];
for (int i = k + 1; i < N; i++) {
A[j][i] -= A[j][k] * A[k][i];
}
}
}
return pivots;
}
/**
* Solves the system Ax = b, overwriting A and b with the LU factorization of A and the solution x
* respectively.
*
* @param A The square matrix, A.
* @param b The right hand side vector.
* @return The status, 0 indicating success.
*/
public static int solve(double[][] A, double[] b) {
int[] pivots = LUFactor(A);
// now we need to change the ordering of b.
double[] bCopy = b.clone();
for (int i = 0; i < b.length; i++) {
b[i] = bCopy[pivots[i]];
}
forwardSubstitution(A, b);
backwardSubstitution(A, b);
return 0;
}
/**
* Forwards substitution. Solves the system Lx = b, where L is lower triangular.
*
* @param L A lower triangular matrix (should still be double[N][N]).
* @param b The right hand side.
*/
private static void forwardSubstitution(double[][] L, double[] b) {
for (int iRow = 0; iRow < L.length; iRow++) {
for (int iCol = 0; iCol < iRow; iCol++) {
b[iRow] -= b[iCol] * L[iRow][iCol];
}
}
}
/**
* Backwards substitution. Solves the system Ux = b, where U is upper triangular.
*
* @param U An upper triangular matrix (should still be double[N][N]).
* @param b The right hand side.
*/
private static void backwardSubstitution(double[][] U, double[] b) {
for (int iRow = U.length - 1; iRow >= 0; iRow--) {
for (int iCol = U.length - 1; iCol >= iRow + 1; iCol--) {
b[iRow] -= b[iCol] * U[iRow][iCol];
}
b[iRow] /= U[iRow][iRow];
}
}
public static void printMatrix(double[][] a) {
System.out.println("Printing matrix:");
for (int i = 0; i < a.length; i++) {
for (int j = 0; j < a[i].length; j++) {
System.out.print(a[i][j] + " ");
}
System.out.print("\n");
}
}
/**
* Multiplies two matrices together, returning the result: AB = C.
*
* @param A The left hand matrix.
* @param B The right hand matrix.
* @return The product.
*/
public static double[][] matrixMultiply(double[][] A, double[][] B) {
int N = A.length;
int M = B[0].length;
int O = B.length;
double[][] C = new double[N][M];
for (int i = 0; i < N; i++) {
for (int j = 0; j < M; j++) {
C[i][j] = 0;
for (int k = 0; k < O; k++) {
C[i][j] += A[i][k] * B[k][j];
}
}
}
return C;
}
/**
* Multiplies a vector into a matrix: Ax = b. Returns b.
*
* @param A The matrix to multiply into.
* @param x The vector to multiply with.
* @return The result.
*/
public static double[] matrixVectorMultiply(double[][] A, double[] x) {
int N = A.length;
int M = x.length;
double[] b = new double[N];
for (int i = 0; i < N; i++) {
b[i] = 0;
for (int j = 0; j < M; j++) {
b[i] += A[i][j] * x[j];
}
}
return b;
}
/**
* Multiplies a vector into a matrix: Ax = b. Returns b.
*
* @param A The matrix to multiply into.
* @param x The vector to multiply with.
* @param b The result.
*/
public static void matrixVectorMultiply(double[][] A, double[] x, double[] b) {
int N = A.length;
int M = x.length;
for (int i = 0; i < N; i++) {
b[i] = 0;
for (int j = 0; j < M; j++) {
b[i] += A[i][j] * x[j];
}
}
}
public static void printSystem(double[][] a, double[] b) {
System.out.println("Printing matrix:");
for (int i = 0; i < a.length; i++) {
for (int j = 0; j < a.length; j++) {
System.out.print(a[i][j] + " ");
}
System.out.print("| " + b[i] + "\n");
}
}
public static void printMatrixDiff(double[][] a, double[][] a2) {
System.out.println("Printing matrix difference:");
for (int i = 0; i < a.length; i++) {
for (int j = 0; j < a[i].length; j++) {
System.out.print((a[i][j] - a2[i][j]) + " ");
}
System.out.print("\n");
}
}
}
| .version 52 0
.class public final super LinearAlgebra
.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 LUFactorNoPivot : ([[D)I
.code stack 8 locals 4
L0: iconst_0
L1: istore_1
.stack append Integer
L2: iload_1
L3: aload_0
L4: arraylength
L5: if_icmpge L81
L8: iload_1
L9: iconst_1
L10: iadd
L11: istore_2
.stack append Integer
L12: iload_2
L13: aload_0
L14: arraylength
L15: if_icmpge L75
L18: aload_0
L19: iload_2
L20: aaload
L21: iload_1
L22: aload_0
L23: iload_2
L24: aaload
L25: iload_1
L26: daload
L27: aload_0
L28: iload_1
L29: aaload
L30: iload_1
L31: daload
L32: ddiv
L33: dastore
L34: iload_1
L35: iconst_1
L36: iadd
L37: istore_3
.stack append Integer
L38: iload_3
L39: aload_0
L40: arraylength
L41: if_icmpge L69
L44: aload_0
L45: iload_2
L46: aaload
L47: iload_3
L48: dup2
L49: daload
L50: aload_0
L51: iload_2
L52: aaload
L53: iload_1
L54: daload
L55: aload_0
L56: iload_1
L57: aaload
L58: iload_3
L59: daload
L60: dmul
L61: dsub
L62: dastore
L63: iinc 3 1
L66: goto L38
.stack chop 1
L69: iinc 2 1
L72: goto L12
.stack chop 1
L75: iinc 1 1
L78: goto L2
.stack chop 1
L81: iconst_0
L82: ireturn
L83:
.linenumbertable
L0 15
L8 16
L18 17
L34 18
L44 19
L63 18
L69 16
L75 15
L81 23
.end linenumbertable
.end code
.end method
.method public static LUFactor : ([[D)[I
.code stack 8 locals 11
L0: aload_0
L1: arraylength
L2: istore_1
L3: iload_1
L4: newarray int
L6: astore_2
L7: iconst_0
L8: istore_3
.stack append Integer Object [I Integer
L9: iload_3
L10: iload_1
L11: if_icmpge L24
L14: aload_2
L15: iload_3
L16: iload_3
L17: iastore
L18: iinc 3 1
L21: goto L9
.stack chop 1
L24: iconst_0
L25: istore_3
.stack append Integer
L26: iload_3
L27: iload_1
L28: if_icmpge L206
L31: iload_3
L32: istore 4
L34: aload_0
L35: iload_3
L36: aaload
L37: iload_3
L38: daload
L39: invokestatic Method java/lang/Math abs (D)D
L42: dstore 5
L44: iload_3
L45: istore 7
.stack append Integer Double Integer
L47: iload 7
L49: iload_1
L50: if_icmpge L89
L53: aload_0
L54: iload 7
L56: aaload
L57: iload_3
L58: daload
L59: invokestatic Method java/lang/Math abs (D)D
L62: dload 5
L64: dcmpl
L65: ifle L83
L68: iload 7
L70: istore 4
L72: aload_0
L73: iload 7
L75: aaload
L76: iload_3
L77: daload
L78: invokestatic Method java/lang/Math abs (D)D
L81: dstore 5
.stack same
L83: iinc 7 1
L86: goto L47
.stack chop 1
L89: aload_0
L90: iload 4
L92: aaload
L93: astore 7
L95: aload_0
L96: iload 4
L98: aload_0
L99: iload_3
L100: aaload
L101: aastore
L102: aload_0
L103: iload_3
L104: aload 7
L106: aastore
L107: aload_2
L108: iload_3
L109: iaload
L110: istore 8
L112: aload_2
L113: iload_3
L114: aload_2
L115: iload 4
L117: iaload
L118: iastore
L119: aload_2
L120: iload 4
L122: iload 8
L124: iastore
L125: iload_3
L126: iconst_1
L127: iadd
L128: istore 9
.stack append Object [D Integer Integer
L130: iload 9
L132: iload_1
L133: if_icmpge L200
L136: aload_0
L137: iload 9
L139: aaload
L140: iload_3
L141: aload_0
L142: iload 9
L144: aaload
L145: iload_3
L146: daload
L147: aload_0
L148: iload_3
L149: aaload
L150: iload_3
L151: daload
L152: ddiv
L153: dastore
L154: iload_3
L155: iconst_1
L156: iadd
L157: istore 10
.stack append Integer
L159: iload 10
L161: iload_1
L162: if_icmpge L194
L165: aload_0
L166: iload 9
L168: aaload
L169: iload 10
L171: dup2
L172: daload
L173: aload_0
L174: iload 9
L176: aaload
L177: iload_3
L178: daload
L179: aload_0
L180: iload_3
L181: aaload
L182: iload 10
L184: daload
L185: dmul
L186: dsub
L187: dastore
L188: iinc 10 1
L191: goto L159
.stack chop 1
L194: iinc 9 1
L197: goto L130
.stack full
locals Object [[D Integer Object [I Integer
stack
.end stack
L200: iinc 3 1
L203: goto L26
.stack chop 1
L206: aload_2
L207: areturn
L208:
.linenumbertable
L0 33
L3 34
L7 35
L14 36
L18 35
L24 38
L31 40
L34 41
L44 42
L53 43
L68 44
L72 45
L83 42
L89 50
L95 51
L102 52
L107 54
L112 55
L119 56
L125 59
L136 60
L154 61
L165 62
L188 61
L194 59
L200 38
L206 67
.end linenumbertable
.end code
.end method
.method public static solve : ([[D[D)I
.code stack 5 locals 5
L0: aload_0
L1: invokestatic Method LinearAlgebra LUFactor ([[D)[I
L4: astore_2
L5: aload_1
L6: invokevirtual Method [D clone ()Ljava/lang/Object;
L9: checkcast [D
L12: astore_3
L13: iconst_0
L14: istore 4
.stack append Object [I Object [D Integer
L16: iload 4
L18: aload_1
L19: arraylength
L20: if_icmpge L39
L23: aload_1
L24: iload 4
L26: aload_3
L27: aload_2
L28: iload 4
L30: iaload
L31: daload
L32: dastore
L33: iinc 4 1
L36: goto L16
.stack chop 1
L39: aload_0
L40: aload_1
L41: invokestatic Method LinearAlgebra forwardSubstitution ([[D[D)V
L44: aload_0
L45: aload_1
L46: invokestatic Method LinearAlgebra backwardSubstitution ([[D[D)V
L49: iconst_0
L50: ireturn
L51:
.linenumbertable
L0 79
L5 82
L13 83
L23 84
L33 83
L39 87
L44 88
L49 90
.end linenumbertable
.end code
.end method
.method private static forwardSubstitution : ([[D[D)V
.code stack 8 locals 4
L0: iconst_0
L1: istore_2
.stack append Integer
L2: iload_2
L3: aload_0
L4: arraylength
L5: if_icmpge L42
L8: iconst_0
L9: istore_3
.stack append Integer
L10: iload_3
L11: iload_2
L12: if_icmpge L36
L15: aload_1
L16: iload_2
L17: dup2
L18: daload
L19: aload_1
L20: iload_3
L21: daload
L22: aload_0
L23: iload_2
L24: aaload
L25: iload_3
L26: daload
L27: dmul
L28: dsub
L29: dastore
L30: iinc 3 1
L33: goto L10
.stack chop 1
L36: iinc 2 1
L39: goto L2
.stack chop 1
L42: return
L43:
.linenumbertable
L0 101
L8 102
L15 103
L30 102
L36 101
L42 106
.end linenumbertable
.end code
.end method
.method private static backwardSubstitution : ([[D[D)V
.code stack 8 locals 4
L0: aload_0
L1: arraylength
L2: iconst_1
L3: isub
L4: istore_2
.stack append Integer
L5: iload_2
L6: iflt L59
L9: aload_0
L10: arraylength
L11: iconst_1
L12: isub
L13: istore_3
.stack append Integer
L14: iload_3
L15: iload_2
L16: iconst_1
L17: iadd
L18: if_icmplt L42
L21: aload_1
L22: iload_2
L23: dup2
L24: daload
L25: aload_1
L26: iload_3
L27: daload
L28: aload_0
L29: iload_2
L30: aaload
L31: iload_3
L32: daload
L33: dmul
L34: dsub
L35: dastore
L36: iinc 3 -1
L39: goto L14
.stack chop 1
L42: aload_1
L43: iload_2
L44: dup2
L45: daload
L46: aload_0
L47: iload_2
L48: aaload
L49: iload_2
L50: daload
L51: ddiv
L52: dastore
L53: iinc 2 -1
L56: goto L5
.stack chop 1
L59: return
L60:
.linenumbertable
L0 116
L9 117
L21 118
L36 117
L42 120
L53 116
L59 122
.end linenumbertable
.end code
.end method
.method public static printMatrix : ([[D)V
.code stack 4 locals 3
L0: getstatic Field java/lang/System out Ljava/io/PrintStream;
L3: ldc 'Printing matrix:'
L5: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L8: iconst_0
L9: istore_1
.stack append Integer
L10: iload_1
L11: aload_0
L12: arraylength
L13: if_icmpge L75
L16: iconst_0
L17: istore_2
.stack append Integer
L18: iload_2
L19: aload_0
L20: iload_1
L21: aaload
L22: arraylength
L23: if_icmpge L61
L26: getstatic Field java/lang/System out Ljava/io/PrintStream;
L29: new java/lang/StringBuilder
L32: dup
L33: invokespecial Method java/lang/StringBuilder <init> ()V
L36: aload_0
L37: iload_1
L38: aaload
L39: iload_2
L40: daload
L41: invokevirtual Method java/lang/StringBuilder append (D)Ljava/lang/StringBuilder;
L44: ldc ' '
L46: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L49: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L52: invokevirtual Method java/io/PrintStream print (Ljava/lang/String;)V
L55: iinc 2 1
L58: goto L18
.stack chop 1
L61: getstatic Field java/lang/System out Ljava/io/PrintStream;
L64: ldc '\n'
L66: invokevirtual Method java/io/PrintStream print (Ljava/lang/String;)V
L69: iinc 1 1
L72: goto L10
.stack chop 1
L75: return
L76:
.linenumbertable
L0 125
L8 126
L16 127
L26 128
L55 127
L61 130
L69 126
L75 132
.end linenumbertable
.end code
.end method
.method public static matrixMultiply : ([[D[[D)[[D
.code stack 8 locals 9
L0: aload_0
L1: arraylength
L2: istore_2
L3: aload_1
L4: iconst_0
L5: aaload
L6: arraylength
L7: istore_3
L8: aload_1
L9: arraylength
L10: istore 4
L12: iload_2
L13: iload_3
L14: multianewarray [[D 2
L18: astore 5
L20: iconst_0
L21: istore 6
.stack full
locals Object [[D Object [[D Integer Integer Integer Object [[D Integer
stack
.end stack
L23: iload 6
L25: iload_2
L26: if_icmpge L101
L29: iconst_0
L30: istore 7
.stack append Integer
L32: iload 7
L34: iload_3
L35: if_icmpge L95
L38: aload 5
L40: iload 6
L42: aaload
L43: iload 7
L45: dconst_0
L46: dastore
L47: iconst_0
L48: istore 8
.stack append Integer
L50: iload 8
L52: iload 4
L54: if_icmpge L89
L57: aload 5
L59: iload 6
L61: aaload
L62: iload 7
L64: dup2
L65: daload
L66: aload_0
L67: iload 6
L69: aaload
L70: iload 8
L72: daload
L73: aload_1
L74: iload 8
L76: aaload
L77: iload 7
L79: daload
L80: dmul
L81: dadd
L82: dastore
L83: iinc 8 1
L86: goto L50
.stack chop 1
L89: iinc 7 1
L92: goto L32
.stack chop 1
L95: iinc 6 1
L98: goto L23
.stack chop 1
L101: aload 5
L103: areturn
L104:
.linenumbertable
L0 142
L3 143
L8 144
L12 145
L20 146
L29 147
L38 148
L47 149
L57 150
L83 149
L89 147
L95 146
L101 154
.end linenumbertable
.end code
.end method
.method public static matrixVectorMultiply : ([[D[D)[D
.code stack 8 locals 7
L0: aload_0
L1: arraylength
L2: istore_2
L3: aload_1
L4: arraylength
L5: istore_3
L6: iload_2
L7: newarray double
L9: astore 4
L11: iconst_0
L12: istore 5
.stack full
locals Object [[D Object [D Integer Integer Object [D Integer
stack
.end stack
L14: iload 5
L16: iload_2
L17: if_icmpge L67
L20: aload 4
L22: iload 5
L24: dconst_0
L25: dastore
L26: iconst_0
L27: istore 6
.stack append Integer
L29: iload 6
L31: iload_3
L32: if_icmpge L61
L35: aload 4
L37: iload 5
L39: dup2
L40: daload
L41: aload_0
L42: iload 5
L44: aaload
L45: iload 6
L47: daload
L48: aload_1
L49: iload 6
L51: daload
L52: dmul
L53: dadd
L54: dastore
L55: iinc 6 1
L58: goto L29
.stack chop 1
L61: iinc 5 1
L64: goto L14
.stack chop 1
L67: aload 4
L69: areturn
L70:
.linenumbertable
L0 165
L3 166
L6 167
L11 168
L20 169
L26 170
L35 171
L55 170
L61 168
L67 174
.end linenumbertable
.end code
.end method
.method public static matrixVectorMultiply : ([[D[D[D)V
.code stack 8 locals 7
L0: aload_0
L1: arraylength
L2: istore_3
L3: aload_1
L4: arraylength
L5: istore 4
L7: iconst_0
L8: istore 5
.stack append Integer Integer Integer
L10: iload 5
L12: iload_3
L13: if_icmpge L62
L16: aload_2
L17: iload 5
L19: dconst_0
L20: dastore
L21: iconst_0
L22: istore 6
.stack append Integer
L24: iload 6
L26: iload 4
L28: if_icmpge L56
L31: aload_2
L32: iload 5
L34: dup2
L35: daload
L36: aload_0
L37: iload 5
L39: aaload
L40: iload 6
L42: daload
L43: aload_1
L44: iload 6
L46: daload
L47: dmul
L48: dadd
L49: dastore
L50: iinc 6 1
L53: goto L24
.stack chop 1
L56: iinc 5 1
L59: goto L10
.stack chop 1
L62: return
L63:
.linenumbertable
L0 185
L3 186
L7 187
L16 188
L21 189
L31 190
L50 189
L56 187
L62 193
.end linenumbertable
.end code
.end method
.method public static printSystem : ([[D[D)V
.code stack 4 locals 4
L0: getstatic Field java/lang/System out Ljava/io/PrintStream;
L3: ldc 'Printing matrix:'
L5: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L8: iconst_0
L9: istore_2
.stack append Integer
L10: iload_2
L11: aload_0
L12: arraylength
L13: if_icmpge L97
L16: iconst_0
L17: istore_3
.stack append Integer
L18: iload_3
L19: aload_0
L20: arraylength
L21: if_icmpge L59
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: aload_0
L35: iload_2
L36: aaload
L37: iload_3
L38: daload
L39: invokevirtual Method java/lang/StringBuilder append (D)Ljava/lang/StringBuilder;
L42: ldc ' '
L44: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L47: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L50: invokevirtual Method java/io/PrintStream print (Ljava/lang/String;)V
L53: iinc 3 1
L56: goto L18
.stack chop 1
L59: getstatic Field java/lang/System out Ljava/io/PrintStream;
L62: new java/lang/StringBuilder
L65: dup
L66: invokespecial Method java/lang/StringBuilder <init> ()V
L69: ldc '| '
L71: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L74: aload_1
L75: iload_2
L76: daload
L77: invokevirtual Method java/lang/StringBuilder append (D)Ljava/lang/StringBuilder;
L80: ldc '\n'
L82: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L85: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L88: invokevirtual Method java/io/PrintStream print (Ljava/lang/String;)V
L91: iinc 2 1
L94: goto L10
.stack chop 1
L97: return
L98:
.linenumbertable
L0 196
L8 197
L16 198
L24 199
L53 198
L59 201
L91 197
L97 203
.end linenumbertable
.end code
.end method
.method public static printMatrixDiff : ([[D[[D)V
.code stack 6 locals 4
L0: getstatic Field java/lang/System out Ljava/io/PrintStream;
L3: ldc 'Printing matrix difference:'
L5: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L8: iconst_0
L9: istore_2
.stack append Integer
L10: iload_2
L11: aload_0
L12: arraylength
L13: if_icmpge L81
L16: iconst_0
L17: istore_3
.stack append Integer
L18: iload_3
L19: aload_0
L20: iload_2
L21: aaload
L22: arraylength
L23: if_icmpge L67
L26: getstatic Field java/lang/System out Ljava/io/PrintStream;
L29: new java/lang/StringBuilder
L32: dup
L33: invokespecial Method java/lang/StringBuilder <init> ()V
L36: aload_0
L37: iload_2
L38: aaload
L39: iload_3
L40: daload
L41: aload_1
L42: iload_2
L43: aaload
L44: iload_3
L45: daload
L46: dsub
L47: invokevirtual Method java/lang/StringBuilder append (D)Ljava/lang/StringBuilder;
L50: ldc ' '
L52: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L55: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L58: invokevirtual Method java/io/PrintStream print (Ljava/lang/String;)V
L61: iinc 3 1
L64: goto L18
.stack chop 1
L67: getstatic Field java/lang/System out Ljava/io/PrintStream;
L70: ldc '\n'
L72: invokevirtual Method java/io/PrintStream print (Ljava/lang/String;)V
L75: iinc 2 1
L78: goto L10
.stack chop 1
L81: return
L82:
.linenumbertable
L0 206
L8 207
L16 208
L26 209
L61 208
L67 211
L75 207
L81 213
.end linenumbertable
.end code
.end method
.sourcefile 'LinearAlgebra.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 22:01:56 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 LinearAlgebra_ESTest extends LinearAlgebra_ESTest_scaffolding {
@Test(timeout = 4000)
public void test00() throws Throwable {
double[][] doubleArray0 = new double[8][8];
double[] doubleArray1 = new double[9];
doubleArray1[0] = 14156.753538;
doubleArray1[1] = 62292.2533761;
doubleArray1[2] = 73866.7114;
doubleArray1[3] = 47175.0;
doubleArray1[4] = 1.0;
doubleArray1[5] = 1.0;
doubleArray1[6] = 0.0;
doubleArray1[7] = (-17465.6421602);
doubleArray1[8] = 109246.5496592;
doubleArray0[0] = doubleArray1;
double[] doubleArray2 = new double[8];
doubleArray2[0] = 0.0;
doubleArray2[1] = 109246.5496592;
doubleArray2[2] = 47175.0;
doubleArray2[3] = 14156.753538;
doubleArray2[4] = 47175.0;
doubleArray2[5] = 42743.55742485;
doubleArray2[6] = 62292.2533761;
doubleArray2[7] = 62292.2533761;
doubleArray0[1] = doubleArray2;
double[] doubleArray3 = new double[8];
doubleArray3[0] = 14156.753538;
doubleArray3[1] = 42743.55742485;
doubleArray3[2] = 62292.2533761;
doubleArray3[3] = 42743.55742485;
doubleArray3[4] = 109246.5496592;
doubleArray3[5] = 0.0;
doubleArray3[6] = 47175.0;
doubleArray3[7] = 1.0;
doubleArray0[2] = doubleArray3;
double[] doubleArray4 = new double[4];
doubleArray4[0] = 62292.2533761;
doubleArray4[1] = 73866.7114;
doubleArray4[2] = 47175.0;
doubleArray4[3] = 109246.5496592;
doubleArray0[3] = doubleArray4;
double[] doubleArray5 = new double[3];
doubleArray5[0] = 1.0;
doubleArray5[1] = 0.0;
doubleArray5[2] = 14156.753538;
doubleArray0[4] = doubleArray5;
double[] doubleArray6 = new double[2];
doubleArray6[0] = 47175.0;
doubleArray6[1] = 13485.15788306;
doubleArray0[5] = doubleArray6;
double[] doubleArray7 = new double[3];
doubleArray7[0] = 73866.7114;
doubleArray7[1] = 1.0;
doubleArray7[2] = 47175.0;
doubleArray0[6] = doubleArray7;
double[] doubleArray8 = new double[5];
doubleArray8[0] = 1.0;
doubleArray8[1] = 62292.2533761;
doubleArray8[2] = (-17465.6421602);
doubleArray8[3] = 13485.15788306;
doubleArray8[4] = 14156.753538;
doubleArray0[7] = doubleArray8;
// Undeclared exception!
try {
LinearAlgebra.LUFactor(doubleArray0);
fail("Expecting exception: ArrayIndexOutOfBoundsException");
} catch(ArrayIndexOutOfBoundsException e) {
//
// 3
//
verifyException("LinearAlgebra", e);
}
}
@Test(timeout = 4000)
public void test01() throws Throwable {
double[][] doubleArray0 = new double[3][8];
double[] doubleArray1 = new double[4];
doubleArray1[0] = 75568.5;
doubleArray1[1] = 1.0;
doubleArray1[2] = 0.0;
doubleArray1[3] = 72944.8589;
doubleArray0[0] = doubleArray1;
double[] doubleArray2 = new double[2];
doubleArray2[0] = (-24282.0505678155);
doubleArray2[1] = 0.0;
doubleArray0[1] = doubleArray2;
double[] doubleArray3 = new double[8];
doubleArray3[0] = (-24282.0505678155);
doubleArray3[1] = 0.0;
doubleArray3[2] = 0.0;
doubleArray3[3] = 0.0;
doubleArray3[4] = (-24282.0505678155);
doubleArray3[5] = 1.0;
doubleArray3[6] = 0.0;
doubleArray3[7] = 75568.5;
doubleArray0[2] = doubleArray3;
// Undeclared exception!
try {
LinearAlgebra.matrixMultiply(doubleArray0, doubleArray0);
fail("Expecting exception: ArrayIndexOutOfBoundsException");
} catch(ArrayIndexOutOfBoundsException e) {
//
// 2
//
verifyException("LinearAlgebra", e);
}
}
@Test(timeout = 4000)
public void test02() throws Throwable {
double[][] doubleArray0 = new double[7][3];
double[] doubleArray1 = new double[5];
doubleArray1[0] = (-1.0);
doubleArray1[1] = 0.0;
doubleArray1[2] = 0.0;
doubleArray1[3] = 29761.54393;
doubleArray1[4] = 0.0;
doubleArray0[0] = doubleArray1;
double[] doubleArray2 = new double[6];
doubleArray2[0] = 0.0;
doubleArray2[1] = 0.0;
doubleArray2[2] = 0.0;
doubleArray2[3] = 0.0;
doubleArray2[4] = (-26811.5724);
doubleArray2[5] = 0.0;
doubleArray0[1] = doubleArray2;
double[] doubleArray3 = new double[2];
doubleArray3[0] = 0.0;
doubleArray3[1] = (-1.0);
doubleArray0[2] = doubleArray3;
double[] doubleArray4 = new double[6];
doubleArray4[0] = 0.0;
doubleArray4[1] = (-1.0);
doubleArray4[2] = (-1.0);
doubleArray4[3] = 0.0;
doubleArray4[4] = 0.0;
doubleArray4[5] = (-26811.5724);
doubleArray0[3] = doubleArray4;
double[] doubleArray5 = new double[4];
doubleArray5[0] = 0.0;
doubleArray5[1] = 0.0;
doubleArray5[2] = 0.0;
doubleArray5[3] = 0.0;
doubleArray0[4] = doubleArray5;
double[] doubleArray6 = new double[5];
doubleArray6[0] = 0.0;
doubleArray6[1] = 0.0;
doubleArray6[2] = (-1.0);
doubleArray6[3] = 0.0;
doubleArray6[4] = 0.0;
doubleArray0[5] = doubleArray6;
double[] doubleArray7 = new double[7];
doubleArray7[0] = 29761.54393;
doubleArray7[1] = 0.0;
doubleArray7[2] = 0.0;
doubleArray7[3] = 0.0;
doubleArray7[4] = 0.0;
doubleArray7[5] = 0.0;
doubleArray7[6] = (-1.0);
doubleArray0[6] = doubleArray7;
// Undeclared exception!
try {
LinearAlgebra.LUFactorNoPivot(doubleArray0);
fail("Expecting exception: ArrayIndexOutOfBoundsException");
} catch(ArrayIndexOutOfBoundsException e) {
//
// 5
//
verifyException("LinearAlgebra", e);
}
}
@Test(timeout = 4000)
public void test03() throws Throwable {
double[][] doubleArray0 = new double[0][1];
double[] doubleArray1 = new double[9];
doubleArray1[0] = 0.0;
doubleArray1[1] = 0.0;
doubleArray1[2] = 0.0;
doubleArray1[3] = (-29018.3263239962);
doubleArray1[4] = 49540.0;
doubleArray1[5] = 0.0;
doubleArray1[6] = 0.0;
doubleArray1[7] = 1.0;
doubleArray1[8] = 34574.69093764889;
LinearAlgebra.matrixVectorMultiply(doubleArray0, doubleArray1);
LinearAlgebra.LUFactorNoPivot(doubleArray0);
LinearAlgebra.printMatrix(doubleArray0);
LinearAlgebra.LUFactor(doubleArray0);
LinearAlgebra.LUFactor(doubleArray0);
LinearAlgebra.printMatrix(doubleArray0);
LinearAlgebra.LUFactorNoPivot(doubleArray0);
LinearAlgebra.LUFactor(doubleArray0);
double[][] doubleArray2 = new double[1][6];
doubleArray2[0] = doubleArray1;
LinearAlgebra.printMatrixDiff(doubleArray2, doubleArray2);
// Undeclared exception!
try {
LinearAlgebra.solve(doubleArray0, doubleArray1);
fail("Expecting exception: ArrayIndexOutOfBoundsException");
} catch(ArrayIndexOutOfBoundsException e) {
//
// 0
//
verifyException("LinearAlgebra", e);
}
}
@Test(timeout = 4000)
public void test04() throws Throwable {
double[][] doubleArray0 = new double[1][6];
double[] doubleArray1 = new double[2];
doubleArray1[0] = 40538.96;
doubleArray1[1] = 0.0;
doubleArray0[0] = doubleArray1;
LinearAlgebra.matrixVectorMultiply(doubleArray0, doubleArray1, doubleArray1);
LinearAlgebra.printMatrixDiff(doubleArray0, doubleArray0);
double[] doubleArray2 = LinearAlgebra.matrixVectorMultiply(doubleArray0, doubleArray1);
double[][] doubleArray3 = new double[7][8];
doubleArray3[0] = doubleArray2;
double[] doubleArray4 = new double[4];
doubleArray4[0] = 40538.96;
doubleArray4[1] = 0.0;
doubleArray4[2] = 0.0;
doubleArray4[3] = 0.0;
doubleArray3[1] = doubleArray4;
doubleArray3[2] = doubleArray1;
doubleArray3[3] = doubleArray2;
doubleArray3[4] = doubleArray2;
doubleArray3[5] = doubleArray1;
doubleArray3[6] = doubleArray2;
double[][] doubleArray5 = new double[3][1];
doubleArray5[0] = doubleArray1;
doubleArray5[1] = doubleArray4;
doubleArray5[2] = doubleArray4;
// Undeclared exception!
try {
LinearAlgebra.printMatrixDiff(doubleArray3, doubleArray5);
fail("Expecting exception: ArrayIndexOutOfBoundsException");
} catch(ArrayIndexOutOfBoundsException e) {
//
// 3
//
verifyException("LinearAlgebra", e);
}
}
@Test(timeout = 4000)
public void test05() throws Throwable {
double[][] doubleArray0 = new double[0][0];
double[] doubleArray1 = new double[1];
doubleArray1[0] = 106667.00485662;
LinearAlgebra.matrixVectorMultiply(doubleArray0, doubleArray1, doubleArray1);
double[] doubleArray2 = new double[5];
doubleArray2[0] = 106667.00485662;
doubleArray2[1] = 106667.00485662;
doubleArray2[2] = 106667.00485662;
doubleArray2[3] = 106667.00485662;
doubleArray2[4] = 106667.00485662;
double[] doubleArray3 = LinearAlgebra.matrixVectorMultiply(doubleArray0, doubleArray2);
assertFalse(doubleArray3.equals((Object)doubleArray2));
}
@Test(timeout = 4000)
public void test06() throws Throwable {
LinearAlgebra linearAlgebra0 = new LinearAlgebra();
double[][] doubleArray0 = new double[2][0];
double[] doubleArray1 = new double[1];
doubleArray1[0] = 74621.87222256;
doubleArray0[0] = doubleArray1;
double[] doubleArray2 = new double[3];
doubleArray2[0] = 74621.87222256;
doubleArray2[1] = 74621.87222256;
doubleArray2[2] = 74621.87222256;
doubleArray0[1] = doubleArray2;
LinearAlgebra.printMatrixDiff(doubleArray0, doubleArray0);
double[][] doubleArray3 = new double[5][4];
double[] doubleArray4 = new double[1];
doubleArray4[0] = (-1.0);
doubleArray3[0] = doubleArray4;
double[] doubleArray5 = new double[1];
doubleArray5[0] = (-1.0);
doubleArray3[1] = doubleArray5;
double[] doubleArray6 = new double[3];
doubleArray6[0] = 0.0;
doubleArray6[1] = (-1.0);
doubleArray6[2] = (-1.0);
doubleArray3[2] = doubleArray6;
double[] doubleArray7 = new double[2];
doubleArray7[0] = (-1.0);
doubleArray7[1] = 0.0;
doubleArray3[3] = doubleArray7;
double[] doubleArray8 = new double[3];
doubleArray8[0] = (-4800.448077076);
doubleArray8[1] = 0.0;
doubleArray8[2] = 0.0;
doubleArray3[4] = doubleArray8;
// Undeclared exception!
try {
LinearAlgebra.solve(doubleArray3, doubleArray5);
fail("Expecting exception: ArrayIndexOutOfBoundsException");
} catch(ArrayIndexOutOfBoundsException e) {
//
// 1
//
verifyException("LinearAlgebra", e);
}
}
@Test(timeout = 4000)
public void test07() throws Throwable {
double[][] doubleArray0 = new double[1][6];
double[] doubleArray1 = new double[9];
doubleArray1[0] = (-32556.0);
doubleArray1[1] = 0.0;
doubleArray1[2] = (-13609.381);
doubleArray1[3] = (-1131.0);
doubleArray1[4] = 0.0;
doubleArray1[5] = 1.0;
doubleArray1[6] = (-10550.3982015272);
doubleArray1[7] = (-22999.4);
doubleArray1[8] = (-1.0);
doubleArray0[0] = doubleArray1;
int int0 = LinearAlgebra.LUFactorNoPivot(doubleArray0);
assertEquals(0, int0);
}
@Test(timeout = 4000)
public void test08() throws Throwable {
double[][] doubleArrayArray0 = null;
// Undeclared exception!
try {
LinearAlgebra.matrixMultiply((double[][]) null, (double[][]) null);
fail("Expecting exception: NullPointerException");
} catch(NullPointerException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("LinearAlgebra", e);
}
}
@Test(timeout = 4000)
public void test09() throws Throwable {
double[] doubleArray0 = new double[3];
doubleArray0[0] = 57956.359373802494;
doubleArray0[1] = 0.0;
doubleArray0[2] = 1.0;
// Undeclared exception!
try {
LinearAlgebra.solve((double[][]) null, doubleArray0);
fail("Expecting exception: NullPointerException");
} catch(NullPointerException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("LinearAlgebra", e);
}
}
@Test(timeout = 4000)
public void test10() throws Throwable {
double[][] doubleArray0 = new double[0][4];
double[] doubleArray1 = null;
// Undeclared exception!
try {
LinearAlgebra.matrixVectorMultiply(doubleArray0, (double[]) null);
fail("Expecting exception: NullPointerException");
} catch(NullPointerException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("LinearAlgebra", e);
}
}
@Test(timeout = 4000)
public void test11() throws Throwable {
double[] doubleArray0 = new double[4];
doubleArray0[0] = (-1.0);
doubleArray0[1] = (-33784.98805636428);
doubleArray0[2] = (-48954.2151);
doubleArray0[3] = (-1.0);
// Undeclared exception!
try {
LinearAlgebra.matrixVectorMultiply((double[][]) null, doubleArray0);
fail("Expecting exception: NullPointerException");
} catch(NullPointerException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("LinearAlgebra", e);
}
}
@Test(timeout = 4000)
public void test12() throws Throwable {
double[][] doubleArray0 = new double[1][3];
double[] doubleArray1 = new double[1];
doubleArray1[0] = (-61081.0982579913);
doubleArray0[0] = doubleArray1;
LinearAlgebra.solve(doubleArray0, doubleArray1);
LinearAlgebra.solve(doubleArray0, doubleArray1);
double[][] doubleArray2 = new double[5][6];
doubleArray2[0] = doubleArray1;
doubleArray2[1] = doubleArray1;
doubleArray2[2] = doubleArray1;
double[] doubleArray3 = new double[0];
doubleArray2[3] = doubleArray3;
doubleArray2[4] = doubleArray1;
// Undeclared exception!
try {
LinearAlgebra.matrixMultiply(doubleArray0, doubleArray2);
fail("Expecting exception: ArrayIndexOutOfBoundsException");
} catch(ArrayIndexOutOfBoundsException e) {
//
// 1
//
verifyException("LinearAlgebra", e);
}
}
@Test(timeout = 4000)
public void test13() throws Throwable {
double[][] doubleArray0 = new double[2][8];
double[] doubleArray1 = new double[2];
doubleArray1[0] = 0.0;
doubleArray1[1] = 59706.130776203405;
doubleArray0[0] = doubleArray1;
double[] doubleArray2 = new double[3];
doubleArray2[0] = 59706.130776203405;
doubleArray2[1] = 11942.398685387836;
doubleArray2[2] = (-27030.098);
doubleArray0[1] = doubleArray2;
LinearAlgebra.printMatrix(doubleArray0);
LinearAlgebra.printMatrix(doubleArray0);
LinearAlgebra.printMatrix(doubleArray0);
double[] doubleArray3 = LinearAlgebra.matrixVectorMultiply(doubleArray0, doubleArray1);
LinearAlgebra.printMatrix(doubleArray0);
LinearAlgebra.printMatrix(doubleArray0);
LinearAlgebra.printMatrixDiff(doubleArray0, doubleArray0);
double[][] doubleArray4 = new double[6][6];
doubleArray4[0] = doubleArray1;
double[] doubleArray5 = new double[5];
doubleArray5[0] = 0.0;
doubleArray5[1] = 0.0;
doubleArray5[2] = 1.0;
doubleArray5[3] = 11942.398685387836;
doubleArray5[4] = 0.0;
doubleArray4[1] = doubleArray5;
doubleArray4[2] = doubleArray3;
doubleArray4[3] = doubleArray3;
doubleArray4[4] = doubleArray2;
doubleArray4[5] = doubleArray1;
LinearAlgebra.printMatrixDiff(doubleArray4, doubleArray4);
assertFalse(doubleArray4.equals((Object)doubleArray0));
}
@Test(timeout = 4000)
public void test14() throws Throwable {
double[] doubleArray0 = new double[2];
doubleArray0[0] = 54186.31574;
doubleArray0[1] = 0.0;
// Undeclared exception!
try {
LinearAlgebra.matrixVectorMultiply((double[][]) null, doubleArray0, doubleArray0);
fail("Expecting exception: NullPointerException");
} catch(NullPointerException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("LinearAlgebra", e);
}
}
@Test(timeout = 4000)
public void test15() throws Throwable {
double[][] doubleArray0 = new double[0][4];
LinearAlgebra.printMatrixDiff(doubleArray0, doubleArray0);
LinearAlgebra.LUFactor(doubleArray0);
double[][] doubleArray1 = new double[2][0];
double[] doubleArray2 = new double[7];
doubleArray2[0] = 0.0;
doubleArray2[1] = 0.0;
double double0 = 0.0;
doubleArray2[2] = 0.0;
doubleArray2[3] = 62737.0349091;
doubleArray2[4] = 0.0;
doubleArray2[5] = (-1.0);
doubleArray2[6] = 76178.24;
doubleArray1[0] = doubleArray2;
double[] doubleArray3 = new double[1];
doubleArray3[0] = 0.0;
doubleArray1[1] = doubleArray3;
// Undeclared exception!
try {
LinearAlgebra.LUFactorNoPivot(doubleArray1);
fail("Expecting exception: ArrayIndexOutOfBoundsException");
} catch(ArrayIndexOutOfBoundsException e) {
//
// 1
//
verifyException("LinearAlgebra", e);
}
}
@Test(timeout = 4000)
public void test16() throws Throwable {
LinearAlgebra linearAlgebra0 = new LinearAlgebra();
double[][] doubleArray0 = new double[1][3];
double[] doubleArray1 = new double[9];
doubleArray1[0] = 1.0;
doubleArray1[1] = 45770.2878479;
doubleArray1[2] = 67220.9;
doubleArray1[3] = (-23218.473954);
doubleArray1[4] = 10218.6311;
doubleArray1[5] = 0.0;
doubleArray1[6] = 0.0;
doubleArray1[7] = 0.0;
doubleArray1[8] = 21812.038588485255;
doubleArray0[0] = doubleArray1;
LinearAlgebra.printSystem(doubleArray0, doubleArray1);
assertArrayEquals(new double[] {1.0, 45770.2878479, 67220.9, (-23218.473954), 10218.6311, 0.0, 0.0, 0.0, 21812.038588485255}, doubleArray1, 1.0E-4);
}
@Test(timeout = 4000)
public void test17() throws Throwable {
double[][] doubleArray0 = new double[7][7];
double[] doubleArray1 = new double[7];
doubleArray1[0] = 0.0;
doubleArray1[1] = (-3361.118346605025);
doubleArray1[2] = (-38438.3036785);
doubleArray1[3] = 33772.101467;
doubleArray1[4] = 25419.0506;
doubleArray1[5] = 114352.8095289797;
doubleArray1[6] = 1.0;
doubleArray0[0] = doubleArray1;
double[] doubleArray2 = new double[7];
doubleArray2[0] = 114352.8095289797;
doubleArray2[1] = 1.0;
doubleArray2[2] = 114352.8095289797;
doubleArray2[3] = (-65425.8);
doubleArray2[4] = (-3361.118346605025);
doubleArray2[5] = 25419.0506;
doubleArray2[6] = (-3361.118346605025);
doubleArray0[1] = doubleArray2;
double[] doubleArray3 = new double[8];
doubleArray3[0] = 141057.9;
doubleArray3[1] = (-7212.1477320241);
doubleArray3[2] = (-58264.363);
doubleArray3[3] = 0.0;
doubleArray3[4] = 1.0;
doubleArray3[5] = (-38438.3036785);
doubleArray3[6] = (-3361.118346605025);
doubleArray3[7] = 114352.8095289797;
doubleArray0[2] = doubleArray3;
double[] doubleArray4 = new double[0];
doubleArray0[3] = doubleArray4;
double[] doubleArray5 = new double[8];
doubleArray5[0] = 114352.8095289797;
doubleArray5[1] = (-58264.363);
doubleArray5[2] = 0.0;
doubleArray5[3] = 114352.8095289797;
doubleArray5[4] = 25419.0506;
doubleArray5[5] = 0.0;
doubleArray5[6] = 0.0;
doubleArray5[7] = 114352.8095289797;
doubleArray0[4] = doubleArray5;
double[] doubleArray6 = new double[7];
doubleArray6[0] = (-7212.1477320241);
doubleArray6[1] = 0.0;
doubleArray6[2] = 0.0;
doubleArray6[3] = (-3361.118346605025);
doubleArray6[4] = 33772.101467;
doubleArray6[5] = (-65425.8);
doubleArray6[6] = 33772.101467;
doubleArray0[5] = doubleArray6;
double[] doubleArray7 = new double[4];
doubleArray7[0] = 0.0;
doubleArray7[1] = 0.0;
doubleArray7[2] = 0.0;
doubleArray7[3] = 0.0;
doubleArray0[6] = doubleArray7;
// Undeclared exception!
try {
LinearAlgebra.LUFactor(doubleArray0);
fail("Expecting exception: ArrayIndexOutOfBoundsException");
} catch(ArrayIndexOutOfBoundsException e) {
//
// 0
//
verifyException("LinearAlgebra", e);
}
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 22:01:56 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class LinearAlgebra_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "LinearAlgebra";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp9gfb281c");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(LinearAlgebra_ESTest_scaffolding.class.getClassLoader() ,
"LinearAlgebra"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(LinearAlgebra_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"LinearAlgebra"
);
}
}
| 5,103 |
TestClass | public class TestClass {
/* public static void main(String[] args)
{
}
*/
public int testInt;
public double testDouble;
public String name;
public void writeOutput() {
System.out.println(testInt * 3);
System.out.println("The name is " + name);
}
}
| .version 52 0
.class public super TestClass
.super java/lang/Object
.field public testInt I
.field public testDouble D
.field public 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 4
.end linenumbertable
.end code
.end method
.method public writeOutput : ()V
.code stack 3 locals 1
L0: getstatic Field java/lang/System out Ljava/io/PrintStream;
L3: aload_0
L4: getfield Field TestClass testInt I
L7: iconst_3
L8: imul
L9: invokevirtual Method java/io/PrintStream println (I)V
L12: getstatic Field java/lang/System out Ljava/io/PrintStream;
L15: new java/lang/StringBuilder
L18: dup
L19: invokespecial Method java/lang/StringBuilder <init> ()V
L22: ldc 'The name is '
L24: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L27: aload_0
L28: getfield Field TestClass name Ljava/lang/String;
L31: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L34: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L37: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L40: return
L41:
.linenumbertable
L0 16
L12 17
L40 18
.end linenumbertable
.end code
.end method
.sourcefile 'TestClass.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 17:11: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 TestClass_ESTest extends TestClass_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
TestClass testClass0 = new TestClass();
testClass0.testInt = 1;
testClass0.writeOutput();
assertEquals(0.0, testClass0.testDouble, 1.0E-4);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 17:11: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 TestClass_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "TestClass";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp41fe4ma1");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(TestClass_ESTest_scaffolding.class.getClassLoader() ,
"TestClass"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(TestClass_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"TestClass"
);
}
}
| 5,104 |
ActiveConstructions | public class ActiveConstructions {}
| .version 52 0
.class public super ActiveConstructions
.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 'ActiveConstructions.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 10:41:36 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class ActiveConstructions_ESTest extends ActiveConstructions_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
ActiveConstructions activeConstructions0 = new ActiveConstructions();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 10:41:36 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class ActiveConstructions_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "ActiveConstructions";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpi8z9w6wt");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(ActiveConstructions_ESTest_scaffolding.class.getClassLoader() ,
"ActiveConstructions"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ActiveConstructions_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"ActiveConstructions"
);
}
}
| 5,105 |
ValueConstants | /**
* Copyright 2013-2014 Guoqiang Chen, Shanghai, China. All rights reserved.
*
* <p>Email: [email protected] URL: http://subchen.github.io/
*
* <p>Licensed under the Apache License, Version 2.0 (the "License"); you may not use this file
* except in compliance with the License. You may obtain a copy of the License at
*
* <p>http://www.apache.org/licenses/LICENSE-2.0
*
* <p>Unless required by applicable law or agreed to in writing, software distributed under the
* License is distributed on an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either
* express or implied. See the License for the specific language governing permissions and
* limitations under the License.
*/
public class ValueConstants {
public static final String EMPTY = "";
public static final String NULL = "\0\1\2";
public static boolean isEmpty(String value) {
return value == null || value.length() == 0;
}
public static boolean isNull(String value) {
return value == null || NULL.equals(value);
}
public static boolean isEmptyOrNull(String value) {
return value == null || value.length() == 0 || NULL.equals(value);
}
public static String defaultValue(String value, String defaultValue) {
if (value == null || value.length() == 0 || NULL.equals(value)) {
return defaultValue;
}
return value;
}
public static String defaultIfEmpty(String value, String defaultValue) {
if (value == null || value.length() == 0) {
return defaultValue;
}
return value;
}
public static String defaultIfNull(String value, String defaultValue) {
if (value == null || NULL.equals(value)) {
return defaultValue;
}
return value;
}
public static String trimToNull(String value) {
if (value == null || value.length() == 0 || NULL.equals(value)) {
return null;
}
return value;
}
public static String trimToEmpty(String value) {
if (value == null || value.length() == 0 || NULL.equals(value)) {
return "";
}
return value;
}
}
| .version 52 0
.class public super ValueConstants
.super java/lang/Object
.field public static final EMPTY Ljava/lang/String; = ''
.field public static final NULL Ljava/lang/String; = '\x00\x01\x02'
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 21
.end linenumbertable
.end code
.end method
.method public static isEmpty : (Ljava/lang/String;)Z
.code stack 1 locals 1
L0: aload_0
L1: ifnull L11
L4: aload_0
L5: invokevirtual Method java/lang/String length ()I
L8: ifne L15
.stack same
L11: iconst_1
L12: goto L16
.stack same
L15: iconst_0
.stack stack_1 Integer
L16: ireturn
L17:
.linenumbertable
L0 26
.end linenumbertable
.end code
.end method
.method public static isNull : (Ljava/lang/String;)Z
.code stack 2 locals 1
L0: aload_0
L1: ifnull L13
L4: ldc '\x00\x01\x02'
L6: aload_0
L7: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z
L10: ifeq L17
.stack same
L13: iconst_1
L14: goto L18
.stack same
L17: iconst_0
.stack stack_1 Integer
L18: ireturn
L19:
.linenumbertable
L0 30
.end linenumbertable
.end code
.end method
.method public static isEmptyOrNull : (Ljava/lang/String;)Z
.code stack 2 locals 1
L0: aload_0
L1: ifnull L20
L4: aload_0
L5: invokevirtual Method java/lang/String length ()I
L8: ifeq L20
L11: ldc '\x00\x01\x02'
L13: aload_0
L14: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z
L17: ifeq L24
.stack same
L20: iconst_1
L21: goto L25
.stack same
L24: iconst_0
.stack stack_1 Integer
L25: ireturn
L26:
.linenumbertable
L0 34
.end linenumbertable
.end code
.end method
.method public static defaultValue : (Ljava/lang/String;Ljava/lang/String;)Ljava/lang/String;
.code stack 2 locals 2
L0: aload_0
L1: ifnull L20
L4: aload_0
L5: invokevirtual Method java/lang/String length ()I
L8: ifeq L20
L11: ldc '\x00\x01\x02'
L13: aload_0
L14: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z
L17: ifeq L22
.stack same
L20: aload_1
L21: areturn
.stack same
L22: aload_0
L23: areturn
L24:
.linenumbertable
L0 38
L20 39
L22 41
.end linenumbertable
.end code
.end method
.method public static defaultIfEmpty : (Ljava/lang/String;Ljava/lang/String;)Ljava/lang/String;
.code stack 1 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_1
L12: areturn
.stack same
L13: aload_0
L14: areturn
L15:
.linenumbertable
L0 45
L11 46
L13 48
.end linenumbertable
.end code
.end method
.method public static defaultIfNull : (Ljava/lang/String;Ljava/lang/String;)Ljava/lang/String;
.code stack 2 locals 2
L0: aload_0
L1: ifnull L13
L4: ldc '\x00\x01\x02'
L6: aload_0
L7: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z
L10: ifeq L15
.stack same
L13: aload_1
L14: areturn
.stack same
L15: aload_0
L16: areturn
L17:
.linenumbertable
L0 52
L13 53
L15 55
.end linenumbertable
.end code
.end method
.method public static trimToNull : (Ljava/lang/String;)Ljava/lang/String;
.code stack 2 locals 1
L0: aload_0
L1: ifnull L20
L4: aload_0
L5: invokevirtual Method java/lang/String length ()I
L8: ifeq L20
L11: ldc '\x00\x01\x02'
L13: aload_0
L14: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z
L17: ifeq L22
.stack same
L20: aconst_null
L21: areturn
.stack same
L22: aload_0
L23: areturn
L24:
.linenumbertable
L0 59
L20 60
L22 62
.end linenumbertable
.end code
.end method
.method public static trimToEmpty : (Ljava/lang/String;)Ljava/lang/String;
.code stack 2 locals 1
L0: aload_0
L1: ifnull L20
L4: aload_0
L5: invokevirtual Method java/lang/String length ()I
L8: ifeq L20
L11: ldc '\x00\x01\x02'
L13: aload_0
L14: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z
L17: ifeq L23
.stack same
L20: ldc ''
L22: areturn
.stack same
L23: aload_0
L24: areturn
L25:
.linenumbertable
L0 66
L20 67
L23 69
.end linenumbertable
.end code
.end method
.sourcefile 'ValueConstants.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Mon Jul 04 16:04: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 ValueConstants_ESTest extends ValueConstants_ESTest_scaffolding {
@Test(timeout = 4000)
public void test00() throws Throwable {
String string0 = ValueConstants.defaultValue("", (String) null);
assertNull(string0);
}
@Test(timeout = 4000)
public void test01() throws Throwable {
String string0 = ValueConstants.defaultIfNull((String) null, (String) null);
assertNull(string0);
}
@Test(timeout = 4000)
public void test02() throws Throwable {
String string0 = ValueConstants.defaultIfEmpty("", "");
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test03() throws Throwable {
String string0 = ValueConstants.trimToEmpty("\u0000\u0001\u0002");
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test04() throws Throwable {
String string0 = ValueConstants.trimToEmpty("");
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test05() throws Throwable {
String string0 = ValueConstants.trimToEmpty("qWW");
assertEquals("qWW", string0);
}
@Test(timeout = 4000)
public void test06() throws Throwable {
String string0 = ValueConstants.trimToEmpty((String) null);
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test07() throws Throwable {
String string0 = ValueConstants.trimToNull("\u0000\u0001\u0002");
assertNull(string0);
}
@Test(timeout = 4000)
public void test08() throws Throwable {
String string0 = ValueConstants.trimToNull("");
assertNull(string0);
}
@Test(timeout = 4000)
public void test09() throws Throwable {
String string0 = ValueConstants.trimToNull("!2C2Z@A%s/59TpX8");
assertEquals("!2C2Z@A%s/59TpX8", string0);
}
@Test(timeout = 4000)
public void test10() throws Throwable {
String string0 = ValueConstants.trimToNull((String) null);
assertNull(string0);
}
@Test(timeout = 4000)
public void test11() throws Throwable {
String string0 = ValueConstants.defaultIfNull("\u0000\u0001\u0002", "");
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test12() throws Throwable {
String string0 = ValueConstants.defaultIfNull(":\u0001\u0002", "");
assertEquals(":\u0001\u0002", string0);
}
@Test(timeout = 4000)
public void test13() throws Throwable {
String string0 = ValueConstants.defaultIfEmpty("", "N<ED[YSGggz>xHH]");
assertEquals("N<ED[YSGggz>xHH]", string0);
}
@Test(timeout = 4000)
public void test14() throws Throwable {
String string0 = ValueConstants.defaultIfEmpty(":\u0001\u0002", "'#P9l]");
assertEquals(":\u0001\u0002", string0);
}
@Test(timeout = 4000)
public void test15() throws Throwable {
String string0 = ValueConstants.defaultIfEmpty((String) null, (String) null);
assertNull(string0);
}
@Test(timeout = 4000)
public void test16() throws Throwable {
String string0 = ValueConstants.defaultValue("\u0000\u0001\u0002", "\u0000\u0001\u0002");
assertEquals("\u0000\u0001\u0002", string0);
}
@Test(timeout = 4000)
public void test17() throws Throwable {
String string0 = ValueConstants.defaultValue("", "");
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test18() throws Throwable {
String string0 = ValueConstants.defaultValue("qWW", "ValueConstants");
assertEquals("qWW", string0);
}
@Test(timeout = 4000)
public void test19() throws Throwable {
String string0 = ValueConstants.defaultValue((String) null, "~-ub?IkEcH");
assertEquals("~-ub?IkEcH", string0);
}
@Test(timeout = 4000)
public void test20() throws Throwable {
boolean boolean0 = ValueConstants.isEmptyOrNull("\u0000\u0001\u0002");
assertTrue(boolean0);
}
@Test(timeout = 4000)
public void test21() throws Throwable {
boolean boolean0 = ValueConstants.isEmptyOrNull("");
assertTrue(boolean0);
}
@Test(timeout = 4000)
public void test22() throws Throwable {
boolean boolean0 = ValueConstants.isEmptyOrNull(":\u0001\u0002");
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test23() throws Throwable {
boolean boolean0 = ValueConstants.isEmptyOrNull((String) null);
assertTrue(boolean0);
}
@Test(timeout = 4000)
public void test24() throws Throwable {
boolean boolean0 = ValueConstants.isNull("\u0000\u0001\u0002");
assertTrue(boolean0);
}
@Test(timeout = 4000)
public void test25() throws Throwable {
boolean boolean0 = ValueConstants.isNull("&ewQT.8");
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test26() throws Throwable {
boolean boolean0 = ValueConstants.isNull((String) null);
assertTrue(boolean0);
}
@Test(timeout = 4000)
public void test27() throws Throwable {
boolean boolean0 = ValueConstants.isEmpty("");
assertTrue(boolean0);
}
@Test(timeout = 4000)
public void test28() throws Throwable {
boolean boolean0 = ValueConstants.isEmpty(".!DZ@=!g+o#?+");
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test29() throws Throwable {
boolean boolean0 = ValueConstants.isEmpty((String) null);
assertTrue(boolean0);
}
@Test(timeout = 4000)
public void test30() throws Throwable {
ValueConstants valueConstants0 = new ValueConstants();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 16:04:15 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class ValueConstants_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "ValueConstants";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp3isa2gop");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(ValueConstants_ESTest_scaffolding.class.getClassLoader() ,
"ValueConstants"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ValueConstants_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"ValueConstants"
);
}
}
| 5,106 |
MHeader | /* This file was generated by SableCC's ObjectMacro. */
class MHeader {
MHeader() {}
@Override
public String toString() {
StringBuilder sb = new StringBuilder();
sb.append("/* This file was generated by SableCC ( http://sablecc.org ). */");
sb.append(System.getProperty("line.separator"));
return sb.toString();
}
}
| .version 52 0
.class super MHeader
.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 7
L4 9
.end linenumbertable
.end code
.end method
.method public toString : ()Ljava/lang/String;
.code stack 2 locals 2
L0: new java/lang/StringBuilder
L3: dup
L4: invokespecial Method java/lang/StringBuilder <init> ()V
L7: astore_1
L8: aload_1
L9: ldc '/* This file was generated by SableCC ( http://sablecc.org ). */'
L11: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L14: pop
L15: aload_1
L16: ldc 'line.separator'
L18: invokestatic Method java/lang/System getProperty (Ljava/lang/String;)Ljava/lang/String;
L21: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L24: pop
L25: aload_1
L26: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L29: areturn
L30:
.linenumbertable
L0 14
L8 15
L15 16
L25 17
.end linenumbertable
.end code
.end method
.sourcefile 'MHeader.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Mon Jul 04 11:24: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 MHeader_ESTest extends MHeader_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
MHeader mHeader0 = new MHeader();
String string0 = mHeader0.toString();
assertEquals("/* This file was generated by SableCC ( http://sablecc.org ). */\n", string0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 11:24: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 MHeader_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "MHeader";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpe8mhtdkk");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(MHeader_ESTest_scaffolding.class.getClassLoader() ,
"MHeader"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(MHeader_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"MHeader"
);
}
}
| 5,107 |
AMCoreProps | /**
* Common Properties for AMCore Created by Dennisbonke on 8-2-2015.
*
* @author Dennis Bonke
* @since 0.2.0B1
*/
public class AMCoreProps {
// Versioning
public static final String MC_VERSION = "1.7.10";
public static final String REQUIRED_FORGE_BASE = "10.13.4.1614";
public static final String FORGE_VERSION = "[" + REQUIRED_FORGE_BASE + "]";
public static final String VERSION_BASE = "R0.2.2";
public static final String VERSION_IDENTIFIER = "B1";
public static final String VERSION_COMPLETE = MC_VERSION + VERSION_BASE + VERSION_IDENTIFIER;
// General Mod Stuff
public static final String name = "AMCore";
public static final String modid = "AMCore";
public static final String version = VERSION_COMPLETE;
public static final String clientproxy = "com.advancedmods.amcore.client.ClientProxy";
public static final String commonproxy = "com.advacedmods.amcore.common.CommonProxy";
public static final String dependencies =
"required-after:Forge@" + FORGE_VERSION + ";before:AdvancedFoods;before:AdvancedTools";
}
| .version 52 0
.class public super AMCoreProps
.super java/lang/Object
.field public static final MC_VERSION Ljava/lang/String; = '1.7.10'
.field public static final REQUIRED_FORGE_BASE Ljava/lang/String; = '10.13.4.1614'
.field public static final FORGE_VERSION Ljava/lang/String; = '[10.13.4.1614]'
.field public static final VERSION_BASE Ljava/lang/String; = 'R0.2.2'
.field public static final VERSION_IDENTIFIER Ljava/lang/String; = 'B1'
.field public static final VERSION_COMPLETE Ljava/lang/String; = '1.7.10R0.2.2B1'
.field public static final name Ljava/lang/String; = 'AMCore'
.field public static final modid Ljava/lang/String; = 'AMCore'
.field public static final version Ljava/lang/String; = '1.7.10R0.2.2B1'
.field public static final clientproxy Ljava/lang/String; = 'com.advancedmods.amcore.client.ClientProxy'
.field public static final commonproxy Ljava/lang/String; = 'com.advacedmods.amcore.common.CommonProxy'
.field public static final dependencies Ljava/lang/String; = 'required-after:Forge@[10.13.4.1614];before:AdvancedFoods;before:AdvancedTools'
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 10
.end linenumbertable
.end code
.end method
.sourcefile 'AMCoreProps.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 19:02: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 AMCoreProps_ESTest extends AMCoreProps_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
AMCoreProps aMCoreProps0 = new AMCoreProps();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 19:02: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 AMCoreProps_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "AMCoreProps";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpz6yx30ms");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(AMCoreProps_ESTest_scaffolding.class.getClassLoader() ,
"AMCoreProps"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(AMCoreProps_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"AMCoreProps"
);
}
}
| 5,108 |
d1lkt | // This file is automatically generated.
/*
* LG Optimus LTE2
*
* DEVICE: d1lkt
* MODEL: LG-F160K
*/
final class d1lkt {
public static final String DATA = "LG|Optimus LTE2|";
}
| .version 52 0
.class final super d1lkt
.super java/lang/Object
.field public static final DATA Ljava/lang/String; = 'LG|Optimus LTE2|'
.method <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 'd1lkt.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Mon Jul 04 02:27:24 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class d1lkt_ESTest extends d1lkt_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
d1lkt d1lkt0 = new d1lkt();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 02:27: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 d1lkt_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "d1lkt";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmppmfa3der");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(d1lkt_ESTest_scaffolding.class.getClassLoader() ,
"d1lkt"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(d1lkt_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"d1lkt"
);
}
}
| 5,109 |
Main | import java.net.InetAddress;
public class Main {
public static void main(String args[]) throws Exception {
try {
System.setProperty("sun.net.spi.nameservice.provider.1", "dns,mine");
InetAddress ia = InetAddress.getByName(args[0]);
System.out.println(ia);
} catch (Exception e) {
System.out.println("in exception handler" + e);
e.printStackTrace();
}
}
}
| .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 5
.end linenumbertable
.end code
.end method
.method public static main : ([Ljava/lang/String;)V
.code stack 3 locals 2
.catch java/lang/Exception from L0 to L22 using L25
L0: ldc 'sun.net.spi.nameservice.provider.1'
L2: ldc 'dns,mine'
L4: invokestatic Method java/lang/System setProperty (Ljava/lang/String;Ljava/lang/String;)Ljava/lang/String;
L7: pop
L8: aload_0
L9: iconst_0
L10: aaload
L11: invokestatic Method java/net/InetAddress getByName (Ljava/lang/String;)Ljava/net/InetAddress;
L14: astore_1
L15: getstatic Field java/lang/System out Ljava/io/PrintStream;
L18: aload_1
L19: invokevirtual Method java/io/PrintStream println (Ljava/lang/Object;)V
L22: goto L55
.stack stack_1 Object java/lang/Exception
L25: astore_1
L26: getstatic Field java/lang/System out Ljava/io/PrintStream;
L29: new java/lang/StringBuilder
L32: dup
L33: invokespecial Method java/lang/StringBuilder <init> ()V
L36: ldc 'in exception handler'
L38: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L41: aload_1
L42: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/Object;)Ljava/lang/StringBuilder;
L45: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L48: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L51: aload_1
L52: invokevirtual Method java/lang/Exception printStackTrace ()V
.stack same
L55: return
L56:
.linenumbertable
L0 9
L8 10
L15 11
L22 15
L25 12
L26 13
L51 14
L55 16
.end linenumbertable
.end code
.exceptions java/lang/Exception
.end method
.sourcefile 'Main.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sun Jul 03 23:49: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 Main_ESTest extends Main_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
String[] stringArray0 = new String[1];
Main.main(stringArray0);
assertEquals(1, stringArray0.length);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
Main.main((String[]) null);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
Main main0 = new Main();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sun Jul 03 23:49: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 Main_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Main";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmph7c2f7mu");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.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"
);
}
}
| 5,110 |
AIReference | public class AIReference {
public static final String AI_STATE_PREINIT = "PreInit";
public static final String AI_STATE_INIT = "Init";
public static final String AI_STATE_POSTINIT = "PostInit";
public static final String AI_STATE_ACTIVE = "Active";
public static final String AI_STATE_IDLE = "Idle";
public static final String AI_STATE_DEAD = "Dead";
public static final String AI_STATE_HUNG = "Hung";
public static final String AI_STATE_MONITOR = "Monitor";
public static final String AI_STATE_UNKNOWN = "Unknown";
public static final float FULL_BASE_FOOD = (float) 10.0; // Pork Chops
public static final float FULL_BASE_DAMAGE = (float) 10.0; // Hearts
public static final int FULL_BASE_ARMOR = 0; // ChestPlates
}
| .version 52 0
.class public super AIReference
.super java/lang/Object
.field public static final AI_STATE_PREINIT Ljava/lang/String; = 'PreInit'
.field public static final AI_STATE_INIT Ljava/lang/String; = 'Init'
.field public static final AI_STATE_POSTINIT Ljava/lang/String; = 'PostInit'
.field public static final AI_STATE_ACTIVE Ljava/lang/String; = 'Active'
.field public static final AI_STATE_IDLE Ljava/lang/String; = 'Idle'
.field public static final AI_STATE_DEAD Ljava/lang/String; = 'Dead'
.field public static final AI_STATE_HUNG Ljava/lang/String; = 'Hung'
.field public static final AI_STATE_MONITOR Ljava/lang/String; = 'Monitor'
.field public static final AI_STATE_UNKNOWN Ljava/lang/String; = 'Unknown'
.field public static final FULL_BASE_FOOD F = +10.0f
.field public static final FULL_BASE_DAMAGE F = +10.0f
.field public static final FULL_BASE_ARMOR I = 0
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 3
.end linenumbertable
.end code
.end method
.sourcefile 'AIReference.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 08:20:48 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class AIReference_ESTest extends AIReference_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
AIReference aIReference0 = new AIReference();
assertEquals(10.0F, AIReference.FULL_BASE_FOOD, 0.01F);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 08:20:48 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class AIReference_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "AIReference";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp8a0etlit");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(AIReference_ESTest_scaffolding.class.getClassLoader() ,
"AIReference"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(AIReference_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"AIReference"
);
}
}
| 5,111 |
Stacktrace | /*
* eXist Open Source Native XML Database
* Copyright (C) 2001-2016 The eXist Project
* http://exist-db.org
*
* This program is free software; you can redistribute it and/or
* modify it under the terms of the GNU Lesser General Public License
* as published by the Free Software Foundation; either version 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 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
*/
/**
* Utility methods for dealing with stacktraces
*
* @author Adam Retter <[email protected]>
*/
public class Stacktrace {
/**
* Gets the top N frames from the stack returns them as a string
*
* <p>Excludes the callee and self stack frames
*
* @param stack The stack
* @param top The number of frames to examine
* @return String representation of the top frames of the stack
*/
public static String top(final StackTraceElement[] stack, final int top) {
final StringBuilder builder = new StringBuilder();
final int start = 2;
for (int i = start; i < start + top && i < stack.length; i++) {
builder.append(" <- ").append(stack[i]);
}
return builder.toString();
}
}
| .version 52 0
.class public super Stacktrace
.super java/lang/Object
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 27
.end linenumbertable
.end code
.end method
.method public static top : ([Ljava/lang/StackTraceElement;I)Ljava/lang/String;
.code stack 3 locals 5
L0: new java/lang/StringBuilder
L3: dup
L4: invokespecial Method java/lang/StringBuilder <init> ()V
L7: astore_2
L8: iconst_2
L9: istore 4
.stack append Object java/lang/StringBuilder Top Integer
L11: iload 4
L13: iconst_2
L14: iload_1
L15: iadd
L16: if_icmpge L46
L19: iload 4
L21: aload_0
L22: arraylength
L23: if_icmpge L46
L26: aload_2
L27: ldc ' <- '
L29: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L32: aload_0
L33: iload 4
L35: aaload
L36: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/Object;)Ljava/lang/StringBuilder;
L39: pop
L40: iinc 4 1
L43: goto L11
.stack chop 2
L46: aload_2
L47: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L50: areturn
L51:
.linenumbertable
L0 41
L8 44
L26 45
L29 46
L36 47
L40 44
L46 50
.end linenumbertable
.end code
.end method
.sourcefile 'Stacktrace.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 15:13: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 Stacktrace_ESTest extends Stacktrace_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
StackTraceElement[] stackTraceElementArray0 = new StackTraceElement[3];
String string0 = Stacktrace.top(stackTraceElementArray0, 2);
assertEquals(" <- null", string0);
Stacktrace stacktrace0 = new Stacktrace();
String string1 = Stacktrace.top(stackTraceElementArray0, 0);
assertEquals("", string1);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
StackTraceElement[] stackTraceElementArray0 = new StackTraceElement[3];
StackTraceElement[] stackTraceElementArray1 = new StackTraceElement[1];
Stacktrace.top(stackTraceElementArray1, 1);
String string0 = Stacktrace.top(stackTraceElementArray0, 1);
assertEquals(" <- null", string0);
String string1 = Stacktrace.top(stackTraceElementArray0, 2);
assertEquals(" <- null", string1);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
StackTraceElement[] stackTraceElementArray0 = new StackTraceElement[1];
String string0 = Stacktrace.top(stackTraceElementArray0, 1);
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
StackTraceElement[] stackTraceElementArray0 = new StackTraceElement[0];
String string0 = Stacktrace.top(stackTraceElementArray0, (-2448));
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test4() throws Throwable {
StackTraceElement[] stackTraceElementArray0 = new StackTraceElement[8];
String string0 = Stacktrace.top(stackTraceElementArray0, 1);
assertEquals(" <- null", string0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 15:13: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 Stacktrace_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Stacktrace";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.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_vlnps1a");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Stacktrace_ESTest_scaffolding.class.getClassLoader() ,
"Stacktrace"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Stacktrace_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Stacktrace"
);
}
}
| 5,112 |
GrassHopper | public class GrassHopper {
public static String sayHello(String name) {
return "Hello, " + name;
}
}
| .version 52 0
.class public super GrassHopper
.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 sayHello : (Ljava/lang/String;)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 'Hello, '
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: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L19: areturn
L20:
.linenumbertable
L0 5
.end linenumbertable
.end code
.end method
.sourcefile 'GrassHopper.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sun Jul 03 22:41:11 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class GrassHopper_ESTest extends GrassHopper_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
GrassHopper grassHopper0 = new GrassHopper();
}
@Test(timeout = 4000)
public void test1() throws Throwable {
String string0 = GrassHopper.sayHello("Jc,e");
assertEquals("Hello, Jc,e", string0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sun Jul 03 22:41: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 GrassHopper_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "GrassHopper";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpodbl1ito");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(GrassHopper_ESTest_scaffolding.class.getClassLoader() ,
"GrassHopper"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(GrassHopper_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"GrassHopper"
);
}
}
| 5,113 |
UtopianTree | /** */
import java.util.Scanner;
/**
* @author Arun.G
*/
public class UtopianTree {
/**
* @param args
*/
private static int UtopianHeight(int noOfCycles) {
int height = 1;
if (noOfCycles <= 0) return 1; // no change of height
for (int i = 1; i <= noOfCycles; i++) {
if (i % 2 != 0) height = 2 * height; // doubles in odd cycles
else height += 1; // increases by 1 in even cycles
}
return height;
}
public static void main(String[] args) {
// TODO Auto-generated method stub
/* Enter your code here. Read input from STDIN. Print output to STDOUT. Your class should be named Solution. */
Scanner sc = new Scanner(System.in);
int noOfTestCases = sc.nextInt();
for (int i = 0; i < noOfTestCases; i++) {
int noOfCycles = sc.nextInt();
System.out.println(UtopianHeight(noOfCycles));
}
sc.close(); // close scanner
}
}
| .version 52 0
.class public super UtopianTree
.super java/lang/Object
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 12
.end linenumbertable
.end code
.end method
.method private static UtopianHeight : (I)I
.code stack 2 locals 3
L0: iconst_1
L1: istore_1
L2: iload_0
L3: ifgt L8
L6: iconst_1
L7: ireturn
.stack append Integer
L8: iconst_1
L9: istore_2
.stack append Integer
L10: iload_2
L11: iload_0
L12: if_icmpgt L37
L15: iload_2
L16: iconst_2
L17: irem
L18: ifeq L28
L21: iconst_2
L22: iload_1
L23: imul
L24: istore_1
L25: goto L31
.stack same
L28: iinc 1 1
.stack same
L31: iinc 2 1
L34: goto L10
.stack chop 1
L37: iload_1
L38: ireturn
L39:
.linenumbertable
L0 19
L2 20
L6 21
L8 22
L15 24
L21 25
L28 27
L31 22
L37 29
.end linenumbertable
.end code
.end method
.method public static main : ([Ljava/lang/String;)V
.code stack 3 locals 5
L0: new java/util/Scanner
L3: dup
L4: getstatic Field java/lang/System in Ljava/io/InputStream;
L7: invokespecial Method java/util/Scanner <init> (Ljava/io/InputStream;)V
L10: astore_1
L11: aload_1
L12: invokevirtual Method java/util/Scanner nextInt ()I
L15: istore_2
L16: iconst_0
L17: istore_3
.stack append Object java/util/Scanner Integer Integer
L18: iload_3
L19: iload_2
L20: if_icmpge L46
L23: aload_1
L24: invokevirtual Method java/util/Scanner nextInt ()I
L27: istore 4
L29: getstatic Field java/lang/System out Ljava/io/PrintStream;
L32: iload 4
L34: invokestatic Method UtopianTree UtopianHeight (I)I
L37: invokevirtual Method java/io/PrintStream println (I)V
L40: iinc 3 1
L43: goto L18
.stack chop 1
L46: aload_1
L47: invokevirtual Method java/util/Scanner close ()V
L50: return
L51:
.linenumbertable
L0 34
L11 35
L16 36
L23 38
L29 39
L40 36
L46 41
L50 42
.end linenumbertable
.end code
.end method
.sourcefile 'UtopianTree.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 11:34:42 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import static org.evosuite.runtime.EvoAssertions.*;
import java.util.NoSuchElementException;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.evosuite.runtime.util.SystemInUtil;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class UtopianTree_ESTest extends UtopianTree_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
SystemInUtil.addInputLine("43");
String[] stringArray0 = new String[0];
// Undeclared exception!
try {
UtopianTree.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 {
String[] stringArray0 = new String[0];
// Undeclared exception!
try {
UtopianTree.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 test2() throws Throwable {
UtopianTree utopianTree0 = new UtopianTree();
}
@Test(timeout = 4000)
public void test3() throws Throwable {
SystemInUtil.addInputLine("43");
SystemInUtil.addInputLine("43");
String[] stringArray0 = new String[0];
// Undeclared exception!
try {
UtopianTree.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 test4() throws Throwable {
SystemInUtil.addInputLine("");
String[] stringArray0 = new String[0];
// Undeclared exception!
try {
UtopianTree.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
* Sat Jul 02 11:34: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 UtopianTree_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "UtopianTree";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
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/tmp3jgvy0gm");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(UtopianTree_ESTest_scaffolding.class.getClassLoader() ,
"UtopianTree"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(UtopianTree_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"UtopianTree"
);
}
}
| 5,114 |
XConnectionClosedRemote | import java.io.IOException;
public class XConnectionClosedRemote extends IOException {
private static final long serialVersionUID = 3587976820171006786L;
public XConnectionClosedRemote(String detailMessage) {
super(detailMessage);
}
}
| .version 52 0
.class public super XConnectionClosedRemote
.super java/io/IOException
.field private static final serialVersionUID J = 3587976820171006786L
.method public <init> : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: invokespecial Method java/io/IOException <init> (Ljava/lang/String;)V
L5: return
L6:
.linenumbertable
L0 9
L5 10
.end linenumbertable
.end code
.end method
.sourcefile 'XConnectionClosedRemote.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 20:39: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 XConnectionClosedRemote_ESTest extends XConnectionClosedRemote_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
XConnectionClosedRemote xConnectionClosedRemote0 = new XConnectionClosedRemote("");
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 20:39:22 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class XConnectionClosedRemote_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "XConnectionClosedRemote";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpjuyptu_x");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(XConnectionClosedRemote_ESTest_scaffolding.class.getClassLoader() ,
"XConnectionClosedRemote"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(XConnectionClosedRemote_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"XConnectionClosedRemote"
);
}
}
| 5,115 |
Solution | import java.util.HashMap;
import java.util.Scanner;
class Solution {
public static void main(String[] argh) {
Scanner in = new Scanner(System.in);
int n = in.nextInt();
HashMap<String, Integer> phoneBook = new HashMap<String, Integer>();
for (int i = 0; i < n; i++) {
String name = in.next();
int phone = in.nextInt();
phoneBook.put(name, phone);
}
while (in.hasNext()) {
String name = in.next();
if (phoneBook.containsKey(name)) {
int phone = phoneBook.get(name);
System.out.println(name + "=" + phone);
} else System.out.println("Not found");
}
in.close();
}
}
| .version 52 0
.class super Solution
.super java/lang/Object
.method <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 4
.end linenumbertable
.end code
.end method
.method public static main : ([Ljava/lang/String;)V
.code stack 3 locals 7
L0: new java/util/Scanner
L3: dup
L4: getstatic Field java/lang/System in Ljava/io/InputStream;
L7: invokespecial Method java/util/Scanner <init> (Ljava/io/InputStream;)V
L10: astore_1
L11: aload_1
L12: invokevirtual Method java/util/Scanner nextInt ()I
L15: istore_2
L16: new java/util/HashMap
L19: dup
L20: invokespecial Method java/util/HashMap <init> ()V
L23: astore_3
L24: iconst_0
L25: istore 4
.stack full
locals Object [Ljava/lang/String; Object java/util/Scanner Integer Object java/util/HashMap Integer
stack
.end stack
L27: iload 4
L29: iload_2
L30: if_icmpge L63
L33: aload_1
L34: invokevirtual Method java/util/Scanner next ()Ljava/lang/String;
L37: astore 5
L39: aload_1
L40: invokevirtual Method java/util/Scanner nextInt ()I
L43: istore 6
L45: aload_3
L46: aload 5
L48: iload 6
L50: invokestatic Method java/lang/Integer valueOf (I)Ljava/lang/Integer;
L53: invokevirtual Method java/util/HashMap put (Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object;
L56: pop
L57: iinc 4 1
L60: goto L27
.stack chop 1
L63: aload_1
L64: invokevirtual Method java/util/Scanner hasNext ()Z
L67: ifeq L144
L70: aload_1
L71: invokevirtual Method java/util/Scanner next ()Ljava/lang/String;
L74: astore 4
L76: aload_3
L77: aload 4
L79: invokevirtual Method java/util/HashMap containsKey (Ljava/lang/Object;)Z
L82: ifeq L133
L85: aload_3
L86: aload 4
L88: invokevirtual Method java/util/HashMap get (Ljava/lang/Object;)Ljava/lang/Object;
L91: checkcast java/lang/Integer
L94: invokevirtual Method java/lang/Integer intValue ()I
L97: istore 5
L99: getstatic Field java/lang/System out Ljava/io/PrintStream;
L102: new java/lang/StringBuilder
L105: dup
L106: invokespecial Method java/lang/StringBuilder <init> ()V
L109: aload 4
L111: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L114: ldc '='
L116: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L119: iload 5
L121: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder;
L124: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L127: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L130: goto L141
.stack append Object java/lang/String
L133: getstatic Field java/lang/System out Ljava/io/PrintStream;
L136: ldc 'Not found'
L138: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
.stack chop 1
L141: goto L63
.stack same
L144: aload_1
L145: invokevirtual Method java/util/Scanner close ()V
L148: return
L149:
.linenumbertable
L0 6
L11 8
L16 9
L24 11
L33 12
L39 13
L45 14
L57 11
L63 17
L70 18
L76 19
L85 20
L99 21
L130 22
L141 23
L144 25
L148 26
.end linenumbertable
.end code
.end method
.sourcefile 'Solution.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 11:18:25 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import static org.evosuite.runtime.EvoAssertions.*;
import java.util.NoSuchElementException;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.evosuite.runtime.util.SystemInUtil;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class Solution_ESTest extends Solution_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
String[] stringArray0 = new String[7];
SystemInUtil.addInputLine("7");
// Undeclared exception!
try {
Solution.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 {
String[] stringArray0 = new String[10];
SystemInUtil.addInputLine("7");
SystemInUtil.addInputLine("{2wbfy4bd93{!`w");
SystemInUtil.addInputLine("7");
// Undeclared exception!
try {
Solution.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 test2() throws Throwable {
Solution solution0 = new Solution();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 11:18: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 Solution_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Solution";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
org.evosuite.runtime.util.SystemInUtil.getInstance().initForTestCase();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpa68nskzp");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Solution_ESTest_scaffolding.class.getClassLoader() ,
"Solution"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Solution_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Solution"
);
}
}
| 5,116 |
MathUtil | /*L
* Copyright SAIC
*
* Distributed under the OSI-approved BSD 3-Clause License.
* See http://ncip.github.com/stats-analysis/LICENSE.txt for details.
*/
/** */
import java.util.Collections;
import java.util.List;
/**
* @author sahnih
*/
public class MathUtil {
/** The method returns you the log2 value */
public static Double getLog2(Double value) {
if (value != null) {
return Math.log(value) / Math.log(2);
}
return null;
}
/** The method returns you the antilogarithm of log base 2 */
public static Double getAntiLog2(Double value) {
// Calculate the antilogarithm of log base 2
if (value != null) {
return Math.pow(2.0, value);
}
return null;
}
/**
* This method returns you the median value for a List of Doubles
*
* @param list
* @return
*/
public static Double median(List<Double> list) {
// List must be first sorted
Collections.sort(list);
int middle = list.size() / 2; // subscript of middle element
if (list.size() % 2 == 1) {
// Odd number of elements -- return the middle one.
return list.get(middle);
} else {
// Even number -- return average of middle two
// Must cast the numbers to double before dividing.
return (list.get(middle - 1) + list.get(middle)) / 2.0;
}
}
/**
* This method returns you the mean value for a List of Doubles
*
* @param list
* @return
*/
public static Double mean(List<Double> list) {
double sum = 0; // sum of all the elements
if (list == null) {
list = Collections.emptyList();
}
for (Double i : list) {
sum += i;
}
return sum / list.size();
} // end method mean
/**
* This method return a random number between the range of m & n
*
* @param m
* @param n
* @return
*/
public static double getRandom(double m, double n) {
double a = Math.max(m, n);
double b = Math.min(m, n);
return Math.floor(Math.random() * (a - b)) + b;
}
}
| .version 52 0
.class public super MathUtil
.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 21
.end linenumbertable
.end code
.end method
.method public static getLog2 : (Ljava/lang/Double;)Ljava/lang/Double;
.code stack 4 locals 1
L0: aload_0
L1: ifnull L22
L4: aload_0
L5: invokevirtual Method java/lang/Double doubleValue ()D
L8: invokestatic Method java/lang/Math log (D)D
L11: ldc2_w +2.0
L14: invokestatic Method java/lang/Math log (D)D
L17: ddiv
L18: invokestatic Method java/lang/Double valueOf (D)Ljava/lang/Double;
L21: areturn
.stack same
L22: aconst_null
L23: areturn
L24:
.linenumbertable
L0 27
L4 28
L22 30
.end linenumbertable
.end code
.end method
.method public static getAntiLog2 : (Ljava/lang/Double;)Ljava/lang/Double;
.code stack 4 locals 1
L0: aload_0
L1: ifnull L18
L4: ldc2_w +2.0
L7: aload_0
L8: invokevirtual Method java/lang/Double doubleValue ()D
L11: invokestatic Method java/lang/Math pow (DD)D
L14: invokestatic Method java/lang/Double valueOf (D)Ljava/lang/Double;
L17: areturn
.stack same
L18: aconst_null
L19: areturn
L20:
.linenumbertable
L0 39
L4 40
L18 42
.end linenumbertable
.end code
.end method
.method public static median : (Ljava/util/List;)Ljava/lang/Double;
.code stack 4 locals 2
L0: aload_0
L1: invokestatic Method java/util/Collections sort (Ljava/util/List;)V
L4: aload_0
L5: invokeinterface InterfaceMethod java/util/List size ()I 1
L10: iconst_2
L11: idiv
L12: istore_1
L13: aload_0
L14: invokeinterface InterfaceMethod java/util/List size ()I 1
L19: iconst_2
L20: irem
L21: iconst_1
L22: if_icmpne L36
L25: aload_0
L26: iload_1
L27: invokeinterface InterfaceMethod java/util/List get (I)Ljava/lang/Object; 2
L32: checkcast java/lang/Double
L35: areturn
.stack append Integer
L36: aload_0
L37: iload_1
L38: iconst_1
L39: isub
L40: invokeinterface InterfaceMethod java/util/List get (I)Ljava/lang/Object; 2
L45: checkcast java/lang/Double
L48: invokevirtual Method java/lang/Double doubleValue ()D
L51: aload_0
L52: iload_1
L53: invokeinterface InterfaceMethod java/util/List get (I)Ljava/lang/Object; 2
L58: checkcast java/lang/Double
L61: invokevirtual Method java/lang/Double doubleValue ()D
L64: dadd
L65: ldc2_w +2.0
L68: ddiv
L69: invokestatic Method java/lang/Double valueOf (D)Ljava/lang/Double;
L72: areturn
L73:
.linenumbertable
L0 52
L4 53
L13 54
L25 56
L36 60
.end linenumbertable
.end code
.signature (Ljava/util/List<Ljava/lang/Double;>;)Ljava/lang/Double;
.end method
.method public static mean : (Ljava/util/List;)Ljava/lang/Double;
.code stack 4 locals 5
L0: dconst_0
L1: dstore_1
L2: aload_0
L3: ifnonnull L10
L6: invokestatic Method java/util/Collections emptyList ()Ljava/util/List;
L9: astore_0
.stack append Double
L10: aload_0
L11: invokeinterface InterfaceMethod java/util/List iterator ()Ljava/util/Iterator; 1
L16: astore_3
.stack append Object java/util/Iterator
L17: aload_3
L18: invokeinterface InterfaceMethod java/util/Iterator hasNext ()Z 1
L23: ifeq L48
L26: aload_3
L27: invokeinterface InterfaceMethod java/util/Iterator next ()Ljava/lang/Object; 1
L32: checkcast java/lang/Double
L35: astore 4
L37: dload_1
L38: aload 4
L40: invokevirtual Method java/lang/Double doubleValue ()D
L43: dadd
L44: dstore_1
L45: goto L17
.stack chop 1
L48: dload_1
L49: aload_0
L50: invokeinterface InterfaceMethod java/util/List size ()I 1
L55: i2d
L56: ddiv
L57: invokestatic Method java/lang/Double valueOf (D)Ljava/lang/Double;
L60: areturn
L61:
.linenumbertable
L0 69
L2 70
L6 71
L10 73
L37 74
L45 75
L48 76
.end linenumbertable
.end code
.signature (Ljava/util/List<Ljava/lang/Double;>;)Ljava/lang/Double;
.end method
.method public static getRandom : (DD)D
.code stack 6 locals 8
L0: dload_0
L1: dload_2
L2: invokestatic Method java/lang/Math max (DD)D
L5: dstore 4
L7: dload_0
L8: dload_2
L9: invokestatic Method java/lang/Math min (DD)D
L12: dstore 6
L14: invokestatic Method java/lang/Math random ()D
L17: dload 4
L19: dload 6
L21: dsub
L22: dmul
L23: invokestatic Method java/lang/Math floor (D)D
L26: dload 6
L28: dadd
L29: dreturn
L30:
.linenumbertable
L0 86
L7 87
L14 88
.end linenumbertable
.end code
.end method
.sourcefile 'MathUtil.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 06:04:05 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import static org.evosuite.runtime.EvoAssertions.*;
import java.util.LinkedList;
import java.util.List;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class MathUtil_ESTest extends MathUtil_ESTest_scaffolding {
@Test(timeout = 4000)
public void test00() throws Throwable {
LinkedList<Double> linkedList0 = new LinkedList<Double>();
Double double0 = new Double(0.0);
linkedList0.add(double0);
linkedList0.add(double0);
MathUtil.median(linkedList0);
linkedList0.add(double0);
MathUtil.median(linkedList0);
MathUtil.getRandom(0.0, 0.0);
MathUtil mathUtil0 = new MathUtil();
Double double1 = MathUtil.mean(linkedList0);
MathUtil.getAntiLog2(double1);
MathUtil.getLog2(double0);
LinkedList<Double> linkedList1 = new LinkedList<Double>();
// Undeclared exception!
try {
MathUtil.median(linkedList1);
fail("Expecting exception: IndexOutOfBoundsException");
} catch(IndexOutOfBoundsException e) {
//
// Index: -1, Size: 0
//
verifyException("java.util.LinkedList", e);
}
}
@Test(timeout = 4000)
public void test01() throws Throwable {
LinkedList<Double> linkedList0 = new LinkedList<Double>();
Double double0 = new Double((-20901.01685863978));
linkedList0.add(double0);
linkedList0.add(double0);
Double double1 = MathUtil.median(linkedList0);
assertEquals((-20901.01685863978), (double)double1, 1.0E-4);
}
@Test(timeout = 4000)
public void test02() throws Throwable {
LinkedList<Double> linkedList0 = new LinkedList<Double>();
Double double0 = new Double(0.0);
linkedList0.add(double0);
Double double1 = MathUtil.median(linkedList0);
MathUtil.median(linkedList0);
linkedList0.add(double0);
Double double2 = MathUtil.median(linkedList0);
assertEquals(0.0, (double)double2, 1.0E-4);
double double3 = MathUtil.getRandom(0.0, 0.0);
MathUtil mathUtil0 = new MathUtil();
Double double4 = MathUtil.mean(linkedList0);
assertEquals(0.0, (double)double4, 1.0E-4);
assertEquals((double)double4, (double)double3, 1.0E-4);
MathUtil.getAntiLog2(double1);
Double double5 = MathUtil.getLog2(double1);
assertEquals(Double.NEGATIVE_INFINITY, (double)double5, 1.0E-4);
}
@Test(timeout = 4000)
public void test03() throws Throwable {
LinkedList<Double> linkedList0 = new LinkedList<Double>();
Double double0 = new Double(0.0);
linkedList0.add(double0);
Double double1 = MathUtil.median(linkedList0);
MathUtil.median(linkedList0);
double double2 = MathUtil.getRandom(0.0, 0.0);
MathUtil mathUtil0 = new MathUtil();
Double double3 = MathUtil.mean(linkedList0);
assertEquals(0.0, (double)double3, 1.0E-4);
MathUtil.getAntiLog2(double3);
assertEquals((double)double3, (double)double2, 1.0E-4);
Double double4 = MathUtil.getLog2(double1);
assertEquals(Double.NEGATIVE_INFINITY, (double)double4, 1.0E-4);
}
@Test(timeout = 4000)
public void test04() throws Throwable {
LinkedList<Double> linkedList0 = new LinkedList<Double>();
linkedList0.add((Double) null);
Double double0 = MathUtil.median(linkedList0);
assertNull(double0);
}
@Test(timeout = 4000)
public void test05() throws Throwable {
LinkedList<Double> linkedList0 = new LinkedList<Double>();
Double double0 = MathUtil.mean(linkedList0);
linkedList0.add(double0);
Double double1 = MathUtil.median(linkedList0);
assertEquals(Double.NaN, (double)double1, 1.0E-4);
}
@Test(timeout = 4000)
public void test06() throws Throwable {
Double double0 = new Double(25074.17751818575);
Double double1 = MathUtil.getAntiLog2(double0);
LinkedList<Double> linkedList0 = new LinkedList<Double>();
linkedList0.add(double1);
Double double2 = MathUtil.median(linkedList0);
assertEquals(Double.POSITIVE_INFINITY, (double)double2, 1.0E-4);
}
@Test(timeout = 4000)
public void test07() throws Throwable {
LinkedList<Double> linkedList0 = new LinkedList<Double>();
Double double0 = new Double(2.0);
linkedList0.add(double0);
Double double1 = MathUtil.median(linkedList0);
assertTrue(linkedList0.contains(double1));
}
@Test(timeout = 4000)
public void test08() throws Throwable {
LinkedList<Double> linkedList0 = new LinkedList<Double>();
Double double0 = new Double((-20901.01685863978));
linkedList0.add(double0);
Double double1 = MathUtil.mean(linkedList0);
assertEquals((-20901.01685863978), (double)double1, 1.0E-4);
}
@Test(timeout = 4000)
public void test09() throws Throwable {
LinkedList<Double> linkedList0 = new LinkedList<Double>();
Double double0 = new Double(2.0);
linkedList0.add(double0);
Double double1 = MathUtil.mean(linkedList0);
assertEquals(2.0, (double)double1, 1.0E-4);
}
@Test(timeout = 4000)
public void test10() throws Throwable {
Double double0 = new Double(25074.17751818575);
LinkedList<Double> linkedList0 = new LinkedList<Double>();
linkedList0.add(double0);
Double double1 = MathUtil.mean(linkedList0);
assertEquals(25074.17751818575, (double)double1, 1.0E-4);
}
@Test(timeout = 4000)
public void test11() throws Throwable {
double double0 = MathUtil.getRandom(21445.709433554, 21445.709433554);
assertEquals(21445.709433554, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test12() throws Throwable {
double double0 = MathUtil.getRandom(21445.709433554, (-27930.4589869));
assertEquals((-27930.4589869), double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test13() throws Throwable {
LinkedList<Double> linkedList0 = new LinkedList<Double>();
Double double0 = MathUtil.mean(linkedList0);
assertEquals(Double.NaN, (double)double0, 1.0E-4);
Double double1 = MathUtil.getLog2(double0);
assertEquals(Double.NaN, (double)double1, 1.0E-4);
}
@Test(timeout = 4000)
public void test14() throws Throwable {
Double double0 = Double.valueOf(1.0);
Double double1 = MathUtil.getLog2(double0);
assertEquals(0.0, (double)double1, 1.0E-4);
}
@Test(timeout = 4000)
public void test15() throws Throwable {
Double double0 = new Double(21445.709433554);
Double double1 = MathUtil.getLog2(double0);
assertEquals(14.388401421302408, (double)double1, 1.0E-4);
}
@Test(timeout = 4000)
public void test16() throws Throwable {
Double double0 = new Double(21445.709433554);
Double double1 = MathUtil.getAntiLog2(double0);
Double double2 = MathUtil.getLog2(double1);
assertEquals(Double.POSITIVE_INFINITY, (double)double2, 1.0E-4);
}
@Test(timeout = 4000)
public void test17() throws Throwable {
Double double0 = new Double((-70273.0));
Double double1 = MathUtil.getAntiLog2(double0);
assertEquals(0.0, (double)double1, 1.0E-4);
}
@Test(timeout = 4000)
public void test18() throws Throwable {
Double double0 = new Double(25074.17751818575);
Double double1 = MathUtil.getAntiLog2(double0);
LinkedList<Double> linkedList0 = new LinkedList<Double>();
linkedList0.add(double1);
Double double2 = MathUtil.mean(linkedList0);
assertEquals(Double.POSITIVE_INFINITY, (double)double2, 1.0E-4);
}
@Test(timeout = 4000)
public void test19() throws Throwable {
Double double0 = MathUtil.mean((List<Double>) null);
assertEquals(Double.NaN, (double)double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test20() throws Throwable {
LinkedList<Double> linkedList0 = new LinkedList<Double>();
Double double0 = MathUtil.mean(linkedList0);
Double double1 = MathUtil.getAntiLog2(double0);
assertEquals(Double.NaN, (double)double1, 1.0E-4);
}
@Test(timeout = 4000)
public void test21() throws Throwable {
Double double0 = MathUtil.getAntiLog2((Double) null);
assertNull(double0);
}
@Test(timeout = 4000)
public void test22() throws Throwable {
Double double0 = MathUtil.getLog2((Double) null);
assertNull(double0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 06:04: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 MathUtil_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "MathUtil";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmptk51okfc");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(MathUtil_ESTest_scaffolding.class.getClassLoader() ,
"MathUtil"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(MathUtil_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"MathUtil"
);
}
}
| 5,117 |
BaseData | import java.nio.ByteBuffer;
public class BaseData {
protected String _name;
protected ByteBuffer buffer;
public BaseData(ByteBuffer buffer, String $name) {
this.buffer = buffer;
_name = $name;
}
public void read() {}
public void write(ByteBuffer buffer) {}
public String toString() {
return "BaseData";
}
public void encrypt() {}
public void collectEncryptName() {}
}
| .version 52 0
.class public super BaseData
.super java/lang/Object
.field protected _name Ljava/lang/String;
.field protected buffer Ljava/nio/ByteBuffer;
.method public <init> : (Ljava/nio/ByteBuffer;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 BaseData buffer Ljava/nio/ByteBuffer;
L9: aload_0
L10: aload_2
L11: putfield Field BaseData _name Ljava/lang/String;
L14: return
L15:
.linenumbertable
L0 10
L4 11
L9 12
L14 13
.end linenumbertable
.end code
.end method
.method public read : ()V
.code stack 0 locals 1
L0: return
L1:
.linenumbertable
L0 18
.end linenumbertable
.end code
.end method
.method public write : (Ljava/nio/ByteBuffer;)V
.code stack 0 locals 2
L0: return
L1:
.linenumbertable
L0 23
.end linenumbertable
.end code
.end method
.method public toString : ()Ljava/lang/String;
.code stack 1 locals 1
L0: ldc 'BaseData'
L2: areturn
L3:
.linenumbertable
L0 27
.end linenumbertable
.end code
.end method
.method public encrypt : ()V
.code stack 0 locals 1
L0: return
L1:
.linenumbertable
L0 33
.end linenumbertable
.end code
.end method
.method public collectEncryptName : ()V
.code stack 0 locals 1
L0: return
L1:
.linenumbertable
L0 38
.end linenumbertable
.end code
.end method
.sourcefile 'BaseData.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 21:50:39 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import java.nio.ByteBuffer;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class BaseData_ESTest extends BaseData_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
byte[] byteArray0 = new byte[2];
ByteBuffer byteBuffer0 = ByteBuffer.wrap(byteArray0);
BaseData baseData0 = new BaseData(byteBuffer0, "^_x44");
baseData0.encrypt();
assertEquals("BaseData", baseData0.toString());
}
@Test(timeout = 4000)
public void test1() throws Throwable {
byte[] byteArray0 = new byte[2];
ByteBuffer byteBuffer0 = ByteBuffer.wrap(byteArray0);
BaseData baseData0 = new BaseData(byteBuffer0, "^_x44");
baseData0.write(byteBuffer0);
assertTrue(byteBuffer0.hasRemaining());
}
@Test(timeout = 4000)
public void test2() throws Throwable {
byte[] byteArray0 = new byte[2];
ByteBuffer byteBuffer0 = ByteBuffer.wrap(byteArray0);
BaseData baseData0 = new BaseData(byteBuffer0, "^_x44");
baseData0.read();
assertEquals("BaseData", baseData0.toString());
}
@Test(timeout = 4000)
public void test3() throws Throwable {
byte[] byteArray0 = new byte[2];
ByteBuffer byteBuffer0 = ByteBuffer.wrap(byteArray0);
BaseData baseData0 = new BaseData(byteBuffer0, "^_x44");
String string0 = baseData0.toString();
assertEquals("BaseData", string0);
}
@Test(timeout = 4000)
public void test4() throws Throwable {
BaseData baseData0 = new BaseData((ByteBuffer) null, (String) null);
baseData0.collectEncryptName();
assertEquals("BaseData", baseData0.toString());
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 21:50: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 BaseData_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "BaseData";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpdjz0fvaq");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(BaseData_ESTest_scaffolding.class.getClassLoader() ,
"BaseData"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(BaseData_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"BaseData"
);
}
}
| 5,118 |
Test2 | /*
* Copyright (c) 2012, Oracle and/or its affiliates. All rights reserved.
* DO NOT ALTER OR REMOVE COPYRIGHT NOTICES OR THIS FILE HEADER.
*
* This code is free software; you can redistribute it and/or modify it
* under the terms of the GNU General Public License version 2 only, as
* published by the Free Software Foundation.
*
* This code is distributed in the hope that it will be useful, but WITHOUT
* ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or
* FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License
* version 2 for more details (a copy is included in the LICENSE file that
* accompanied this code).
*
* You should have received a copy of the GNU General Public License version
* 2 along with this work; if not, write to the Free Software Foundation,
* Inc., 51 Franklin St, Fifth Floor, Boston, MA 02110-1301 USA.
*
* Please contact Oracle, 500 Oracle Parkway, Redwood Shores, CA 94065 USA
* or visit www.oracle.com if you need additional information or have any
* questions.
*/
class Test2 {}
| .version 52 0
.class super Test2
.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 24
.end linenumbertable
.end code
.end method
.sourcefile 'Test2.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 03:54:19 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class Test2_ESTest extends Test2_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
Test2 test2_0 = new Test2();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 03:54: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 Test2_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Test2";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpl9de1n7s");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Test2_ESTest_scaffolding.class.getClassLoader() ,
"Test2"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Test2_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Test2"
);
}
}
| 5,119 |
TimePropertyEditor | import java.beans.PropertyEditorSupport;
import java.sql.Time;
/**
* Converts a {@link String} to {@link Time} and vice versa.
*
* @author Marc Sommer - [email protected]
*/
public class TimePropertyEditor extends PropertyEditorSupport {
private static final String SECONDS =
":00"; // NOSONAR - dear Sonar, this is really not an IP address
private static final String TIME_SEPARATOR = ":";
private static final int TWO_DIGIT = 2;
private static final int THREE_DIGIT = 3;
// Time to String
@Override
public String getAsText() {
if (this.getValue() == null) {
return "";
}
String text = this.getValue().toString();
String[] timeParts = text.split(TIME_SEPARATOR);
if (timeParts.length == THREE_DIGIT) {
return timeParts[0] + TIME_SEPARATOR + timeParts[1];
}
return text;
}
// String to Time
@Override
public void setAsText(String text) {
if (text == null || text.isEmpty()) {
this.setValue(null);
} else {
String timeAsString = text;
String[] timeParts = text.split(TIME_SEPARATOR);
if (timeParts.length == TWO_DIGIT) {
timeAsString = timeAsString.concat(SECONDS);
}
Time time = Time.valueOf(timeAsString);
this.setValue(time);
}
}
}
| .version 52 0
.class public super TimePropertyEditor
.super java/beans/PropertyEditorSupport
.field private static final SECONDS Ljava/lang/String; = ':00'
.field private static final TIME_SEPARATOR Ljava/lang/String; = ':'
.field private static final TWO_DIGIT I = 2
.field private static final THREE_DIGIT I = 3
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/beans/PropertyEditorSupport <init> ()V
L4: return
L5:
.linenumbertable
L0 13
.end linenumbertable
.end code
.end method
.method public getAsText : ()Ljava/lang/String;
.code stack 3 locals 3
L0: aload_0
L1: invokevirtual Method TimePropertyEditor getValue ()Ljava/lang/Object;
L4: ifnonnull L10
L7: ldc ''
L9: areturn
.stack same
L10: aload_0
L11: invokevirtual Method TimePropertyEditor getValue ()Ljava/lang/Object;
L14: invokevirtual Method java/lang/Object toString ()Ljava/lang/String;
L17: astore_1
L18: aload_1
L19: ldc ':'
L21: invokevirtual Method java/lang/String split (Ljava/lang/String;)[Ljava/lang/String;
L24: astore_2
L25: aload_2
L26: arraylength
L27: iconst_3
L28: if_icmpne L59
L31: new java/lang/StringBuilder
L34: dup
L35: invokespecial Method java/lang/StringBuilder <init> ()V
L38: aload_2
L39: iconst_0
L40: aaload
L41: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L44: ldc ':'
L46: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L49: aload_2
L50: iconst_1
L51: aaload
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 append Object java/lang/String Object [Ljava/lang/String;
L59: aload_1
L60: areturn
L61:
.linenumbertable
L0 24
L7 25
L10 28
L18 30
L25 32
L31 33
L59 36
.end linenumbertable
.end code
.end method
.method public setAsText : (Ljava/lang/String;)V
.code stack 2 locals 5
L0: aload_1
L1: ifnull L11
L4: aload_1
L5: invokevirtual Method java/lang/String isEmpty ()Z
L8: ifeq L19
.stack same
L11: aload_0
L12: aconst_null
L13: invokevirtual Method TimePropertyEditor setValue (Ljava/lang/Object;)V
L16: goto L53
.stack same
L19: aload_1
L20: astore_2
L21: aload_1
L22: ldc ':'
L24: invokevirtual Method java/lang/String split (Ljava/lang/String;)[Ljava/lang/String;
L27: astore_3
L28: aload_3
L29: arraylength
L30: iconst_2
L31: if_icmpne L41
L34: aload_2
L35: ldc ':00'
L37: invokevirtual Method java/lang/String concat (Ljava/lang/String;)Ljava/lang/String;
L40: astore_2
.stack append Object java/lang/String Object [Ljava/lang/String;
L41: aload_2
L42: invokestatic Method java/sql/Time valueOf (Ljava/lang/String;)Ljava/sql/Time;
L45: astore 4
L47: aload_0
L48: aload 4
L50: invokevirtual Method TimePropertyEditor setValue (Ljava/lang/Object;)V
.stack chop 2
L53: return
L54:
.linenumbertable
L0 44
L11 45
L19 47
L21 48
L28 50
L34 51
L41 54
L47 55
L53 57
.end linenumbertable
.end code
.end method
.sourcefile 'TimePropertyEditor.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 08:01:21 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 TimePropertyEditor_ESTest extends TimePropertyEditor_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
TimePropertyEditor timePropertyEditor0 = new TimePropertyEditor();
// Undeclared exception!
try {
timePropertyEditor0.setAsText("javax.swing.table.DefaultTableModel@0000000002");
fail("Expecting exception: IllegalArgumentException");
} catch(IllegalArgumentException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("java.sql.Time", e);
}
}
@Test(timeout = 4000)
public void test1() throws Throwable {
TimePropertyEditor timePropertyEditor0 = new TimePropertyEditor();
timePropertyEditor0.setAsText("");
// Undeclared exception!
try {
timePropertyEditor0.setAsText("javax.swing.table.DefaultTableModel@0000000002");
fail("Expecting exception: IllegalArgumentException");
} catch(IllegalArgumentException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("java.sql.Time", e);
}
}
@Test(timeout = 4000)
public void test2() throws Throwable {
TimePropertyEditor timePropertyEditor0 = new TimePropertyEditor();
// Undeclared exception!
try {
timePropertyEditor0.setAsText("3g.LO0X72}6:lZMx8';");
fail("Expecting exception: NumberFormatException");
} catch(NumberFormatException e) {
//
// For input string: \"3g.LO0X72}6\"
//
verifyException("java.lang.NumberFormatException", e);
}
}
@Test(timeout = 4000)
public void test3() throws Throwable {
TimePropertyEditor timePropertyEditor0 = new TimePropertyEditor();
timePropertyEditor0.setAsText((String) null);
assertEquals("???", timePropertyEditor0.getJavaInitializationString());
}
@Test(timeout = 4000)
public void test4() throws Throwable {
TimePropertyEditor timePropertyEditor0 = new TimePropertyEditor();
timePropertyEditor0.getAsText();
timePropertyEditor0.setValue("");
timePropertyEditor0.getAsText();
// Undeclared exception!
try {
timePropertyEditor0.setAsText("3g.LO0X72}6:lZMx8';");
fail("Expecting exception: NumberFormatException");
} catch(NumberFormatException e) {
//
// For input string: \"3g.LO0X72}6\"
//
verifyException("java.lang.NumberFormatException", e);
}
}
@Test(timeout = 4000)
public void test5() throws Throwable {
TimePropertyEditor timePropertyEditor0 = new TimePropertyEditor();
timePropertyEditor0.setValue("");
String string0 = timePropertyEditor0.getAsText();
assertNotNull(string0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 08:01: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 TimePropertyEditor_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "TimePropertyEditor";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp396qmmd7");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(TimePropertyEditor_ESTest_scaffolding.class.getClassLoader() ,
"TimePropertyEditor"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(TimePropertyEditor_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"TimePropertyEditor"
);
}
}
| 5,120 |
Test | // "Transform body to single exit-point form" "true"
class Test {
String test(int x) {
String result = null;
synchronized (this) {
if (x == 0) {
result = "foo";
} else {
if (x == 1) {
result = "bar";
}
}
}
if (result == null) {
result = "baz";
}
return result;
}
}
| .version 52 0
.class super Test
.super java/lang/Object
.method <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 2
.end linenumbertable
.end code
.end method
.method test : (I)Ljava/lang/String;
.code stack 2 locals 5
L0: aconst_null
L1: astore_2
L2: aload_0
L3: dup
L4: astore_3
L5: monitorenter
.catch [0] from L6 to L26 using L29
L6: iload_1
L7: ifne L16
L10: ldc 'foo'
L12: astore_2
L13: goto L24
.stack append Object java/lang/String Object java/lang/Object
L16: iload_1
L17: iconst_1
L18: if_icmpne L24
L21: ldc 'bar'
L23: astore_2
.stack same
L24: aload_3
L25: monitorexit
L26: goto L36
.catch [0] from L29 to L33 using L29
.stack stack_1 Object java/lang/Throwable
L29: astore 4
L31: aload_3
L32: monitorexit
L33: aload 4
L35: athrow
.stack chop 1
L36: aload_2
L37: ifnonnull L43
L40: ldc 'baz'
L42: astore_2
.stack same
L43: aload_2
L44: areturn
L45:
.linenumbertable
L0 4
L2 5
L6 6
L10 7
L16 9
L21 10
L24 13
L36 14
L40 15
L43 17
.end linenumbertable
.end code
.end method
.sourcefile 'Test.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 12:07:53 GMT 2022
*/
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class Test_ESTest extends Test_ESTest_scaffolding {
@org.junit.Test(timeout = 4000)
public void test0() throws Throwable {
Test test0 = new Test();
String string0 = test0.test(1);
assertEquals("bar", string0);
}
@org.junit.Test(timeout = 4000)
public void test1() throws Throwable {
Test test0 = new Test();
String string0 = test0.test(0);
assertEquals("foo", string0);
}
@org.junit.Test(timeout = 4000)
public void test2() throws Throwable {
Test test0 = new Test();
String string0 = test0.test((-13));
assertEquals("baz", string0);
assertNotNull(string0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 12:07: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 Test_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Test";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpqomijwoi");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Test_ESTest_scaffolding.class.getClassLoader() ,
"Test"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Test_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Test"
);
}
}
| 5,121 |
RemoteServiceNotConnectedException | /*
* Copyright (C) 2017-present Albie Liang. All rights reserved.
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*
*/
/** Created by albieliang on 2017/7/26. */
public class RemoteServiceNotConnectedException extends IllegalStateException {
public RemoteServiceNotConnectedException() {}
public RemoteServiceNotConnectedException(String detailMessage) {
super(detailMessage);
}
public RemoteServiceNotConnectedException(String message, Throwable cause) {
super(message, cause);
}
public RemoteServiceNotConnectedException(Throwable cause) {
super(cause);
}
}
| .version 52 0
.class public super RemoteServiceNotConnectedException
.super java/lang/IllegalStateException
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/IllegalStateException <init> ()V
L4: return
L5:
.linenumbertable
L0 26
L4 27
.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/IllegalStateException <init> (Ljava/lang/String;)V
L5: return
L6:
.linenumbertable
L0 30
L5 31
.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/IllegalStateException <init> (Ljava/lang/String;Ljava/lang/Throwable;)V
L6: return
L7:
.linenumbertable
L0 34
L6 35
.end linenumbertable
.end code
.end method
.method public <init> : (Ljava/lang/Throwable;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: invokespecial Method java/lang/IllegalStateException <init> (Ljava/lang/Throwable;)V
L5: return
L6:
.linenumbertable
L0 38
L5 39
.end linenumbertable
.end code
.end method
.sourcefile 'RemoteServiceNotConnectedException.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 06:27: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 RemoteServiceNotConnectedException_ESTest extends RemoteServiceNotConnectedException_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
RemoteServiceNotConnectedException remoteServiceNotConnectedException0 = new RemoteServiceNotConnectedException("0ae:@K8m`LwR");
RemoteServiceNotConnectedException remoteServiceNotConnectedException1 = new RemoteServiceNotConnectedException(remoteServiceNotConnectedException0);
assertFalse(remoteServiceNotConnectedException1.equals((Object)remoteServiceNotConnectedException0));
}
@Test(timeout = 4000)
public void test1() throws Throwable {
RemoteServiceNotConnectedException remoteServiceNotConnectedException0 = new RemoteServiceNotConnectedException();
}
@Test(timeout = 4000)
public void test2() throws Throwable {
RemoteServiceNotConnectedException remoteServiceNotConnectedException0 = new RemoteServiceNotConnectedException("0ae:@K8m`LwR");
RemoteServiceNotConnectedException remoteServiceNotConnectedException1 = new RemoteServiceNotConnectedException("0ae:@K8m`LwR", remoteServiceNotConnectedException0);
assertFalse(remoteServiceNotConnectedException1.equals((Object)remoteServiceNotConnectedException0));
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 06:27: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 RemoteServiceNotConnectedException_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "RemoteServiceNotConnectedException";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpgwn6ecw5");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(RemoteServiceNotConnectedException_ESTest_scaffolding.class.getClassLoader() ,
"RemoteServiceNotConnectedException"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(RemoteServiceNotConnectedException_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"RemoteServiceNotConnectedException"
);
}
}
| 5,122 |
Sound | import java.applet.Applet;
import java.applet.AudioClip;
import java.net.URL;
/** Created by Nikita on 3/11/14. */
public class Sound // Holds one audio file
{
private AudioClip song; // Sound player
private URL songPath; // Sound path
public Sound(String filename) {
try {
songPath = new URL(filename); // Get the Sound URL
song = Applet.newAudioClip(songPath); // Load the Sound
} catch (Exception e) {
} // Satisfy the catch
}
public Sound(URL url) {
try {
songPath = url; // Get the Sound URL
song = Applet.newAudioClip(songPath); // Load the Sound
} catch (Exception e) {
} // Satisfy the catch
}
public void playSound() {
song.loop(); // Play
}
public void stopSound() {
song.stop(); // Stop
}
public void playSoundOnce() {
song.play(); // Play only once
}
}
| .version 52 0
.class public super Sound
.super java/lang/Object
.field private song Ljava/applet/AudioClip;
.field private songPath Ljava/net/URL;
.method public <init> : (Ljava/lang/String;)V
.code stack 4 locals 3
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
.catch java/lang/Exception from L4 to L27 using L30
L4: aload_0
L5: new java/net/URL
L8: dup
L9: aload_1
L10: invokespecial Method java/net/URL <init> (Ljava/lang/String;)V
L13: putfield Field Sound songPath Ljava/net/URL;
L16: aload_0
L17: aload_0
L18: getfield Field Sound songPath Ljava/net/URL;
L21: invokestatic Method java/applet/Applet newAudioClip (Ljava/net/URL;)Ljava/applet/AudioClip;
L24: putfield Field Sound song Ljava/applet/AudioClip;
L27: goto L31
.stack full
locals Object Sound Object java/lang/String
stack Object java/lang/Exception
.end stack
L30: astore_2
.stack same
L31: return
L32:
.linenumbertable
L0 15
L4 18
L16 19
L27 21
L31 22
.end linenumbertable
.end code
.end method
.method public <init> : (Ljava/net/URL;)V
.code stack 2 locals 3
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
.catch java/lang/Exception from L4 to L20 using L23
L4: aload_0
L5: aload_1
L6: putfield Field Sound songPath Ljava/net/URL;
L9: aload_0
L10: aload_0
L11: getfield Field Sound songPath Ljava/net/URL;
L14: invokestatic Method java/applet/Applet newAudioClip (Ljava/net/URL;)Ljava/applet/AudioClip;
L17: putfield Field Sound song Ljava/applet/AudioClip;
L20: goto L24
.stack full
locals Object Sound Object java/net/URL
stack Object java/lang/Exception
.end stack
L23: astore_2
.stack same
L24: return
L25:
.linenumbertable
L0 24
L4 27
L9 28
L20 30
L24 31
.end linenumbertable
.end code
.end method
.method public playSound : ()V
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Sound song Ljava/applet/AudioClip;
L4: invokeinterface InterfaceMethod java/applet/AudioClip loop ()V 1
L9: return
L10:
.linenumbertable
L0 34
L9 35
.end linenumbertable
.end code
.end method
.method public stopSound : ()V
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Sound song Ljava/applet/AudioClip;
L4: invokeinterface InterfaceMethod java/applet/AudioClip stop ()V 1
L9: return
L10:
.linenumbertable
L0 38
L9 39
.end linenumbertable
.end code
.end method
.method public playSoundOnce : ()V
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Sound song Ljava/applet/AudioClip;
L4: invokeinterface InterfaceMethod java/applet/AudioClip play ()V 1
L9: return
L10:
.linenumbertable
L0 42
L9 43
.end linenumbertable
.end code
.end method
.sourcefile 'Sound.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 11:35:46 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import java.net.URL;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.evosuite.runtime.mock.java.net.MockURL;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class Sound_ESTest extends Sound_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
URL uRL0 = MockURL.getHttpExample();
Sound sound0 = new Sound(uRL0);
sound0.stopSound();
}
@Test(timeout = 4000)
public void test1() throws Throwable {
URL uRL0 = MockURL.getHttpExample();
Sound sound0 = new Sound(uRL0);
sound0.playSound();
}
@Test(timeout = 4000)
public void test2() throws Throwable {
URL uRL0 = MockURL.getHttpExample();
Sound sound0 = new Sound(uRL0);
sound0.playSoundOnce();
}
@Test(timeout = 4000)
public void test3() throws Throwable {
Sound sound0 = new Sound("QV");
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 11:35: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 Sound_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Sound";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmphx9x93mx");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Sound_ESTest_scaffolding.class.getClassLoader() ,
"Sound"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Sound_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Sound"
);
}
}
| 5,123 |
ConvertStreamToArrayInJava8 | /*
* Copyright (C) 2014-present The openSourcLibrary-2015 Authors
*
* https://github.com/sdcuike
*
* 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.Arrays;
import java.util.stream.Stream;
/**
* Convert Stream to Array in Java 8
*
* @author doctor
* @see http://www.programcreek.com/2014/01/convert-stream-to-array-in-java-8/
* @time 2015年8月5日 上午10:38:41
*/
public class ConvertStreamToArrayInJava8 {
public static void main(String[] args) {
String[] strings = {"hello", "doctor", "who are you"};
String[] array = Stream.of(strings).toArray(String[]::new);
System.out.println(Arrays.toString(array));
String[] array2 = Stream.of(strings).toArray(size -> new String[size]);
System.out.println(Arrays.toString(array2));
}
}
| .version 52 0
.class public super ConvertStreamToArrayInJava8
.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 34
.end linenumbertable
.end code
.end method
.method public static main : ([Ljava/lang/String;)V
.code stack 4 locals 4
L0: iconst_3
L1: anewarray java/lang/String
L4: dup
L5: iconst_0
L6: ldc 'hello'
L8: aastore
L9: dup
L10: iconst_1
L11: ldc 'doctor'
L13: aastore
L14: dup
L15: iconst_2
L16: ldc 'who are you'
L18: aastore
L19: astore_1
L20: aload_1
L21: invokestatic InterfaceMethod java/util/stream/Stream of ([Ljava/lang/Object;)Ljava/util/stream/Stream;
L24: invokedynamic [id7]
L29: invokeinterface InterfaceMethod java/util/stream/Stream toArray (Ljava/util/function/IntFunction;)[Ljava/lang/Object; 2
L34: checkcast [Ljava/lang/String;
L37: astore_2
L38: getstatic Field java/lang/System out Ljava/io/PrintStream;
L41: aload_2
L42: invokestatic Method java/util/Arrays toString ([Ljava/lang/Object;)Ljava/lang/String;
L45: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L48: aload_1
L49: invokestatic InterfaceMethod java/util/stream/Stream of ([Ljava/lang/Object;)Ljava/util/stream/Stream;
L52: invokedynamic [id13]
L57: invokeinterface InterfaceMethod java/util/stream/Stream toArray (Ljava/util/function/IntFunction;)[Ljava/lang/Object; 2
L62: checkcast [Ljava/lang/String;
L65: astore_3
L66: getstatic Field java/lang/System out Ljava/io/PrintStream;
L69: aload_3
L70: invokestatic Method java/util/Arrays toString ([Ljava/lang/Object;)Ljava/lang/String;
L73: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L76: return
L77:
.linenumbertable
L0 37
L20 38
L38 39
L48 41
L66 42
L76 44
.end linenumbertable
.end code
.end method
.method private static synthetic lambda$main$1 : (I)[Ljava/lang/String;
.code stack 1 locals 1
L0: iload_0
L1: anewarray java/lang/String
L4: areturn
L5:
.linenumbertable
L0 41
.end linenumbertable
.end code
.end method
.method private static synthetic lambda$main$0 : (I)[Ljava/lang/String;
.code stack 1 locals 1
L0: iload_0
L1: anewarray java/lang/String
L4: areturn
L5:
.linenumbertable
L0 38
.end linenumbertable
.end code
.end method
.sourcefile 'ConvertStreamToArrayInJava8.java'
.innerclasses
java/lang/invoke/MethodHandles$Lookup java/lang/invoke/MethodHandles Lookup public static final
.end innerclasses
.const [id7] = 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 (I)Ljava/lang/Object; MethodHandle invokeStatic Method ConvertStreamToArrayInJava8 lambda$main$0 (I)[Ljava/lang/String; MethodType (I)[Ljava/lang/String; : apply ()Ljava/util/function/IntFunction;
.const [id13] = 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 (I)Ljava/lang/Object; MethodHandle invokeStatic Method ConvertStreamToArrayInJava8 lambda$main$1 (I)[Ljava/lang/String; MethodType (I)[Ljava/lang/String; : apply ()Ljava/util/function/IntFunction;
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 17:32:49 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class ConvertStreamToArrayInJava8_ESTest extends ConvertStreamToArrayInJava8_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
ConvertStreamToArrayInJava8.main((String[]) null);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
ConvertStreamToArrayInJava8 convertStreamToArrayInJava8_0 = new ConvertStreamToArrayInJava8();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 17:32:49 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class ConvertStreamToArrayInJava8_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "ConvertStreamToArrayInJava8";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp9tx82zsz");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(ConvertStreamToArrayInJava8_ESTest_scaffolding.class.getClassLoader() ,
"ConvertStreamToArrayInJava8"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ConvertStreamToArrayInJava8_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"ConvertStreamToArrayInJava8"
);
}
}
| 5,124 |
OAuthErrors | /*
* This file is part of Ident.io.
*
* Ident.io - A flexible authentication server
* Copyright (c) 2017 Loeiz TANGUY
*
* This program is free software: you can redistribute it and/or modify
* it under the terms of the GNU Affero General Public License as
* published by the Free Software Foundation, either version 3 of the
* License, or (at your option) any later version.
*
* This program is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU Affero General Public License for more details.
*
* You should have received a copy of the GNU Affero General Public License
* along with this program. If not, see <http://www.gnu.org/licenses/>.
*
*/
public class OAuthErrors {
// Fatal errors (not sent to client)
public static final String UNKNOWN_CLIENT = "unknown.client";
public static final String UNKNOWN_REDIRECT_URI = "unknown.redirect.uri";
// Errors that are sent to the client
public static final String RESPONSE_TYPE_NOT_SUPPORTED = "unsupported_response_type";
public static final String INVALID_SCOPE = "invalid_scope";
public static final String UNAUTHORIZED_CLIENT = "unauthorized_client";
public static final String ACCESS_DENIED = "access_denied";
public static final String INVALID_CLIENT = "invalid_client";
public static final String INVALID_GRANT = "invalid_grant";
public static final String INVALID_REQUEST = "invalid_request";
public static final String UNSUPPORTED_GRANT_TYPE = "unsupported_grant_type";
}
| .version 52 0
.class public super OAuthErrors
.super java/lang/Object
.field public static final UNKNOWN_CLIENT Ljava/lang/String; = 'unknown.client'
.field public static final UNKNOWN_REDIRECT_URI Ljava/lang/String; = 'unknown.redirect.uri'
.field public static final RESPONSE_TYPE_NOT_SUPPORTED Ljava/lang/String; = 'unsupported_response_type'
.field public static final INVALID_SCOPE Ljava/lang/String; = 'invalid_scope'
.field public static final UNAUTHORIZED_CLIENT Ljava/lang/String; = 'unauthorized_client'
.field public static final ACCESS_DENIED Ljava/lang/String; = 'access_denied'
.field public static final INVALID_CLIENT Ljava/lang/String; = 'invalid_client'
.field public static final INVALID_GRANT Ljava/lang/String; = 'invalid_grant'
.field public static final INVALID_REQUEST Ljava/lang/String; = 'invalid_request'
.field public static final UNSUPPORTED_GRANT_TYPE Ljava/lang/String; = 'unsupported_grant_type'
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 24
.end linenumbertable
.end code
.end method
.sourcefile 'OAuthErrors.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 08:48: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 OAuthErrors_ESTest extends OAuthErrors_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
OAuthErrors oAuthErrors0 = new OAuthErrors();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 08:48: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 OAuthErrors_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "OAuthErrors";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpa4dkrj18");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(OAuthErrors_ESTest_scaffolding.class.getClassLoader() ,
"OAuthErrors"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(OAuthErrors_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"OAuthErrors"
);
}
}
| 5,125 |
MedicalMarvelsBean | /*
* Don't change this. It's a template, so copy paste and adjust for your needs.
*/
import java.util.Date; // Deprecated ... ?
/**
* A Bean is a template Class to hold Data that you specify in it. The Model retrieves Data from the
* Database and stores it in Beans.
*
* @author Philipp
*/
public class MedicalMarvelsBean {
// Example showing all Database entries. Private, as only intended to be modified via public
// Get/Set below.
// private DateFormat dateFormat = new SimpleDateFormat("yyyy/MM/dd HH:mm:ss"); // Date
// deprecated...?
private Date
dateAndTime; // DB: DateAndTime of datatype DATETIME (= YYYY-MM-DD HH:MM:SS) example:
// 2017-08-13 23:59:00
private int outletRef = 0; // DB: OutletRef of datatype INT
private String outletName = ""; // DB: OutletName of datatype VARCHAR
private String userID = ""; // DB: UserID of datatype VARCHAR
private String transactionType = ""; // DB: TransactionType of datatype VARCHAR
// cashSpent + discount = total
private float cashSpent = 0; // DB: CashSpent of datatype DECIMAL
private float discount = 0; // DB: Discount of datatype DECIMAL
private float total = 0; // DB: Total of datatype DECIMAL
private int transactions = 0;
// DB: TransactionID of type INT set to autoincrement. Just for your information that this exists.
// Getter and Setter functions to encapsulate data fields (Don't allow outside classes/methods to
// directly access fields).
public void setDateAndTime(Date newDateAndTime) {
dateAndTime = newDateAndTime;
}
public Date getDateAndTime() {
return dateAndTime;
}
public void setOutletRef(int newOutletRef) {
outletRef = newOutletRef;
}
public int getOutletRef() {
return outletRef;
}
public void setOutletName(String newOutletName) {
outletName = newOutletName;
}
public String getOutletName() {
return outletName;
}
public void setUserID(String newUserID) {
userID = newUserID;
}
public String getUserID() {
return userID;
}
public void setTransactionType(String newTransactionType) {
transactionType = newTransactionType;
}
public String getTransactionType() {
return transactionType;
}
public void setCashSpent(float newCashSpent) {
cashSpent = newCashSpent;
}
public float getCashSpent() {
return cashSpent;
}
public void setDiscount(float newDiscount) {
discount = newDiscount;
}
public float getDiscount() {
return discount;
}
public void setTotal(float newTotal) {
total = newTotal;
}
public float getTotal() {
return total;
}
}
/*
import java.util.Date;
import java.text.DateFormat;
import java.text.SimpleDateFormat;
private String getDateTime() {
DateFormat dateFormat = new SimpleDateFormat("yyyy/MM/dd HH:mm:ss");
Date date = new Date();
return dateFormat.format(date);
}
*/
| .version 52 0
.class public super MedicalMarvelsBean
.super java/lang/Object
.field private dateAndTime Ljava/util/Date;
.field private outletRef I
.field private outletName Ljava/lang/String;
.field private userID Ljava/lang/String;
.field private transactionType Ljava/lang/String;
.field private cashSpent F
.field private discount F
.field private total F
.field private transactions 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 MedicalMarvelsBean outletRef I
L9: aload_0
L10: ldc ''
L12: putfield Field MedicalMarvelsBean outletName Ljava/lang/String;
L15: aload_0
L16: ldc ''
L18: putfield Field MedicalMarvelsBean userID Ljava/lang/String;
L21: aload_0
L22: ldc ''
L24: putfield Field MedicalMarvelsBean transactionType Ljava/lang/String;
L27: aload_0
L28: fconst_0
L29: putfield Field MedicalMarvelsBean cashSpent F
L32: aload_0
L33: fconst_0
L34: putfield Field MedicalMarvelsBean discount F
L37: aload_0
L38: fconst_0
L39: putfield Field MedicalMarvelsBean total F
L42: aload_0
L43: iconst_0
L44: putfield Field MedicalMarvelsBean transactions I
L47: return
L48:
.linenumbertable
L0 13
L4 18
L9 19
L15 20
L21 21
L27 23
L32 24
L37 25
L42 26
.end linenumbertable
.end code
.end method
.method public setDateAndTime : (Ljava/util/Date;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field MedicalMarvelsBean dateAndTime Ljava/util/Date;
L5: return
L6:
.linenumbertable
L0 31
.end linenumbertable
.end code
.end method
.method public getDateAndTime : ()Ljava/util/Date;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field MedicalMarvelsBean dateAndTime Ljava/util/Date;
L4: areturn
L5:
.linenumbertable
L0 32
.end linenumbertable
.end code
.end method
.method public setOutletRef : (I)V
.code stack 2 locals 2
L0: aload_0
L1: iload_1
L2: putfield Field MedicalMarvelsBean outletRef I
L5: return
L6:
.linenumbertable
L0 34
.end linenumbertable
.end code
.end method
.method public getOutletRef : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field MedicalMarvelsBean outletRef I
L4: ireturn
L5:
.linenumbertable
L0 35
.end linenumbertable
.end code
.end method
.method public setOutletName : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field MedicalMarvelsBean outletName Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 37
.end linenumbertable
.end code
.end method
.method public getOutletName : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field MedicalMarvelsBean outletName Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 38
.end linenumbertable
.end code
.end method
.method public setUserID : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field MedicalMarvelsBean userID Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 40
.end linenumbertable
.end code
.end method
.method public getUserID : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field MedicalMarvelsBean userID Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 41
.end linenumbertable
.end code
.end method
.method public setTransactionType : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field MedicalMarvelsBean transactionType Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 43
.end linenumbertable
.end code
.end method
.method public getTransactionType : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field MedicalMarvelsBean transactionType Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 44
.end linenumbertable
.end code
.end method
.method public setCashSpent : (F)V
.code stack 2 locals 2
L0: aload_0
L1: fload_1
L2: putfield Field MedicalMarvelsBean cashSpent F
L5: return
L6:
.linenumbertable
L0 46
.end linenumbertable
.end code
.end method
.method public getCashSpent : ()F
.code stack 1 locals 1
L0: aload_0
L1: getfield Field MedicalMarvelsBean cashSpent F
L4: freturn
L5:
.linenumbertable
L0 47
.end linenumbertable
.end code
.end method
.method public setDiscount : (F)V
.code stack 2 locals 2
L0: aload_0
L1: fload_1
L2: putfield Field MedicalMarvelsBean discount F
L5: return
L6:
.linenumbertable
L0 49
.end linenumbertable
.end code
.end method
.method public getDiscount : ()F
.code stack 1 locals 1
L0: aload_0
L1: getfield Field MedicalMarvelsBean discount F
L4: freturn
L5:
.linenumbertable
L0 50
.end linenumbertable
.end code
.end method
.method public setTotal : (F)V
.code stack 2 locals 2
L0: aload_0
L1: fload_1
L2: putfield Field MedicalMarvelsBean total F
L5: return
L6:
.linenumbertable
L0 52
.end linenumbertable
.end code
.end method
.method public getTotal : ()F
.code stack 1 locals 1
L0: aload_0
L1: getfield Field MedicalMarvelsBean total F
L4: freturn
L5:
.linenumbertable
L0 53
.end linenumbertable
.end code
.end method
.sourcefile 'MedicalMarvelsBean.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 21:35:30 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.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 MedicalMarvelsBean_ESTest extends MedicalMarvelsBean_ESTest_scaffolding {
@Test(timeout = 4000)
public void test00() throws Throwable {
MedicalMarvelsBean medicalMarvelsBean0 = new MedicalMarvelsBean();
medicalMarvelsBean0.setUserID((String) null);
medicalMarvelsBean0.getUserID();
assertEquals(0.0F, medicalMarvelsBean0.getDiscount(), 0.01F);
assertEquals(0.0F, medicalMarvelsBean0.getTotal(), 0.01F);
assertEquals(0.0F, medicalMarvelsBean0.getCashSpent(), 0.01F);
assertEquals(0, medicalMarvelsBean0.getOutletRef());
}
@Test(timeout = 4000)
public void test01() throws Throwable {
MedicalMarvelsBean medicalMarvelsBean0 = new MedicalMarvelsBean();
medicalMarvelsBean0.setUserID("MedicalMarvelsBean");
medicalMarvelsBean0.getUserID();
assertEquals(0, medicalMarvelsBean0.getOutletRef());
assertEquals(0.0F, medicalMarvelsBean0.getTotal(), 0.01F);
assertEquals(0.0F, medicalMarvelsBean0.getDiscount(), 0.01F);
assertEquals(0.0F, medicalMarvelsBean0.getCashSpent(), 0.01F);
}
@Test(timeout = 4000)
public void test02() throws Throwable {
MedicalMarvelsBean medicalMarvelsBean0 = new MedicalMarvelsBean();
medicalMarvelsBean0.setTransactionType("`HfNtlBy;(");
medicalMarvelsBean0.getTransactionType();
assertEquals(0.0F, medicalMarvelsBean0.getDiscount(), 0.01F);
assertEquals(0, medicalMarvelsBean0.getOutletRef());
assertEquals(0.0F, medicalMarvelsBean0.getCashSpent(), 0.01F);
assertEquals(0.0F, medicalMarvelsBean0.getTotal(), 0.01F);
}
@Test(timeout = 4000)
public void test03() throws Throwable {
MedicalMarvelsBean medicalMarvelsBean0 = new MedicalMarvelsBean();
medicalMarvelsBean0.setTotal(50565.684F);
float float0 = medicalMarvelsBean0.getTotal();
assertEquals(50565.684F, float0, 0.01F);
}
@Test(timeout = 4000)
public void test04() throws Throwable {
MedicalMarvelsBean medicalMarvelsBean0 = new MedicalMarvelsBean();
medicalMarvelsBean0.setTotal((-56883.0F));
float float0 = medicalMarvelsBean0.getTotal();
assertEquals((-56883.0F), float0, 0.01F);
}
@Test(timeout = 4000)
public void test05() throws Throwable {
MedicalMarvelsBean medicalMarvelsBean0 = new MedicalMarvelsBean();
medicalMarvelsBean0.setOutletRef(9926);
int int0 = medicalMarvelsBean0.getOutletRef();
assertEquals(9926, int0);
}
@Test(timeout = 4000)
public void test06() throws Throwable {
MedicalMarvelsBean medicalMarvelsBean0 = new MedicalMarvelsBean();
medicalMarvelsBean0.setOutletRef((-7711));
int int0 = medicalMarvelsBean0.getOutletRef();
assertEquals((-7711), int0);
}
@Test(timeout = 4000)
public void test07() throws Throwable {
MedicalMarvelsBean medicalMarvelsBean0 = new MedicalMarvelsBean();
medicalMarvelsBean0.setOutletName((String) null);
medicalMarvelsBean0.getOutletName();
assertEquals(0.0F, medicalMarvelsBean0.getDiscount(), 0.01F);
assertEquals(0, medicalMarvelsBean0.getOutletRef());
assertEquals(0.0F, medicalMarvelsBean0.getCashSpent(), 0.01F);
assertEquals(0.0F, medicalMarvelsBean0.getTotal(), 0.01F);
}
@Test(timeout = 4000)
public void test08() throws Throwable {
MedicalMarvelsBean medicalMarvelsBean0 = new MedicalMarvelsBean();
medicalMarvelsBean0.setOutletName("Z:3D");
medicalMarvelsBean0.getOutletName();
assertEquals(0.0F, medicalMarvelsBean0.getDiscount(), 0.01F);
assertEquals(0.0F, medicalMarvelsBean0.getTotal(), 0.01F);
assertEquals(0.0F, medicalMarvelsBean0.getCashSpent(), 0.01F);
assertEquals(0, medicalMarvelsBean0.getOutletRef());
}
@Test(timeout = 4000)
public void test09() throws Throwable {
MedicalMarvelsBean medicalMarvelsBean0 = new MedicalMarvelsBean();
assertEquals(0.0F, medicalMarvelsBean0.getDiscount(), 0.01F);
medicalMarvelsBean0.setDiscount((-1.0F));
float float0 = medicalMarvelsBean0.getDiscount();
assertEquals((-1.0F), float0, 0.01F);
}
@Test(timeout = 4000)
public void test10() throws Throwable {
MedicalMarvelsBean medicalMarvelsBean0 = new MedicalMarvelsBean();
medicalMarvelsBean0.setCashSpent(117344.0F);
float float0 = medicalMarvelsBean0.getCashSpent();
assertEquals(117344.0F, float0, 0.01F);
}
@Test(timeout = 4000)
public void test11() throws Throwable {
MedicalMarvelsBean medicalMarvelsBean0 = new MedicalMarvelsBean();
medicalMarvelsBean0.setCashSpent((-25592.1F));
float float0 = medicalMarvelsBean0.getCashSpent();
assertEquals((-25592.1F), float0, 0.01F);
}
@Test(timeout = 4000)
public void test12() throws Throwable {
MedicalMarvelsBean medicalMarvelsBean0 = new MedicalMarvelsBean();
medicalMarvelsBean0.getOutletName();
assertEquals(0.0F, medicalMarvelsBean0.getCashSpent(), 0.01F);
assertEquals(0, medicalMarvelsBean0.getOutletRef());
assertEquals(0.0F, medicalMarvelsBean0.getDiscount(), 0.01F);
assertEquals(0.0F, medicalMarvelsBean0.getTotal(), 0.01F);
}
@Test(timeout = 4000)
public void test13() throws Throwable {
MedicalMarvelsBean medicalMarvelsBean0 = new MedicalMarvelsBean();
medicalMarvelsBean0.getDateAndTime();
assertEquals(0, medicalMarvelsBean0.getOutletRef());
assertEquals(0.0F, medicalMarvelsBean0.getTotal(), 0.01F);
assertEquals(0.0F, medicalMarvelsBean0.getDiscount(), 0.01F);
assertEquals(0.0F, medicalMarvelsBean0.getCashSpent(), 0.01F);
}
@Test(timeout = 4000)
public void test14() throws Throwable {
MedicalMarvelsBean medicalMarvelsBean0 = new MedicalMarvelsBean();
int int0 = medicalMarvelsBean0.getOutletRef();
assertEquals(0.0F, medicalMarvelsBean0.getDiscount(), 0.01F);
assertEquals(0, int0);
assertEquals(0.0F, medicalMarvelsBean0.getTotal(), 0.01F);
assertEquals(0.0F, medicalMarvelsBean0.getCashSpent(), 0.01F);
}
@Test(timeout = 4000)
public void test15() throws Throwable {
MedicalMarvelsBean medicalMarvelsBean0 = new MedicalMarvelsBean();
float float0 = medicalMarvelsBean0.getCashSpent();
assertEquals(0, medicalMarvelsBean0.getOutletRef());
assertEquals(0.0F, float0, 0.01F);
assertEquals(0.0F, medicalMarvelsBean0.getDiscount(), 0.01F);
assertEquals(0.0F, medicalMarvelsBean0.getTotal(), 0.01F);
}
@Test(timeout = 4000)
public void test16() throws Throwable {
MedicalMarvelsBean medicalMarvelsBean0 = new MedicalMarvelsBean();
medicalMarvelsBean0.getUserID();
assertEquals(0.0F, medicalMarvelsBean0.getTotal(), 0.01F);
assertEquals(0, medicalMarvelsBean0.getOutletRef());
assertEquals(0.0F, medicalMarvelsBean0.getDiscount(), 0.01F);
assertEquals(0.0F, medicalMarvelsBean0.getCashSpent(), 0.01F);
}
@Test(timeout = 4000)
public void test17() throws Throwable {
MedicalMarvelsBean medicalMarvelsBean0 = new MedicalMarvelsBean();
float float0 = medicalMarvelsBean0.getDiscount();
assertEquals(0.0F, medicalMarvelsBean0.getTotal(), 0.01F);
assertEquals(0, medicalMarvelsBean0.getOutletRef());
assertEquals(0.0F, medicalMarvelsBean0.getCashSpent(), 0.01F);
assertEquals(0.0F, float0, 0.01F);
}
@Test(timeout = 4000)
public void test18() throws Throwable {
MedicalMarvelsBean medicalMarvelsBean0 = new MedicalMarvelsBean();
medicalMarvelsBean0.getTransactionType();
assertEquals(0, medicalMarvelsBean0.getOutletRef());
assertEquals(0.0F, medicalMarvelsBean0.getDiscount(), 0.01F);
assertEquals(0.0F, medicalMarvelsBean0.getCashSpent(), 0.01F);
assertEquals(0.0F, medicalMarvelsBean0.getTotal(), 0.01F);
}
@Test(timeout = 4000)
public void test19() throws Throwable {
MedicalMarvelsBean medicalMarvelsBean0 = new MedicalMarvelsBean();
MockDate mockDate0 = new MockDate(10341, (-1), 10341);
medicalMarvelsBean0.setDateAndTime(mockDate0);
medicalMarvelsBean0.getDateAndTime();
assertEquals(0.0F, medicalMarvelsBean0.getDiscount(), 0.01F);
assertEquals(0, medicalMarvelsBean0.getOutletRef());
assertEquals(0.0F, medicalMarvelsBean0.getCashSpent(), 0.01F);
assertEquals(0.0F, medicalMarvelsBean0.getTotal(), 0.01F);
}
@Test(timeout = 4000)
public void test20() throws Throwable {
MedicalMarvelsBean medicalMarvelsBean0 = new MedicalMarvelsBean();
medicalMarvelsBean0.setDiscount(79816.1F);
float float0 = medicalMarvelsBean0.getDiscount();
assertEquals(79816.1F, float0, 0.01F);
}
@Test(timeout = 4000)
public void test21() throws Throwable {
MedicalMarvelsBean medicalMarvelsBean0 = new MedicalMarvelsBean();
float float0 = medicalMarvelsBean0.getTotal();
assertEquals(0, medicalMarvelsBean0.getOutletRef());
assertEquals(0.0F, float0, 0.01F);
assertEquals(0.0F, medicalMarvelsBean0.getDiscount(), 0.01F);
assertEquals(0.0F, medicalMarvelsBean0.getCashSpent(), 0.01F);
}
@Test(timeout = 4000)
public void test22() throws Throwable {
MedicalMarvelsBean medicalMarvelsBean0 = new MedicalMarvelsBean();
medicalMarvelsBean0.setTransactionType((String) null);
medicalMarvelsBean0.getTransactionType();
assertEquals(0.0F, medicalMarvelsBean0.getTotal(), 0.01F);
assertEquals(0.0F, medicalMarvelsBean0.getCashSpent(), 0.01F);
assertEquals(0.0F, medicalMarvelsBean0.getDiscount(), 0.01F);
assertEquals(0, medicalMarvelsBean0.getOutletRef());
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 21:35:30 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class MedicalMarvelsBean_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "MedicalMarvelsBean";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpdth4hen1");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(MedicalMarvelsBean_ESTest_scaffolding.class.getClassLoader() ,
"MedicalMarvelsBean"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(MedicalMarvelsBean_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"MedicalMarvelsBean"
);
}
}
| 5,126 |
PDController | /*
* The MIT License
*
* Copyright 2014 Jing Huang <[email protected] or [email protected]>.
*
* Permission is hereby granted, free of charge, to any person obtaining a copy
* of this software and associated documentation files (the "Software"), to deal
* in the Software without restriction, including without limitation the rights
* to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
* copies of the Software, and to permit persons to whom the Software is
* furnished to do so, subject to the following conditions:
*
* The above copyright notice and this permission notice shall be included in
* all copies or substantial portions of the Software.
*
* THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
* IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
* FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
* AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
* LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
* OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN
* THE SOFTWARE.
*/
/**
* @author Jing Huang * <[email protected] or [email protected]>
*/
public class PDController {
public double _friction = 0;
public double _desireAngle = 0;
public double _desireVelocity = 0;
public double _kP = 1.5; // propotional parameter
public double _kD = 0.1; // derivative parameter
public double _torqueOutput;
public double compute(double currentAngle, double currentvelocity) {
_torqueOutput =
(_desireAngle - currentAngle) * _kP
+ (_desireVelocity - currentvelocity) * _kD
- _friction * currentvelocity;
return _torqueOutput;
}
}
| .version 52 0
.class public super PDController
.super java/lang/Object
.field public _friction D
.field public _desireAngle D
.field public _desireVelocity D
.field public _kP D
.field public _kD D
.field public _torqueOutput D
.method public <init> : ()V
.code stack 3 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: dconst_0
L6: putfield Field PDController _friction D
L9: aload_0
L10: dconst_0
L11: putfield Field PDController _desireAngle D
L14: aload_0
L15: dconst_0
L16: putfield Field PDController _desireVelocity D
L19: aload_0
L20: ldc2_w +1.5
L23: putfield Field PDController _kP D
L26: aload_0
L27: ldc2_w +0.1
L30: putfield Field PDController _kD D
L33: return
L34:
.linenumbertable
L0 31
L4 32
L9 33
L14 34
L19 35
L26 36
.end linenumbertable
.end code
.end method
.method public compute : (DD)D
.code stack 7 locals 5
L0: aload_0
L1: aload_0
L2: getfield Field PDController _desireAngle D
L5: dload_1
L6: dsub
L7: aload_0
L8: getfield Field PDController _kP D
L11: dmul
L12: aload_0
L13: getfield Field PDController _desireVelocity D
L16: dload_3
L17: dsub
L18: aload_0
L19: getfield Field PDController _kD D
L22: dmul
L23: dadd
L24: aload_0
L25: getfield Field PDController _friction D
L28: dload_3
L29: dmul
L30: dsub
L31: putfield Field PDController _torqueOutput D
L34: aload_0
L35: getfield Field PDController _torqueOutput D
L38: dreturn
L39:
.linenumbertable
L0 40
L34 41
.end linenumbertable
.end code
.end method
.sourcefile 'PDController.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 22:12:16 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class PDController_ESTest extends PDController_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
PDController pDController0 = new PDController();
pDController0._friction = 4666.319348797079;
double double0 = pDController0.compute((-1.0), (-28325.5020285936));
assertEquals(1.321786722306201E8, pDController0._torqueOutput, 1.0E-4);
assertEquals(1.321786722306201E8, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
PDController pDController0 = new PDController();
assertEquals(0.0, pDController0._desireAngle, 1.0E-4);
pDController0._desireAngle = (-1.0);
double double0 = pDController0.compute((-1.0), 0.0);
assertEquals(0.0, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
PDController pDController0 = new PDController();
pDController0._desireAngle = (-1.0);
double double0 = pDController0.compute(0.0, 0.0);
assertEquals((-1.5), pDController0._torqueOutput, 1.0E-4);
assertEquals((-1.5), double0, 1.0E-4);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 22:12: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 PDController_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "PDController";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpb1u3zxqc");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(PDController_ESTest_scaffolding.class.getClassLoader() ,
"PDController"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(PDController_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"PDController"
);
}
}
| 5,127 |
BundleAndDefer | /**
* Copyright 2015 Florian Schmaus
*
* <p>Licensed under the Apache License, Version 2.0 (the "License"); you may not use this file
* except in compliance with the License. You may obtain a copy of the License at
*
* <p>http://www.apache.org/licenses/LICENSE-2.0
*
* <p>Unless required by applicable law or agreed to in writing, software distributed under the
* License is distributed on an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either
* express or implied. See the License for the specific language governing permissions and
* limitations under the License.
*/
import java.util.concurrent.atomic.AtomicBoolean;
public class BundleAndDefer {
private final AtomicBoolean isStopped;
BundleAndDefer(AtomicBoolean isStopped) {
this.isStopped = isStopped;
}
public void stopCurrentBundleAndDefer() {
synchronized (isStopped) {
if (isStopped.get()) {
return;
}
isStopped.set(true);
isStopped.notify();
}
}
}
| .version 52 0
.class public super BundleAndDefer
.super java/lang/Object
.field private final isStopped Ljava/util/concurrent/atomic/AtomicBoolean;
.method <init> : (Ljava/util/concurrent/atomic/AtomicBoolean;)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 BundleAndDefer isStopped Ljava/util/concurrent/atomic/AtomicBoolean;
L9: return
L10:
.linenumbertable
L0 26
L4 27
L9 28
.end linenumbertable
.end code
.end method
.method public stopCurrentBundleAndDefer : ()V
.code stack 2 locals 3
L0: aload_0
L1: getfield Field BundleAndDefer isStopped Ljava/util/concurrent/atomic/AtomicBoolean;
L4: dup
L5: astore_1
L6: monitorenter
.catch [0] from L7 to L19 using L40
L7: aload_0
L8: getfield Field BundleAndDefer isStopped Ljava/util/concurrent/atomic/AtomicBoolean;
L11: invokevirtual Method java/util/concurrent/atomic/AtomicBoolean get ()Z
L14: ifeq L20
L17: aload_1
L18: monitorexit
L19: return
.catch [0] from L20 to L37 using L40
.stack append Object java/lang/Object
L20: aload_0
L21: getfield Field BundleAndDefer isStopped Ljava/util/concurrent/atomic/AtomicBoolean;
L24: iconst_1
L25: invokevirtual Method java/util/concurrent/atomic/AtomicBoolean set (Z)V
L28: aload_0
L29: getfield Field BundleAndDefer isStopped Ljava/util/concurrent/atomic/AtomicBoolean;
L32: invokevirtual Method java/lang/Object notify ()V
L35: aload_1
L36: monitorexit
L37: goto L45
.catch [0] from L40 to L43 using L40
.stack stack_1 Object java/lang/Throwable
L40: astore_2
L41: aload_1
L42: monitorexit
L43: aload_2
L44: athrow
.stack chop 1
L45: return
L46:
.linenumbertable
L0 31
L7 32
L17 33
L20 35
L28 36
L35 37
L45 38
.end linenumbertable
.end code
.end method
.sourcefile 'BundleAndDefer.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Mon Jul 04 14:28:42 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import java.util.concurrent.atomic.AtomicBoolean;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class BundleAndDefer_ESTest extends BundleAndDefer_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
AtomicBoolean atomicBoolean0 = new AtomicBoolean();
BundleAndDefer bundleAndDefer0 = new BundleAndDefer(atomicBoolean0);
bundleAndDefer0.stopCurrentBundleAndDefer();
bundleAndDefer0.stopCurrentBundleAndDefer();
assertTrue(atomicBoolean0.get());
assertEquals("true", atomicBoolean0.toString());
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 14:28: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 BundleAndDefer_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "BundleAndDefer";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp3atkgge4");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(BundleAndDefer_ESTest_scaffolding.class.getClassLoader() ,
"BundleAndDefer"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(BundleAndDefer_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"BundleAndDefer"
);
}
}
| 5,128 |
Edge | public class Edge {
public int startVertex;
public int endVertex;
public int edgeNum;
public Edge() {}
}
| .version 52 0
.class public super Edge
.super java/lang/Object
.field public startVertex I
.field public endVertex I
.field public edgeNum 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
L4 8
.end linenumbertable
.end code
.end method
.sourcefile 'Edge.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 15:45: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 Edge_ESTest extends Edge_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
Edge edge0 = new Edge();
assertEquals(0, edge0.edgeNum);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 15:45: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 Edge_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Edge";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp6lgz2ft5");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Edge_ESTest_scaffolding.class.getClassLoader() ,
"Edge"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Edge_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Edge"
);
}
}
| 5,129 |
MergeSort | import java.util.Arrays;
public class MergeSort {
/**
* 归并排序
*
* @param a 排序的数组
* @param first 数组首元素索引
* @param end 数组尾元素索引
*/
public static int[] mergeSorting(int[] a, int first, int end) {
if (first < end) {
int p = (first + end) / 2;
mergeSorting(a, first, p);
mergeSorting(a, p + 1, end);
merge(a, first, p, end);
}
return a;
}
/**
* 将一个数组两个已排好序的部分重新排序
*
* @param a 要排序的数组
* @param p 数组首元素索引
* @param q 数组中间元素索引 (p+r)/2
* @param r 数组尾元素索引
*/
private static int[] merge(int[] a, int p, int q, int r) {
int n1 = q - p + 1;
int n2 = r - q;
int[] left = new int[n1 + 1];
int[] right = new int[n2 + 1];
// 初始化两个数组,并将最后一个数置为无穷大
for (int x = 0; x < n1; ++x) {
left[x] = a[p + x];
}
left[n1] = Integer.MAX_VALUE;
for (int x = 0; x < n2; x++) {
right[x] = a[q + 1 + x];
}
right[n2] = Integer.MAX_VALUE;
int i = 0, j = 0, k = p;
for (k = p; k <= r; k++) {
if (left[i] <= right[j]) {
a[k] = left[i];
i++;
} else {
a[k] = right[j];
j++;
}
}
return a;
}
public static void main(String[] args) {
int[] a = new int[] {5, 4, 2, 7, 9, 0, 33, 23, 56};
mergeSorting(a, 0, 8);
System.out.println(Arrays.toString(a));
}
}
| .version 52 0
.class public super MergeSort
.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 mergeSorting : ([III)[I
.code stack 4 locals 4
L0: iload_1
L1: iload_2
L2: if_icmpge L35
L5: iload_1
L6: iload_2
L7: iadd
L8: iconst_2
L9: idiv
L10: istore_3
L11: aload_0
L12: iload_1
L13: iload_3
L14: invokestatic Method MergeSort mergeSorting ([III)[I
L17: pop
L18: aload_0
L19: iload_3
L20: iconst_1
L21: iadd
L22: iload_2
L23: invokestatic Method MergeSort mergeSorting ([III)[I
L26: pop
L27: aload_0
L28: iload_1
L29: iload_3
L30: iload_2
L31: invokestatic Method MergeSort merge ([IIII)[I
L34: pop
.stack same
L35: aload_0
L36: areturn
L37:
.linenumbertable
L0 12
L5 14
L11 15
L18 16
L27 17
L35 19
.end linenumbertable
.end code
.end method
.method private static merge : ([IIII)[I
.code stack 5 locals 11
L0: iload_2
L1: iload_1
L2: isub
L3: iconst_1
L4: iadd
L5: istore 4
L7: iload_3
L8: iload_2
L9: isub
L10: istore 5
L12: iload 4
L14: iconst_1
L15: iadd
L16: newarray int
L18: astore 6
L20: iload 5
L22: iconst_1
L23: iadd
L24: newarray int
L26: astore 7
L28: iconst_0
L29: istore 8
.stack full
locals Object [I Integer Integer Integer Integer Integer Object [I Object [I Integer
stack
.end stack
L31: iload 8
L33: iload 4
L35: if_icmpge L55
L38: aload 6
L40: iload 8
L42: aload_0
L43: iload_1
L44: iload 8
L46: iadd
L47: iaload
L48: iastore
L49: iinc 8 1
L52: goto L31
.stack chop 1
L55: aload 6
L57: iload 4
L59: ldc 2147483647
L61: iastore
L62: iconst_0
L63: istore 8
.stack append Integer
L65: iload 8
L67: iload 5
L69: if_icmpge L91
L72: aload 7
L74: iload 8
L76: aload_0
L77: iload_2
L78: iconst_1
L79: iadd
L80: iload 8
L82: iadd
L83: iaload
L84: iastore
L85: iinc 8 1
L88: goto L65
.stack chop 1
L91: aload 7
L93: iload 5
L95: ldc 2147483647
L97: iastore
L98: iconst_0
L99: istore 8
L101: iconst_0
L102: istore 9
L104: iload_1
L105: istore 10
L107: iload_1
L108: istore 10
.stack append Integer Integer Integer
L110: iload 10
L112: iload_3
L113: if_icmpgt L162
L116: aload 6
L118: iload 8
L120: iaload
L121: aload 7
L123: iload 9
L125: iaload
L126: if_icmpgt L144
L129: aload_0
L130: iload 10
L132: aload 6
L134: iload 8
L136: iaload
L137: iastore
L138: iinc 8 1
L141: goto L156
.stack same
L144: aload_0
L145: iload 10
L147: aload 7
L149: iload 9
L151: iaload
L152: iastore
L153: iinc 9 1
.stack same
L156: iinc 10 1
L159: goto L110
.stack same
L162: aload_0
L163: areturn
L164:
.linenumbertable
L0 30
L7 31
L12 32
L20 33
L28 36
L38 38
L49 36
L55 40
L62 42
L72 44
L85 42
L91 46
L98 48
L107 49
L116 51
L129 53
L138 54
L144 56
L153 57
L156 49
L162 60
.end linenumbertable
.end code
.end method
.method public static main : ([Ljava/lang/String;)V
.code stack 4 locals 2
L0: bipush 9
L2: newarray int
L4: dup
L5: iconst_0
L6: iconst_5
L7: iastore
L8: dup
L9: iconst_1
L10: iconst_4
L11: iastore
L12: dup
L13: iconst_2
L14: iconst_2
L15: iastore
L16: dup
L17: iconst_3
L18: bipush 7
L20: iastore
L21: dup
L22: iconst_4
L23: bipush 9
L25: iastore
L26: dup
L27: iconst_5
L28: iconst_0
L29: iastore
L30: dup
L31: bipush 6
L33: bipush 33
L35: iastore
L36: dup
L37: bipush 7
L39: bipush 23
L41: iastore
L42: dup
L43: bipush 8
L45: bipush 56
L47: iastore
L48: astore_1
L49: aload_1
L50: iconst_0
L51: bipush 8
L53: invokestatic Method MergeSort mergeSorting ([III)[I
L56: pop
L57: getstatic Field java/lang/System out Ljava/io/PrintStream;
L60: aload_1
L61: invokestatic Method java/util/Arrays toString ([I)Ljava/lang/String;
L64: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L67: return
L68:
.linenumbertable
L0 65
L49 66
L57 67
L67 68
.end linenumbertable
.end code
.end method
.sourcefile 'MergeSort.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 21:54: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 MergeSort_ESTest extends MergeSort_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
String[] stringArray0 = new String[6];
stringArray0[0] = "";
stringArray0[1] = "";
stringArray0[2] = "";
stringArray0[3] = "YD.`\f1q0/{i1bD5ih";
stringArray0[4] = "";
stringArray0[5] = "acwd";
MergeSort.main(stringArray0);
assertEquals(6, stringArray0.length);
int[] intArray0 = new int[9];
intArray0[0] = 0;
intArray0[1] = 0;
intArray0[2] = (-18839);
intArray0[3] = (-83854);
intArray0[4] = (-34353);
intArray0[5] = 2;
intArray0[6] = 0;
intArray0[7] = 3;
intArray0[8] = (-84634);
int[] intArray1 = MergeSort.mergeSorting(intArray0, 33, (-25532));
assertArrayEquals(new int[] {0, 0, (-18839), (-83854), (-34353), 2, 0, 3, (-84634)}, intArray1);
assertArrayEquals(new int[] {0, 0, (-18839), (-83854), (-34353), 2, 0, 3, (-84634)}, intArray0);
assertEquals(9, intArray1.length);
assertEquals(9, intArray0.length);
assertNotNull(intArray1);
assertSame(intArray1, intArray0);
assertSame(intArray0, intArray1);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
MergeSort mergeSort0 = new MergeSort();
assertNotNull(mergeSort0);
String[] stringArray0 = new String[7];
stringArray0[0] = "S<NOP";
stringArray0[1] = "";
stringArray0[2] = "m~a9V%M1wT_@m&Q";
stringArray0[3] = "";
stringArray0[4] = "$~x:";
stringArray0[5] = "";
stringArray0[6] = "0X'";
MergeSort.main(stringArray0);
assertEquals(7, stringArray0.length);
String[] stringArray1 = new String[5];
assertFalse(stringArray1.equals((Object)stringArray0));
stringArray1[0] = "T";
stringArray1[1] = "\"B}yI~@";
stringArray1[2] = ";v[.z9TeKI";
stringArray1[3] = "J]";
stringArray1[4] = "\"oUm{gR,JlRo06w6";
MergeSort.main(stringArray1);
assertEquals(5, stringArray1.length);
assertNotSame(stringArray1, stringArray0);
assertFalse(stringArray1.equals((Object)stringArray0));
String[] stringArray2 = new String[4];
assertFalse(stringArray2.equals((Object)stringArray1));
assertFalse(stringArray2.equals((Object)stringArray0));
stringArray2[0] = "";
stringArray2[1] = "MergeSort";
stringArray2[2] = "";
stringArray2[3] = "";
MergeSort.main(stringArray2);
assertEquals(4, stringArray2.length);
assertNotSame(stringArray2, stringArray1);
assertNotSame(stringArray2, stringArray0);
assertFalse(stringArray2.equals((Object)stringArray1));
assertFalse(stringArray2.equals((Object)stringArray0));
MergeSort.main((String[]) null);
int[] intArray0 = new int[0];
int[] intArray1 = MergeSort.mergeSorting(intArray0, 84775, 0);
assertArrayEquals(new int[] {}, intArray0);
assertArrayEquals(new int[] {}, intArray1);
assertEquals(0, intArray0.length);
assertEquals(0, intArray1.length);
assertNotNull(intArray1);
assertSame(intArray0, intArray1);
assertSame(intArray1, intArray0);
int[] intArray2 = MergeSort.mergeSorting(intArray0, (-44018), (-44018));
assertArrayEquals(new int[] {}, intArray0);
assertArrayEquals(new int[] {}, intArray2);
assertEquals(0, intArray0.length);
assertEquals(0, intArray2.length);
assertNotNull(intArray2);
assertSame(intArray0, intArray1);
assertSame(intArray0, intArray2);
assertSame(intArray2, intArray0);
assertSame(intArray2, intArray1);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
MergeSort mergeSort0 = new MergeSort();
assertNotNull(mergeSort0);
String[] stringArray0 = new String[4];
stringArray0[0] = "nzaa\"^>|FQcH0";
stringArray0[1] = "";
stringArray0[2] = ">M%";
stringArray0[3] = "";
MergeSort.main(stringArray0);
assertEquals(4, stringArray0.length);
String[] stringArray1 = new String[5];
assertFalse(stringArray1.equals((Object)stringArray0));
stringArray1[0] = "";
stringArray1[1] = "";
stringArray1[2] = "8`$LBV\"aa%;);W1P_t#";
stringArray1[3] = "o%$L(UqxSXu:QIWTP";
stringArray1[4] = "M(;g";
MergeSort.main(stringArray1);
assertEquals(5, stringArray1.length);
assertNotSame(stringArray1, stringArray0);
assertFalse(stringArray1.equals((Object)stringArray0));
String[] stringArray2 = new String[2];
assertFalse(stringArray2.equals((Object)stringArray1));
assertFalse(stringArray2.equals((Object)stringArray0));
stringArray2[0] = ")kMMV5@~Eein)SrO.";
stringArray2[1] = "MtH[~gMxB1m5nM";
MergeSort.main(stringArray2);
assertEquals(2, stringArray2.length);
assertNotSame(stringArray2, stringArray1);
assertNotSame(stringArray2, stringArray0);
assertFalse(stringArray2.equals((Object)stringArray1));
assertFalse(stringArray2.equals((Object)stringArray0));
String[] stringArray3 = new String[0];
assertFalse(stringArray3.equals((Object)stringArray1));
assertFalse(stringArray3.equals((Object)stringArray2));
assertFalse(stringArray3.equals((Object)stringArray0));
MergeSort.main(stringArray3);
assertEquals(0, stringArray3.length);
assertNotSame(stringArray3, stringArray1);
assertNotSame(stringArray3, stringArray2);
assertNotSame(stringArray3, stringArray0);
assertFalse(stringArray3.equals((Object)stringArray1));
assertFalse(stringArray3.equals((Object)stringArray2));
assertFalse(stringArray3.equals((Object)stringArray0));
int[] intArray0 = MergeSort.mergeSorting((int[]) null, 44476, (-39741));
assertNull(intArray0);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
int[] intArray0 = new int[3];
intArray0[0] = 0;
intArray0[1] = (-9554);
intArray0[2] = 1;
int[] intArray1 = MergeSort.mergeSorting(intArray0, 0, 0);
assertArrayEquals(new int[] {0, (-9554), 1}, intArray0);
assertArrayEquals(new int[] {0, (-9554), 1}, intArray1);
assertEquals(3, intArray0.length);
assertEquals(3, intArray1.length);
assertNotNull(intArray1);
assertSame(intArray0, intArray1);
assertSame(intArray1, intArray0);
}
@Test(timeout = 4000)
public void test4() throws Throwable {
String[] stringArray0 = new String[3];
stringArray0[0] = "BM:1R";
stringArray0[1] = "";
stringArray0[2] = "{Ax{Q.";
MergeSort.main(stringArray0);
assertEquals(3, stringArray0.length);
}
@Test(timeout = 4000)
public void test5() throws Throwable {
String[] stringArray0 = new String[4];
stringArray0[0] = "MergeSort";
stringArray0[1] = "N#EWh=e-_T&a";
stringArray0[2] = "MergeSort";
stringArray0[3] = "+";
MergeSort.main(stringArray0);
assertEquals(4, stringArray0.length);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 21:54: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 MergeSort_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "MergeSort";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpm9qotno5");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(MergeSort_ESTest_scaffolding.class.getClassLoader() ,
"MergeSort"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(MergeSort_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"MergeSort"
);
}
}
| 5,130 |
WritingFlowTree | import java.util.*;
import java.util.stream.*;
public class WritingFlowTree {
/* Used to output as fancy grammar text */
private static Set<String> terminals;
/*
Instance structure:
root node: "w_object"
node: "w_byte", null list
node: "w_object", null list
node: "<alternatives>" (ifElse only currently)
node: "<block>", IfBlockOfStmts as List<WritingFlowTree>
node: "<block>", elseBlockOfStmts or null as List<WritingFlowTree>
node: "<iteration>" (like while)
trees: blockOfStmts List<WritingFlowTree>
*/
public String value;
public List<WritingFlowTree> trees;
public String operator = "";
public List<String> arguments;
public WritingFlowTree(String value, List<WritingFlowTree> trees) {
this.value = value;
this.trees = trees;
}
public WritingFlowTree(String value) {
this(value, new ArrayList<WritingFlowTree>());
}
public Boolean isEmpty() {
return this.value == "<block>" && this.trees.size() == 0;
}
private String joinTrees(String sep, int indentDepth) {
return this.trees.stream()
.map(tree -> tree.toRawGrammarText(indentDepth))
.collect(Collectors.joining(sep));
}
private Void copyValuesFrom(WritingFlowTree wft) {
this.value = wft.value;
this.trees = wft.trees;
return null;
}
public WritingFlowTree simplify() {
// Reach the bottom via recursion and start from the bottom.
for (ListIterator<WritingFlowTree> it = this.trees.listIterator(); it.hasNext(); ) {
WritingFlowTree child = it.next();
child.simplify();
}
// All children are simplified, simplify yourself.
switch (this.value) {
case "<block>":
// Remove monoblocks, blocks with one statement.
if (this.trees.size() == 1) {
this.copyValuesFrom(this.trees.get(0));
}
break;
case "<chance>":
if (this.trees.get(0).value == "<chance>") {
this.copyValuesFrom(this.trees.get(0));
}
break;
case "<selection>":
// {if A else A} is the same as {A}
if (this.trees.size() > 1) {
int uniques =
this.trees.stream()
.map(WritingFlowTree::toRawGrammarText)
.collect(Collectors.toSet())
.size();
if (uniques == 1) {
this.copyValuesFrom(this.trees.get(0));
}
}
// <Selection>s inside <selection> can be merged into one big selection.
// F.e {a -> A, {a -> A, B}} becomes (A | (A | B)) => A | A | B -> A | B
for (ListIterator<WritingFlowTree> it = this.trees.listIterator(); it.hasNext(); ) {
WritingFlowTree child = it.next();
if (child.value == "<selection>") {
it.remove();
for (WritingFlowTree wft : child.trees) {
it.add(wft);
}
}
}
// Merge terminals of one type into one selection.
Map<String, Long> counted =
this.trees.stream()
.map(WritingFlowTree::toRawGrammarText)
.collect(Collectors.groupingBy(o -> o, Collectors.counting()));
for (ListIterator<WritingFlowTree> it = this.trees.listIterator(); it.hasNext(); ) {
WritingFlowTree child = it.next();
Long count = counted.get(child.toRawGrammarText());
if (count != null && count > 1) {
counted.put(child.toRawGrammarText(), count - 1);
it.remove();
}
}
// If selections only child is a star-iteration -- then it is star-iteration only.
if (this.trees.size() == 1) {
WritingFlowTree child = this.trees.get(0);
if (child.value.equals("<iteration>") && !child.operator.equals("do")) {
this.copyValuesFrom(child);
}
}
break;
case "<iteration>":
// If <iteration>'s only child is <iteration>, remove it.
if (this.trees.size() == 1 && this.trees.get(0).value.equals("<iteration>")) {
this.trees = this.trees.get(0).trees;
}
break;
}
return this;
}
public String toGrammarText(String name, Set<String> terminals) {
this.terminals = terminals;
return name.toLowerCase() + "\n : " + this.toRawGrammarText(2) + "\n ;";
}
public String toRawGrammarText() {
return this.toRawGrammarText(0);
}
public String toRawGrammarText(int indentDepth) {
String result;
switch (this.value) {
case "<block>":
return this.joinTrees(" ", indentDepth);
case "<chance>":
result = this.joinTrees("", indentDepth);
if (this.trees.get(0).value == "<iteration>") {
result = "(" + result + ")"; // To exclude non-greedy structures like foobar*?.
}
return result + "?";
case "<selection>":
String repeatedIndent =
new String(new char[indentDepth * 2])
.replace("\0", " "); // Hack to repeat character n times.
result = this.joinTrees("\n" + repeatedIndent + "| ", indentDepth + 1);
if (this.trees.size() != 1) {
result = "( " + result + "\n" + repeatedIndent + ")";
}
return result;
case "<iteration>":
result = this.joinTrees(" ", indentDepth);
if (this.trees.size() != 1) {
result = "(" + result + ")";
}
if (this.operator.equals("do")) return result + "+";
return result + "*";
default:
result = this.value.toLowerCase();
if (this.arguments != null) {
/*
// TODO: Extract useful information frim arguments like w_string length or labels.
result += "(" +this.arguments.stream().collect( Collectors.joining( ", " ) ) +")";
*/
}
return result;
}
}
}
| .version 52 0
.class public super WritingFlowTree
.super java/lang/Object
.field private static terminals Ljava/util/Set; .fieldattributes
.signature Ljava/util/Set<Ljava/lang/String;>;
.end fieldattributes
.field public value Ljava/lang/String;
.field public trees Ljava/util/List; .fieldattributes
.signature Ljava/util/List<LWritingFlowTree;>;
.end fieldattributes
.field public operator Ljava/lang/String;
.field public arguments 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: ldc ''
L7: putfield Field WritingFlowTree operator Ljava/lang/String;
L10: aload_0
L11: aload_1
L12: putfield Field WritingFlowTree value Ljava/lang/String;
L15: aload_0
L16: aload_2
L17: putfield Field WritingFlowTree trees Ljava/util/List;
L20: return
L21:
.linenumbertable
L0 25
L4 22
L10 26
L15 27
L20 28
.end linenumbertable
.end code
.signature (Ljava/lang/String;Ljava/util/List<LWritingFlowTree;>;)V
.end method
.method public <init> : (Ljava/lang/String;)V
.code stack 4 locals 2
L0: aload_0
L1: aload_1
L2: new java/util/ArrayList
L5: dup
L6: invokespecial Method java/util/ArrayList <init> ()V
L9: invokespecial Method WritingFlowTree <init> (Ljava/lang/String;Ljava/util/List;)V
L12: return
L13:
.linenumbertable
L0 30
L12 31
.end linenumbertable
.end code
.end method
.method public isEmpty : ()Ljava/lang/Boolean;
.code stack 2 locals 1
L0: aload_0
L1: getfield Field WritingFlowTree value Ljava/lang/String;
L4: ldc '<block>'
L6: if_acmpne L25
L9: aload_0
L10: getfield Field WritingFlowTree trees Ljava/util/List;
L13: invokeinterface InterfaceMethod java/util/List size ()I 1
L18: ifne L25
L21: iconst_1
L22: goto L26
.stack same
L25: iconst_0
.stack stack_1 Integer
L26: invokestatic Method java/lang/Boolean valueOf (Z)Ljava/lang/Boolean;
L29: areturn
L30:
.linenumbertable
L0 34
.end linenumbertable
.end code
.end method
.method private joinTrees : (Ljava/lang/String;I)Ljava/lang/String;
.code stack 2 locals 3
L0: aload_0
L1: getfield Field WritingFlowTree trees Ljava/util/List;
L4: invokeinterface InterfaceMethod java/util/List stream ()Ljava/util/stream/Stream; 1
L9: iload_2
L10: invokedynamic [id13]
L15: invokeinterface InterfaceMethod java/util/stream/Stream map (Ljava/util/function/Function;)Ljava/util/stream/Stream; 2
L20: aload_1
L21: invokestatic Method java/util/stream/Collectors joining (Ljava/lang/CharSequence;)Ljava/util/stream/Collector;
L24: invokeinterface InterfaceMethod java/util/stream/Stream collect (Ljava/util/stream/Collector;)Ljava/lang/Object; 2
L29: checkcast java/lang/String
L32: areturn
L33:
.linenumbertable
L0 38
L15 39
L21 40
L32 38
.end linenumbertable
.end code
.end method
.method private copyValuesFrom : (LWritingFlowTree;)Ljava/lang/Void;
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: getfield Field WritingFlowTree value Ljava/lang/String;
L5: putfield Field WritingFlowTree value Ljava/lang/String;
L8: aload_0
L9: aload_1
L10: getfield Field WritingFlowTree trees Ljava/util/List;
L13: putfield Field WritingFlowTree trees Ljava/util/List;
L16: aconst_null
L17: areturn
L18:
.linenumbertable
L0 44
L8 45
L16 46
.end linenumbertable
.end code
.end method
.method public simplify : ()LWritingFlowTree;
.code stack 6 locals 7
L0: aload_0
L1: getfield Field WritingFlowTree trees Ljava/util/List;
L4: invokeinterface InterfaceMethod java/util/List listIterator ()Ljava/util/ListIterator; 1
L9: astore_1
.stack append Object java/util/ListIterator
L10: aload_1
L11: invokeinterface InterfaceMethod java/util/ListIterator hasNext ()Z 1
L16: ifeq L37
L19: aload_1
L20: invokeinterface InterfaceMethod java/util/ListIterator next ()Ljava/lang/Object; 1
L25: checkcast WritingFlowTree
L28: astore_2
L29: aload_2
L30: invokevirtual Method WritingFlowTree simplify ()LWritingFlowTree;
L33: pop
L34: goto L10
.stack chop 1
L37: aload_0
L38: getfield Field WritingFlowTree value Ljava/lang/String;
L41: astore_1
L42: iconst_m1
L43: istore_2
L44: aload_1
L45: invokevirtual Method java/lang/String hashCode ()I
L48: lookupswitch
-2098223762 : L120
-2066622514 : L106
324448397 : L92
2100482621 : L134
default : L145
.stack append Object java/lang/String Integer
L92: aload_1
L93: ldc '<block>'
L95: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z
L98: ifeq L145
L101: iconst_0
L102: istore_2
L103: goto L145
.stack same
L106: aload_1
L107: ldc '<chance>'
L109: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z
L112: ifeq L145
L115: iconst_1
L116: istore_2
L117: goto L145
.stack same
L120: aload_1
L121: ldc '<selection>'
L123: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z
L126: ifeq L145
L129: iconst_2
L130: istore_2
L131: goto L145
.stack same
L134: aload_1
L135: ldc '<iteration>'
L137: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z
L140: ifeq L145
L143: iconst_3
L144: istore_2
.stack same
L145: iload_2
L146: tableswitch 0
L176
L210
L252
L617
default : L674
.stack same
L176: aload_0
L177: getfield Field WritingFlowTree trees Ljava/util/List;
L180: invokeinterface InterfaceMethod java/util/List size ()I 1
L185: iconst_1
L186: if_icmpne L674
L189: aload_0
L190: aload_0
L191: getfield Field WritingFlowTree trees Ljava/util/List;
L194: iconst_0
L195: invokeinterface InterfaceMethod java/util/List get (I)Ljava/lang/Object; 2
L200: checkcast WritingFlowTree
L203: invokespecial Method WritingFlowTree copyValuesFrom (LWritingFlowTree;)Ljava/lang/Void;
L206: pop
L207: goto L674
.stack same
L210: aload_0
L211: getfield Field WritingFlowTree trees Ljava/util/List;
L214: iconst_0
L215: invokeinterface InterfaceMethod java/util/List get (I)Ljava/lang/Object; 2
L220: checkcast WritingFlowTree
L223: getfield Field WritingFlowTree value Ljava/lang/String;
L226: ldc '<chance>'
L228: if_acmpne L674
L231: aload_0
L232: aload_0
L233: getfield Field WritingFlowTree trees Ljava/util/List;
L236: iconst_0
L237: invokeinterface InterfaceMethod java/util/List get (I)Ljava/lang/Object; 2
L242: checkcast WritingFlowTree
L245: invokespecial Method WritingFlowTree copyValuesFrom (LWritingFlowTree;)Ljava/lang/Void;
L248: pop
L249: goto L674
.stack same
L252: aload_0
L253: getfield Field WritingFlowTree trees Ljava/util/List;
L256: invokeinterface InterfaceMethod java/util/List size ()I 1
L261: iconst_1
L262: if_icmple L324
L265: aload_0
L266: getfield Field WritingFlowTree trees Ljava/util/List;
L269: invokeinterface InterfaceMethod java/util/List stream ()Ljava/util/stream/Stream; 1
L274: invokedynamic [id30]
L279: invokeinterface InterfaceMethod java/util/stream/Stream map (Ljava/util/function/Function;)Ljava/util/stream/Stream; 2
L284: invokestatic Method java/util/stream/Collectors toSet ()Ljava/util/stream/Collector;
L287: invokeinterface InterfaceMethod java/util/stream/Stream collect (Ljava/util/stream/Collector;)Ljava/lang/Object; 2
L292: checkcast java/util/Set
L295: invokeinterface InterfaceMethod java/util/Set size ()I 1
L300: istore_3
L301: iload_3
L302: iconst_1
L303: if_icmpne L324
L306: aload_0
L307: aload_0
L308: getfield Field WritingFlowTree trees Ljava/util/List;
L311: iconst_0
L312: invokeinterface InterfaceMethod java/util/List get (I)Ljava/lang/Object; 2
L317: checkcast WritingFlowTree
L320: invokespecial Method WritingFlowTree copyValuesFrom (LWritingFlowTree;)Ljava/lang/Void;
L323: pop
.stack same_extended
L324: aload_0
L325: getfield Field WritingFlowTree trees Ljava/util/List;
L328: invokeinterface InterfaceMethod java/util/List listIterator ()Ljava/util/ListIterator; 1
L333: astore_3
.stack append Object java/util/ListIterator
L334: aload_3
L335: invokeinterface InterfaceMethod java/util/ListIterator hasNext ()Z 1
L340: ifeq L418
L343: aload_3
L344: invokeinterface InterfaceMethod java/util/ListIterator next ()Ljava/lang/Object; 1
L349: checkcast WritingFlowTree
L352: astore 4
L354: aload 4
L356: getfield Field WritingFlowTree value Ljava/lang/String;
L359: ldc '<selection>'
L361: if_acmpne L415
L364: aload_3
L365: invokeinterface InterfaceMethod java/util/ListIterator remove ()V 1
L370: aload 4
L372: getfield Field WritingFlowTree trees Ljava/util/List;
L375: invokeinterface InterfaceMethod java/util/List iterator ()Ljava/util/Iterator; 1
L380: astore 5
.stack append Object WritingFlowTree Object java/util/Iterator
L382: aload 5
L384: invokeinterface InterfaceMethod java/util/Iterator hasNext ()Z 1
L389: ifeq L415
L392: aload 5
L394: invokeinterface InterfaceMethod java/util/Iterator next ()Ljava/lang/Object; 1
L399: checkcast WritingFlowTree
L402: astore 6
L404: aload_3
L405: aload 6
L407: invokeinterface InterfaceMethod java/util/ListIterator add (Ljava/lang/Object;)V 2
L412: goto L382
.stack chop 2
L415: goto L334
.stack chop 1
L418: aload_0
L419: getfield Field WritingFlowTree trees Ljava/util/List;
L422: invokeinterface InterfaceMethod java/util/List stream ()Ljava/util/stream/Stream; 1
L427: invokedynamic [id30]
L432: invokeinterface InterfaceMethod java/util/stream/Stream map (Ljava/util/function/Function;)Ljava/util/stream/Stream; 2
L437: invokedynamic [id39]
L442: invokestatic Method java/util/stream/Collectors counting ()Ljava/util/stream/Collector;
L445: invokestatic Method java/util/stream/Collectors groupingBy (Ljava/util/function/Function;Ljava/util/stream/Collector;)Ljava/util/stream/Collector;
L448: invokeinterface InterfaceMethod java/util/stream/Stream collect (Ljava/util/stream/Collector;)Ljava/lang/Object; 2
L453: checkcast java/util/Map
L456: astore_3
L457: aload_0
L458: getfield Field WritingFlowTree trees Ljava/util/List;
L461: invokeinterface InterfaceMethod java/util/List listIterator ()Ljava/util/ListIterator; 1
L466: astore 4
.stack append Object java/util/Map Object java/util/ListIterator
L468: aload 4
L470: invokeinterface InterfaceMethod java/util/ListIterator hasNext ()Z 1
L475: ifeq L553
L478: aload 4
L480: invokeinterface InterfaceMethod java/util/ListIterator next ()Ljava/lang/Object; 1
L485: checkcast WritingFlowTree
L488: astore 5
L490: aload_3
L491: aload 5
L493: invokevirtual Method WritingFlowTree toRawGrammarText ()Ljava/lang/String;
L496: invokeinterface InterfaceMethod java/util/Map get (Ljava/lang/Object;)Ljava/lang/Object; 2
L501: checkcast java/lang/Long
L504: astore 6
L506: aload 6
L508: ifnull L550
L511: aload 6
L513: invokevirtual Method java/lang/Long longValue ()J
L516: lconst_1
L517: lcmp
L518: ifle L550
L521: aload_3
L522: aload 5
L524: invokevirtual Method WritingFlowTree toRawGrammarText ()Ljava/lang/String;
L527: aload 6
L529: invokevirtual Method java/lang/Long longValue ()J
L532: lconst_1
L533: lsub
L534: invokestatic Method java/lang/Long valueOf (J)Ljava/lang/Long;
L537: invokeinterface InterfaceMethod java/util/Map put (Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; 3
L542: pop
L543: aload 4
L545: invokeinterface InterfaceMethod java/util/ListIterator remove ()V 1
.stack same_extended
L550: goto L468
.stack chop 1
L553: aload_0
L554: getfield Field WritingFlowTree trees Ljava/util/List;
L557: invokeinterface InterfaceMethod java/util/List size ()I 1
L562: iconst_1
L563: if_icmpne L674
L566: aload_0
L567: getfield Field WritingFlowTree trees Ljava/util/List;
L570: iconst_0
L571: invokeinterface InterfaceMethod java/util/List get (I)Ljava/lang/Object; 2
L576: checkcast WritingFlowTree
L579: astore 4
L581: aload 4
L583: getfield Field WritingFlowTree value Ljava/lang/String;
L586: ldc '<iteration>'
L588: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z
L591: ifeq L614
L594: aload 4
L596: getfield Field WritingFlowTree operator Ljava/lang/String;
L599: ldc 'do'
L601: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z
L604: ifne L614
L607: aload_0
L608: aload 4
L610: invokespecial Method WritingFlowTree copyValuesFrom (LWritingFlowTree;)Ljava/lang/Void;
L613: pop
.stack same
L614: goto L674
.stack chop 1
L617: aload_0
L618: getfield Field WritingFlowTree trees Ljava/util/List;
L621: invokeinterface InterfaceMethod java/util/List size ()I 1
L626: iconst_1
L627: if_icmpne L674
L630: aload_0
L631: getfield Field WritingFlowTree trees Ljava/util/List;
L634: iconst_0
L635: invokeinterface InterfaceMethod java/util/List get (I)Ljava/lang/Object; 2
L640: checkcast WritingFlowTree
L643: getfield Field WritingFlowTree value Ljava/lang/String;
L646: ldc '<iteration>'
L648: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z
L651: ifeq L674
L654: aload_0
L655: aload_0
L656: getfield Field WritingFlowTree trees Ljava/util/List;
L659: iconst_0
L660: invokeinterface InterfaceMethod java/util/List get (I)Ljava/lang/Object; 2
L665: checkcast WritingFlowTree
L668: getfield Field WritingFlowTree trees Ljava/util/List;
L671: putfield Field WritingFlowTree trees Ljava/util/List;
.stack chop 2
L674: aload_0
L675: areturn
L676:
.linenumbertable
L0 51
L19 52
L29 53
L34 54
L37 56
L176 59
L189 60
L210 64
L231 65
L252 70
L265 71
L269 72
L279 73
L284 74
L295 75
L301 76
L306 77
L324 82
L343 83
L354 84
L364 85
L370 86
L404 87
L412 88
L415 90
L418 92
L432 93
L442 94
L457 95
L478 96
L490 97
L506 98
L521 99
L543 100
L550 102
L553 104
L566 105
L581 106
L607 107
L614 109
L617 114
L654 115
L674 119
.end linenumbertable
.end code
.end method
.method public toGrammarText : (Ljava/lang/String;Ljava/util/Set;)Ljava/lang/String;
.code stack 3 locals 3
L0: aload_0
L1: pop
L2: aload_2
L3: putstatic Field WritingFlowTree terminals Ljava/util/Set;
L6: new java/lang/StringBuilder
L9: dup
L10: invokespecial Method java/lang/StringBuilder <init> ()V
L13: aload_1
L14: invokevirtual Method java/lang/String toLowerCase ()Ljava/lang/String;
L17: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L20: ldc '\n : '
L22: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L25: aload_0
L26: iconst_2
L27: invokevirtual Method WritingFlowTree toRawGrammarText (I)Ljava/lang/String;
L30: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L33: ldc '\n ;'
L35: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L38: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L41: areturn
L42:
.linenumbertable
L0 123
L6 124
.end linenumbertable
.end code
.signature (Ljava/lang/String;Ljava/util/Set<Ljava/lang/String;>;)Ljava/lang/String;
.end method
.method public toRawGrammarText : ()Ljava/lang/String;
.code stack 2 locals 1
L0: aload_0
L1: iconst_0
L2: invokevirtual Method WritingFlowTree toRawGrammarText (I)Ljava/lang/String;
L5: areturn
L6:
.linenumbertable
L0 128
.end linenumbertable
.end code
.end method
.method public toRawGrammarText : (I)Ljava/lang/String;
.code stack 4 locals 6
L0: aload_0
L1: getfield Field WritingFlowTree value Ljava/lang/String;
L4: astore_3
L5: iconst_m1
L6: istore 4
L8: aload_3
L9: invokevirtual Method java/lang/String hashCode ()I
L12: lookupswitch
-2098223762 : L86
-2066622514 : L71
324448397 : L56
2100482621 : L101
default : L113
.stack append Top Object java/lang/String Integer
L56: aload_3
L57: ldc '<block>'
L59: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z
L62: ifeq L113
L65: iconst_0
L66: istore 4
L68: goto L113
.stack same
L71: aload_3
L72: ldc '<chance>'
L74: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z
L77: ifeq L113
L80: iconst_1
L81: istore 4
L83: goto L113
.stack same
L86: aload_3
L87: ldc '<selection>'
L89: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z
L92: ifeq L113
L95: iconst_2
L96: istore 4
L98: goto L113
.stack same
L101: aload_3
L102: ldc '<iteration>'
L104: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z
L107: ifeq L113
L110: iconst_3
L111: istore 4
.stack same
L113: iload 4
L115: tableswitch 0
L144
L152
L226
L330
default : L428
.stack same
L144: aload_0
L145: ldc ' '
L147: iload_1
L148: invokespecial Method WritingFlowTree joinTrees (Ljava/lang/String;I)Ljava/lang/String;
L151: areturn
.stack same
L152: aload_0
L153: ldc ''
L155: iload_1
L156: invokespecial Method WritingFlowTree joinTrees (Ljava/lang/String;I)Ljava/lang/String;
L159: astore_2
L160: aload_0
L161: getfield Field WritingFlowTree trees Ljava/util/List;
L164: iconst_0
L165: invokeinterface InterfaceMethod java/util/List get (I)Ljava/lang/Object; 2
L170: checkcast WritingFlowTree
L173: getfield Field WritingFlowTree value Ljava/lang/String;
L176: ldc '<iteration>'
L178: if_acmpne L206
L181: new java/lang/StringBuilder
L184: dup
L185: invokespecial Method java/lang/StringBuilder <init> ()V
L188: ldc '('
L190: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L193: aload_2
L194: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L197: ldc ')'
L199: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L202: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L205: astore_2
.stack full
locals Object WritingFlowTree Integer Object java/lang/String Object java/lang/String Integer
stack
.end stack
L206: new java/lang/StringBuilder
L209: dup
L210: invokespecial Method java/lang/StringBuilder <init> ()V
L213: aload_2
L214: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L217: ldc '?'
L219: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L222: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L225: areturn
.stack full
locals Object WritingFlowTree Integer Top Object java/lang/String Integer
stack
.end stack
L226: new java/lang/String
L229: dup
L230: iload_1
L231: iconst_2
L232: imul
L233: newarray char
L235: invokespecial Method java/lang/String <init> ([C)V
L238: ldc '\x00'
L240: ldc ' '
L242: invokevirtual Method java/lang/String replace (Ljava/lang/CharSequence;Ljava/lang/CharSequence;)Ljava/lang/String;
L245: astore 5
L247: aload_0
L248: new java/lang/StringBuilder
L251: dup
L252: invokespecial Method java/lang/StringBuilder <init> ()V
L255: ldc '\n'
L257: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L260: aload 5
L262: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L265: ldc '| '
L267: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L270: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L273: iload_1
L274: iconst_1
L275: iadd
L276: invokespecial Method WritingFlowTree joinTrees (Ljava/lang/String;I)Ljava/lang/String;
L279: astore_2
L280: aload_0
L281: getfield Field WritingFlowTree trees Ljava/util/List;
L284: invokeinterface InterfaceMethod java/util/List size ()I 1
L289: iconst_1
L290: if_icmpeq L328
L293: new java/lang/StringBuilder
L296: dup
L297: invokespecial Method java/lang/StringBuilder <init> ()V
L300: ldc '( '
L302: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L305: aload_2
L306: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L309: ldc '\n'
L311: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L314: aload 5
L316: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L319: ldc ')'
L321: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L324: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L327: astore_2
.stack full
locals Object WritingFlowTree Integer Object java/lang/String Object java/lang/String Integer Object java/lang/String
stack
.end stack
L328: aload_2
L329: areturn
.stack full
locals Object WritingFlowTree Integer Top Object java/lang/String Integer
stack
.end stack
L330: aload_0
L331: ldc ' '
L333: iload_1
L334: invokespecial Method WritingFlowTree joinTrees (Ljava/lang/String;I)Ljava/lang/String;
L337: astore_2
L338: aload_0
L339: getfield Field WritingFlowTree trees Ljava/util/List;
L342: invokeinterface InterfaceMethod java/util/List size ()I 1
L347: iconst_1
L348: if_icmpeq L376
L351: new java/lang/StringBuilder
L354: dup
L355: invokespecial Method java/lang/StringBuilder <init> ()V
L358: ldc '('
L360: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L363: aload_2
L364: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L367: ldc ')'
L369: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L372: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L375: astore_2
.stack full
locals Object WritingFlowTree Integer Object java/lang/String Object java/lang/String Integer
stack
.end stack
L376: aload_0
L377: getfield Field WritingFlowTree operator Ljava/lang/String;
L380: ldc 'do'
L382: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z
L385: ifeq L408
L388: new java/lang/StringBuilder
L391: dup
L392: invokespecial Method java/lang/StringBuilder <init> ()V
L395: aload_2
L396: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L399: ldc '+'
L401: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L404: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L407: areturn
.stack same
L408: new java/lang/StringBuilder
L411: dup
L412: invokespecial Method java/lang/StringBuilder <init> ()V
L415: aload_2
L416: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L419: ldc '*'
L421: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L424: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L427: areturn
.stack full
locals Object WritingFlowTree Integer Top Object java/lang/String Integer
stack
.end stack
L428: aload_0
L429: getfield Field WritingFlowTree value Ljava/lang/String;
L432: invokevirtual Method java/lang/String toLowerCase ()Ljava/lang/String;
L435: astore_2
L436: aload_0
L437: getfield Field WritingFlowTree arguments Ljava/util/List;
L440: ifnull L443
.stack full
locals Object WritingFlowTree Integer Object java/lang/String Object java/lang/String Integer
stack
.end stack
L443: aload_2
L444: areturn
L445:
.linenumbertable
L0 133
L144 135
L152 137
L160 138
L181 139
L206 141
L226 143
L247 144
L280 145
L293 146
L328 148
L330 150
L338 151
L351 152
L376 154
L388 155
L408 156
L428 158
L436 159
L443 165
.end linenumbertable
.end code
.end method
.method private static synthetic lambda$simplify$1 : (Ljava/lang/String;)Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: areturn
L2:
.linenumbertable
L0 94
.end linenumbertable
.end code
.end method
.method private static synthetic lambda$joinTrees$0 : (ILWritingFlowTree;)Ljava/lang/String;
.code stack 2 locals 2
L0: aload_1
L1: iload_0
L2: invokevirtual Method WritingFlowTree toRawGrammarText (I)Ljava/lang/String;
L5: areturn
L6:
.linenumbertable
L0 39
.end linenumbertable
.end code
.end method
.sourcefile 'WritingFlowTree.java'
.innerclasses
java/lang/invoke/MethodHandles$Lookup java/lang/invoke/MethodHandles Lookup public static final
.end innerclasses
.const [id13] = 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; MethodHandle invokeStatic Method WritingFlowTree lambda$joinTrees$0 (ILWritingFlowTree;)Ljava/lang/String; MethodType (LWritingFlowTree;)Ljava/lang/String; : apply (I)Ljava/util/function/Function;
.const [id30] = 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; MethodHandle invokeVirtual Method WritingFlowTree toRawGrammarText ()Ljava/lang/String; MethodType (LWritingFlowTree;)Ljava/lang/String; : apply ()Ljava/util/function/Function;
.const [id39] = 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; MethodHandle invokeStatic Method WritingFlowTree lambda$simplify$1 (Ljava/lang/String;)Ljava/lang/String; MethodType (Ljava/lang/String;)Ljava/lang/String; : apply ()Ljava/util/function/Function;
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 08:37:56 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import static org.evosuite.runtime.EvoAssertions.*;
import java.util.LinkedHashSet;
import java.util.LinkedList;
import java.util.List;
import java.util.NoSuchElementException;
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 WritingFlowTree_ESTest extends WritingFlowTree_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
WritingFlowTree writingFlowTree0 = new WritingFlowTree("]+ }tr>OCaNR(N\"Hp");
writingFlowTree0.operator = "+";
writingFlowTree0.operator = "]+ }tr>OCaNR(N\"Hp";
writingFlowTree0.toRawGrammarText();
writingFlowTree0.toRawGrammarText((-8043));
writingFlowTree0.isEmpty();
writingFlowTree0.toGrammarText("]+ }tr>OCaNR(N\"Hp", (Set<String>) null);
writingFlowTree0.toRawGrammarText(0);
Boolean boolean0 = writingFlowTree0.isEmpty();
assertFalse(boolean0);
writingFlowTree0.toRawGrammarText((-8043));
LinkedHashSet<String> linkedHashSet0 = new LinkedHashSet<String>(0);
writingFlowTree0.toGrammarText("]+ }tr>ocanr(n\"hp", linkedHashSet0);
writingFlowTree0.toRawGrammarText();
writingFlowTree0.toRawGrammarText((-8043));
writingFlowTree0.toRawGrammarText();
writingFlowTree0.toRawGrammarText((-8043));
writingFlowTree0.toRawGrammarText(0);
LinkedHashSet<String> linkedHashSet1 = new LinkedHashSet<String>();
String string0 = writingFlowTree0.toGrammarText("+", linkedHashSet1);
assertEquals("+\n : ]+ }tr>ocanr(n\"hp\n ;", string0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
WritingFlowTree writingFlowTree0 = new WritingFlowTree("7");
LinkedList<WritingFlowTree> linkedList0 = new LinkedList<WritingFlowTree>();
writingFlowTree0.trees = (List<WritingFlowTree>) linkedList0;
writingFlowTree0.toRawGrammarText();
LinkedList<String> linkedList1 = new LinkedList<String>();
writingFlowTree0.arguments = (List<String>) linkedList1;
writingFlowTree0.toRawGrammarText();
List<String> list0 = null;
// Undeclared exception!
try {
linkedList1.remove();
fail("Expecting exception: NoSuchElementException");
} catch(NoSuchElementException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("java.util.LinkedList", e);
}
}
@Test(timeout = 4000)
public void test2() throws Throwable {
LinkedList<WritingFlowTree> linkedList0 = new LinkedList<WritingFlowTree>();
WritingFlowTree writingFlowTree0 = new WritingFlowTree("", linkedList0);
Boolean boolean0 = writingFlowTree0.isEmpty();
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
String string0 = "<chance>";
LinkedList<WritingFlowTree> linkedList0 = new LinkedList<WritingFlowTree>();
linkedList0.listIterator();
WritingFlowTree writingFlowTree0 = new WritingFlowTree("<chance>", linkedList0);
// Undeclared exception!
try {
writingFlowTree0.simplify();
fail("Expecting exception: IndexOutOfBoundsException");
} catch(IndexOutOfBoundsException e) {
//
// Index: 0, Size: 0
//
verifyException("java.util.LinkedList", e);
}
}
@Test(timeout = 4000)
public void test4() throws Throwable {
LinkedList<WritingFlowTree> linkedList0 = new LinkedList<WritingFlowTree>();
WritingFlowTree writingFlowTree0 = new WritingFlowTree("", linkedList0);
WritingFlowTree writingFlowTree1 = writingFlowTree0.simplify();
assertSame(writingFlowTree0, writingFlowTree1);
}
@Test(timeout = 4000)
public void test5() throws Throwable {
WritingFlowTree writingFlowTree0 = new WritingFlowTree("?");
LinkedList<WritingFlowTree> linkedList0 = new LinkedList<WritingFlowTree>();
writingFlowTree0.trees = (List<WritingFlowTree>) linkedList0;
writingFlowTree0.operator = "?";
writingFlowTree0.toRawGrammarText();
String string0 = writingFlowTree0.toRawGrammarText();
assertEquals("?", string0);
Boolean boolean0 = writingFlowTree0.isEmpty();
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test6() throws Throwable {
WritingFlowTree writingFlowTree0 = new WritingFlowTree("");
WritingFlowTree writingFlowTree1 = writingFlowTree0.simplify();
writingFlowTree0.operator = "";
writingFlowTree0.arguments = null;
writingFlowTree0.value = "";
writingFlowTree1.toRawGrammarText();
WritingFlowTree writingFlowTree2 = writingFlowTree1.simplify();
writingFlowTree2.simplify();
writingFlowTree1.toRawGrammarText(2100482621);
writingFlowTree2.arguments = null;
writingFlowTree1.isEmpty();
WritingFlowTree writingFlowTree3 = writingFlowTree1.simplify();
writingFlowTree3.operator = "";
writingFlowTree3.toRawGrammarText(2100482621);
writingFlowTree1.toRawGrammarText();
writingFlowTree0.toRawGrammarText(0);
writingFlowTree3.toRawGrammarText();
writingFlowTree1.toRawGrammarText(2100482621);
writingFlowTree1.toRawGrammarText((-45765));
writingFlowTree0.isEmpty();
writingFlowTree0.toRawGrammarText((-45765));
writingFlowTree1.isEmpty();
writingFlowTree1.isEmpty();
WritingFlowTree writingFlowTree4 = writingFlowTree0.simplify();
writingFlowTree4.arguments = null;
WritingFlowTree writingFlowTree5 = writingFlowTree2.simplify();
LinkedHashSet<String> linkedHashSet0 = new LinkedHashSet<String>();
writingFlowTree3.toGrammarText("<chance>", linkedHashSet0);
String string0 = writingFlowTree1.toGrammarText("", linkedHashSet0);
assertEquals("\n : \n ;", string0);
Boolean boolean0 = writingFlowTree3.isEmpty();
assertFalse(boolean0);
writingFlowTree5.simplify();
assertFalse(writingFlowTree0.isEmpty());
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 08:37:56 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class WritingFlowTree_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "WritingFlowTree";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpgmyv9gpd");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(WritingFlowTree_ESTest_scaffolding.class.getClassLoader() ,
"WritingFlowTree"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(WritingFlowTree_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"WritingFlowTree"
);
}
}
| 5,131 |
GlydarLogRecord | import java.util.logging.Level;
import java.util.logging.LogRecord;
public class GlydarLogRecord extends LogRecord {
private static final long serialVersionUID = -8178899715814412568L;
private final String prefix;
public GlydarLogRecord(Level level, String message, String prefix) {
super(level, message);
this.prefix = prefix;
}
public String getPrefix() {
return prefix;
}
}
| .version 52 0
.class public super GlydarLogRecord
.super java/util/logging/LogRecord
.field private static final serialVersionUID J = -8178899715814412568L
.field private final prefix Ljava/lang/String;
.method public <init> : (Ljava/util/logging/Level;Ljava/lang/String;Ljava/lang/String;)V
.code stack 3 locals 4
L0: aload_0
L1: aload_1
L2: aload_2
L3: invokespecial Method java/util/logging/LogRecord <init> (Ljava/util/logging/Level;Ljava/lang/String;)V
L6: aload_0
L7: aload_3
L8: putfield Field GlydarLogRecord prefix Ljava/lang/String;
L11: return
L12:
.linenumbertable
L0 13
L6 14
L11 15
.end linenumbertable
.end code
.end method
.method public getPrefix : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field GlydarLogRecord prefix Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 18
.end linenumbertable
.end code
.end method
.sourcefile 'GlydarLogRecord.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Mon Jul 04 03:37:48 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import java.util.logging.Level;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class GlydarLogRecord_ESTest extends GlydarLogRecord_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
Level level0 = Level.WARNING;
GlydarLogRecord glydarLogRecord0 = new GlydarLogRecord(level0, (String) null, (String) null);
String string0 = glydarLogRecord0.getPrefix();
assertNull(string0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
Level level0 = Level.INFO;
GlydarLogRecord glydarLogRecord0 = new GlydarLogRecord(level0, "", "");
String string0 = glydarLogRecord0.getPrefix();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
Level level0 = Level.CONFIG;
GlydarLogRecord glydarLogRecord0 = new GlydarLogRecord(level0, "WIH?\"o-}tbjz)x]|~X", "WIH?\"o-}tbjz)x]|~X");
String string0 = glydarLogRecord0.getPrefix();
assertEquals("WIH?\"o-}tbjz)x]|~X", string0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 03:37: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 GlydarLogRecord_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "GlydarLogRecord";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmppwf4yyrf");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(GlydarLogRecord_ESTest_scaffolding.class.getClassLoader() ,
"GlydarLogRecord"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(GlydarLogRecord_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"GlydarLogRecord"
);
}
}
| 5,132 |
Child | /*******************************************************************************
* Copyright (c) 1998, 2015 Oracle and/or its affiliates. All rights reserved.
* This program and the accompanying materials are made available under the
* terms of the Eclipse Public License v1.0 and Eclipse Distribution License v. 1.0
* which accompanies this distribution.
* The Eclipse Public License is available at http://www.eclipse.org/legal/epl-v10.html
* and the Eclipse Distribution License is available at
* http://www.eclipse.org/org/documents/edl-v10.php.
*
* Contributors:
* Oracle - initial API and implementation from Oracle TopLink
******************************************************************************/
/**
* @version $Header: Child.java 07-apr-2005.15:35:47 mmacivor Exp $
* @author mmacivor
* @since release specific (what release of product did this appear in)
*/
public class Child {
private String content;
public String getContent() {
return content;
}
public void setContent(String c) {
content = c;
}
public boolean equals(Object object) {
if (object instanceof Child) {
if ((content == null) && (((Child) object).getContent() == null)) {
return true;
}
return this.content.equals(((Child) object).getContent());
}
return false;
}
public String toString() {
return "Child: " + content + "\n";
}
}
| .version 52 0
.class public super Child
.super java/lang/Object
.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 20
.end linenumbertable
.end code
.end method
.method public getContent : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Child content Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 24
.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 Child content Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 27
L5 28
.end linenumbertable
.end code
.end method
.method public equals : (Ljava/lang/Object;)Z
.code stack 2 locals 2
L0: aload_1
L1: instanceof Child
L4: ifeq L41
L7: aload_0
L8: getfield Field Child content Ljava/lang/String;
L11: ifnonnull L26
L14: aload_1
L15: checkcast Child
L18: invokevirtual Method Child getContent ()Ljava/lang/String;
L21: ifnonnull L26
L24: iconst_1
L25: ireturn
.stack same
L26: aload_0
L27: getfield Field Child content Ljava/lang/String;
L30: aload_1
L31: checkcast Child
L34: invokevirtual Method Child getContent ()Ljava/lang/String;
L37: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z
L40: ireturn
.stack same
L41: iconst_0
L42: ireturn
L43:
.linenumbertable
L0 31
L7 32
L24 33
L26 35
L41 37
.end linenumbertable
.end code
.end method
.method public toString : ()Ljava/lang/String;
.code stack 2 locals 1
L0: new java/lang/StringBuilder
L3: dup
L4: invokespecial Method java/lang/StringBuilder <init> ()V
L7: ldc 'Child: '
L9: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L12: aload_0
L13: getfield Field Child content Ljava/lang/String;
L16: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L19: ldc '\n'
L21: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L24: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L27: areturn
L28:
.linenumbertable
L0 40
.end linenumbertable
.end code
.end method
.sourcefile 'Child.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 15:08: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 Child_ESTest extends Child_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
Child child0 = new Child();
child0.setContent("w(G)?Gh4k");
String string0 = child0.getContent();
assertEquals("w(G)?Gh4k", string0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
Child child0 = new Child();
child0.setContent("");
String string0 = child0.getContent();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
Child child0 = new Child();
String string0 = child0.getContent();
assertNull(string0);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
Child child0 = new Child();
child0.setContent("N`$?a&bR^>IqO.A!@]");
Child child1 = new Child();
// Undeclared exception!
try {
child1.equals(child0);
fail("Expecting exception: NullPointerException");
} catch(NullPointerException e) {
}
}
@Test(timeout = 4000)
public void test4() throws Throwable {
Child child0 = new Child();
boolean boolean0 = child0.equals("Child: null\n");
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test5() throws Throwable {
Child child0 = new Child();
child0.setContent("Child: null\n");
boolean boolean0 = child0.equals(child0);
assertTrue(boolean0);
}
@Test(timeout = 4000)
public void test6() throws Throwable {
Child child0 = new Child();
String string0 = child0.toString();
assertEquals("Child: null\n", string0);
}
@Test(timeout = 4000)
public void test7() throws Throwable {
Child child0 = new Child();
boolean boolean0 = child0.equals(child0);
assertTrue(boolean0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 15:08: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 Child_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Child";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpxg46vobd");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Child_ESTest_scaffolding.class.getClassLoader() ,
"Child"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Child_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Child"
);
}
}
| 5,133 |
JsonError | public class JsonError {
private String errorMessage;
private String errorCode;
public String getErrorCode() {
return errorCode;
}
public void setErrorCode(String errorCode) {
this.errorCode = errorCode;
}
public String getErrorMessage() {
return errorMessage;
}
public void setErrorMessage(String errorMessage) {
this.errorMessage = errorMessage;
}
}
| .version 52 0
.class public super JsonError
.super java/lang/Object
.field private errorMessage Ljava/lang/String;
.field private errorCode 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 getErrorCode : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field JsonError errorCode Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 9
.end linenumbertable
.end code
.end method
.method public setErrorCode : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field JsonError errorCode Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 13
L5 14
.end linenumbertable
.end code
.end method
.method public getErrorMessage : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field JsonError errorMessage Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 17
.end linenumbertable
.end code
.end method
.method public setErrorMessage : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field JsonError errorMessage Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 21
L5 22
.end linenumbertable
.end code
.end method
.sourcefile 'JsonError.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 08:13:07 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class JsonError_ESTest extends JsonError_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
JsonError jsonError0 = new JsonError();
jsonError0.setErrorMessage("iEdz");
String string0 = jsonError0.getErrorMessage();
assertEquals("iEdz", string0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
JsonError jsonError0 = new JsonError();
jsonError0.setErrorCode(" zL");
String string0 = jsonError0.getErrorCode();
assertEquals(" zL", string0);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
JsonError jsonError0 = new JsonError();
jsonError0.setErrorCode("");
String string0 = jsonError0.getErrorCode();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
JsonError jsonError0 = new JsonError();
String string0 = jsonError0.getErrorCode();
assertNull(string0);
}
@Test(timeout = 4000)
public void test4() throws Throwable {
JsonError jsonError0 = new JsonError();
String string0 = jsonError0.getErrorMessage();
assertNull(string0);
}
@Test(timeout = 4000)
public void test5() throws Throwable {
JsonError jsonError0 = new JsonError();
jsonError0.setErrorMessage("");
String string0 = jsonError0.getErrorMessage();
assertEquals("", string0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 08:13:07 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class JsonError_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "JsonError";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp17wxy6_4");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(JsonError_ESTest_scaffolding.class.getClassLoader() ,
"JsonError"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(JsonError_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"JsonError"
);
}
}
| 5,134 |
FileHandler | /*
* Name: DuckyScriptToArduino
* Author: Marcus Orwen
* Copyright: Copyright (c) 2013, Marcus Orwen
* License: GNU GPL v3
* License file: LICENSE.md
* You are NOT authorized to change or remove this comment box.
*/
import java.io.BufferedReader;
import java.io.BufferedWriter;
import java.io.File;
import java.io.FileInputStream;
import java.io.FileNotFoundException;
import java.io.FileReader;
import java.io.FileWriter;
import java.io.InputStream;
import java.util.ArrayList;
import java.util.List;
import java.util.Properties;
import java.util.Set;
/**
* @author Marcus & ClemaX
*/
public class FileHandler {
private static Set<String> propertyNames;
private static Properties prop = new Properties();
/**
* load
*
* @param file input filename with extensions
* @return String array with line contents
*/
public String[] loadScript(String file) {
List<String> lines = new ArrayList<>(); // create an array list to store
// the lines we get from
// BufferReader
try {
BufferedReader br = new BufferedReader(new FileReader(file));
String line;
while ((line = br.readLine()) != null) { // read lines untill there
// is none left
lines.add(line);
}
br.close();
} catch (Exception e) {
System.out.println("Failed to load file!\n Error: " + e.getMessage());
}
String[] ret = new String[lines.size()];
lines.toArray(ret);
return ret;
}
/**
* save
*
* @param data The data that should be saved to a file
* @param dest The destination filename that is going to be saved.
*/
public String save(String data, String dest) {
String ret;
// try and write ino file
try {
BufferedWriter bw = new BufferedWriter(new FileWriter(new File(dest), true));
bw.write(data);
bw.newLine();
bw.close();
ret = "Save complete!";
} catch (Exception e) {
ret = "Failed to write ino file!\n Error: " + e.getMessage();
}
return ret;
}
public static void readLocalization(File localization) {
InputStream input = null;
try {
input = new FileInputStream(localization);
} catch (FileNotFoundException e1) {
// TODO Auto-generated catch block
e1.printStackTrace();
}
try {
prop.load(input);
} catch (Exception e) {
// TODO Auto-generated catch block
System.out.println("Error in readLocalization: " + e + "\n" + input + localization);
}
System.out.println("Property File Loaded Succesfully");
propertyNames = prop.stringPropertyNames();
}
public Set<String> getPropertyNames() {
return propertyNames;
}
public Properties getProperties() {
return prop;
}
}
| .version 52 0
.class public super FileHandler
.super java/lang/Object
.field private static propertyNames Ljava/util/Set; .fieldattributes
.signature Ljava/util/Set<Ljava/lang/String;>;
.end fieldattributes
.field private static prop Ljava/util/Properties;
.method 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 loadScript : (Ljava/lang/String;)[Ljava/lang/String;
.code stack 5 locals 5
L0: new java/util/ArrayList
L3: dup
L4: invokespecial Method java/util/ArrayList <init> ()V
L7: astore_2
.catch java/lang/Exception from L8 to L50 using L53
L8: new java/io/BufferedReader
L11: dup
L12: new java/io/FileReader
L15: dup
L16: aload_1
L17: invokespecial Method java/io/FileReader <init> (Ljava/lang/String;)V
L20: invokespecial Method java/io/BufferedReader <init> (Ljava/io/Reader;)V
L23: astore_3
.stack append Object java/util/List Object java/io/BufferedReader
L24: aload_3
L25: invokevirtual Method java/io/BufferedReader readLine ()Ljava/lang/String;
L28: dup
L29: astore 4
L31: ifnull L46
L34: aload_2
L35: aload 4
L37: invokeinterface InterfaceMethod java/util/List add (Ljava/lang/Object;)Z 2
L42: pop
L43: goto L24
.stack append Object java/lang/String
L46: aload_3
L47: invokevirtual Method java/io/BufferedReader close ()V
L50: goto L82
.stack full
locals Object FileHandler Object java/lang/String Object java/util/List
stack Object java/lang/Exception
.end stack
L53: astore_3
L54: getstatic Field java/lang/System out Ljava/io/PrintStream;
L57: new java/lang/StringBuilder
L60: dup
L61: invokespecial Method java/lang/StringBuilder <init> ()V
L64: ldc 'Failed to load file!\n Error: '
L66: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L69: aload_3
L70: invokevirtual Method java/lang/Exception getMessage ()Ljava/lang/String;
L73: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L76: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L79: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
.stack same
L82: aload_2
L83: invokeinterface InterfaceMethod java/util/List size ()I 1
L88: anewarray java/lang/String
L91: astore_3
L92: aload_2
L93: aload_3
L94: invokeinterface InterfaceMethod java/util/List toArray ([Ljava/lang/Object;)[Ljava/lang/Object; 2
L99: pop
L100: aload_3
L101: areturn
L102:
.linenumbertable
L0 42
L8 46
L24 48
L34 50
L46 52
L50 55
L53 53
L54 54
L82 56
L92 57
L100 58
.end linenumbertable
.end code
.end method
.method public save : (Ljava/lang/String;Ljava/lang/String;)Ljava/lang/String;
.code stack 7 locals 5
.catch java/lang/Exception from L0 to L44 using L47
L0: new java/io/BufferedWriter
L3: dup
L4: new java/io/FileWriter
L7: dup
L8: new java/io/File
L11: dup
L12: aload_2
L13: invokespecial Method java/io/File <init> (Ljava/lang/String;)V
L16: iconst_1
L17: invokespecial Method java/io/FileWriter <init> (Ljava/io/File;Z)V
L20: invokespecial Method java/io/BufferedWriter <init> (Ljava/io/Writer;)V
L23: astore 4
L25: aload 4
L27: aload_1
L28: invokevirtual Method java/io/BufferedWriter write (Ljava/lang/String;)V
L31: aload 4
L33: invokevirtual Method java/io/BufferedWriter newLine ()V
L36: aload 4
L38: invokevirtual Method java/io/BufferedWriter close ()V
L41: ldc 'Save complete!'
L43: astore_3
L44: goto L73
.stack stack_1 Object java/lang/Exception
L47: astore 4
L49: new java/lang/StringBuilder
L52: dup
L53: invokespecial Method java/lang/StringBuilder <init> ()V
L56: ldc 'Failed to write ino file!\n Error: '
L58: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L61: aload 4
L63: invokevirtual Method java/lang/Exception getMessage ()Ljava/lang/String;
L66: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L69: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L72: astore_3
.stack append Object java/lang/String
L73: aload_3
L74: areturn
L75:
.linenumbertable
L0 73
L25 74
L31 75
L36 76
L41 77
L44 80
L47 78
L49 79
L73 81
.end linenumbertable
.end code
.end method
.method public static readLocalization : (Ljava/io/File;)V
.code stack 3 locals 3
L0: aconst_null
L1: astore_1
.catch java/io/FileNotFoundException from L2 to L11 using L14
L2: new java/io/FileInputStream
L5: dup
L6: aload_0
L7: invokespecial Method java/io/FileInputStream <init> (Ljava/io/File;)V
L10: astore_1
L11: goto L19
.stack full
locals Object java/io/File Object java/io/InputStream
stack Object java/io/FileNotFoundException
.end stack
L14: astore_2
L15: aload_2
L16: invokevirtual Method java/io/FileNotFoundException printStackTrace ()V
.catch java/lang/Exception from L19 to L26 using L29
.stack same
L19: getstatic Field FileHandler prop Ljava/util/Properties;
L22: aload_1
L23: invokevirtual Method java/util/Properties load (Ljava/io/InputStream;)V
L26: goto L68
.stack stack_1 Object java/lang/Exception
L29: astore_2
L30: getstatic Field java/lang/System out Ljava/io/PrintStream;
L33: new java/lang/StringBuilder
L36: dup
L37: invokespecial Method java/lang/StringBuilder <init> ()V
L40: ldc 'Error in readLocalization: '
L42: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L45: aload_2
L46: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/Object;)Ljava/lang/StringBuilder;
L49: ldc '\n'
L51: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L54: aload_1
L55: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/Object;)Ljava/lang/StringBuilder;
L58: aload_0
L59: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/Object;)Ljava/lang/StringBuilder;
L62: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L65: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
.stack same
L68: getstatic Field java/lang/System out Ljava/io/PrintStream;
L71: ldc 'Property File Loaded Succesfully'
L73: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L76: getstatic Field FileHandler prop Ljava/util/Properties;
L79: invokevirtual Method java/util/Properties stringPropertyNames ()Ljava/util/Set;
L82: putstatic Field FileHandler propertyNames Ljava/util/Set;
L85: return
L86:
.linenumbertable
L0 85
L2 88
L11 92
L14 89
L15 91
L19 95
L26 99
L29 96
L30 98
L68 100
L76 101
L85 103
.end linenumbertable
.end code
.end method
.method public getPropertyNames : ()Ljava/util/Set;
.code stack 1 locals 1
L0: getstatic Field FileHandler propertyNames Ljava/util/Set;
L3: areturn
L4:
.linenumbertable
L0 106
.end linenumbertable
.end code
.signature ()Ljava/util/Set<Ljava/lang/String;>;
.end method
.method public getProperties : ()Ljava/util/Properties;
.code stack 1 locals 1
L0: getstatic Field FileHandler prop Ljava/util/Properties;
L3: areturn
L4:
.linenumbertable
L0 110
.end linenumbertable
.end code
.end method
.method static <clinit> : ()V
.code stack 2 locals 0
L0: new java/util/Properties
L3: dup
L4: invokespecial Method java/util/Properties <init> ()V
L7: putstatic Field FileHandler prop Ljava/util/Properties;
L10: return
L11:
.linenumbertable
L0 32
.end linenumbertable
.end code
.end method
.sourcefile 'FileHandler.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 19:49:06 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import java.util.Properties;
import java.util.Set;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.evosuite.runtime.mock.java.io.MockFile;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class FileHandler_ESTest extends FileHandler_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
FileHandler fileHandler0 = new FileHandler();
String string0 = fileHandler0.save("XU1uR@EK%b=#Q[:vN", "");
assertEquals("Failed to write ino file!\n Error: null", string0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
FileHandler fileHandler0 = new FileHandler();
String[] stringArray0 = fileHandler0.loadScript("Failed to write ino file!\n Error: null");
assertEquals(0, stringArray0.length);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
FileHandler fileHandler0 = new FileHandler();
MockFile mockFile0 = new MockFile("Failed to write ino file!\n Error: ");
fileHandler0.save("Failed to write ino file!\n Error: ", "Failed to write ino file!\n Error: ");
FileHandler.readLocalization(mockFile0);
Properties properties0 = fileHandler0.getProperties();
assertEquals(2, properties0.size());
}
@Test(timeout = 4000)
public void test3() throws Throwable {
FileHandler fileHandler0 = new FileHandler();
Set<String> set0 = fileHandler0.getPropertyNames();
assertNull(set0);
}
@Test(timeout = 4000)
public void test4() throws Throwable {
FileHandler fileHandler0 = new FileHandler();
Properties properties0 = fileHandler0.getProperties();
assertEquals(0, properties0.size());
}
@Test(timeout = 4000)
public void test5() throws Throwable {
MockFile mockFile0 = new MockFile("Save complete!", "XU1uR@EK%b=#Q[:vN");
FileHandler.readLocalization(mockFile0);
assertEquals("/tmp/tmpidig2goj/Save complete!/XU1uR@EK%b=#Q[:vN", mockFile0.toString());
}
@Test(timeout = 4000)
public void test6() throws Throwable {
FileHandler fileHandler0 = new FileHandler();
String string0 = fileHandler0.save("XU1uR@EK%b=#Q[:vN", "XU1uR@EK%b=#Q[:vN");
assertEquals("Save complete!", string0);
String[] stringArray0 = fileHandler0.loadScript("XU1uR@EK%b=#Q[:vN");
assertEquals(1, stringArray0.length);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 19:49: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 FileHandler_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "FileHandler";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpidig2goj");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(FileHandler_ESTest_scaffolding.class.getClassLoader() ,
"FileHandler"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(FileHandler_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"FileHandler"
);
}
}
| 5,135 |
Tag | /**
* // TODO comment
*
* @author Jan Mikac, Sebastien Viardot
*/
public class Tag {
/** Tag ID */
private Long id = null;
/** Tag name */
private String name;
/**
* Creates a new tag.
*
* @param id ID
* @param name name
*/
public Tag(long id, String name) {
super();
this.id = id;
this.name = name;
}
/**
* Creates a new tag.
*
* @param name name
*/
public Tag(String name) {
super();
this.id = null;
this.name = name;
}
/**
* Provides the ID.
*
* @return ID
*/
public Long getId() {
return this.id;
}
/**
* Sets the ID.
*
* @param id the ID
*/
public void setId(Long id) {
this.id = id;
}
/**
* Provides the name.
*
* @return name
*/
public String getName() {
return this.name;
}
/**
* Sets the name.
*
* @param name a name
*/
public void setName(String name) {
this.name = name;
}
/**
* Encodes the tag in JSON.
*
* @return JSON representation of the tag
*/
public String toJson() {
String json = "{";
if (id != null) json += "\"id\":" + id;
if (name != null) {
if (json.length() > 1) json += ", ";
json += "\"name\":\"" + name + "\"";
}
json += "}";
return json;
}
@Override
public boolean equals(Object obj) {
if (!(obj instanceof Tag)) return false;
Tag t = (Tag) obj;
if (id == null)
if (name != null) return id == t.id && name.equals(t.name);
else return id == t.id && name == t.name;
if (name != null) return name.equals(t.name) && id.equals(t.id);
return id.equals(t.id) && t.name == name;
}
@Override
public int hashCode() {
// TODO Auto-generated method stub
if (id == null) return super.hashCode();
if (name == null) return id.hashCode();
return id.hashCode() + name.hashCode();
}
@Override
public String toString() {
return "name: " + this.name + ", id: " + this.id;
}
}
| .version 52 0
.class public super Tag
.super java/lang/Object
.field private id Ljava/lang/Long;
.field private name Ljava/lang/String;
.method public <init> : (JLjava/lang/String;)V
.code stack 3 locals 4
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: aconst_null
L6: putfield Field Tag id Ljava/lang/Long;
L9: aload_0
L10: lload_1
L11: invokestatic Method java/lang/Long valueOf (J)Ljava/lang/Long;
L14: putfield Field Tag id Ljava/lang/Long;
L17: aload_0
L18: aload_3
L19: putfield Field Tag name Ljava/lang/String;
L22: return
L23:
.linenumbertable
L0 27
L4 11
L9 28
L17 29
L22 30
.end linenumbertable
.end code
.end method
.method public <init> : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: aconst_null
L6: putfield Field Tag id Ljava/lang/Long;
L9: aload_0
L10: aconst_null
L11: putfield Field Tag id Ljava/lang/Long;
L14: aload_0
L15: aload_1
L16: putfield Field Tag name Ljava/lang/String;
L19: return
L20:
.linenumbertable
L0 39
L4 11
L9 40
L14 41
L19 42
.end linenumbertable
.end code
.end method
.method public getId : ()Ljava/lang/Long;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Tag id Ljava/lang/Long;
L4: areturn
L5:
.linenumbertable
L0 50
.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 Tag id Ljava/lang/Long;
L5: return
L6:
.linenumbertable
L0 60
L5 61
.end linenumbertable
.end code
.end method
.method public getName : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Tag name Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 69
.end linenumbertable
.end code
.end method
.method public setName : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field Tag name Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 79
L5 80
.end linenumbertable
.end code
.end method
.method public toJson : ()Ljava/lang/String;
.code stack 2 locals 2
L0: ldc '{'
L2: astore_1
L3: aload_0
L4: getfield Field Tag id Ljava/lang/Long;
L7: ifnull L37
L10: new java/lang/StringBuilder
L13: dup
L14: invokespecial Method java/lang/StringBuilder <init> ()V
L17: aload_1
L18: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L21: ldc '"id":'
L23: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L26: aload_0
L27: getfield Field Tag id Ljava/lang/Long;
L30: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/Object;)Ljava/lang/StringBuilder;
L33: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L36: astore_1
.stack append Object java/lang/String
L37: aload_0
L38: getfield Field Tag name Ljava/lang/String;
L41: ifnull L104
L44: aload_1
L45: invokevirtual Method java/lang/String length ()I
L48: iconst_1
L49: if_icmple L72
L52: new java/lang/StringBuilder
L55: dup
L56: invokespecial Method java/lang/StringBuilder <init> ()V
L59: aload_1
L60: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L63: ldc ', '
L65: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L68: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L71: astore_1
.stack same
L72: new java/lang/StringBuilder
L75: dup
L76: invokespecial Method java/lang/StringBuilder <init> ()V
L79: aload_1
L80: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L83: ldc '"name":"'
L85: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L88: aload_0
L89: getfield Field Tag name Ljava/lang/String;
L92: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L95: ldc '"'
L97: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L100: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L103: astore_1
.stack same
L104: new java/lang/StringBuilder
L107: dup
L108: invokespecial Method java/lang/StringBuilder <init> ()V
L111: aload_1
L112: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L115: ldc '}'
L117: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L120: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L123: astore_1
L124: aload_1
L125: areturn
L126:
.linenumbertable
L0 88
L3 89
L10 90
L37 91
L44 92
L52 93
L72 94
L104 96
L124 97
.end linenumbertable
.end code
.end method
.method public equals : (Ljava/lang/Object;)Z
.code stack 2 locals 3
L0: aload_1
L1: instanceof Tag
L4: ifne L9
L7: iconst_0
L8: ireturn
.stack same
L9: aload_1
L10: checkcast Tag
L13: astore_2
L14: aload_0
L15: getfield Field Tag id Ljava/lang/Long;
L18: ifnonnull L87
L21: aload_0
L22: getfield Field Tag name Ljava/lang/String;
L25: ifnull L59
L28: aload_0
L29: getfield Field Tag id Ljava/lang/Long;
L32: aload_2
L33: getfield Field Tag id Ljava/lang/Long;
L36: if_acmpne L57
L39: aload_0
L40: getfield Field Tag name Ljava/lang/String;
L43: aload_2
L44: getfield Field Tag name Ljava/lang/String;
L47: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z
L50: ifeq L57
L53: iconst_1
L54: goto L58
.stack append Object Tag
L57: iconst_0
.stack stack_1 Integer
L58: ireturn
.stack same
L59: aload_0
L60: getfield Field Tag id Ljava/lang/Long;
L63: aload_2
L64: getfield Field Tag id Ljava/lang/Long;
L67: if_acmpne L85
L70: aload_0
L71: getfield Field Tag name Ljava/lang/String;
L74: aload_2
L75: getfield Field Tag name Ljava/lang/String;
L78: if_acmpne L85
L81: iconst_1
L82: goto L86
.stack same
L85: iconst_0
.stack stack_1 Integer
L86: ireturn
.stack same
L87: aload_0
L88: getfield Field Tag name Ljava/lang/String;
L91: ifnull L128
L94: aload_0
L95: getfield Field Tag name Ljava/lang/String;
L98: aload_2
L99: getfield Field Tag name Ljava/lang/String;
L102: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z
L105: ifeq L126
L108: aload_0
L109: getfield Field Tag id Ljava/lang/Long;
L112: aload_2
L113: getfield Field Tag id Ljava/lang/Long;
L116: invokevirtual Method java/lang/Long equals (Ljava/lang/Object;)Z
L119: ifeq L126
L122: iconst_1
L123: goto L127
.stack same
L126: iconst_0
.stack stack_1 Integer
L127: ireturn
.stack same
L128: aload_0
L129: getfield Field Tag id Ljava/lang/Long;
L132: aload_2
L133: getfield Field Tag id Ljava/lang/Long;
L136: invokevirtual Method java/lang/Long equals (Ljava/lang/Object;)Z
L139: ifeq L157
L142: aload_2
L143: getfield Field Tag name Ljava/lang/String;
L146: aload_0
L147: getfield Field Tag name Ljava/lang/String;
L150: if_acmpne L157
L153: iconst_1
L154: goto L158
.stack same
L157: iconst_0
.stack stack_1 Integer
L158: ireturn
L159:
.linenumbertable
L0 101
L9 102
L14 103
L21 104
L59 105
L87 106
L128 107
.end linenumbertable
.end code
.end method
.method public hashCode : ()I
.code stack 2 locals 1
L0: aload_0
L1: getfield Field Tag id Ljava/lang/Long;
L4: ifnonnull L12
L7: aload_0
L8: invokespecial Method java/lang/Object hashCode ()I
L11: ireturn
.stack same
L12: aload_0
L13: getfield Field Tag name Ljava/lang/String;
L16: ifnonnull L27
L19: aload_0
L20: getfield Field Tag id Ljava/lang/Long;
L23: invokevirtual Method java/lang/Long hashCode ()I
L26: ireturn
.stack same
L27: aload_0
L28: getfield Field Tag id Ljava/lang/Long;
L31: invokevirtual Method java/lang/Long hashCode ()I
L34: aload_0
L35: getfield Field Tag name Ljava/lang/String;
L38: invokevirtual Method java/lang/String hashCode ()I
L41: iadd
L42: ireturn
L43:
.linenumbertable
L0 113
L12 114
L27 115
.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 'name: '
L9: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L12: aload_0
L13: getfield Field Tag name Ljava/lang/String;
L16: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L19: ldc ', id: '
L21: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L24: aload_0
L25: getfield Field Tag id Ljava/lang/Long;
L28: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/Object;)Ljava/lang/StringBuilder;
L31: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L34: areturn
L35:
.linenumbertable
L0 120
.end linenumbertable
.end code
.end method
.sourcefile 'Tag.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 23:31:48 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class Tag_ESTest extends Tag_ESTest_scaffolding {
@Test(timeout = 4000)
public void test00() throws Throwable {
Tag tag0 = new Tag((String) null);
String string0 = tag0.getName();
assertNull(string0);
}
@Test(timeout = 4000)
public void test01() throws Throwable {
Tag tag0 = new Tag((String) null);
tag0.setName("");
String string0 = tag0.getName();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test02() throws Throwable {
Tag tag0 = new Tag("\"");
Long long0 = new Long((-1L));
tag0.setId(long0);
Long long1 = tag0.getId();
assertEquals((-1L), (long)long1);
}
@Test(timeout = 4000)
public void test03() throws Throwable {
Tag tag0 = new Tag(0L, "zKp}+`Nc~");
Long long0 = tag0.getId();
assertEquals(0L, (long)long0);
}
@Test(timeout = 4000)
public void test04() throws Throwable {
Tag tag0 = new Tag("\"");
Long long0 = new Long(67955L);
tag0.setId(long0);
Long long1 = tag0.getId();
assertEquals(67955L, (long)long1);
}
@Test(timeout = 4000)
public void test05() throws Throwable {
Tag tag0 = new Tag("name: null, id: null");
Long long0 = new Long(0L);
tag0.setId(long0);
tag0.hashCode();
}
@Test(timeout = 4000)
public void test06() throws Throwable {
Tag tag0 = new Tag("\"");
tag0.hashCode();
}
@Test(timeout = 4000)
public void test07() throws Throwable {
Tag tag0 = new Tag((String) null);
Long long0 = new Long(0L);
tag0.setId(long0);
tag0.hashCode();
}
@Test(timeout = 4000)
public void test08() throws Throwable {
Tag tag0 = new Tag(0L, (String) null);
Tag tag1 = new Tag(0L, "F?altkBs/AaDKOY");
boolean boolean0 = tag0.equals(tag1);
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test09() throws Throwable {
Tag tag0 = new Tag(0L, (String) null);
Tag tag1 = new Tag((String) null);
boolean boolean0 = tag0.equals(tag1);
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test10() throws Throwable {
Tag tag0 = new Tag(0L, "zKp}+`Nc~");
Tag tag1 = new Tag(1L, "zKp}+`Nc~");
boolean boolean0 = tag0.equals(tag1);
assertFalse(boolean0);
assertEquals(1L, (long)tag1.getId());
}
@Test(timeout = 4000)
public void test11() throws Throwable {
Tag tag0 = new Tag((String) null);
Tag tag1 = new Tag("name: null, id: null");
Long long0 = new Long(0L);
tag1.setId(long0);
boolean boolean0 = tag1.equals(tag0);
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test12() throws Throwable {
Tag tag0 = new Tag("name: null, id: null");
Long long0 = new Long(0L);
tag0.setId(long0);
boolean boolean0 = tag0.equals(tag0);
assertTrue(boolean0);
}
@Test(timeout = 4000)
public void test13() throws Throwable {
Tag tag0 = new Tag((String) null);
Tag tag1 = new Tag("{}");
boolean boolean0 = tag0.equals(tag1);
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test14() throws Throwable {
Tag tag0 = new Tag((String) null);
Tag tag1 = new Tag("name: null, id: null");
Long long0 = new Long(0L);
tag1.setId(long0);
boolean boolean0 = tag0.equals(tag1);
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test15() throws Throwable {
Tag tag0 = new Tag("w5xWP9|H{k09u,d~TV+");
Tag tag1 = new Tag("\"name\":\"");
boolean boolean0 = tag0.equals(tag1);
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test16() throws Throwable {
Tag tag0 = new Tag("YRb&=H/@19C/L!12\"k");
Tag tag1 = new Tag(0L, "l'(V)%^L>2Jb/");
boolean boolean0 = tag0.equals(tag1);
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test17() throws Throwable {
Tag tag0 = new Tag((String) null);
boolean boolean0 = tag0.equals(tag0);
assertTrue(boolean0);
}
@Test(timeout = 4000)
public void test18() throws Throwable {
Tag tag0 = new Tag((String) null);
Long long0 = new Long(0L);
tag0.setId(long0);
boolean boolean0 = tag0.equals(tag0);
assertTrue(boolean0);
}
@Test(timeout = 4000)
public void test19() throws Throwable {
Tag tag0 = new Tag("\"");
boolean boolean0 = tag0.equals("{\"name\":\"\"\"}");
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test20() throws Throwable {
Tag tag0 = new Tag("\"");
boolean boolean0 = tag0.equals(tag0);
assertTrue(boolean0);
}
@Test(timeout = 4000)
public void test21() throws Throwable {
Tag tag0 = new Tag("\"");
Long long0 = new Long((-1L));
tag0.setId(long0);
String string0 = tag0.toJson();
assertEquals("{\"id\":-1, \"name\":\"\"\"}", string0);
}
@Test(timeout = 4000)
public void test22() throws Throwable {
Tag tag0 = new Tag("\"");
String string0 = tag0.toJson();
assertEquals("{\"name\":\"\"\"}", string0);
}
@Test(timeout = 4000)
public void test23() throws Throwable {
Tag tag0 = new Tag("\"");
String string0 = tag0.toString();
assertEquals("name: \", id: null", string0);
}
@Test(timeout = 4000)
public void test24() throws Throwable {
Tag tag0 = new Tag("\"");
String string0 = tag0.getName();
assertEquals("\"", string0);
}
@Test(timeout = 4000)
public void test25() throws Throwable {
Tag tag0 = new Tag("\"");
Long long0 = tag0.getId();
tag0.setId(long0);
assertEquals("\"", tag0.getName());
}
@Test(timeout = 4000)
public void test26() throws Throwable {
Tag tag0 = new Tag((String) null);
String string0 = tag0.toJson();
assertEquals("{}", string0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 23:31: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 Tag_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Tag";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpja47rksi");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Tag_ESTest_scaffolding.class.getClassLoader() ,
"Tag"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Tag_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Tag"
);
}
}
| 5,136 |
AddTask | import java.util.concurrent.ConcurrentLinkedDeque;
/** Task that add 10000 elements to a ConcurrentListDeque */
public class AddTask implements Runnable {
/** List to add the elements */
private ConcurrentLinkedDeque<String> list;
/**
* Constructor of the class
*
* @param list List to add the elements
*/
public AddTask(ConcurrentLinkedDeque<String> list) {
this.list = list;
}
/**
* Main method of the class. Add 10000 elements to the list using the add() method that adds the
* element at the end of the list
*/
@Override
public void run() {
String name = Thread.currentThread().getName();
for (int i = 0; i < 10000; i++) {
list.add(name + ": Element " + i);
}
}
}
| .version 52 0
.class public super AddTask
.super java/lang/Object
.implements java/lang/Runnable
.field private list Ljava/util/concurrent/ConcurrentLinkedDeque; .fieldattributes
.signature Ljava/util/concurrent/ConcurrentLinkedDeque<Ljava/lang/String;>;
.end fieldattributes
.method public <init> : (Ljava/util/concurrent/ConcurrentLinkedDeque;)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 AddTask list Ljava/util/concurrent/ConcurrentLinkedDeque;
L9: return
L10:
.linenumbertable
L0 20
L4 21
L9 22
.end linenumbertable
.end code
.signature (Ljava/util/concurrent/ConcurrentLinkedDeque<Ljava/lang/String;>;)V
.end method
.method public run : ()V
.code stack 3 locals 3
L0: invokestatic Method java/lang/Thread currentThread ()Ljava/lang/Thread;
L3: invokevirtual Method java/lang/Thread getName ()Ljava/lang/String;
L6: astore_1
L7: iconst_0
L8: istore_2
.stack append Object java/lang/String Integer
L9: iload_2
L10: sipush 10000
L13: if_icmpge L53
L16: aload_0
L17: getfield Field AddTask list Ljava/util/concurrent/ConcurrentLinkedDeque;
L20: new java/lang/StringBuilder
L23: dup
L24: invokespecial Method java/lang/StringBuilder <init> ()V
L27: aload_1
L28: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L31: ldc ': Element '
L33: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L36: iload_2
L37: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder;
L40: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L43: invokevirtual Method java/util/concurrent/ConcurrentLinkedDeque add (Ljava/lang/Object;)Z
L46: pop
L47: iinc 2 1
L50: goto L9
.stack chop 1
L53: return
L54:
.linenumbertable
L0 31
L7 32
L16 33
L47 32
L53 35
.end linenumbertable
.end code
.end method
.sourcefile 'AddTask.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 04:49:01 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import static org.evosuite.runtime.EvoAssertions.*;
import java.util.concurrent.ConcurrentLinkedDeque;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class AddTask_ESTest extends AddTask_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
ConcurrentLinkedDeque<String> concurrentLinkedDeque0 = new ConcurrentLinkedDeque<String>();
String string0 = "CAxN!Mk@\"\"no";
String string1 = "*[Y7:k>`<d";
concurrentLinkedDeque0.add("*[Y7:k>`<d");
concurrentLinkedDeque0.add("CAxN!Mk@\"\"no");
AddTask addTask0 = new AddTask(concurrentLinkedDeque0);
// Undeclared exception!
addTask0.run();
}
@Test(timeout = 4000)
public void test1() throws Throwable {
ConcurrentLinkedDeque<String> concurrentLinkedDeque0 = new ConcurrentLinkedDeque<String>();
concurrentLinkedDeque0.clear();
concurrentLinkedDeque0.add("");
concurrentLinkedDeque0.add("v#BgQfaQ9kQ?AEv");
concurrentLinkedDeque0.add("0Pe;T(");
concurrentLinkedDeque0.add(": Element ");
concurrentLinkedDeque0.add(": Element ");
AddTask addTask0 = new AddTask(concurrentLinkedDeque0);
// Undeclared exception!
addTask0.run();
}
@Test(timeout = 4000)
public void test2() throws Throwable {
ConcurrentLinkedDeque<String> concurrentLinkedDeque0 = new ConcurrentLinkedDeque<String>();
AddTask addTask0 = new AddTask(concurrentLinkedDeque0);
// Undeclared exception!
addTask0.run();
}
@Test(timeout = 4000)
public void test3() throws Throwable {
ConcurrentLinkedDeque<String> concurrentLinkedDeque0 = new ConcurrentLinkedDeque<String>();
Integer[] integerArray0 = new Integer[3];
Integer integer0 = new Integer(19487);
integerArray0[0] = integer0;
Integer integer1 = new Integer((-1));
integerArray0[1] = integer1;
Integer integer2 = new Integer(10000);
integerArray0[2] = integer2;
concurrentLinkedDeque0.toArray(integerArray0);
AddTask addTask0 = new AddTask(concurrentLinkedDeque0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 04:49: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 AddTask_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "AddTask";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpprz9b_4w");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(AddTask_ESTest_scaffolding.class.getClassLoader() ,
"AddTask"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(AddTask_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"AddTask"
);
}
}
| 5,137 |
JiraWebhookEvent | /** Created by Anand_Rajneesh on 1/19/2017. */
public class JiraWebhookEvent {
private String username;
private String ticketId;
private String comment;
private String summary;
public String getUsername() {
return username;
}
public String getTicketId() {
return ticketId;
}
public String getComment() {
return comment;
}
public String getSummary() {
return summary;
}
public JiraWebhookEvent(String username, String ticketId, String comment, String summary) {
this.username = username;
this.ticketId = ticketId;
this.comment = comment;
this.summary = summary;
}
public void setComment(String comment) {
this.comment = comment;
}
}
| .version 52 0
.class public super JiraWebhookEvent
.super java/lang/Object
.field private username Ljava/lang/String;
.field private ticketId Ljava/lang/String;
.field private comment Ljava/lang/String;
.field private summary Ljava/lang/String;
.method public getUsername : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field JiraWebhookEvent username Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 15
.end linenumbertable
.end code
.end method
.method public getTicketId : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field JiraWebhookEvent ticketId Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 19
.end linenumbertable
.end code
.end method
.method public getComment : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field JiraWebhookEvent comment Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 23
.end linenumbertable
.end code
.end method
.method public getSummary : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field JiraWebhookEvent summary Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 27
.end linenumbertable
.end code
.end method
.method public <init> : (Ljava/lang/String;Ljava/lang/String;Ljava/lang/String;Ljava/lang/String;)V
.code stack 2 locals 5
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: aload_1
L6: putfield Field JiraWebhookEvent username Ljava/lang/String;
L9: aload_0
L10: aload_2
L11: putfield Field JiraWebhookEvent ticketId Ljava/lang/String;
L14: aload_0
L15: aload_3
L16: putfield Field JiraWebhookEvent comment Ljava/lang/String;
L19: aload_0
L20: aload 4
L22: putfield Field JiraWebhookEvent summary Ljava/lang/String;
L25: return
L26:
.linenumbertable
L0 30
L4 31
L9 32
L14 33
L19 34
L25 35
.end linenumbertable
.end code
.end method
.method public setComment : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field JiraWebhookEvent comment Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 38
L5 39
.end linenumbertable
.end code
.end method
.sourcefile 'JiraWebhookEvent.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 05:48: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 JiraWebhookEvent_ESTest extends JiraWebhookEvent_ESTest_scaffolding {
@Test(timeout = 4000)
public void test00() throws Throwable {
JiraWebhookEvent jiraWebhookEvent0 = new JiraWebhookEvent((String) null, "", (String) null, (String) null);
String string0 = jiraWebhookEvent0.getUsername();
assertNull(string0);
}
@Test(timeout = 4000)
public void test01() throws Throwable {
JiraWebhookEvent jiraWebhookEvent0 = new JiraWebhookEvent("JiraWebhookEvent", "JiraWebhookEvent", "<,uqjuRyRN@AKu&", "JiraWebhookEvent");
String string0 = jiraWebhookEvent0.getUsername();
assertEquals("JiraWebhookEvent", string0);
}
@Test(timeout = 4000)
public void test02() throws Throwable {
JiraWebhookEvent jiraWebhookEvent0 = new JiraWebhookEvent((String) null, (String) null, (String) null, (String) null);
String string0 = jiraWebhookEvent0.getTicketId();
assertNull(string0);
}
@Test(timeout = 4000)
public void test03() throws Throwable {
JiraWebhookEvent jiraWebhookEvent0 = new JiraWebhookEvent("JiraWebhookEvent", "JiraWebhookEvent", "<,uqjuRyRN@AKu&", "JiraWebhookEvent");
String string0 = jiraWebhookEvent0.getTicketId();
assertEquals("JiraWebhookEvent", string0);
}
@Test(timeout = 4000)
public void test04() throws Throwable {
JiraWebhookEvent jiraWebhookEvent0 = new JiraWebhookEvent((String) null, "", (String) null, (String) null);
String string0 = jiraWebhookEvent0.getSummary();
assertNull(string0);
}
@Test(timeout = 4000)
public void test05() throws Throwable {
JiraWebhookEvent jiraWebhookEvent0 = new JiraWebhookEvent("JiraWebhookEvent", "JiraWebhookEvent", "<,uqjuRyRN@AKu&", "JiraWebhookEvent");
String string0 = jiraWebhookEvent0.getSummary();
assertEquals("JiraWebhookEvent", string0);
}
@Test(timeout = 4000)
public void test06() throws Throwable {
JiraWebhookEvent jiraWebhookEvent0 = new JiraWebhookEvent("", "", "", "");
jiraWebhookEvent0.setComment((String) null);
String string0 = jiraWebhookEvent0.getComment();
assertNull(string0);
}
@Test(timeout = 4000)
public void test07() throws Throwable {
JiraWebhookEvent jiraWebhookEvent0 = new JiraWebhookEvent("", "", "", "");
jiraWebhookEvent0.setComment("V9N<Z-d^N2d@dw{E]j@");
String string0 = jiraWebhookEvent0.getComment();
assertNotNull(string0);
}
@Test(timeout = 4000)
public void test08() throws Throwable {
JiraWebhookEvent jiraWebhookEvent0 = new JiraWebhookEvent("", "", "", "");
String string0 = jiraWebhookEvent0.getSummary();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test09() throws Throwable {
JiraWebhookEvent jiraWebhookEvent0 = new JiraWebhookEvent("", "", "", "");
String string0 = jiraWebhookEvent0.getTicketId();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test10() throws Throwable {
JiraWebhookEvent jiraWebhookEvent0 = new JiraWebhookEvent("", "", "", "");
String string0 = jiraWebhookEvent0.getUsername();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test11() throws Throwable {
JiraWebhookEvent jiraWebhookEvent0 = new JiraWebhookEvent("", "", "", "");
String string0 = jiraWebhookEvent0.getComment();
assertEquals("", string0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 05:48: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 JiraWebhookEvent_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "JiraWebhookEvent";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpb8qh4l77");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(JiraWebhookEvent_ESTest_scaffolding.class.getClassLoader() ,
"JiraWebhookEvent"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(JiraWebhookEvent_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"JiraWebhookEvent"
);
}
}
| 5,138 |
Exposer | /** 暴露秒杀地址DTO Created by moonie on 16/5/30. */
public class Exposer {
// 是否开启
private boolean exposed;
// 一种加密措施
private String md5;
private long seckillId;
// 系统当前时间(毫秒)
private long now;
private long start;
private long end;
public Exposer(boolean exposed, String md5, long seckillId) {
this.exposed = exposed;
this.md5 = md5;
this.seckillId = seckillId;
}
public Exposer(boolean exposed, long seckillId, long now, long start, long end) {
this.seckillId = seckillId;
this.exposed = exposed;
this.now = now;
this.start = start;
this.end = end;
}
public Exposer(boolean exposed, long seckillId) {
this.exposed = exposed;
this.seckillId = seckillId;
}
public boolean isExposed() {
return exposed;
}
public void setExposed(boolean exposed) {
this.exposed = exposed;
}
public String getMd5() {
return md5;
}
public void setMd5(String md5) {
this.md5 = md5;
}
public long getSeckillId() {
return seckillId;
}
public void setSeckillId(long seckillId) {
this.seckillId = seckillId;
}
public long getNow() {
return now;
}
public void setNow(long now) {
this.now = now;
}
public long getStart() {
return start;
}
public void setStart(long start) {
this.start = start;
}
public long getEnd() {
return end;
}
public void setEnd(long end) {
this.end = end;
}
}
| .version 52 0
.class public super Exposer
.super java/lang/Object
.field private exposed Z
.field private md5 Ljava/lang/String;
.field private seckillId J
.field private now J
.field private start J
.field private end J
.method public <init> : (ZLjava/lang/String;J)V
.code stack 3 locals 5
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: iload_1
L6: putfield Field Exposer exposed Z
L9: aload_0
L10: aload_2
L11: putfield Field Exposer md5 Ljava/lang/String;
L14: aload_0
L15: lload_3
L16: putfield Field Exposer seckillId J
L19: return
L20:
.linenumbertable
L0 24
L4 25
L9 26
L14 27
L19 28
.end linenumbertable
.end code
.end method
.method public <init> : (ZJJJJ)V
.code stack 3 locals 10
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: lload_2
L6: putfield Field Exposer seckillId J
L9: aload_0
L10: iload_1
L11: putfield Field Exposer exposed Z
L14: aload_0
L15: lload 4
L17: putfield Field Exposer now J
L20: aload_0
L21: lload 6
L23: putfield Field Exposer start J
L26: aload_0
L27: lload 8
L29: putfield Field Exposer end J
L32: return
L33:
.linenumbertable
L0 30
L4 31
L9 32
L14 33
L20 34
L26 35
L32 36
.end linenumbertable
.end code
.end method
.method public <init> : (ZJ)V
.code stack 3 locals 4
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: iload_1
L6: putfield Field Exposer exposed Z
L9: aload_0
L10: lload_2
L11: putfield Field Exposer seckillId J
L14: return
L15:
.linenumbertable
L0 38
L4 39
L9 40
L14 41
.end linenumbertable
.end code
.end method
.method public isExposed : ()Z
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Exposer exposed Z
L4: ireturn
L5:
.linenumbertable
L0 44
.end linenumbertable
.end code
.end method
.method public setExposed : (Z)V
.code stack 2 locals 2
L0: aload_0
L1: iload_1
L2: putfield Field Exposer exposed Z
L5: return
L6:
.linenumbertable
L0 48
L5 49
.end linenumbertable
.end code
.end method
.method public getMd5 : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Exposer md5 Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 52
.end linenumbertable
.end code
.end method
.method public setMd5 : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field Exposer md5 Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 56
L5 57
.end linenumbertable
.end code
.end method
.method public getSeckillId : ()J
.code stack 2 locals 1
L0: aload_0
L1: getfield Field Exposer seckillId J
L4: lreturn
L5:
.linenumbertable
L0 60
.end linenumbertable
.end code
.end method
.method public setSeckillId : (J)V
.code stack 3 locals 3
L0: aload_0
L1: lload_1
L2: putfield Field Exposer seckillId J
L5: return
L6:
.linenumbertable
L0 64
L5 65
.end linenumbertable
.end code
.end method
.method public getNow : ()J
.code stack 2 locals 1
L0: aload_0
L1: getfield Field Exposer now J
L4: lreturn
L5:
.linenumbertable
L0 68
.end linenumbertable
.end code
.end method
.method public setNow : (J)V
.code stack 3 locals 3
L0: aload_0
L1: lload_1
L2: putfield Field Exposer now J
L5: return
L6:
.linenumbertable
L0 72
L5 73
.end linenumbertable
.end code
.end method
.method public getStart : ()J
.code stack 2 locals 1
L0: aload_0
L1: getfield Field Exposer start J
L4: lreturn
L5:
.linenumbertable
L0 76
.end linenumbertable
.end code
.end method
.method public setStart : (J)V
.code stack 3 locals 3
L0: aload_0
L1: lload_1
L2: putfield Field Exposer start J
L5: return
L6:
.linenumbertable
L0 80
L5 81
.end linenumbertable
.end code
.end method
.method public getEnd : ()J
.code stack 2 locals 1
L0: aload_0
L1: getfield Field Exposer end J
L4: lreturn
L5:
.linenumbertable
L0 84
.end linenumbertable
.end code
.end method
.method public setEnd : (J)V
.code stack 3 locals 3
L0: aload_0
L1: lload_1
L2: putfield Field Exposer end J
L5: return
L6:
.linenumbertable
L0 88
L5 89
.end linenumbertable
.end code
.end method
.sourcefile 'Exposer.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 05:47: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 Exposer_ESTest extends Exposer_ESTest_scaffolding {
@Test(timeout = 4000)
public void test00() throws Throwable {
Exposer exposer0 = new Exposer(true, 7888L, 7888L, 0L, (-1L));
boolean boolean0 = exposer0.isExposed();
assertEquals(7888L, exposer0.getSeckillId());
assertTrue(boolean0);
assertEquals(7888L, exposer0.getNow());
assertEquals((-1L), exposer0.getEnd());
}
@Test(timeout = 4000)
public void test01() throws Throwable {
Exposer exposer0 = new Exposer(true, (-69078L));
exposer0.setStart(25980L);
long long0 = exposer0.getStart();
assertEquals(25980L, long0);
}
@Test(timeout = 4000)
public void test02() throws Throwable {
Exposer exposer0 = new Exposer(true, (-69078L));
long long0 = exposer0.getSeckillId();
assertEquals((-69078L), long0);
assertTrue(exposer0.isExposed());
}
@Test(timeout = 4000)
public void test03() throws Throwable {
Exposer exposer0 = new Exposer(false, 46660L, 46660L, 46660L, 46660L);
long long0 = exposer0.getNow();
assertEquals(46660L, exposer0.getSeckillId());
assertFalse(exposer0.isExposed());
assertEquals(46660L, exposer0.getEnd());
assertEquals(46660L, exposer0.getStart());
assertEquals(46660L, long0);
}
@Test(timeout = 4000)
public void test04() throws Throwable {
Exposer exposer0 = new Exposer(true, "", (-1L));
exposer0.setNow((-75287L));
long long0 = exposer0.getNow();
assertEquals((-75287L), long0);
}
@Test(timeout = 4000)
public void test05() throws Throwable {
Exposer exposer0 = new Exposer(true, (-69078L));
exposer0.getMd5();
assertTrue(exposer0.isExposed());
assertEquals((-69078L), exposer0.getSeckillId());
}
@Test(timeout = 4000)
public void test06() throws Throwable {
Exposer exposer0 = new Exposer(false, "6M?J,xAzuB\"B*n4s", 22476L);
exposer0.setMd5("");
exposer0.getMd5();
assertEquals(22476L, exposer0.getSeckillId());
assertFalse(exposer0.isExposed());
}
@Test(timeout = 4000)
public void test07() throws Throwable {
Exposer exposer0 = new Exposer(true, (-1L), (-1L), 1L, (-1L));
assertEquals((-1L), exposer0.getEnd());
exposer0.setEnd(1L);
long long0 = exposer0.getEnd();
assertEquals(1L, long0);
}
@Test(timeout = 4000)
public void test08() throws Throwable {
Exposer exposer0 = new Exposer(true, 0L, 0L, 0L, 0L);
exposer0.setEnd((-40235L));
long long0 = exposer0.getEnd();
assertEquals((-40235L), long0);
}
@Test(timeout = 4000)
public void test09() throws Throwable {
Exposer exposer0 = new Exposer(false, "6M?J,xAzuB\"B*n4s", 22476L);
exposer0.getMd5();
assertEquals(22476L, exposer0.getSeckillId());
assertFalse(exposer0.isExposed());
}
@Test(timeout = 4000)
public void test10() throws Throwable {
Exposer exposer0 = new Exposer(true, "", 19922L);
exposer0.getEnd();
assertEquals(19922L, exposer0.getSeckillId());
assertTrue(exposer0.isExposed());
}
@Test(timeout = 4000)
public void test11() throws Throwable {
Exposer exposer0 = new Exposer(false, "6M?J,xAzuB\"B*n4s", 22476L);
assertEquals(22476L, exposer0.getSeckillId());
exposer0.setSeckillId(0L);
exposer0.getSeckillId();
assertFalse(exposer0.isExposed());
}
@Test(timeout = 4000)
public void test12() throws Throwable {
Exposer exposer0 = new Exposer(true, 7888L, 7888L, 0L, (-1L));
exposer0.setStart((-1L));
long long0 = exposer0.getStart();
assertEquals((-1L), long0);
}
@Test(timeout = 4000)
public void test13() throws Throwable {
Exposer exposer0 = new Exposer(false, "6M?J,xAzuB\"B*n4s", 22476L);
long long0 = exposer0.getSeckillId();
assertFalse(exposer0.isExposed());
assertEquals(22476L, long0);
}
@Test(timeout = 4000)
public void test14() throws Throwable {
Exposer exposer0 = new Exposer(false, "6M?J,xAzuB\"B*n4s", 22476L);
exposer0.getStart();
assertEquals(22476L, exposer0.getSeckillId());
assertFalse(exposer0.isExposed());
}
@Test(timeout = 4000)
public void test15() throws Throwable {
Exposer exposer0 = new Exposer(false, "6M?J,xAzuB\"B*n4s", 22476L);
exposer0.setExposed(false);
assertFalse(exposer0.isExposed());
assertEquals(22476L, exposer0.getSeckillId());
}
@Test(timeout = 4000)
public void test16() throws Throwable {
Exposer exposer0 = new Exposer(false, "6M?J,xAzuB\"B*n4s", 22476L);
exposer0.getNow();
assertFalse(exposer0.isExposed());
assertEquals(22476L, exposer0.getSeckillId());
}
@Test(timeout = 4000)
public void test17() throws Throwable {
Exposer exposer0 = new Exposer(false, "6M?J,xAzuB\"B*n4s", 22476L);
boolean boolean0 = exposer0.isExposed();
assertFalse(boolean0);
assertEquals(22476L, exposer0.getSeckillId());
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 05:47: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 Exposer_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Exposer";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpxmffpxl7");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Exposer_ESTest_scaffolding.class.getClassLoader() ,
"Exposer"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Exposer_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Exposer"
);
}
}
| 5,139 |
DSMRMeterConstants | /**
* Copyright (c) 2010-2017 by the respective copyright holders.
*
* <p>All rights reserved. This program and the accompanying materials are made available under the
* terms of the Eclipse Public License v1.0 which accompanies this distribution, and is available at
* http://www.eclipse.org/legal/epl-v10.html
*/
import java.util.concurrent.TimeUnit;
/**
* Class containing constants that are applicable to the DSMRMeter
*
* @author M. Volaart - Initial contribution
*/
public class DSMRMeterConstants {
/** Timeout for receiving meter values (in seconds) */
public static final int METER_VALUES_RECEIVED_TIMEOUT = (int) TimeUnit.SECONDS.toMillis(60);
/** period between evaluations of meter values are received */
public static final int METER_VALUES_TIMER_PERIOD = (int) TimeUnit.SECONDS.toMillis(10);
/** unknown M-Bus channel */
public static final int UNKNOWN_CHANNEL = -1;
}
| .version 52 0
.class public super DSMRMeterConstants
.super java/lang/Object
.field public static final METER_VALUES_RECEIVED_TIMEOUT I
.field public static final METER_VALUES_TIMER_PERIOD I
.field public static final UNKNOWN_CHANNEL I = -1
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 18
.end linenumbertable
.end code
.end method
.method static <clinit> : ()V
.code stack 3 locals 0
L0: getstatic Field java/util/concurrent/TimeUnit SECONDS Ljava/util/concurrent/TimeUnit;
L3: ldc2_w 60L
L6: invokevirtual Method java/util/concurrent/TimeUnit toMillis (J)J
L9: l2i
L10: putstatic Field DSMRMeterConstants METER_VALUES_RECEIVED_TIMEOUT I
L13: getstatic Field java/util/concurrent/TimeUnit SECONDS Ljava/util/concurrent/TimeUnit;
L16: ldc2_w 10L
L19: invokevirtual Method java/util/concurrent/TimeUnit toMillis (J)J
L22: l2i
L23: putstatic Field DSMRMeterConstants METER_VALUES_TIMER_PERIOD I
L26: return
L27:
.linenumbertable
L0 22
L13 27
.end linenumbertable
.end code
.end method
.sourcefile 'DSMRMeterConstants.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Mon Jul 04 11:35:57 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class DSMRMeterConstants_ESTest extends DSMRMeterConstants_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
DSMRMeterConstants dSMRMeterConstants0 = new DSMRMeterConstants();
assertEquals(60000, DSMRMeterConstants.METER_VALUES_RECEIVED_TIMEOUT);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 11:35:57 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class DSMRMeterConstants_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "DSMRMeterConstants";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpvf5eo3im");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(DSMRMeterConstants_ESTest_scaffolding.class.getClassLoader() ,
"DSMRMeterConstants"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(DSMRMeterConstants_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"DSMRMeterConstants"
);
}
}
| 5,140 |
combinepic2wordThemeConsts | public class combinepic2wordThemeConsts {
public static final String ANSWER_STYLE = "combinepic2word-answer";
public static final String TITLE_STYLE = "combinepic2word-title";
}
| .version 52 0
.class public super combinepic2wordThemeConsts
.super java/lang/Object
.field public static final ANSWER_STYLE Ljava/lang/String; = 'combinepic2word-answer'
.field public static final TITLE_STYLE Ljava/lang/String; = 'combinepic2word-title'
.method 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 'combinepic2wordThemeConsts.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Mon Jul 04 13:33: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 combinepic2wordThemeConsts_ESTest extends combinepic2wordThemeConsts_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
combinepic2wordThemeConsts combinepic2wordThemeConsts0 = new combinepic2wordThemeConsts();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 13:33: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 combinepic2wordThemeConsts_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "combinepic2wordThemeConsts";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp5xg33ck2");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(combinepic2wordThemeConsts_ESTest_scaffolding.class.getClassLoader() ,
"combinepic2wordThemeConsts"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(combinepic2wordThemeConsts_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"combinepic2wordThemeConsts"
);
}
}
| 5,141 |
WindChill | /*************************************************************************
* Compilation: javac WindChill.java
* Execution: java WindChill t v
*
* Given the temperature t (in Fahrenheit) and the wind speed v
* (in miles per hour), compute the wind chill w using the formula
* from the National Weather Service
*
* w = 35.74 + 0.6215*t + (0.4275*t - 35.75) * v ^ 0.16
*
* Reference: http://www.nws.noaa.gov/om/windchill/index.shtml
*
*************************************************************************/
public class WindChill {
public static void main(String[] args) {
double t = Double.parseDouble(args[0]);
double v = Double.parseDouble(args[1]);
double w = 35.74 + 0.6215 * t + (0.4275 * t - 35.75) * Math.pow(v, 0.16);
System.out.println("Temperature = " + t);
System.out.println("Wind speed = " + v);
System.out.println("Wind chill = " + w);
}
}
| .version 52 0
.class public super WindChill
.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 8 locals 7
L0: aload_0
L1: iconst_0
L2: aaload
L3: invokestatic Method java/lang/Double parseDouble (Ljava/lang/String;)D
L6: dstore_1
L7: aload_0
L8: iconst_1
L9: aaload
L10: invokestatic Method java/lang/Double parseDouble (Ljava/lang/String;)D
L13: dstore_3
L14: ldc2_w +35.74
L17: ldc2_w +0.6215
L20: dload_1
L21: dmul
L22: dadd
L23: ldc2_w +0.4275
L26: dload_1
L27: dmul
L28: ldc2_w +35.75
L31: dsub
L32: dload_3
L33: ldc2_w +0.16
L36: invokestatic Method java/lang/Math pow (DD)D
L39: dmul
L40: dadd
L41: dstore 5
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 'Temperature = '
L55: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L58: dload_1
L59: invokevirtual Method java/lang/StringBuilder append (D)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: new java/lang/StringBuilder
L74: dup
L75: invokespecial Method java/lang/StringBuilder <init> ()V
L78: ldc 'Wind speed = '
L80: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L83: dload_3
L84: invokevirtual Method java/lang/StringBuilder append (D)Ljava/lang/StringBuilder;
L87: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L90: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L93: getstatic Field java/lang/System out Ljava/io/PrintStream;
L96: new java/lang/StringBuilder
L99: dup
L100: invokespecial Method java/lang/StringBuilder <init> ()V
L103: ldc 'Wind chill = '
L105: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L108: dload 5
L110: invokevirtual Method java/lang/StringBuilder append (D)Ljava/lang/StringBuilder;
L113: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L116: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L119: return
L120:
.linenumbertable
L0 19
L7 20
L14 21
L43 22
L68 23
L93 24
L119 25
.end linenumbertable
.end code
.end method
.sourcefile 'WindChill.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Mon Jul 04 00:34: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 WindChill_ESTest extends WindChill_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
String[] stringArray0 = new String[6];
stringArray0[1] = "6";
stringArray0[0] = "6";
WindChill.main(stringArray0);
assertEquals(6, stringArray0.length);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
WindChill windChill0 = new WindChill();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 00:34: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 WindChill_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "WindChill";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmphutgv2ju");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(WindChill_ESTest_scaffolding.class.getClassLoader() ,
"WindChill"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(WindChill_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"WindChill"
);
}
}
| 5,142 |
MyFoo | /**
* 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.
*/
/**
* @version
*/
public class MyFoo {
private String name;
public MyFoo() {}
public MyFoo(String name) {
this.name = name;
}
public String getName() {
return name;
}
public void setName(String name) {
this.name = name;
}
}
| .version 52 0
.class public super MyFoo
.super java/lang/Object
.field private name Ljava/lang/String;
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 26
L4 27
.end linenumbertable
.end code
.end method
.method public <init> : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: aload_1
L6: putfield Field MyFoo name Ljava/lang/String;
L9: return
L10:
.linenumbertable
L0 29
L4 30
L9 31
.end linenumbertable
.end code
.end method
.method public getName : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field MyFoo name Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 34
.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 MyFoo name Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 38
L5 39
.end linenumbertable
.end code
.end method
.sourcefile 'MyFoo.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 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 MyFoo_ESTest extends MyFoo_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
MyFoo myFoo0 = new MyFoo((String) null);
String string0 = myFoo0.getName();
assertNull(string0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
MyFoo myFoo0 = new MyFoo("'p7(kC");
String string0 = myFoo0.getName();
assertEquals("'p7(kC", string0);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
MyFoo myFoo0 = new MyFoo("");
String string0 = myFoo0.getName();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
MyFoo myFoo0 = new MyFoo("");
myFoo0.setName("");
assertEquals("", myFoo0.getName());
}
@Test(timeout = 4000)
public void test4() throws Throwable {
MyFoo myFoo0 = new MyFoo();
assertNull(myFoo0.getName());
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 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 MyFoo_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "MyFoo";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp1yn6qixt");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(MyFoo_ESTest_scaffolding.class.getClassLoader() ,
"MyFoo"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(MyFoo_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"MyFoo"
);
}
}
| 5,143 |
SlackNotificationAttachmentField | /*
* 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.
*/
public class SlackNotificationAttachmentField {
private String title;
private String value;
private Boolean short1;
public SlackNotificationAttachmentField(String value) {
this.title = null;
this.value = value;
this.short1 = false;
}
public SlackNotificationAttachmentField(String title, String value, Boolean short1) {
this.title = title;
this.value = value;
this.short1 = short1;
}
public String getTitle() {
return title;
}
public void setTitle(String title) {
this.title = title;
}
public String getValue() {
return value;
}
public void setValue(String value) {
this.value = value;
}
public Boolean getShort() {
return short1;
}
public void setShort(Boolean short1) {
this.short1 = short1;
}
}
| .version 52 0
.class public super SlackNotificationAttachmentField
.super java/lang/Object
.field private title Ljava/lang/String;
.field private value Ljava/lang/String;
.field private short1 Ljava/lang/Boolean;
.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: aconst_null
L6: putfield Field SlackNotificationAttachmentField title Ljava/lang/String;
L9: aload_0
L10: aload_1
L11: putfield Field SlackNotificationAttachmentField value Ljava/lang/String;
L14: aload_0
L15: iconst_0
L16: invokestatic Method java/lang/Boolean valueOf (Z)Ljava/lang/Boolean;
L19: putfield Field SlackNotificationAttachmentField short1 Ljava/lang/Boolean;
L22: return
L23:
.linenumbertable
L0 26
L4 27
L9 28
L14 29
L22 30
.end linenumbertable
.end code
.end method
.method public <init> : (Ljava/lang/String;Ljava/lang/String;Ljava/lang/Boolean;)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 SlackNotificationAttachmentField title Ljava/lang/String;
L9: aload_0
L10: aload_2
L11: putfield Field SlackNotificationAttachmentField value Ljava/lang/String;
L14: aload_0
L15: aload_3
L16: putfield Field SlackNotificationAttachmentField short1 Ljava/lang/Boolean;
L19: return
L20:
.linenumbertable
L0 33
L4 34
L9 35
L14 36
L19 37
.end linenumbertable
.end code
.end method
.method public getTitle : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field SlackNotificationAttachmentField title Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 41
.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 SlackNotificationAttachmentField title Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 46
L5 47
.end linenumbertable
.end code
.end method
.method public getValue : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field SlackNotificationAttachmentField value Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 51
.end linenumbertable
.end code
.end method
.method public setValue : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field SlackNotificationAttachmentField value Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 56
L5 57
.end linenumbertable
.end code
.end method
.method public getShort : ()Ljava/lang/Boolean;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field SlackNotificationAttachmentField short1 Ljava/lang/Boolean;
L4: areturn
L5:
.linenumbertable
L0 61
.end linenumbertable
.end code
.end method
.method public setShort : (Ljava/lang/Boolean;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field SlackNotificationAttachmentField short1 Ljava/lang/Boolean;
L5: return
L6:
.linenumbertable
L0 66
L5 67
.end linenumbertable
.end code
.end method
.sourcefile 'SlackNotificationAttachmentField.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 21:19: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 SlackNotificationAttachmentField_ESTest extends SlackNotificationAttachmentField_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
SlackNotificationAttachmentField slackNotificationAttachmentField0 = new SlackNotificationAttachmentField((String) null);
slackNotificationAttachmentField0.getValue();
assertFalse(slackNotificationAttachmentField0.getShort());
}
@Test(timeout = 4000)
public void test1() throws Throwable {
Boolean boolean0 = new Boolean("");
SlackNotificationAttachmentField slackNotificationAttachmentField0 = new SlackNotificationAttachmentField("9s&el^=n[H", "9s&el^=n[H", boolean0);
slackNotificationAttachmentField0.setValue("");
String string0 = slackNotificationAttachmentField0.getValue();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
SlackNotificationAttachmentField slackNotificationAttachmentField0 = new SlackNotificationAttachmentField((String) null);
slackNotificationAttachmentField0.getTitle();
assertFalse(slackNotificationAttachmentField0.getShort());
}
@Test(timeout = 4000)
public void test3() throws Throwable {
SlackNotificationAttachmentField slackNotificationAttachmentField0 = new SlackNotificationAttachmentField((String) null);
slackNotificationAttachmentField0.setTitle("C");
slackNotificationAttachmentField0.getTitle();
assertFalse(slackNotificationAttachmentField0.getShort());
}
@Test(timeout = 4000)
public void test4() throws Throwable {
SlackNotificationAttachmentField slackNotificationAttachmentField0 = new SlackNotificationAttachmentField((String) null, (String) null, (Boolean) null);
Boolean boolean0 = slackNotificationAttachmentField0.getShort();
assertNull(boolean0);
}
@Test(timeout = 4000)
public void test5() throws Throwable {
SlackNotificationAttachmentField slackNotificationAttachmentField0 = new SlackNotificationAttachmentField((String) null);
Boolean boolean0 = slackNotificationAttachmentField0.getShort();
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test6() throws Throwable {
Boolean boolean0 = new Boolean(true);
SlackNotificationAttachmentField slackNotificationAttachmentField0 = new SlackNotificationAttachmentField("", ".Gq'./=", boolean0);
String string0 = slackNotificationAttachmentField0.getValue();
assertEquals(".Gq'./=", string0);
}
@Test(timeout = 4000)
public void test7() throws Throwable {
Boolean boolean0 = new Boolean(true);
SlackNotificationAttachmentField slackNotificationAttachmentField0 = new SlackNotificationAttachmentField("", ".Gq'./=", boolean0);
Boolean boolean1 = slackNotificationAttachmentField0.getShort();
assertTrue(boolean1);
}
@Test(timeout = 4000)
public void test8() throws Throwable {
Boolean boolean0 = new Boolean(true);
SlackNotificationAttachmentField slackNotificationAttachmentField0 = new SlackNotificationAttachmentField("", ".Gq'./=", boolean0);
String string0 = slackNotificationAttachmentField0.getTitle();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test9() throws Throwable {
Boolean boolean0 = new Boolean("");
SlackNotificationAttachmentField slackNotificationAttachmentField0 = new SlackNotificationAttachmentField("", "", boolean0);
slackNotificationAttachmentField0.setShort(boolean0);
assertEquals("", slackNotificationAttachmentField0.getValue());
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 21:19: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 SlackNotificationAttachmentField_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "SlackNotificationAttachmentField";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpsbb974st");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(SlackNotificationAttachmentField_ESTest_scaffolding.class.getClassLoader() ,
"SlackNotificationAttachmentField"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(SlackNotificationAttachmentField_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"SlackNotificationAttachmentField"
);
}
}
| 5,144 |
Result | /*
Part of Libnodave, a free communication libray for Siemens S7
(C) Thomas Hergenhahn ([email protected]) 2005.
Libnodave is free software; you can redistribute it and/or modify
it under the terms of the GNU Library General Public License as published by
the Free Software Foundation; either version 2, or (at your option)
any later version.
Libnodave 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 Library General Public License
along with this; see the file COPYING. If not, write to
the Free Software Foundation, 675 Mass Ave, Cambridge, MA 02139, USA.
*/
/**
* @author Thomas Hergenhahn
* <p>To change the template for this generated type comment go to Window>Preferences>Java>Code
* Generation>Code and Comments
*/
public class Result {
public int error;
public int length;
public int bufferStart;
}
| .version 52 0
.class public super Result
.super java/lang/Object
.field public error I
.field public length I
.field public bufferStart 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 28
.end linenumbertable
.end code
.end method
.sourcefile 'Result.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 15:23:54 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class Result_ESTest extends Result_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
Result result0 = new Result();
assertEquals(0, result0.error);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 15:23:54 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class Result_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Result";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpnj6x3ujl");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Result_ESTest_scaffolding.class.getClassLoader() ,
"Result"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Result_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Result"
);
}
}
| 5,145 |
TipoIntervalo | /***********************************************************************
*
* This file is part of KEEL-software, the Data Mining tool for regression,
* classification, clustering, pattern mining and so on.
*
* Copyright (C) 2004-2010
*
* F. Herrera ([email protected])
* L. Sánchez ([email protected])
* J. Alcalá-Fdez ([email protected])
* S. García ([email protected])
* A. Fernández ([email protected])
* J. Luengo ([email protected])
*
* This program is free software: you can redistribute it and/or modify
* it under the terms of the GNU General Public License as published by
* the Free Software Foundation, either version 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/
*
**********************************************************************/
class TipoIntervalo {
/* Each interval type has this form */
public double min;
public double max;
}
| .version 52 0
.class super TipoIntervalo
.super java/lang/Object
.field public min D
.field public max D
.method <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 31
.end linenumbertable
.end code
.end method
.sourcefile 'TipoIntervalo.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sun Jul 03 16:20:03 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class TipoIntervalo_ESTest extends TipoIntervalo_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
TipoIntervalo tipoIntervalo0 = new TipoIntervalo();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sun Jul 03 16:20: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 TipoIntervalo_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "TipoIntervalo";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpyhnsefcr");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(TipoIntervalo_ESTest_scaffolding.class.getClassLoader() ,
"TipoIntervalo"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(TipoIntervalo_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"TipoIntervalo"
);
}
}
| 5,146 |
County | public class County {
private int id;
private String countyName;
private String countyCode;
private int cityId;
public int getId() {
return id;
}
public void setId(int id) {
this.id = id;
}
public String getCountyName() {
return countyName;
}
public void setCountyName(String countyName) {
this.countyName = countyName;
}
public String getCountyCode() {
return countyCode;
}
public void setCountyCode(String countyCode) {
this.countyCode = countyCode;
}
public int getCityId() {
return cityId;
}
public void setCityId(int cityId) {
this.cityId = cityId;
}
}
| .version 52 0
.class public super County
.super java/lang/Object
.field private id I
.field private countyName Ljava/lang/String;
.field private countyCode Ljava/lang/String;
.field private cityId I
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 3
.end linenumbertable
.end code
.end method
.method public getId : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field County id I
L4: ireturn
L5:
.linenumbertable
L0 10
.end linenumbertable
.end code
.end method
.method public setId : (I)V
.code stack 2 locals 2
L0: aload_0
L1: iload_1
L2: putfield Field County id I
L5: return
L6:
.linenumbertable
L0 14
L5 15
.end linenumbertable
.end code
.end method
.method public getCountyName : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field County countyName Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 18
.end linenumbertable
.end code
.end method
.method public setCountyName : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field County countyName Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 22
L5 23
.end linenumbertable
.end code
.end method
.method public getCountyCode : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field County countyCode Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 26
.end linenumbertable
.end code
.end method
.method public setCountyCode : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field County countyCode Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 30
L5 31
.end linenumbertable
.end code
.end method
.method public getCityId : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field County cityId I
L4: ireturn
L5:
.linenumbertable
L0 34
.end linenumbertable
.end code
.end method
.method public setCityId : (I)V
.code stack 2 locals 2
L0: aload_0
L1: iload_1
L2: putfield Field County cityId I
L5: return
L6:
.linenumbertable
L0 38
L5 39
.end linenumbertable
.end code
.end method
.sourcefile 'County.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sun Jul 03 20:24: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 County_ESTest extends County_ESTest_scaffolding {
@Test(timeout = 4000)
public void test00() throws Throwable {
County county0 = new County();
county0.setId((-71055));
int int0 = county0.getId();
assertEquals((-71055), int0);
}
@Test(timeout = 4000)
public void test01() throws Throwable {
County county0 = new County();
county0.setCountyName("}6~G[t");
String string0 = county0.getCountyName();
assertEquals("}6~G[t", string0);
}
@Test(timeout = 4000)
public void test02() throws Throwable {
County county0 = new County();
county0.setCountyCode("W+*-o]_24R");
String string0 = county0.getCountyCode();
assertEquals("W+*-o]_24R", string0);
}
@Test(timeout = 4000)
public void test03() throws Throwable {
County county0 = new County();
county0.setCountyCode("");
String string0 = county0.getCountyCode();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test04() throws Throwable {
County county0 = new County();
county0.setCityId((-1343));
int int0 = county0.getCityId();
assertEquals((-1343), int0);
}
@Test(timeout = 4000)
public void test05() throws Throwable {
County county0 = new County();
int int0 = county0.getId();
assertEquals(0, int0);
}
@Test(timeout = 4000)
public void test06() throws Throwable {
County county0 = new County();
county0.setCityId(78740);
int int0 = county0.getCityId();
assertEquals(78740, int0);
}
@Test(timeout = 4000)
public void test07() throws Throwable {
County county0 = new County();
String string0 = county0.getCountyCode();
assertNull(string0);
}
@Test(timeout = 4000)
public void test08() throws Throwable {
County county0 = new County();
String string0 = county0.getCountyName();
assertNull(string0);
}
@Test(timeout = 4000)
public void test09() throws Throwable {
County county0 = new County();
county0.setId(78740);
int int0 = county0.getId();
assertEquals(78740, int0);
}
@Test(timeout = 4000)
public void test10() throws Throwable {
County county0 = new County();
int int0 = county0.getCityId();
assertEquals(0, int0);
}
@Test(timeout = 4000)
public void test11() throws Throwable {
County county0 = new County();
county0.setCountyName("");
String string0 = county0.getCountyName();
assertEquals("", string0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sun Jul 03 20:24: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 County_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "County";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp7_6u9bxk");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(County_ESTest_scaffolding.class.getClassLoader() ,
"County"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(County_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"County"
);
}
}
| 5,147 |
AmpelModell | public class AmpelModell {
public static final int STATUS_ROT = 0;
public static final int STATUS_ROT_GELB = 1;
public static final int STATUS_GRUEN = 2;
public static final int STATUS_GRUEN_BL = 3;
public static final int STATUS_GELB = 4;
private int status;
/**
* @since Apr 28, 2016
*/
public AmpelModell() {
status = 0;
}
/**
* @return the status
* @since Apr 28, 2016
*/
public int getStatus() {
return status;
}
/**
* @param status the status to next
* @since Apr 28, 2016
*/
public void nextStatus() {
status = ++status % 5;
}
}
| .version 52 0
.class public super AmpelModell
.super java/lang/Object
.field public static final STATUS_ROT I = 0
.field public static final STATUS_ROT_GELB I = 1
.field public static final STATUS_GRUEN I = 2
.field public static final STATUS_GRUEN_BL I = 3
.field public static final STATUS_GELB I = 4
.field private status 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 AmpelModell status I
L9: return
L10:
.linenumbertable
L0 14
L4 15
L9 16
.end linenumbertable
.end code
.end method
.method public getStatus : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field AmpelModell status I
L4: ireturn
L5:
.linenumbertable
L0 23
.end linenumbertable
.end code
.end method
.method public nextStatus : ()V
.code stack 4 locals 1
L0: aload_0
L1: aload_0
L2: dup
L3: getfield Field AmpelModell status I
L6: iconst_1
L7: iadd
L8: dup_x1
L9: putfield Field AmpelModell status I
L12: iconst_5
L13: irem
L14: putfield Field AmpelModell status I
L17: return
L18:
.linenumbertable
L0 32
L17 33
.end linenumbertable
.end code
.end method
.sourcefile 'AmpelModell.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 15:10: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 AmpelModell_ESTest extends AmpelModell_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
AmpelModell ampelModell0 = new AmpelModell();
ampelModell0.nextStatus();
ampelModell0.getStatus();
ampelModell0.nextStatus();
assertEquals(2, ampelModell0.getStatus());
}
@Test(timeout = 4000)
public void test1() throws Throwable {
AmpelModell ampelModell0 = new AmpelModell();
int int0 = ampelModell0.getStatus();
assertEquals(0, int0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 15:10: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 AmpelModell_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "AmpelModell";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpvblpa694");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(AmpelModell_ESTest_scaffolding.class.getClassLoader() ,
"AmpelModell"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(AmpelModell_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"AmpelModell"
);
}
}
| 5,148 |
PsmFields | public class PsmFields {
public static final String ID = "id";
public static final String REPORTED_ID = "reported_id";
public static final String PEPTIDE_SEQUENCE = "peptide_sequence";
public static final String PROTEIN_ACCESSION = "protein_accession";
public static final String PROJECT_ACCESSION = "project_accession";
public static final String ASSAY_ACCESSION = "assay_accession";
public static final String MOD_NAMES = "mod_names";
}
| .version 52 0
.class public super PsmFields
.super java/lang/Object
.field public static final ID Ljava/lang/String; = 'id'
.field public static final REPORTED_ID Ljava/lang/String; = 'reported_id'
.field public static final PEPTIDE_SEQUENCE Ljava/lang/String; = 'peptide_sequence'
.field public static final PROTEIN_ACCESSION Ljava/lang/String; = 'protein_accession'
.field public static final PROJECT_ACCESSION Ljava/lang/String; = 'project_accession'
.field public static final ASSAY_ACCESSION Ljava/lang/String; = 'assay_accession'
.field public static final MOD_NAMES Ljava/lang/String; = 'mod_names'
.method 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 'PsmFields.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Mon Jul 04 14:50: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 PsmFields_ESTest extends PsmFields_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
PsmFields psmFields0 = new PsmFields();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 14:50: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 PsmFields_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "PsmFields";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpk5ryg8kj");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(PsmFields_ESTest_scaffolding.class.getClassLoader() ,
"PsmFields"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(PsmFields_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"PsmFields"
);
}
}
| 5,149 |
Solution | import java.util.Stack;
public class Solution {
public String reverseWords(String s) {
Stack<String> ans = new Stack<String>();
for (String word : s.split(" ")) {
if (!word.isEmpty()) {
ans.push(word);
}
}
String prefix = "";
StringBuilder sb = new StringBuilder();
while (!ans.isEmpty()) {
sb.append(prefix);
sb.append(ans.pop());
prefix = " ";
}
return sb.toString();
}
public static void main(String[] args) {
System.err.println(new Solution().reverseWords(" the sky is blue "));
}
}
| .version 52 0
.class public super Solution
.super java/lang/Object
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 5
.end linenumbertable
.end code
.end method
.method public reverseWords : (Ljava/lang/String;)Ljava/lang/String;
.code stack 2 locals 7
L0: new java/util/Stack
L3: dup
L4: invokespecial Method java/util/Stack <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: aload_3
L16: arraylength
L17: istore 4
L19: iconst_0
L20: istore 5
.stack full
locals Object Solution Object java/lang/String Object java/util/Stack Object [Ljava/lang/String; Integer Integer
stack
.end stack
L22: iload 5
L24: iload 4
L26: if_icmpge L56
L29: aload_3
L30: iload 5
L32: aaload
L33: astore 6
L35: aload 6
L37: invokevirtual Method java/lang/String isEmpty ()Z
L40: ifne L50
L43: aload_2
L44: aload 6
L46: invokevirtual Method java/util/Stack push (Ljava/lang/Object;)Ljava/lang/Object;
L49: pop
.stack same
L50: iinc 5 1
L53: goto L22
.stack chop 3
L56: ldc ''
L58: astore_3
L59: new java/lang/StringBuilder
L62: dup
L63: invokespecial Method java/lang/StringBuilder <init> ()V
L66: astore 4
.stack append Object java/lang/String Object java/lang/StringBuilder
L68: aload_2
L69: invokevirtual Method java/util/Stack isEmpty ()Z
L72: ifne L101
L75: aload 4
L77: aload_3
L78: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L81: pop
L82: aload 4
L84: aload_2
L85: invokevirtual Method java/util/Stack pop ()Ljava/lang/Object;
L88: checkcast java/lang/String
L91: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L94: pop
L95: ldc ' '
L97: astore_3
L98: goto L68
.stack same
L101: aload 4
L103: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L106: areturn
L107:
.linenumbertable
L0 7
L8 8
L35 9
L43 10
L50 8
L56 13
L59 14
L68 15
L75 16
L82 17
L95 18
L101 20
.end linenumbertable
.end code
.end method
.method public static main : ([Ljava/lang/String;)V
.code stack 3 locals 1
L0: getstatic Field java/lang/System err Ljava/io/PrintStream;
L3: new Solution
L6: dup
L7: invokespecial Method Solution <init> ()V
L10: ldc ' the sky is blue '
L12: invokevirtual Method Solution reverseWords (Ljava/lang/String;)Ljava/lang/String;
L15: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L18: return
L19:
.linenumbertable
L0 24
L18 25
.end linenumbertable
.end code
.end method
.sourcefile 'Solution.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 04:44:12 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class Solution_ESTest extends Solution_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
Solution solution0 = new Solution();
String string0 = solution0.reverseWords("HmS?cgl@tiQ>l%6 4M~");
assertEquals("4M~ HmS?cgl@tiQ>l%6", string0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
Solution solution0 = new Solution();
String string0 = solution0.reverseWords("7");
assertEquals("7", string0);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
Solution.main((String[]) null);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
Solution solution0 = new Solution();
String string0 = solution0.reverseWords("");
assertEquals("", string0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 04:44:12 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class Solution_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Solution";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpyttpm0g0");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Solution_ESTest_scaffolding.class.getClassLoader() ,
"Solution"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Solution_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Solution"
);
}
}
| 5,150 |
ArgumentToString | /*
* Copyright 2003-2009 OFFIS, Henri Tremblay
*
* 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.lang.reflect.Array;
public final class ArgumentToString {
// ///CLOVER:OFF
private ArgumentToString() {}
// ///CLOVER:ON
public static void appendArgument(Object value, StringBuffer buffer) {
if (value == null) {
buffer.append("null");
} else if (value instanceof String) {
buffer.append("\"");
buffer.append(value);
buffer.append("\"");
} else if (value instanceof Character) {
buffer.append("'");
buffer.append(value);
buffer.append("'");
} else if (value.getClass().isArray()) {
buffer.append("[");
for (int i = 0; i < Array.getLength(value); i++) {
if (i > 0) {
buffer.append(", ");
}
appendArgument(Array.get(value, i), buffer);
}
buffer.append("]");
} else {
buffer.append(value);
}
}
}
| .version 52 0
.class public final super ArgumentToString
.super java/lang/Object
.method private <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 23
L4 24
.end linenumbertable
.end code
.end method
.method public static appendArgument : (Ljava/lang/Object;Ljava/lang/StringBuffer;)V
.code stack 2 locals 3
L0: aload_0
L1: ifnonnull L14
L4: aload_1
L5: ldc 'null'
L7: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/String;)Ljava/lang/StringBuffer;
L10: pop
L11: goto L143
.stack same
L14: aload_0
L15: instanceof java/lang/String
L18: ifeq L44
L21: aload_1
L22: ldc '"'
L24: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/String;)Ljava/lang/StringBuffer;
L27: pop
L28: aload_1
L29: aload_0
L30: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/Object;)Ljava/lang/StringBuffer;
L33: pop
L34: aload_1
L35: ldc '"'
L37: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/String;)Ljava/lang/StringBuffer;
L40: pop
L41: goto L143
.stack same
L44: aload_0
L45: instanceof java/lang/Character
L48: ifeq L74
L51: aload_1
L52: ldc "'"
L54: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/String;)Ljava/lang/StringBuffer;
L57: pop
L58: aload_1
L59: aload_0
L60: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/Object;)Ljava/lang/StringBuffer;
L63: pop
L64: aload_1
L65: ldc "'"
L67: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/String;)Ljava/lang/StringBuffer;
L70: pop
L71: goto L143
.stack same
L74: aload_0
L75: invokevirtual Method java/lang/Object getClass ()Ljava/lang/Class;
L78: invokevirtual Method java/lang/Class isArray ()Z
L81: ifeq L137
L84: aload_1
L85: ldc '['
L87: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/String;)Ljava/lang/StringBuffer;
L90: pop
L91: iconst_0
L92: istore_2
.stack append Integer
L93: iload_2
L94: aload_0
L95: invokestatic Method java/lang/reflect/Array getLength (Ljava/lang/Object;)I
L98: if_icmpge L127
L101: iload_2
L102: ifle L112
L105: aload_1
L106: ldc ', '
L108: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/String;)Ljava/lang/StringBuffer;
L111: pop
.stack same
L112: aload_0
L113: iload_2
L114: invokestatic Method java/lang/reflect/Array get (Ljava/lang/Object;I)Ljava/lang/Object;
L117: aload_1
L118: invokestatic Method ArgumentToString appendArgument (Ljava/lang/Object;Ljava/lang/StringBuffer;)V
L121: iinc 2 1
L124: goto L93
.stack chop 1
L127: aload_1
L128: ldc ']'
L130: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/String;)Ljava/lang/StringBuffer;
L133: pop
L134: goto L143
.stack same
L137: aload_1
L138: aload_0
L139: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/Object;)Ljava/lang/StringBuffer;
L142: pop
.stack same
L143: return
L144:
.linenumbertable
L0 28
L4 29
L14 30
L21 31
L28 32
L34 33
L44 34
L51 35
L58 36
L64 37
L74 38
L84 39
L91 40
L101 41
L105 42
L112 44
L121 40
L127 46
L137 48
L143 50
.end linenumbertable
.end code
.end method
.sourcefile 'ArgumentToString.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Mon Jul 04 13:44: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 ArgumentToString_ESTest extends ArgumentToString_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
Object object0 = new Object();
StringBuffer stringBuffer0 = new StringBuffer();
ArgumentToString.appendArgument(object0, stringBuffer0);
assertEquals(25, stringBuffer0.length());
}
@Test(timeout = 4000)
public void test1() throws Throwable {
StringBuffer stringBuffer0 = new StringBuffer();
Character character0 = new Character('\u0010');
ArgumentToString.appendArgument(character0, stringBuffer0);
assertEquals("'\u0010'", stringBuffer0.toString());
assertEquals(3, stringBuffer0.length());
}
@Test(timeout = 4000)
public void test2() throws Throwable {
StringBuffer stringBuffer0 = new StringBuffer();
ArgumentToString.appendArgument((Object) null, stringBuffer0);
assertEquals("null", stringBuffer0.toString());
assertEquals(4, stringBuffer0.length());
}
@Test(timeout = 4000)
public void test3() throws Throwable {
StringBuffer stringBuffer0 = new StringBuffer();
ArgumentToString.appendArgument("Ht!Rn0cpq!1+F,{y4", stringBuffer0);
assertEquals(19, stringBuffer0.length());
assertEquals("\"Ht!Rn0cpq!1+F,{y4\"", stringBuffer0.toString());
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 13:44: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 ArgumentToString_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "ArgumentToString";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpoxoo4fzq");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(ArgumentToString_ESTest_scaffolding.class.getClassLoader() ,
"ArgumentToString"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ArgumentToString_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"ArgumentToString"
);
}
}
| 5,151 |
Trig | /*----------------------------------------------------------------
* Author: Samuel Miravet-Verde
* Written: 09/25/2015
* Last updated: 09/25/2015
*
* Compilation: javac Trig.java
* Execution: java Trig angle
*
* Illustrates various trig operations. Reads in an angle (in degrees),
* converts to radians, and performs various trigonometric
* calculations.
*
* % java Trig
* sin(30.0) = 0.49999999999999994
* cos(30.0) = 0.8660254037844387
* tan(30.0) = 0.5773502691896257
* 0.49999999999999994 / 0.8660254037844387 = 0.5773502691896256
* 0.24999999999999994 + 0.7500000000000001 = 1.0
*
******************************************************************************/
public class Trig {
public static void main(String[] args) {
double degrees = Double.parseDouble(args[0]);
double radians = Math.toRadians(degrees);
double s = Math.sin(radians);
System.out.println("sin(" + degrees + ") = " + s);
double c = Math.cos(radians);
System.out.println("cos(" + degrees + ") = " + c);
double t = Math.tan(radians);
System.out.println("tan(" + degrees + ") = " + t);
System.out.println(s + " / " + c + " = " + s / c);
double r = s * s + c * c;
System.out.println(s * s + " + " + c * c + " = " + r);
}
}
| .version 52 0
.class public super Trig
.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
.method public static main : ([Ljava/lang/String;)V
.code stack 6 locals 13
L0: aload_0
L1: iconst_0
L2: aaload
L3: invokestatic Method java/lang/Double parseDouble (Ljava/lang/String;)D
L6: dstore_1
L7: dload_1
L8: invokestatic Method java/lang/Math toRadians (D)D
L11: dstore_3
L12: dload_3
L13: invokestatic Method java/lang/Math sin (D)D
L16: dstore 5
L18: getstatic Field java/lang/System out Ljava/io/PrintStream;
L21: new java/lang/StringBuilder
L24: dup
L25: invokespecial Method java/lang/StringBuilder <init> ()V
L28: ldc 'sin('
L30: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L33: dload_1
L34: invokevirtual Method java/lang/StringBuilder append (D)Ljava/lang/StringBuilder;
L37: ldc ') = '
L39: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L42: dload 5
L44: invokevirtual Method java/lang/StringBuilder append (D)Ljava/lang/StringBuilder;
L47: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L50: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L53: dload_3
L54: invokestatic Method java/lang/Math cos (D)D
L57: dstore 7
L59: getstatic Field java/lang/System out Ljava/io/PrintStream;
L62: new java/lang/StringBuilder
L65: dup
L66: invokespecial Method java/lang/StringBuilder <init> ()V
L69: ldc 'cos('
L71: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L74: dload_1
L75: invokevirtual Method java/lang/StringBuilder append (D)Ljava/lang/StringBuilder;
L78: ldc ') = '
L80: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L83: dload 7
L85: invokevirtual Method java/lang/StringBuilder append (D)Ljava/lang/StringBuilder;
L88: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L91: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L94: dload_3
L95: invokestatic Method java/lang/Math tan (D)D
L98: dstore 9
L100: getstatic Field java/lang/System out Ljava/io/PrintStream;
L103: new java/lang/StringBuilder
L106: dup
L107: invokespecial Method java/lang/StringBuilder <init> ()V
L110: ldc 'tan('
L112: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L115: dload_1
L116: invokevirtual Method java/lang/StringBuilder append (D)Ljava/lang/StringBuilder;
L119: ldc ') = '
L121: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L124: dload 9
L126: invokevirtual Method java/lang/StringBuilder append (D)Ljava/lang/StringBuilder;
L129: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L132: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L135: getstatic Field java/lang/System out Ljava/io/PrintStream;
L138: new java/lang/StringBuilder
L141: dup
L142: invokespecial Method java/lang/StringBuilder <init> ()V
L145: dload 5
L147: invokevirtual Method java/lang/StringBuilder append (D)Ljava/lang/StringBuilder;
L150: ldc ' / '
L152: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L155: dload 7
L157: invokevirtual Method java/lang/StringBuilder append (D)Ljava/lang/StringBuilder;
L160: ldc ' = '
L162: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L165: dload 5
L167: dload 7
L169: ddiv
L170: invokevirtual Method java/lang/StringBuilder append (D)Ljava/lang/StringBuilder;
L173: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L176: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L179: dload 5
L181: dload 5
L183: dmul
L184: dload 7
L186: dload 7
L188: dmul
L189: dadd
L190: dstore 11
L192: getstatic Field java/lang/System out Ljava/io/PrintStream;
L195: new java/lang/StringBuilder
L198: dup
L199: invokespecial Method java/lang/StringBuilder <init> ()V
L202: dload 5
L204: dload 5
L206: dmul
L207: invokevirtual Method java/lang/StringBuilder append (D)Ljava/lang/StringBuilder;
L210: ldc ' + '
L212: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L215: dload 7
L217: dload 7
L219: dmul
L220: invokevirtual Method java/lang/StringBuilder append (D)Ljava/lang/StringBuilder;
L223: ldc ' = '
L225: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L228: dload 11
L230: invokevirtual Method java/lang/StringBuilder append (D)Ljava/lang/StringBuilder;
L233: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L236: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L239: return
L240:
.linenumbertable
L0 24
L7 25
L12 27
L18 28
L53 30
L59 31
L94 33
L100 34
L135 35
L179 37
L192 38
L239 39
.end linenumbertable
.end code
.end method
.sourcefile 'Trig.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 05:13:20 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import static org.evosuite.runtime.EvoAssertions.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class Trig_ESTest extends Trig_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
String[] stringArray0 = new String[1];
// Undeclared exception!
try {
Trig.main(stringArray0);
fail("Expecting exception: NullPointerException");
} catch(NullPointerException e) {
}
}
@Test(timeout = 4000)
public void test1() throws Throwable {
String[] stringArray0 = new String[3];
stringArray0[0] = "6";
Trig.main(stringArray0);
assertEquals(3, stringArray0.length);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
Trig trig0 = new Trig();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 05:13: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 Trig_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Trig";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmple7a_0pg");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Trig_ESTest_scaffolding.class.getClassLoader() ,
"Trig"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Trig_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Trig"
);
}
}
| 5,152 |
CommandExecutionFailureException | public class CommandExecutionFailureException {}
| .version 52 0
.class public super CommandExecutionFailureException
.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 'CommandExecutionFailureException.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 04:54: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 CommandExecutionFailureException_ESTest extends CommandExecutionFailureException_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
CommandExecutionFailureException commandExecutionFailureException0 = new CommandExecutionFailureException();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 04:54: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 CommandExecutionFailureException_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "CommandExecutionFailureException";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp7is9ks1i");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(CommandExecutionFailureException_ESTest_scaffolding.class.getClassLoader() ,
"CommandExecutionFailureException"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(CommandExecutionFailureException_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"CommandExecutionFailureException"
);
}
}
| 5,153 |
Level | public class Level {
private int mValue = 0;
private int mMax = 0;
public Level(int max) {
this(0, max);
}
public Level(int value, int max) {
if (value > max) {
throw new IllegalArgumentException();
}
mValue = value;
mMax = max;
}
public int value() {
return mValue;
}
public int max() {
return mMax;
}
public void set(int value) {
mValue = value;
}
public void setMax(int max) {
mMax = max;
}
public boolean isMax() {
return mValue == mMax;
}
public void up() {
if (isMax()) return;
++mValue;
}
}
| .version 52 0
.class public super Level
.super java/lang/Object
.field private mValue I
.field private mMax I
.method public <init> : (I)V
.code stack 3 locals 2
L0: aload_0
L1: iconst_0
L2: iload_1
L3: invokespecial Method Level <init> (II)V
L6: return
L7:
.linenumbertable
L0 9
L6 10
.end linenumbertable
.end code
.end method
.method public <init> : (II)V
.code stack 2 locals 3
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: iconst_0
L6: putfield Field Level mValue I
L9: aload_0
L10: iconst_0
L11: putfield Field Level mMax I
L14: iload_1
L15: iload_2
L16: if_icmple L27
L19: new java/lang/IllegalArgumentException
L22: dup
L23: invokespecial Method java/lang/IllegalArgumentException <init> ()V
L26: athrow
.stack full
locals Object Level Integer Integer
stack
.end stack
L27: aload_0
L28: iload_1
L29: putfield Field Level mValue I
L32: aload_0
L33: iload_2
L34: putfield Field Level mMax I
L37: return
L38:
.linenumbertable
L0 12
L4 5
L9 6
L14 13
L19 14
L27 16
L32 17
L37 18
.end linenumbertable
.end code
.end method
.method public value : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Level mValue I
L4: ireturn
L5:
.linenumbertable
L0 21
.end linenumbertable
.end code
.end method
.method public max : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Level mMax I
L4: ireturn
L5:
.linenumbertable
L0 25
.end linenumbertable
.end code
.end method
.method public set : (I)V
.code stack 2 locals 2
L0: aload_0
L1: iload_1
L2: putfield Field Level mValue I
L5: return
L6:
.linenumbertable
L0 29
L5 30
.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 Level mMax I
L5: return
L6:
.linenumbertable
L0 33
L5 34
.end linenumbertable
.end code
.end method
.method public isMax : ()Z
.code stack 2 locals 1
L0: aload_0
L1: getfield Field Level mValue I
L4: aload_0
L5: getfield Field Level mMax I
L8: if_icmpne L15
L11: iconst_1
L12: goto L16
.stack same
L15: iconst_0
.stack stack_1 Integer
L16: ireturn
L17:
.linenumbertable
L0 37
.end linenumbertable
.end code
.end method
.method public up : ()V
.code stack 3 locals 1
L0: aload_0
L1: invokevirtual Method Level isMax ()Z
L4: ifeq L8
L7: return
.stack same
L8: aload_0
L9: dup
L10: getfield Field Level mValue I
L13: iconst_1
L14: iadd
L15: putfield Field Level mValue I
L18: return
L19:
.linenumbertable
L0 41
L8 42
L18 43
.end linenumbertable
.end code
.end method
.sourcefile 'Level.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sun Jul 03 15:36:52 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 Level_ESTest extends Level_ESTest_scaffolding {
@Test(timeout = 4000)
public void test00() throws Throwable {
Level level0 = new Level(0, 0);
level0.set(79940);
level0.up();
assertEquals(79941, level0.value());
}
@Test(timeout = 4000)
public void test01() throws Throwable {
Level level0 = new Level(0);
int int0 = level0.value();
assertEquals(0, int0);
assertTrue(level0.isMax());
}
@Test(timeout = 4000)
public void test02() throws Throwable {
Level level0 = new Level(0);
level0.set((-12968));
int int0 = level0.value();
assertEquals((-12968), int0);
}
@Test(timeout = 4000)
public void test03() throws Throwable {
Level level0 = new Level(0);
int int0 = level0.max();
assertTrue(level0.isMax());
assertEquals(0, int0);
}
@Test(timeout = 4000)
public void test04() throws Throwable {
Level level0 = new Level(0, 0);
assertEquals(0, level0.value());
level0.set((-1));
boolean boolean0 = level0.isMax();
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test05() throws Throwable {
Level level0 = new Level(0);
boolean boolean0 = level0.isMax();
assertTrue(boolean0);
}
@Test(timeout = 4000)
public void test06() throws Throwable {
Level level0 = null;
try {
level0 = new Level(64377, 0);
fail("Expecting exception: IllegalArgumentException");
} catch(IllegalArgumentException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("Level", e);
}
}
@Test(timeout = 4000)
public void test07() throws Throwable {
Level level0 = new Level(0);
level0.up();
assertTrue(level0.isMax());
}
@Test(timeout = 4000)
public void test08() throws Throwable {
Level level0 = new Level(22244, 22244);
int int0 = level0.value();
assertTrue(level0.isMax());
assertEquals(22244, int0);
}
@Test(timeout = 4000)
public void test09() throws Throwable {
Level level0 = new Level((-28737), 7495);
level0.setMax((-28737));
int int0 = level0.max();
assertTrue(level0.isMax());
assertEquals((-28737), int0);
}
@Test(timeout = 4000)
public void test10() throws Throwable {
Level level0 = new Level((-28737), 7495);
int int0 = level0.max();
assertEquals((-28737), level0.value());
assertEquals(7495, int0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sun Jul 03 15:36: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 Level_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Level";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpwp3oluq5");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Level_ESTest_scaffolding.class.getClassLoader() ,
"Level"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Level_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Level"
);
}
}
| 5,154 |
Exit | import java.awt.event.ActionEvent;
import java.awt.event.ActionListener;
class Exit implements ActionListener {
@Override
public void actionPerformed(ActionEvent e) {
System.exit(0);
}
}
| .version 52 0
.class super Exit
.super java/lang/Object
.implements java/awt/event/ActionListener
.method <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 6
.end linenumbertable
.end code
.end method
.method public actionPerformed : (Ljava/awt/event/ActionEvent;)V
.code stack 1 locals 2
L0: iconst_0
L1: invokestatic Method java/lang/System exit (I)V
L4: return
L5:
.linenumbertable
L0 9
L4 10
.end linenumbertable
.end code
.end method
.sourcefile 'Exit.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 22:04:03 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import static org.evosuite.runtime.EvoAssertions.*;
import java.awt.event.ActionEvent;
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 Exit_ESTest extends Exit_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
Exit exit0 = new Exit();
// Undeclared exception!
try {
exit0.actionPerformed((ActionEvent) null);
fail("Expecting exception: System.SystemExitException");
} catch(System.SystemExitException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("org.evosuite.runtime.System", e);
}
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 22:04:03 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class Exit_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Exit";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp9i84qa1t");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Exit_ESTest_scaffolding.class.getClassLoader() ,
"Exit"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Exit_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Exit"
);
}
}
| 5,155 |
Cell | /**
* Cell.
*
* @author Vitaly Zubov (mailto:[email protected]).
* @version $Id$
* @since 20.01.2018
*/
class Cell {
private int x;
private int y;
Cell(int x, int y) {
this.x = x;
this.y = y;
}
/**
* Метод позволяет получать координату "Х" определённой шахматной клетке.
*
* @return x - координата "Х" шахматной клетки
*/
int getX() {
return x;
}
/**
* Метод позволяет получать координату "Y" определённой шахматной клетке.
*
* @return y - координата "Y" шахматной клетки
*/
int getY() {
return y;
}
}
| .version 52 0
.class super Cell
.super java/lang/Object
.field private x I
.field private y I
.method <init> : (II)V
.code stack 2 locals 3
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: iload_1
L6: putfield Field Cell x I
L9: aload_0
L10: iload_2
L11: putfield Field Cell y I
L14: return
L15:
.linenumbertable
L0 13
L4 14
L9 15
L14 16
.end linenumbertable
.end code
.end method
.method getX : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Cell x I
L4: ireturn
L5:
.linenumbertable
L0 22
.end linenumbertable
.end code
.end method
.method getY : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Cell y I
L4: ireturn
L5:
.linenumbertable
L0 29
.end linenumbertable
.end code
.end method
.sourcefile 'Cell.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 08:50: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 Cell_ESTest extends Cell_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
Cell cell0 = new Cell(0, 0);
int int0 = cell0.getY();
assertEquals(0, int0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
Cell cell0 = new Cell(50859, 50859);
int int0 = cell0.getY();
assertEquals(50859, int0);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
Cell cell0 = new Cell(0, 0);
int int0 = cell0.getX();
assertEquals(0, int0);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
Cell cell0 = new Cell(2546, 2546);
int int0 = cell0.getX();
assertEquals(2546, int0);
}
@Test(timeout = 4000)
public void test4() throws Throwable {
Cell cell0 = new Cell((-61706), (-61706));
int int0 = cell0.getY();
assertEquals((-61706), int0);
}
@Test(timeout = 4000)
public void test5() throws Throwable {
Cell cell0 = new Cell((-61706), (-61706));
int int0 = cell0.getX();
assertEquals((-61706), int0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 08:50:40 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class Cell_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Cell";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpaiwnpkpg");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Cell_ESTest_scaffolding.class.getClassLoader() ,
"Cell"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Cell_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Cell"
);
}
}
| 5,156 |
Item | /***********************************************************************
*
* This file is part of KEEL-software, the Data Mining tool for regression,
* classification, clustering, pattern mining and so on.
*
* Copyright (C) 2004-2010
*
* F. Herrera ([email protected])
* L. Sánchez ([email protected])
* J. Alcalá-Fdez ([email protected])
* S. García ([email protected])
* A. Fernández ([email protected])
* J. Luengo ([email protected])
*
* This program is free software: you can redistribute it and/or modify
* it under the terms of the GNU General Public License as published by
* the Free Software Foundation, either version 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/
*
**********************************************************************/
/**
* @author Written by Alvaro Lopez
* @version 1.0
* @since JDK1.6
*/
public class Item implements Comparable {
/** It represents an item throughout the execution of the algorithm */
private int idAttr;
private int idLabel;
/** Default constructor */
public Item() {}
/**
* It creates a new item by setting up its parameters
*
* @param idAttr The ID of the attribute which the item represents
* @param idLabel The ID of the label representing the involved fuzzy region
*/
public Item(int idAttr, int idLabel) {
this.idAttr = idAttr;
this.idLabel = idLabel;
}
/**
* It returns the ID of the attribute involved in the item
*
* @return A value representing the ID of the attribute involved in the item
*/
public int getIDAttribute() {
return this.idAttr;
}
/**
* It returns the ID of the label involved in the item
*
* @return A value representing the ID of the label involved in the item
*/
public int getIDLabel() {
return this.idLabel;
}
/**
* It allows to clone correctly an item
*
* @return A copy of the item
*/
public Item clone() {
Item i = new Item();
i.idAttr = this.idAttr;
i.idLabel = this.idLabel;
return i;
}
/**
* It indicates whether some other item is "equal to" this one
*
* @param obj The reference object with which to compare
* @return True if this item is the same as the argument; False otherwise
*/
public boolean equals(Object obj) {
Item item = (Item) obj;
if ((this.idAttr == item.idAttr) && (this.idLabel == item.idLabel)) return true;
else return false;
}
/**
* It compares an item with another one in order to accomplish ordering later.
*
* @param item The object to be compared
* @return A negative integer, zero, or a positive integer as this object is less than, equal to,
* or greater than the specified object
*/
public int compareTo(Object item) {
if (((Item) item).idAttr > this.idAttr) {
return -1;
} else if (((Item) item).idAttr < this.idAttr) {
return 1;
} else if (((Item) item).idLabel > this.idLabel) {
return -1;
} else if (((Item) item).idLabel < this.idLabel) {
return 1;
}
return 0;
}
/**
* It returns a raw string representation of an item
*
* @return A raw string representation of the item
*/
public String toString() {
return ("(" + this.idAttr + ", " + this.idLabel + ")");
}
}
| .version 52 0
.class public super Item
.super java/lang/Object
.implements java/lang/Comparable
.field private idAttr I
.field private idLabel 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 55
L4 56
.end linenumbertable
.end code
.end method
.method public <init> : (II)V
.code stack 2 locals 3
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: iload_1
L6: putfield Field Item idAttr I
L9: aload_0
L10: iload_2
L11: putfield Field Item idLabel I
L14: return
L15:
.linenumbertable
L0 65
L4 66
L9 67
L14 68
.end linenumbertable
.end code
.end method
.method public getIDAttribute : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Item idAttr I
L4: ireturn
L5:
.linenumbertable
L0 77
.end linenumbertable
.end code
.end method
.method public getIDLabel : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Item idLabel I
L4: ireturn
L5:
.linenumbertable
L0 87
.end linenumbertable
.end code
.end method
.method public clone : ()LItem;
.code stack 2 locals 2
L0: new Item
L3: dup
L4: invokespecial Method Item <init> ()V
L7: astore_1
L8: aload_1
L9: aload_0
L10: getfield Field Item idAttr I
L13: putfield Field Item idAttr I
L16: aload_1
L17: aload_0
L18: getfield Field Item idLabel I
L21: putfield Field Item idLabel I
L24: aload_1
L25: areturn
L26:
.linenumbertable
L0 97
L8 99
L16 100
L24 102
.end linenumbertable
.end code
.end method
.method public equals : (Ljava/lang/Object;)Z
.code stack 2 locals 3
L0: aload_1
L1: checkcast Item
L4: astore_2
L5: aload_0
L6: getfield Field Item idAttr I
L9: aload_2
L10: getfield Field Item idAttr I
L13: if_icmpne L29
L16: aload_0
L17: getfield Field Item idLabel I
L20: aload_2
L21: getfield Field Item idLabel I
L24: if_icmpne L29
L27: iconst_1
L28: ireturn
.stack append Object Item
L29: iconst_0
L30: ireturn
L31:
.linenumbertable
L0 113
L5 115
L29 116
.end linenumbertable
.end code
.end method
.method public compareTo : (Ljava/lang/Object;)I
.code stack 2 locals 2
L0: aload_1
L1: checkcast Item
L4: getfield Field Item idAttr I
L7: aload_0
L8: getfield Field Item idAttr I
L11: if_icmple L16
L14: iconst_m1
L15: ireturn
.stack same
L16: aload_1
L17: checkcast Item
L20: getfield Field Item idAttr I
L23: aload_0
L24: getfield Field Item idAttr I
L27: if_icmpge L32
L30: iconst_1
L31: ireturn
.stack same
L32: aload_1
L33: checkcast Item
L36: getfield Field Item idLabel I
L39: aload_0
L40: getfield Field Item idLabel I
L43: if_icmple L48
L46: iconst_m1
L47: ireturn
.stack same
L48: aload_1
L49: checkcast Item
L52: getfield Field Item idLabel I
L55: aload_0
L56: getfield Field Item idLabel I
L59: if_icmpge L64
L62: iconst_1
L63: ireturn
.stack same
L64: iconst_0
L65: ireturn
L66:
.linenumbertable
L0 127
L14 128
L16 130
L30 131
L32 133
L46 134
L48 136
L62 137
L64 140
.end linenumbertable
.end code
.end method
.method public toString : ()Ljava/lang/String;
.code stack 2 locals 1
L0: new java/lang/StringBuilder
L3: dup
L4: invokespecial Method java/lang/StringBuilder <init> ()V
L7: ldc '('
L9: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L12: aload_0
L13: getfield Field Item idAttr I
L16: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder;
L19: ldc ', '
L21: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L24: aload_0
L25: getfield Field Item idLabel I
L28: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder;
L31: ldc ')'
L33: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L36: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L39: areturn
L40:
.linenumbertable
L0 150
.end linenumbertable
.end code
.end method
.method public bridge synthetic clone : ()Ljava/lang/Object;
.code stack 1 locals 1
L0: aload_0
L1: invokevirtual Method Item clone ()LItem;
L4: areturn
L5:
.linenumbertable
L0 40
.end linenumbertable
.end code
.exceptions java/lang/CloneNotSupportedException
.end method
.sourcefile 'Item.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Mon Jul 04 07:26: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 Item_ESTest extends Item_ESTest_scaffolding {
@Test(timeout = 4000)
public void test00() throws Throwable {
Item item0 = new Item((-23670), 0);
Item item1 = new Item((-23670), (-23670));
boolean boolean0 = item0.equals(item1);
assertFalse(item1.equals((Object)item0));
assertEquals((-23670), item1.getIDLabel());
assertEquals((-23670), item1.getIDAttribute());
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test01() throws Throwable {
Item item0 = new Item((-50410), 6384);
Item item1 = new Item();
boolean boolean0 = item0.equals(item1);
assertEquals(6384, item0.getIDLabel());
assertFalse(boolean0);
assertEquals((-50410), item0.getIDAttribute());
}
@Test(timeout = 4000)
public void test02() throws Throwable {
Item item0 = new Item(0, 1);
int int0 = item0.getIDLabel();
assertEquals(0, item0.getIDAttribute());
assertEquals(1, int0);
}
@Test(timeout = 4000)
public void test03() throws Throwable {
Item item0 = new Item(198718, (-1));
int int0 = item0.getIDLabel();
assertEquals((-1), int0);
assertEquals(198718, item0.getIDAttribute());
}
@Test(timeout = 4000)
public void test04() throws Throwable {
Item item0 = new Item();
int int0 = item0.getIDAttribute();
assertEquals(0, int0);
}
@Test(timeout = 4000)
public void test05() throws Throwable {
Item item0 = new Item(41910, 41910);
int int0 = item0.getIDAttribute();
assertEquals(41910, item0.getIDLabel());
assertEquals(41910, int0);
}
@Test(timeout = 4000)
public void test06() throws Throwable {
Item item0 = new Item(0, 1);
Item item1 = item0.clone();
assertEquals(1, item1.getIDLabel());
assertEquals(0, item1.getIDAttribute());
}
@Test(timeout = 4000)
public void test07() throws Throwable {
Item item0 = new Item(1, (-46523));
Item item1 = item0.clone();
assertEquals(1, item1.getIDAttribute());
assertEquals((-46523), item1.getIDLabel());
}
@Test(timeout = 4000)
public void test08() throws Throwable {
Item item0 = new Item();
Item item1 = new Item(0, 1);
int int0 = item1.compareTo(item0);
assertEquals(1, item1.getIDLabel());
assertEquals(0, item1.getIDAttribute());
assertEquals(1, int0);
}
@Test(timeout = 4000)
public void test09() throws Throwable {
Item item0 = new Item(0, 0);
Item item1 = new Item(0, 57159);
int int0 = item0.compareTo(item1);
assertEquals((-1), int0);
assertEquals(0, item1.getIDAttribute());
assertEquals(0, item0.getIDLabel());
}
@Test(timeout = 4000)
public void test10() throws Throwable {
Item item0 = new Item((-57697), 0);
Item item1 = new Item();
Item item2 = item1.clone();
int int0 = item2.compareTo(item0);
assertEquals(0, item0.getIDLabel());
assertEquals(1, int0);
assertTrue(item2.equals((Object)item1));
assertEquals((-57697), item0.getIDAttribute());
}
@Test(timeout = 4000)
public void test11() throws Throwable {
Item item0 = new Item((-57697), 0);
Item item1 = new Item();
int int0 = item0.compareTo(item1);
assertEquals((-1), int0);
assertEquals((-57697), item0.getIDAttribute());
assertEquals(0, item0.getIDLabel());
}
@Test(timeout = 4000)
public void test12() throws Throwable {
Item item0 = new Item();
int int0 = item0.compareTo(item0);
assertEquals(0, int0);
}
@Test(timeout = 4000)
public void test13() throws Throwable {
Item item0 = new Item();
Item item1 = new Item(0, 1);
boolean boolean0 = item0.equals(item1);
assertFalse(item1.equals((Object)item0));
assertFalse(boolean0);
assertEquals(1, item1.getIDLabel());
assertEquals(0, item1.getIDAttribute());
}
@Test(timeout = 4000)
public void test14() throws Throwable {
Item item0 = new Item();
boolean boolean0 = item0.equals(item0);
assertTrue(boolean0);
}
@Test(timeout = 4000)
public void test15() throws Throwable {
Item item0 = new Item(198718, (-1));
Item item1 = new Item((-1), (-1));
boolean boolean0 = item0.equals(item1);
assertFalse(item1.equals((Object)item0));
assertFalse(boolean0);
assertEquals((-1), item1.getIDAttribute());
assertEquals((-1), item1.getIDLabel());
}
@Test(timeout = 4000)
public void test16() throws Throwable {
Item item0 = new Item((-1), (-1));
int int0 = item0.getIDAttribute();
assertEquals((-1), item0.getIDLabel());
assertEquals((-1), int0);
}
@Test(timeout = 4000)
public void test17() throws Throwable {
Item item0 = new Item();
int int0 = item0.getIDLabel();
assertEquals(0, int0);
}
@Test(timeout = 4000)
public void test18() throws Throwable {
Item item0 = new Item((-57697), 0);
Item item1 = item0.clone();
assertEquals((-57697), item1.getIDAttribute());
assertEquals(0, item1.getIDLabel());
}
@Test(timeout = 4000)
public void test19() throws Throwable {
Item item0 = new Item((-57697), 0);
String string0 = item0.toString();
assertEquals("(-57697, 0)", string0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 07:26: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 Item_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Item";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpyy5lj11t");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Item_ESTest_scaffolding.class.getClassLoader() ,
"Item"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Item_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Item"
);
}
}
| 5,157 |
MultiplicationTable | public class MultiplicationTable {
private static final String SEPARATOR = "-----------------";
public static void main(String[] args) {
for (int i = 1; i < 10; i++) {
printTable(i);
}
}
public static void printTable(int i) {
System.out.println("Table " + i);
System.out.println(SEPARATOR);
for (int j = 1; j < 10; j++) {
System.out.println(i + "x" + j + "=" + i * j);
}
System.out.println(SEPARATOR);
}
}
| .version 52 0
.class public super MultiplicationTable
.super java/lang/Object
.field private static final SEPARATOR 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 static main : ([Ljava/lang/String;)V
.code stack 2 locals 2
L0: iconst_1
L1: istore_1
.stack append Integer
L2: iload_1
L3: bipush 10
L5: if_icmpge L18
L8: iload_1
L9: invokestatic Method MultiplicationTable printTable (I)V
L12: iinc 1 1
L15: goto L2
.stack chop 1
L18: return
L19:
.linenumbertable
L0 7
L8 8
L12 7
L18 10
.end linenumbertable
.end code
.end method
.method public static printTable : (I)V
.code stack 4 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 'Table '
L12: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L15: iload_0
L16: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder;
L19: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L22: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L25: getstatic Field java/lang/System out Ljava/io/PrintStream;
L28: ldc '-----------------'
L30: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L33: iconst_1
L34: istore_1
.stack append Integer
L35: iload_1
L36: bipush 10
L38: if_icmpge L87
L41: getstatic Field java/lang/System out Ljava/io/PrintStream;
L44: new java/lang/StringBuilder
L47: dup
L48: invokespecial Method java/lang/StringBuilder <init> ()V
L51: iload_0
L52: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder;
L55: ldc 'x'
L57: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L60: iload_1
L61: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder;
L64: ldc '='
L66: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L69: iload_0
L70: iload_1
L71: imul
L72: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder;
L75: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L78: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L81: iinc 1 1
L84: goto L35
.stack chop 1
L87: getstatic Field java/lang/System out Ljava/io/PrintStream;
L90: ldc '-----------------'
L92: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L95: return
L96:
.linenumbertable
L0 13
L25 14
L33 15
L41 16
L81 15
L87 18
L95 19
.end linenumbertable
.end code
.end method
.sourcefile 'MultiplicationTable.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 02:16: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 MultiplicationTable_ESTest extends MultiplicationTable_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
MultiplicationTable.printTable((-38258));
MultiplicationTable multiplicationTable0 = new MultiplicationTable();
String[] stringArray0 = new String[4];
stringArray0[0] = "";
stringArray0[1] = "";
stringArray0[2] = "=";
stringArray0[3] = "L9W<";
MultiplicationTable.main(stringArray0);
String[] stringArray1 = new String[4];
stringArray1[0] = "sG+>z{B";
stringArray1[1] = "Table ";
stringArray1[2] = "B_N;OS!J:Q?p";
stringArray1[3] = "";
MultiplicationTable.main(stringArray1);
MultiplicationTable.printTable((-38258));
String[] stringArray2 = new String[6];
stringArray2[0] = "";
stringArray2[1] = "";
stringArray2[2] = "";
stringArray2[3] = "";
stringArray2[4] = "";
stringArray2[5] = "!_J/JBF /Ham\"";
MultiplicationTable.main(stringArray2);
MultiplicationTable.printTable((-38258));
}
@Test(timeout = 4000)
public void test1() throws Throwable {
MultiplicationTable.printTable(1);
MultiplicationTable multiplicationTable0 = new MultiplicationTable();
MultiplicationTable.printTable(1);
String[] stringArray0 = new String[6];
stringArray0[0] = "}QM<s,@q6CqgS";
stringArray0[1] = "7\"+f0saRo#7O29HYu-";
stringArray0[2] = "";
stringArray0[3] = ".+Sz3XF`{D!";
stringArray0[4] = "";
stringArray0[5] = ";O!";
MultiplicationTable.main(stringArray0);
assertEquals(6, stringArray0.length);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
MultiplicationTable.printTable((-1));
MultiplicationTable.printTable(0);
MultiplicationTable.printTable(10158);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
MultiplicationTable.printTable(87767);
String[] stringArray0 = new String[1];
stringArray0[0] = ")4g)`&A-";
MultiplicationTable.main(stringArray0);
MultiplicationTable multiplicationTable0 = new MultiplicationTable();
MultiplicationTable.printTable(87767);
MultiplicationTable.main(stringArray0);
MultiplicationTable.printTable(87767);
MultiplicationTable.main(stringArray0);
MultiplicationTable.main(stringArray0);
MultiplicationTable.printTable((-1));
}
@Test(timeout = 4000)
public void test4() throws Throwable {
MultiplicationTable.printTable((-30112));
String[] stringArray0 = new String[0];
MultiplicationTable.main(stringArray0);
MultiplicationTable.printTable((-30112));
MultiplicationTable multiplicationTable0 = new MultiplicationTable();
String[] stringArray1 = new String[4];
stringArray1[0] = "";
stringArray1[1] = "X";
stringArray1[2] = "";
stringArray1[3] = "";
MultiplicationTable.main(stringArray1);
MultiplicationTable.printTable(0);
MultiplicationTable.printTable((-30112));
MultiplicationTable.main(stringArray0);
MultiplicationTable.main(stringArray0);
MultiplicationTable.printTable(34394);
MultiplicationTable.printTable(14485);
MultiplicationTable.printTable(20270);
MultiplicationTable.main(stringArray0);
MultiplicationTable.printTable(10);
MultiplicationTable.printTable(72891);
MultiplicationTable.main(stringArray0);
MultiplicationTable.main(stringArray0);
MultiplicationTable.main(stringArray0);
MultiplicationTable.printTable(34394);
MultiplicationTable.main(stringArray0);
assertNotSame(stringArray0, stringArray1);
}
@Test(timeout = 4000)
public void test5() throws Throwable {
MultiplicationTable multiplicationTable0 = new MultiplicationTable();
MultiplicationTable.printTable(1);
String[] stringArray0 = new String[2];
stringArray0[0] = "\"&9{Rdc@qF\"^.Q9JW";
stringArray0[1] = "";
MultiplicationTable.main(stringArray0);
assertEquals(2, stringArray0.length);
}
@Test(timeout = 4000)
public void test6() throws Throwable {
String[] stringArray0 = new String[7];
stringArray0[0] = "^UZTa-oY!/3ILdL";
stringArray0[1] = "]";
stringArray0[2] = "/uU1j";
stringArray0[3] = "g%iKii&44er;";
stringArray0[4] = "";
stringArray0[5] = "\"cFlkd@*^Pa8&)";
stringArray0[6] = "";
MultiplicationTable.main(stringArray0);
assertEquals(7, stringArray0.length);
}
@Test(timeout = 4000)
public void test7() throws Throwable {
MultiplicationTable multiplicationTable0 = new MultiplicationTable();
String[] stringArray0 = new String[9];
stringArray0[0] = "";
stringArray0[1] = "I";
stringArray0[2] = "";
stringArray0[3] = "Rv!8i#;!p]";
stringArray0[4] = "";
stringArray0[5] = "Table ";
stringArray0[6] = "=(8n:Ff65u=l6f";
stringArray0[7] = "3*";
stringArray0[8] = "";
MultiplicationTable.main(stringArray0);
MultiplicationTable.main(stringArray0);
MultiplicationTable.printTable((-54139));
MultiplicationTable.printTable(73323);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 02:16: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 MultiplicationTable_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "MultiplicationTable";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp4a8rhrqw");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(MultiplicationTable_ESTest_scaffolding.class.getClassLoader() ,
"MultiplicationTable"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(MultiplicationTable_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"MultiplicationTable"
);
}
}
| 5,158 |
City | /** Created with IntelliJ IDEA Project: day_04_homework01 User: longfeisun */
public class City {
private int id;
private String cityCode;
private String cityName;
private String provinceCode;
public int getId() {
return id;
}
public void setId(int id) {
this.id = id;
}
public String getCityCode() {
return cityCode;
}
public void setCityCode(String cityCode) {
this.cityCode = cityCode;
}
public String getCityName() {
return cityName;
}
public void setCityName(String cityName) {
this.cityName = cityName;
}
public String getProvinceCode() {
return provinceCode;
}
public void setProvinceCode(String provinceCode) {
this.provinceCode = provinceCode;
}
@Override
public String toString() {
return "City{"
+ "cityCode='"
+ cityCode
+ '\''
+ ", id="
+ id
+ ", cityName='"
+ cityName
+ '\''
+ ", provinceCode='"
+ provinceCode
+ '\''
+ '}';
}
}
| .version 52 0
.class public super City
.super java/lang/Object
.field private id I
.field private cityCode Ljava/lang/String;
.field private cityName 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 8
.end linenumbertable
.end code
.end method
.method public getId : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field City id I
L4: ireturn
L5:
.linenumbertable
L0 15
.end linenumbertable
.end code
.end method
.method public setId : (I)V
.code stack 2 locals 2
L0: aload_0
L1: iload_1
L2: putfield Field City id I
L5: return
L6:
.linenumbertable
L0 19
L5 20
.end linenumbertable
.end code
.end method
.method public getCityCode : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field City cityCode Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 23
.end linenumbertable
.end code
.end method
.method public setCityCode : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field City cityCode Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 27
L5 28
.end linenumbertable
.end code
.end method
.method public getCityName : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field City cityName Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 31
.end linenumbertable
.end code
.end method
.method public setCityName : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field City cityName Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 35
L5 36
.end linenumbertable
.end code
.end method
.method public getProvinceCode : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field City provinceCode Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 39
.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 City provinceCode Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 43
L5 44
.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 "City{cityCode='"
L9: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L12: aload_0
L13: getfield Field City cityCode 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 ', id='
L26: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L29: aload_0
L30: getfield Field City id I
L33: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder;
L36: ldc ", cityName='"
L38: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L41: aload_0
L42: getfield Field City cityName Ljava/lang/String;
L45: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L48: bipush 39
L50: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder;
L53: ldc ", provinceCode='"
L55: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L58: aload_0
L59: getfield Field City provinceCode Ljava/lang/String;
L62: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L65: bipush 39
L67: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder;
L70: bipush 125
L72: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder;
L75: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L78: areturn
L79:
.linenumbertable
L0 48
.end linenumbertable
.end code
.end method
.sourcefile 'City.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Mon Jul 04 13:34:48 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class City_ESTest extends City_ESTest_scaffolding {
@Test(timeout = 4000)
public void test00() throws Throwable {
City city0 = new City();
city0.setProvinceCode("N&3`fN^oP#]C$vLF");
String string0 = city0.getProvinceCode();
assertEquals("N&3`fN^oP#]C$vLF", string0);
}
@Test(timeout = 4000)
public void test01() throws Throwable {
City city0 = new City();
city0.setProvinceCode("");
String string0 = city0.getProvinceCode();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test02() throws Throwable {
City city0 = new City();
city0.setId(24473);
int int0 = city0.getId();
assertEquals(24473, int0);
}
@Test(timeout = 4000)
public void test03() throws Throwable {
City city0 = new City();
city0.setCityName(" k=QZ#>");
String string0 = city0.getCityName();
assertEquals(" k=QZ#>", string0);
}
@Test(timeout = 4000)
public void test04() throws Throwable {
City city0 = new City();
city0.setCityName("");
String string0 = city0.getCityName();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test05() throws Throwable {
City city0 = new City();
city0.setCityCode("");
String string0 = city0.getCityCode();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test06() throws Throwable {
City city0 = new City();
String string0 = city0.getProvinceCode();
assertNull(string0);
}
@Test(timeout = 4000)
public void test07() throws Throwable {
City city0 = new City();
String string0 = city0.toString();
assertEquals("City{cityCode='null', id=0, cityName='null', provinceCode='null'}", string0);
}
@Test(timeout = 4000)
public void test08() throws Throwable {
City city0 = new City();
city0.setId((-21119));
int int0 = city0.getId();
assertEquals((-21119), int0);
}
@Test(timeout = 4000)
public void test09() throws Throwable {
City city0 = new City();
int int0 = city0.getId();
assertEquals(0, int0);
}
@Test(timeout = 4000)
public void test10() throws Throwable {
City city0 = new City();
String string0 = city0.getCityName();
assertNull(string0);
}
@Test(timeout = 4000)
public void test11() throws Throwable {
City city0 = new City();
city0.setCityCode("City{cityCode='null', id=0, cityName='null', provinceCode='null'}");
String string0 = city0.getCityCode();
assertEquals("City{cityCode='null', id=0, cityName='null', provinceCode='null'}", string0);
}
@Test(timeout = 4000)
public void test12() throws Throwable {
City city0 = new City();
String string0 = city0.getCityCode();
assertNull(string0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 13:34: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 City_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "City";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp9mosbtqq");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(City_ESTest_scaffolding.class.getClassLoader() ,
"City"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(City_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"City"
);
}
}
| 5,159 |
IndexOf | import java.util.Arrays;
import java.util.List;
public class IndexOf {
public static void main(final String... args) {
final int elementFound = 3;
final int elementNotFound = 5;
final List<Integer> list = Arrays.asList(1, 2, 3, 4);
System.out.println(indexOf(list, elementNotFound));
System.out.println(indexOf(list, elementFound));
}
private static int indexOf(final List<Integer> list, final int element) {
int index = 0;
for (final Integer i : list) {
if (i == element) {
return index;
}
index++;
}
return -1;
}
}
| .version 52 0
.class public super IndexOf
.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 varargs main : ([Ljava/lang/String;)V
.code stack 4 locals 4
L0: iconst_4
L1: anewarray java/lang/Integer
L4: dup
L5: iconst_0
L6: iconst_1
L7: invokestatic Method java/lang/Integer valueOf (I)Ljava/lang/Integer;
L10: aastore
L11: dup
L12: iconst_1
L13: iconst_2
L14: invokestatic Method java/lang/Integer valueOf (I)Ljava/lang/Integer;
L17: aastore
L18: dup
L19: iconst_2
L20: iconst_3
L21: invokestatic Method java/lang/Integer valueOf (I)Ljava/lang/Integer;
L24: aastore
L25: dup
L26: iconst_3
L27: iconst_4
L28: invokestatic Method java/lang/Integer valueOf (I)Ljava/lang/Integer;
L31: aastore
L32: invokestatic Method java/util/Arrays asList ([Ljava/lang/Object;)Ljava/util/List;
L35: astore_3
L36: getstatic Field java/lang/System out Ljava/io/PrintStream;
L39: aload_3
L40: iconst_5
L41: invokestatic Method IndexOf indexOf (Ljava/util/List;I)I
L44: invokevirtual Method java/io/PrintStream println (I)V
L47: getstatic Field java/lang/System out Ljava/io/PrintStream;
L50: aload_3
L51: iconst_3
L52: invokestatic Method IndexOf indexOf (Ljava/util/List;I)I
L55: invokevirtual Method java/io/PrintStream println (I)V
L58: return
L59:
.linenumbertable
L0 8
L36 10
L47 11
L58 12
.end linenumbertable
.end code
.end method
.method private static indexOf : (Ljava/util/List;I)I
.code stack 2 locals 5
L0: iconst_0
L1: istore_2
L2: aload_0
L3: invokeinterface InterfaceMethod java/util/List iterator ()Ljava/util/Iterator; 1
L8: astore_3
.stack append Integer Object java/util/Iterator
L9: aload_3
L10: invokeinterface InterfaceMethod java/util/Iterator hasNext ()Z 1
L15: ifeq L46
L18: aload_3
L19: invokeinterface InterfaceMethod java/util/Iterator next ()Ljava/lang/Object; 1
L24: checkcast java/lang/Integer
L27: astore 4
L29: aload 4
L31: invokevirtual Method java/lang/Integer intValue ()I
L34: iload_1
L35: if_icmpne L40
L38: iload_2
L39: ireturn
.stack append Object java/lang/Integer
L40: iinc 2 1
L43: goto L9
.stack chop 2
L46: iconst_m1
L47: ireturn
L48:
.linenumbertable
L0 15
L2 16
L29 17
L38 18
L40 20
L43 21
L46 22
.end linenumbertable
.end code
.signature (Ljava/util/List<Ljava/lang/Integer;>;I)I
.end method
.sourcefile 'IndexOf.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 04:53: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 IndexOf_ESTest extends IndexOf_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
IndexOf indexOf0 = new IndexOf();
}
@Test(timeout = 4000)
public void test1() throws Throwable {
String[] stringArray0 = new String[2];
IndexOf.main(stringArray0);
IndexOf indexOf0 = new IndexOf();
IndexOf.main(stringArray0);
assertEquals(2, stringArray0.length);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 04:53: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 IndexOf_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "IndexOf";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmptcd3pdxz");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(IndexOf_ESTest_scaffolding.class.getClassLoader() ,
"IndexOf"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(IndexOf_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"IndexOf"
);
}
}
| 5,160 |
Pythagoras | import java.util.*;
public class Pythagoras {
static double compute(int a, int b) {
double hyp = Math.sqrt(a * a + b * b);
return hyp;
}
public static void main(String[] args) {
Scanner p = new Scanner(System.in);
System.out.println("enter 1 side");
int side1 = p.nextInt();
System.out.println("enter 2 side");
int side2 = p.nextInt();
System.out.println("Hypotenuse is " + compute(side1, side2));
}
}
| .version 52 0
.class public super Pythagoras
.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 static compute : (II)D
.code stack 3 locals 4
L0: iload_0
L1: iload_0
L2: imul
L3: iload_1
L4: iload_1
L5: imul
L6: iadd
L7: i2d
L8: invokestatic Method java/lang/Math sqrt (D)D
L11: dstore_2
L12: dload_2
L13: dreturn
L14:
.linenumbertable
L0 5
L12 6
.end linenumbertable
.end code
.end method
.method public static main : ([Ljava/lang/String;)V
.code stack 4 locals 4
L0: new java/util/Scanner
L3: dup
L4: getstatic Field java/lang/System in Ljava/io/InputStream;
L7: invokespecial Method java/util/Scanner <init> (Ljava/io/InputStream;)V
L10: astore_1
L11: getstatic Field java/lang/System out Ljava/io/PrintStream;
L14: ldc 'enter 1 side'
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: ldc 'enter 2 side'
L29: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L32: aload_1
L33: invokevirtual Method java/util/Scanner nextInt ()I
L36: istore_3
L37: getstatic Field java/lang/System out Ljava/io/PrintStream;
L40: new java/lang/StringBuilder
L43: dup
L44: invokespecial Method java/lang/StringBuilder <init> ()V
L47: ldc 'Hypotenuse is '
L49: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L52: iload_2
L53: iload_3
L54: invokestatic Method Pythagoras compute (II)D
L57: invokevirtual Method java/lang/StringBuilder append (D)Ljava/lang/StringBuilder;
L60: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L63: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L66: return
L67:
.linenumbertable
L0 10
L11 12
L19 13
L24 15
L32 16
L37 18
L66 21
.end linenumbertable
.end code
.end method
.sourcefile 'Pythagoras.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Mon Jul 04 15:23:56 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import static org.evosuite.runtime.EvoAssertions.*;
import java.util.NoSuchElementException;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.evosuite.runtime.util.SystemInUtil;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class Pythagoras_ESTest extends Pythagoras_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
String[] stringArray0 = new String[0];
// Undeclared exception!
try {
Pythagoras.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 {
double double0 = Pythagoras.compute((-35), (-35));
assertEquals(49.49747468305833, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
String[] stringArray0 = new String[7];
SystemInUtil.addInputLine("9");
// Undeclared exception!
try {
Pythagoras.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 {
double double0 = Pythagoras.compute(0, 0);
assertEquals(0.0, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test4() throws Throwable {
Pythagoras pythagoras0 = new Pythagoras();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 15:23:56 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class Pythagoras_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Pythagoras";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
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/tmp3cff1mdf");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Pythagoras_ESTest_scaffolding.class.getClassLoader() ,
"Pythagoras"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Pythagoras_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Pythagoras"
);
}
}
| 5,161 |
MD5 | import java.security.MessageDigest;
import java.security.NoSuchAlgorithmException;
public class MD5 {
// MD5 是一种加密算法
public static String getMD5(String content) {
try {
MessageDigest digest = MessageDigest.getInstance("MD5");
digest.update(content.getBytes());
return getHashString(digest);
} catch (NoSuchAlgorithmException e) {
e.printStackTrace();
}
return null;
}
private static String getHashString(MessageDigest digest) {
StringBuilder builder = new StringBuilder();
for (byte b : digest.digest()) {
builder.append(Integer.toHexString((b >> 4) & 0xf));
builder.append(Integer.toHexString(b & 0xf));
}
return builder.toString();
}
}
| .version 52 0
.class public super MD5
.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 getMD5 : (Ljava/lang/String;)Ljava/lang/String;
.code stack 2 locals 2
.catch java/security/NoSuchAlgorithmException from L0 to L18 using L19
L0: ldc 'MD5'
L2: invokestatic Method java/security/MessageDigest getInstance (Ljava/lang/String;)Ljava/security/MessageDigest;
L5: astore_1
L6: aload_1
L7: aload_0
L8: invokevirtual Method java/lang/String getBytes ()[B
L11: invokevirtual Method java/security/MessageDigest update ([B)V
L14: aload_1
L15: invokestatic Method MD5 getHashString (Ljava/security/MessageDigest;)Ljava/lang/String;
L18: areturn
.stack stack_1 Object java/security/NoSuchAlgorithmException
L19: astore_1
L20: aload_1
L21: invokevirtual Method java/security/NoSuchAlgorithmException printStackTrace ()V
L24: aconst_null
L25: areturn
L26:
.linenumbertable
L0 10
L6 11
L14 12
L19 14
L20 15
L24 17
.end linenumbertable
.end code
.end method
.method private static getHashString : (Ljava/security/MessageDigest;)Ljava/lang/String;
.code stack 3 locals 6
L0: new java/lang/StringBuilder
L3: dup
L4: invokespecial Method java/lang/StringBuilder <init> ()V
L7: astore_1
L8: aload_0
L9: invokevirtual Method java/security/MessageDigest digest ()[B
L12: astore_2
L13: aload_2
L14: arraylength
L15: istore_3
L16: iconst_0
L17: istore 4
.stack full
locals Object java/security/MessageDigest Object java/lang/StringBuilder Object [B Integer Integer
stack
.end stack
L19: iload 4
L21: iload_3
L22: if_icmpge L65
L25: aload_2
L26: iload 4
L28: baload
L29: istore 5
L31: aload_1
L32: iload 5
L34: iconst_4
L35: ishr
L36: bipush 15
L38: iand
L39: invokestatic Method java/lang/Integer toHexString (I)Ljava/lang/String;
L42: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L45: pop
L46: aload_1
L47: iload 5
L49: bipush 15
L51: iand
L52: invokestatic Method java/lang/Integer toHexString (I)Ljava/lang/String;
L55: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L58: pop
L59: iinc 4 1
L62: goto L19
.stack chop 3
L65: aload_1
L66: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L69: areturn
L70:
.linenumbertable
L0 21
L8 22
L31 23
L46 24
L59 22
L65 26
.end linenumbertable
.end code
.end method
.sourcefile 'MD5.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 17:52:36 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class MD5_ESTest extends MD5_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
MD5.getMD5("ibx");
MD5 mD5_0 = new MD5();
String string0 = MD5.getMD5("ibx");
assertEquals("cf0a46f06d877f7305a802fdfe69b7c4", string0);
assertNotNull(string0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 17:52:36 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class MD5_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "MD5";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpqhyxj24j");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(MD5_ESTest_scaffolding.class.getClassLoader() ,
"MD5"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(MD5_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"MD5"
);
}
}
| 5,162 |
Matcher2 | /* ========================================================================
* PlantUML : a free UML diagram generator
* ========================================================================
*
* (C) Copyright 2009-2017, Arnaud Roques
*
* Project Info: http://plantuml.com
*
* This file is part of PlantUML.
*
* 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.
*
*
* Original Author: Arnaud Roques
*/
import java.util.HashMap;
import java.util.Map;
import java.util.regex.Matcher;
import java.util.regex.Pattern;
public class Matcher2 {
private static final boolean INSTRUMENT = false;
private final Matcher matcher;
private final String id;
private Matcher2(Matcher matcher, String id) {
this.matcher = matcher;
this.id = id;
}
public static Matcher2 build(Pattern pattern, CharSequence input) {
final long now = System.currentTimeMillis();
final String id = pattern.pattern();
try {
return new Matcher2(pattern.matcher(input), id);
} finally {
if (INSTRUMENT) {
addTime(id, System.currentTimeMillis() - now);
}
}
}
public boolean matches() {
final long now = System.currentTimeMillis();
try {
return matcher.matches();
} finally {
addTime(System.currentTimeMillis() - now);
}
}
private void addTime(long duration) {
if (INSTRUMENT == false) {
return;
}
addTime(id, duration);
}
private static final Map<String, Long> durations = new HashMap<String, Long>();
private static synchronized void addTime(String id, long duration) {
Long total = durations.get(id);
if (total == null) {
total = 0L;
}
total += duration;
durations.put(id, total);
if (total > 200) {
System.err.println("foo " + total + " " + id);
}
}
public String group(int n) {
final long now = System.currentTimeMillis();
try {
return matcher.group(n);
} finally {
addTime(System.currentTimeMillis() - now);
}
}
public String group() {
final long now = System.currentTimeMillis();
try {
return matcher.group();
} finally {
addTime(System.currentTimeMillis() - now);
}
}
public int groupCount() {
final long now = System.currentTimeMillis();
try {
return matcher.groupCount();
} finally {
addTime(System.currentTimeMillis() - now);
}
}
public boolean find() {
final long now = System.currentTimeMillis();
try {
return matcher.find();
} finally {
addTime(System.currentTimeMillis() - now);
}
}
public int end() {
final long now = System.currentTimeMillis();
try {
return matcher.end();
} finally {
addTime(System.currentTimeMillis() - now);
}
}
public int start() {
final long now = System.currentTimeMillis();
try {
return matcher.start();
} finally {
addTime(System.currentTimeMillis() - now);
}
}
}
| .version 52 0
.class public super Matcher2
.super java/lang/Object
.field private static final INSTRUMENT Z = 0
.field private final matcher Ljava/util/regex/Matcher;
.field private final id Ljava/lang/String;
.field private static final durations Ljava/util/Map; .fieldattributes
.signature Ljava/util/Map<Ljava/lang/String;Ljava/lang/Long;>;
.end fieldattributes
.method private <init> : (Ljava/util/regex/Matcher;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 Matcher2 matcher Ljava/util/regex/Matcher;
L9: aload_0
L10: aload_2
L11: putfield Field Matcher2 id Ljava/lang/String;
L14: return
L15:
.linenumbertable
L0 39
L4 40
L9 41
L14 42
.end linenumbertable
.end code
.end method
.method public static build : (Ljava/util/regex/Pattern;Ljava/lang/CharSequence;)LMatcher2;
.code stack 4 locals 7
L0: invokestatic Method java/lang/System currentTimeMillis ()J
L3: lstore_2
L4: aload_0
L5: invokevirtual Method java/util/regex/Pattern pattern ()Ljava/lang/String;
L8: astore 4
.catch [0] from L10 to L26 using L29
L10: new Matcher2
L13: dup
L14: aload_0
L15: aload_1
L16: invokevirtual Method java/util/regex/Pattern matcher (Ljava/lang/CharSequence;)Ljava/util/regex/Matcher;
L19: aload 4
L21: invokespecial Method Matcher2 <init> (Ljava/util/regex/Matcher;Ljava/lang/String;)V
L24: astore 5
L26: aload 5
L28: areturn
.catch [0] from L29 to L31 using L29
.stack full
locals Object java/util/regex/Pattern Object java/lang/CharSequence Long Object java/lang/String
stack Object java/lang/Throwable
.end stack
L29: astore 6
L31: aload 6
L33: athrow
L34:
.linenumbertable
L0 45
L4 46
L10 48
L29 50
L31 53
.end linenumbertable
.end code
.end method
.method public matches : ()Z
.code stack 5 locals 5
L0: invokestatic Method java/lang/System currentTimeMillis ()J
L3: lstore_1
.catch [0] from L4 to L12 using L23
L4: aload_0
L5: getfield Field Matcher2 matcher Ljava/util/regex/Matcher;
L8: invokevirtual Method java/util/regex/Matcher matches ()Z
L11: istore_3
L12: aload_0
L13: invokestatic Method java/lang/System currentTimeMillis ()J
L16: lload_1
L17: lsub
L18: invokespecial Method Matcher2 addTime (J)V
L21: iload_3
L22: ireturn
.catch [0] from L23 to L25 using L23
.stack full
locals Object Matcher2 Long
stack Object java/lang/Throwable
.end stack
L23: astore 4
L25: aload_0
L26: invokestatic Method java/lang/System currentTimeMillis ()J
L29: lload_1
L30: lsub
L31: invokespecial Method Matcher2 addTime (J)V
L34: aload 4
L36: athrow
L37:
.linenumbertable
L0 57
L4 59
L12 61
L21 59
L23 61
L34 62
.end linenumbertable
.end code
.end method
.method private addTime : (J)V
.code stack 0 locals 3
L0: return
L1:
.linenumbertable
L0 67
.end linenumbertable
.end code
.end method
.method private static synchronized addTime : (Ljava/lang/String;J)V
.code stack 4 locals 4
L0: getstatic Field Matcher2 durations Ljava/util/Map;
L3: aload_0
L4: invokeinterface InterfaceMethod java/util/Map get (Ljava/lang/Object;)Ljava/lang/Object; 2
L9: checkcast java/lang/Long
L12: astore_3
L13: aload_3
L14: ifnonnull L22
L17: lconst_0
L18: invokestatic Method java/lang/Long valueOf (J)Ljava/lang/Long;
L21: astore_3
.stack append Object java/lang/Long
L22: aload_3
L23: invokevirtual Method java/lang/Long longValue ()J
L26: lload_1
L27: ladd
L28: invokestatic Method java/lang/Long valueOf (J)Ljava/lang/Long;
L31: astore_3
L32: getstatic Field Matcher2 durations Ljava/util/Map;
L35: aload_0
L36: aload_3
L37: invokeinterface InterfaceMethod java/util/Map put (Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; 3
L42: pop
L43: aload_3
L44: invokevirtual Method java/lang/Long longValue ()J
L47: ldc2_w 200L
L50: lcmp
L51: ifle L88
L54: getstatic Field java/lang/System err Ljava/io/PrintStream;
L57: new java/lang/StringBuilder
L60: dup
L61: invokespecial Method java/lang/StringBuilder <init> ()V
L64: ldc 'foo '
L66: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L69: aload_3
L70: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/Object;)Ljava/lang/StringBuilder;
L73: ldc ' '
L75: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L78: aload_0
L79: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L82: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L85: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
.stack same_extended
L88: return
L89:
.linenumbertable
L0 75
L13 76
L17 77
L22 79
L32 80
L43 81
L54 82
L88 85
.end linenumbertable
.end code
.end method
.method public group : (I)Ljava/lang/String;
.code stack 5 locals 6
L0: invokestatic Method java/lang/System currentTimeMillis ()J
L3: lstore_2
.catch [0] from L4 to L14 using L26
L4: aload_0
L5: getfield Field Matcher2 matcher Ljava/util/regex/Matcher;
L8: iload_1
L9: invokevirtual Method java/util/regex/Matcher group (I)Ljava/lang/String;
L12: astore 4
L14: aload_0
L15: invokestatic Method java/lang/System currentTimeMillis ()J
L18: lload_2
L19: lsub
L20: invokespecial Method Matcher2 addTime (J)V
L23: aload 4
L25: areturn
.catch [0] from L26 to L28 using L26
.stack full
locals Object Matcher2 Integer Long
stack Object java/lang/Throwable
.end stack
L26: astore 5
L28: aload_0
L29: invokestatic Method java/lang/System currentTimeMillis ()J
L32: lload_2
L33: lsub
L34: invokespecial Method Matcher2 addTime (J)V
L37: aload 5
L39: athrow
L40:
.linenumbertable
L0 88
L4 90
L14 92
L23 90
L26 92
L37 93
.end linenumbertable
.end code
.end method
.method public group : ()Ljava/lang/String;
.code stack 5 locals 5
L0: invokestatic Method java/lang/System currentTimeMillis ()J
L3: lstore_1
.catch [0] from L4 to L12 using L23
L4: aload_0
L5: getfield Field Matcher2 matcher Ljava/util/regex/Matcher;
L8: invokevirtual Method java/util/regex/Matcher group ()Ljava/lang/String;
L11: astore_3
L12: aload_0
L13: invokestatic Method java/lang/System currentTimeMillis ()J
L16: lload_1
L17: lsub
L18: invokespecial Method Matcher2 addTime (J)V
L21: aload_3
L22: areturn
.catch [0] from L23 to L25 using L23
.stack full
locals Object Matcher2 Long
stack Object java/lang/Throwable
.end stack
L23: astore 4
L25: aload_0
L26: invokestatic Method java/lang/System currentTimeMillis ()J
L29: lload_1
L30: lsub
L31: invokespecial Method Matcher2 addTime (J)V
L34: aload 4
L36: athrow
L37:
.linenumbertable
L0 97
L4 99
L12 101
L21 99
L23 101
L34 102
.end linenumbertable
.end code
.end method
.method public groupCount : ()I
.code stack 5 locals 5
L0: invokestatic Method java/lang/System currentTimeMillis ()J
L3: lstore_1
.catch [0] from L4 to L12 using L23
L4: aload_0
L5: getfield Field Matcher2 matcher Ljava/util/regex/Matcher;
L8: invokevirtual Method java/util/regex/Matcher groupCount ()I
L11: istore_3
L12: aload_0
L13: invokestatic Method java/lang/System currentTimeMillis ()J
L16: lload_1
L17: lsub
L18: invokespecial Method Matcher2 addTime (J)V
L21: iload_3
L22: ireturn
.catch [0] from L23 to L25 using L23
.stack full
locals Object Matcher2 Long
stack Object java/lang/Throwable
.end stack
L23: astore 4
L25: aload_0
L26: invokestatic Method java/lang/System currentTimeMillis ()J
L29: lload_1
L30: lsub
L31: invokespecial Method Matcher2 addTime (J)V
L34: aload 4
L36: athrow
L37:
.linenumbertable
L0 106
L4 108
L12 110
L21 108
L23 110
L34 111
.end linenumbertable
.end code
.end method
.method public find : ()Z
.code stack 5 locals 5
L0: invokestatic Method java/lang/System currentTimeMillis ()J
L3: lstore_1
.catch [0] from L4 to L12 using L23
L4: aload_0
L5: getfield Field Matcher2 matcher Ljava/util/regex/Matcher;
L8: invokevirtual Method java/util/regex/Matcher find ()Z
L11: istore_3
L12: aload_0
L13: invokestatic Method java/lang/System currentTimeMillis ()J
L16: lload_1
L17: lsub
L18: invokespecial Method Matcher2 addTime (J)V
L21: iload_3
L22: ireturn
.catch [0] from L23 to L25 using L23
.stack full
locals Object Matcher2 Long
stack Object java/lang/Throwable
.end stack
L23: astore 4
L25: aload_0
L26: invokestatic Method java/lang/System currentTimeMillis ()J
L29: lload_1
L30: lsub
L31: invokespecial Method Matcher2 addTime (J)V
L34: aload 4
L36: athrow
L37:
.linenumbertable
L0 115
L4 117
L12 119
L21 117
L23 119
L34 120
.end linenumbertable
.end code
.end method
.method public end : ()I
.code stack 5 locals 5
L0: invokestatic Method java/lang/System currentTimeMillis ()J
L3: lstore_1
.catch [0] from L4 to L12 using L23
L4: aload_0
L5: getfield Field Matcher2 matcher Ljava/util/regex/Matcher;
L8: invokevirtual Method java/util/regex/Matcher end ()I
L11: istore_3
L12: aload_0
L13: invokestatic Method java/lang/System currentTimeMillis ()J
L16: lload_1
L17: lsub
L18: invokespecial Method Matcher2 addTime (J)V
L21: iload_3
L22: ireturn
.catch [0] from L23 to L25 using L23
.stack full
locals Object Matcher2 Long
stack Object java/lang/Throwable
.end stack
L23: astore 4
L25: aload_0
L26: invokestatic Method java/lang/System currentTimeMillis ()J
L29: lload_1
L30: lsub
L31: invokespecial Method Matcher2 addTime (J)V
L34: aload 4
L36: athrow
L37:
.linenumbertable
L0 124
L4 126
L12 128
L21 126
L23 128
L34 129
.end linenumbertable
.end code
.end method
.method public start : ()I
.code stack 5 locals 5
L0: invokestatic Method java/lang/System currentTimeMillis ()J
L3: lstore_1
.catch [0] from L4 to L12 using L23
L4: aload_0
L5: getfield Field Matcher2 matcher Ljava/util/regex/Matcher;
L8: invokevirtual Method java/util/regex/Matcher start ()I
L11: istore_3
L12: aload_0
L13: invokestatic Method java/lang/System currentTimeMillis ()J
L16: lload_1
L17: lsub
L18: invokespecial Method Matcher2 addTime (J)V
L21: iload_3
L22: ireturn
.catch [0] from L23 to L25 using L23
.stack full
locals Object Matcher2 Long
stack Object java/lang/Throwable
.end stack
L23: astore 4
L25: aload_0
L26: invokestatic Method java/lang/System currentTimeMillis ()J
L29: lload_1
L30: lsub
L31: invokespecial Method Matcher2 addTime (J)V
L34: aload 4
L36: athrow
L37:
.linenumbertable
L0 133
L4 135
L12 137
L21 135
L23 137
L34 138
.end linenumbertable
.end code
.end method
.method static <clinit> : ()V
.code stack 2 locals 0
L0: new java/util/HashMap
L3: dup
L4: invokespecial Method java/util/HashMap <init> ()V
L7: putstatic Field Matcher2 durations Ljava/util/Map;
L10: return
L11:
.linenumbertable
L0 72
.end linenumbertable
.end code
.end method
.sourcefile 'Matcher2.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Mon Jul 04 14:03:20 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import static org.evosuite.runtime.EvoAssertions.*;
import java.nio.CharBuffer;
import java.util.regex.Pattern;
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 Matcher2_ESTest extends Matcher2_ESTest_scaffolding {
@Test(timeout = 4000)
public void test00() throws Throwable {
Pattern pattern0 = Pattern.compile(" ", 0);
Matcher2 matcher2_0 = Matcher2.build(pattern0, " ");
matcher2_0.find();
matcher2_0.find();
// Undeclared exception!
try {
matcher2_0.start();
fail("Expecting exception: IllegalStateException");
} catch(IllegalStateException e) {
//
// No match available
//
verifyException("java.util.regex.Matcher", e);
}
}
@Test(timeout = 4000)
public void test01() throws Throwable {
Pattern pattern0 = Pattern.compile("", 13237);
Matcher2 matcher2_0 = Matcher2.build(pattern0, "");
boolean boolean0 = matcher2_0.find();
assertTrue(boolean0);
System.setCurrentTimeMillis(0L);
int int0 = matcher2_0.start();
assertEquals(0, int0);
}
@Test(timeout = 4000)
public void test02() throws Throwable {
System.setCurrentTimeMillis(0L);
Pattern pattern0 = Pattern.compile(" hJy'Wu]Mvqpn4K");
Matcher2 matcher2_0 = Matcher2.build(pattern0, " hJy'Wu]Mvqpn4K");
// Undeclared exception!
try {
matcher2_0.start();
fail("Expecting exception: IllegalStateException");
} catch(IllegalStateException e) {
//
// No match available
//
verifyException("java.util.regex.Matcher", e);
}
}
@Test(timeout = 4000)
public void test03() throws Throwable {
Pattern pattern0 = Pattern.compile("LY~^#o,", 8820);
char[] charArray0 = new char[0];
CharBuffer charBuffer0 = CharBuffer.wrap(charArray0);
Matcher2 matcher2_0 = Matcher2.build(pattern0, charBuffer0);
// Undeclared exception!
try {
matcher2_0.end();
fail("Expecting exception: IllegalStateException");
} catch(IllegalStateException e) {
//
// No match available
//
verifyException("java.util.regex.Matcher", e);
}
}
@Test(timeout = 4000)
public void test04() throws Throwable {
System.setCurrentTimeMillis(0L);
Pattern pattern0 = Pattern.compile("W7~8\"37u'A@5Fpue<a7");
Matcher2 matcher2_0 = Matcher2.build(pattern0, "W7~8\"37u'A@5Fpue<a7");
// Undeclared exception!
try {
matcher2_0.start();
fail("Expecting exception: IllegalStateException");
} catch(IllegalStateException e) {
//
// No match available
//
verifyException("java.util.regex.Matcher", e);
}
}
@Test(timeout = 4000)
public void test05() throws Throwable {
System.setCurrentTimeMillis(0L);
Pattern pattern0 = Pattern.compile(" hJy'Wu]Mvqpn4K");
Matcher2 matcher2_0 = Matcher2.build(pattern0, " hJy'Wu]Mvqpn4K");
// Undeclared exception!
try {
matcher2_0.end();
fail("Expecting exception: IllegalStateException");
} catch(IllegalStateException e) {
//
// No match available
//
verifyException("java.util.regex.Matcher", e);
}
}
@Test(timeout = 4000)
public void test06() throws Throwable {
Pattern pattern0 = Pattern.compile("", 13237);
Matcher2 matcher2_0 = Matcher2.build(pattern0, "");
matcher2_0.find();
System.setCurrentTimeMillis(0L);
int int0 = matcher2_0.groupCount();
matcher2_0.find();
boolean boolean0 = matcher2_0.matches();
matcher2_0.group();
matcher2_0.groupCount();
boolean boolean1 = matcher2_0.find();
assertFalse(boolean1 == boolean0);
int int1 = matcher2_0.start();
assertTrue(int1 == int0);
assertEquals(0, int1);
}
@Test(timeout = 4000)
public void test07() throws Throwable {
Pattern pattern0 = Pattern.compile("X^s`j0XzP,=_3q<<4", 0);
Matcher2 matcher2_0 = Matcher2.build(pattern0, "X^s`j0XzP,=_3q<<4");
matcher2_0.groupCount();
System.setCurrentTimeMillis(0);
// Undeclared exception!
try {
matcher2_0.group();
fail("Expecting exception: IllegalStateException");
} catch(IllegalStateException e) {
//
// No match found
//
verifyException("java.util.regex.Matcher", e);
}
}
@Test(timeout = 4000)
public void test08() throws Throwable {
Pattern pattern0 = Pattern.compile("", 13237);
Matcher2 matcher2_0 = Matcher2.build(pattern0, "");
matcher2_0.find();
System.setCurrentTimeMillis(0L);
matcher2_0.groupCount();
matcher2_0.group();
int int0 = matcher2_0.groupCount();
boolean boolean0 = matcher2_0.find();
assertFalse(boolean0);
int int1 = matcher2_0.start();
assertTrue(int1 == int0);
assertEquals(0, int1);
}
@Test(timeout = 4000)
public void test09() throws Throwable {
System.setCurrentTimeMillis(0L);
Pattern pattern0 = Pattern.compile("H");
Matcher2 matcher2_0 = Matcher2.build(pattern0, "H");
// Undeclared exception!
try {
matcher2_0.group(1);
fail("Expecting exception: IllegalStateException");
} catch(IllegalStateException e) {
//
// No match found
//
verifyException("java.util.regex.Matcher", e);
}
}
@Test(timeout = 4000)
public void test10() throws Throwable {
Pattern pattern0 = Pattern.compile("-\"- A");
Matcher2 matcher2_0 = Matcher2.build(pattern0, "-\"- A");
// Undeclared exception!
try {
matcher2_0.group(5);
fail("Expecting exception: IllegalStateException");
} catch(IllegalStateException e) {
//
// No match found
//
verifyException("java.util.regex.Matcher", e);
}
}
@Test(timeout = 4000)
public void test11() throws Throwable {
Pattern pattern0 = Pattern.compile("", (-1));
// Undeclared exception!
try {
Matcher2.build(pattern0, (CharSequence) null);
fail("Expecting exception: NullPointerException");
} catch(NullPointerException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("java.util.regex.Matcher", e);
}
}
@Test(timeout = 4000)
public void test12() throws Throwable {
Pattern pattern0 = Pattern.compile("", 13237);
Matcher2 matcher2_0 = Matcher2.build(pattern0, "");
boolean boolean0 = matcher2_0.find();
assertTrue(boolean0);
int int0 = matcher2_0.start();
assertEquals(0, int0);
}
@Test(timeout = 4000)
public void test13() throws Throwable {
Pattern pattern0 = Pattern.compile("LY~^#o,", 8820);
char[] charArray0 = new char[0];
CharBuffer charBuffer0 = CharBuffer.wrap(charArray0);
Matcher2 matcher2_0 = Matcher2.build(pattern0, charBuffer0);
boolean boolean0 = matcher2_0.matches();
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test14() throws Throwable {
Pattern pattern0 = Pattern.compile("(l7!$gCIfF/H4MuYU", 35421);
Matcher2 matcher2_0 = Matcher2.build(pattern0, "(l7!$gCIfF/H4MuYU");
// Undeclared exception!
try {
matcher2_0.group(0);
fail("Expecting exception: IllegalStateException");
} catch(IllegalStateException e) {
//
// No match found
//
verifyException("java.util.regex.Matcher", e);
}
}
@Test(timeout = 4000)
public void test15() throws Throwable {
Pattern pattern0 = Pattern.compile("");
Matcher2 matcher2_0 = Matcher2.build(pattern0, "");
boolean boolean0 = matcher2_0.find();
assertTrue(boolean0);
matcher2_0.group(0);
Matcher2.build(pattern0, "");
int int0 = matcher2_0.end();
assertEquals(0, int0);
}
@Test(timeout = 4000)
public void test16() throws Throwable {
Pattern pattern0 = Pattern.compile("(l7!$gCIfF/H4MuYU", 35421);
Matcher2 matcher2_0 = Matcher2.build(pattern0, "(l7!$gCIfF/H4MuYU");
// Undeclared exception!
try {
matcher2_0.group();
fail("Expecting exception: IllegalStateException");
} catch(IllegalStateException e) {
//
// No match found
//
verifyException("java.util.regex.Matcher", e);
}
}
@Test(timeout = 4000)
public void test17() throws Throwable {
Pattern pattern0 = Pattern.compile(" hJyd*'Wu]Mvqpn4K", 0);
Matcher2 matcher2_0 = Matcher2.build(pattern0, " hJyd*'Wu]Mvqpn4K");
// Undeclared exception!
try {
matcher2_0.group();
fail("Expecting exception: IllegalStateException");
} catch(IllegalStateException e) {
//
// No match found
//
verifyException("java.util.regex.Matcher", e);
}
}
@Test(timeout = 4000)
public void test18() throws Throwable {
Pattern pattern0 = Pattern.compile("", 13237);
Matcher2 matcher2_0 = Matcher2.build(pattern0, "");
int int0 = matcher2_0.groupCount();
assertEquals(0, int0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 14:03: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 Matcher2_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Matcher2";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpi2nqsqvh");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Matcher2_ESTest_scaffolding.class.getClassLoader() ,
"Matcher2"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Matcher2_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Matcher2"
);
}
}
| 5,163 |
Key | /*
* Copyright 2012 University of Chicago
*
* 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.
*/
/*
* Created on Feb 22, 2007
*/
import java.util.HashMap;
import java.util.Map;
public class Key {
public static final int KEY_PRESSED = 0;
public static final int MOD_ALT = 0x01;
public static final int MOD_CTRL = 0x02;
public static final int MOD_SHIFT = 0x03;
public static final int KEYPAD = 0x1000;
public static final int KEYPAD2 = 0x2000;
public static final int FN1 = 0x3100;
public static final int FN10 = 0x3200;
public static final int F1 = FN1 + 0;
public static final int F2 = FN1 + 1;
public static final int F3 = FN1 + 2;
public static final int F4 = FN1 + 3;
public static final int F5 = FN1 + 4;
public static final int F6 = FN1 + 6;
public static final int F7 = FN1 + 7;
public static final int F8 = FN1 + 8;
public static final int F9 = FN1 + 9;
public static final int F10 = FN10 + 0;
public static final int F11 = FN10 + 1;
public static final int F12 = FN10 + 2;
public static final int UP = KEYPAD + 65;
public static final int DOWN = KEYPAD + 66;
public static final int RIGHT = KEYPAD + 67;
public static final int LEFT = KEYPAD + 68;
public static final int PGDN = KEYPAD2 + 54;
public static final int PGUP = KEYPAD2 + 53;
public static final int HOME = KEYPAD2 + 55;
public static final int END = KEYPAD2 + 56;
public static final int INS = KEYPAD2 + 51;
public static final int DEL = KEYPAD2 + 52;
public static final int LF = 0x0a;
public static final int CR = 0x0d;
public static final int BACKSPACE = 0x7f;
public static final int ESC = 0x1b;
public static final int TAB = 0x09;
private static Map<Integer, String> names;
private static void putName(int key, String name) {
names.put(Integer.valueOf(key), name);
}
static {
names = new HashMap<Integer, String>();
putName(CR, "CR");
putName(LF, "LF");
putName(F1, "F1");
putName(F2, "F2");
putName(F3, "F3");
putName(F4, "F4");
putName(F5, "F5");
putName(F6, "F6");
putName(F7, "F7");
putName(F8, "F8");
putName(F9, "F9");
putName(F10, "F10");
putName(F11, "F11");
putName(F12, "F12");
putName(DOWN, "DOWN");
putName(UP, "UP");
putName(LEFT, "LEFT");
putName(RIGHT, "RIGHT");
putName(BACKSPACE, "BACKSPACE");
putName(ESC, "ESC");
putName(PGDN, "PGDN");
putName(PGUP, "PGUP");
putName(HOME, "HOME");
putName(END, "END");
putName(INS, "INS");
putName(DEL, "DEL");
putName(TAB, "TAB");
}
private final int type;
private final int modifiers;
private final int key;
public Key(int key) {
this(0, key);
}
public Key(int modifiers, int key) {
this.type = KEY_PRESSED;
this.modifiers = modifiers;
this.key = key;
}
public Key(int code0, int code1, int code2) {
this.type = KEY_PRESSED;
this.modifiers = code2;
this.key = code0 * 0xff + code1;
}
public int getKey() {
return key;
}
public int getModifiers() {
return modifiers;
}
public int getType() {
return type;
}
public boolean modALT() {
return (modifiers & MOD_ALT) != 0;
}
public boolean modCTRL() {
return (modifiers & MOD_CTRL) != 0;
}
public boolean modSHIFT() {
return (modifiers & MOD_SHIFT) != 0;
}
public boolean isEnter() {
return modifiers == 0 && (key == CR || key == LF);
}
public String toString() {
StringBuffer sb = new StringBuffer();
if (modCTRL()) {
sb.append("CTRL+");
}
if (modALT()) {
sb.append("ALT+");
}
if (key < 128 && key >= 32) {
sb.append((char) key);
} else {
if (modSHIFT()) {
sb.append("SHIFT+");
}
String name = names.get(new Integer(key));
if (name != null) {
sb.append(name);
} else {
sb.append('#');
sb.append(key);
}
}
sb.append("-" + modifiers);
sb.append("-" + key);
return sb.toString();
}
public char getChar() {
return (char) key;
}
public boolean equals(Object obj) {
if (obj instanceof Key) {
Key other = (Key) obj;
return modifiers == other.modifiers && key == other.key;
} else {
return false;
}
}
public boolean equals(int key) {
if (this.key == key && modifiers == 0) {
return true;
} else {
return false;
}
}
public int hashCode() {
return modifiers + key;
}
public boolean isFunctionKey() {
return key >= F1 && key <= F9;
}
}
| .version 52 0
.class public super Key
.super java/lang/Object
.field public static final KEY_PRESSED I = 0
.field public static final MOD_ALT I = 1
.field public static final MOD_CTRL I = 2
.field public static final MOD_SHIFT I = 3
.field public static final KEYPAD I = 4096
.field public static final KEYPAD2 I = 8192
.field public static final FN1 I = 12544
.field public static final FN10 I = 12800
.field public static final F1 I = 12544
.field public static final F2 I = 12545
.field public static final F3 I = 12546
.field public static final F4 I = 12547
.field public static final F5 I = 12548
.field public static final F6 I = 12550
.field public static final F7 I = 12551
.field public static final F8 I = 12552
.field public static final F9 I = 12553
.field public static final F10 I = 12800
.field public static final F11 I = 12801
.field public static final F12 I = 12802
.field public static final UP I = 4161
.field public static final DOWN I = 4162
.field public static final RIGHT I = 4163
.field public static final LEFT I = 4164
.field public static final PGDN I = 8246
.field public static final PGUP I = 8245
.field public static final HOME I = 8247
.field public static final END I = 8248
.field public static final INS I = 8243
.field public static final DEL I = 8244
.field public static final LF I = 10
.field public static final CR I = 13
.field public static final BACKSPACE I = 127
.field public static final ESC I = 27
.field public static final TAB I = 9
.field private static names Ljava/util/Map; .fieldattributes
.signature Ljava/util/Map<Ljava/lang/Integer;Ljava/lang/String;>;
.end fieldattributes
.field private final type I
.field private final modifiers I
.field private final key I
.method private static putName : (ILjava/lang/String;)V
.code stack 3 locals 2
L0: getstatic Field Key names Ljava/util/Map;
L3: iload_0
L4: invokestatic Method java/lang/Integer valueOf (I)Ljava/lang/Integer;
L7: aload_1
L8: invokeinterface InterfaceMethod java/util/Map put (Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; 3
L13: pop
L14: return
L15:
.linenumbertable
L0 70
L14 71
.end linenumbertable
.end code
.end method
.method public <init> : (I)V
.code stack 3 locals 2
L0: aload_0
L1: iconst_0
L2: iload_1
L3: invokespecial Method Key <init> (II)V
L6: return
L7:
.linenumbertable
L0 109
L6 110
.end linenumbertable
.end code
.end method
.method public <init> : (II)V
.code stack 2 locals 3
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: iconst_0
L6: putfield Field Key type I
L9: aload_0
L10: iload_1
L11: putfield Field Key modifiers I
L14: aload_0
L15: iload_2
L16: putfield Field Key key I
L19: return
L20:
.linenumbertable
L0 112
L4 113
L9 114
L14 115
L19 116
.end linenumbertable
.end code
.end method
.method public <init> : (III)V
.code stack 3 locals 4
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: iconst_0
L6: putfield Field Key type I
L9: aload_0
L10: iload_3
L11: putfield Field Key modifiers I
L14: aload_0
L15: iload_1
L16: sipush 255
L19: imul
L20: iload_2
L21: iadd
L22: putfield Field Key key I
L25: return
L26:
.linenumbertable
L0 118
L4 119
L9 120
L14 121
L25 122
.end linenumbertable
.end code
.end method
.method public getKey : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Key key I
L4: ireturn
L5:
.linenumbertable
L0 125
.end linenumbertable
.end code
.end method
.method public getModifiers : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Key modifiers I
L4: ireturn
L5:
.linenumbertable
L0 129
.end linenumbertable
.end code
.end method
.method public getType : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Key type I
L4: ireturn
L5:
.linenumbertable
L0 133
.end linenumbertable
.end code
.end method
.method public modALT : ()Z
.code stack 2 locals 1
L0: aload_0
L1: getfield Field Key modifiers I
L4: iconst_1
L5: iand
L6: ifeq L13
L9: iconst_1
L10: goto L14
.stack same
L13: iconst_0
.stack stack_1 Integer
L14: ireturn
L15:
.linenumbertable
L0 137
.end linenumbertable
.end code
.end method
.method public modCTRL : ()Z
.code stack 2 locals 1
L0: aload_0
L1: getfield Field Key modifiers I
L4: iconst_2
L5: iand
L6: ifeq L13
L9: iconst_1
L10: goto L14
.stack same
L13: iconst_0
.stack stack_1 Integer
L14: ireturn
L15:
.linenumbertable
L0 141
.end linenumbertable
.end code
.end method
.method public modSHIFT : ()Z
.code stack 2 locals 1
L0: aload_0
L1: getfield Field Key modifiers I
L4: iconst_3
L5: iand
L6: ifeq L13
L9: iconst_1
L10: goto L14
.stack same
L13: iconst_0
.stack stack_1 Integer
L14: ireturn
L15:
.linenumbertable
L0 145
.end linenumbertable
.end code
.end method
.method public isEnter : ()Z
.code stack 2 locals 1
L0: aload_0
L1: getfield Field Key modifiers I
L4: ifne L29
L7: aload_0
L8: getfield Field Key key I
L11: bipush 13
L13: if_icmpeq L25
L16: aload_0
L17: getfield Field Key key I
L20: bipush 10
L22: if_icmpne L29
.stack same
L25: iconst_1
L26: goto L30
.stack same
L29: iconst_0
.stack stack_1 Integer
L30: ireturn
L31:
.linenumbertable
L0 149
.end linenumbertable
.end code
.end method
.method public toString : ()Ljava/lang/String;
.code stack 4 locals 3
L0: new java/lang/StringBuffer
L3: dup
L4: invokespecial Method java/lang/StringBuffer <init> ()V
L7: astore_1
L8: aload_0
L9: invokevirtual Method Key modCTRL ()Z
L12: ifeq L22
L15: aload_1
L16: ldc 'CTRL+'
L18: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/String;)Ljava/lang/StringBuffer;
L21: pop
.stack append Object java/lang/StringBuffer
L22: aload_0
L23: invokevirtual Method Key modALT ()Z
L26: ifeq L36
L29: aload_1
L30: ldc 'ALT+'
L32: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/String;)Ljava/lang/StringBuffer;
L35: pop
.stack same
L36: aload_0
L37: getfield Field Key key I
L40: sipush 128
L43: if_icmpge L68
L46: aload_0
L47: getfield Field Key key I
L50: bipush 32
L52: if_icmplt L68
L55: aload_1
L56: aload_0
L57: getfield Field Key key I
L60: i2c
L61: invokevirtual Method java/lang/StringBuffer append (C)Ljava/lang/StringBuffer;
L64: pop
L65: goto L134
.stack same
L68: aload_0
L69: invokevirtual Method Key modSHIFT ()Z
L72: ifeq L82
L75: aload_1
L76: ldc 'SHIFT+'
L78: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/String;)Ljava/lang/StringBuffer;
L81: pop
.stack same
L82: getstatic Field Key names Ljava/util/Map;
L85: new java/lang/Integer
L88: dup
L89: aload_0
L90: getfield Field Key key I
L93: invokespecial Method java/lang/Integer <init> (I)V
L96: invokeinterface InterfaceMethod java/util/Map get (Ljava/lang/Object;)Ljava/lang/Object; 2
L101: checkcast java/lang/String
L104: astore_2
L105: aload_2
L106: ifnull L118
L109: aload_1
L110: aload_2
L111: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/String;)Ljava/lang/StringBuffer;
L114: pop
L115: goto L134
.stack append Object java/lang/String
L118: aload_1
L119: bipush 35
L121: invokevirtual Method java/lang/StringBuffer append (C)Ljava/lang/StringBuffer;
L124: pop
L125: aload_1
L126: aload_0
L127: getfield Field Key key I
L130: invokevirtual Method java/lang/StringBuffer append (I)Ljava/lang/StringBuffer;
L133: pop
.stack chop 1
L134: aload_1
L135: new java/lang/StringBuilder
L138: dup
L139: invokespecial Method java/lang/StringBuilder <init> ()V
L142: ldc '-'
L144: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L147: aload_0
L148: getfield Field Key modifiers I
L151: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder;
L154: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L157: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/String;)Ljava/lang/StringBuffer;
L160: pop
L161: aload_1
L162: new java/lang/StringBuilder
L165: dup
L166: invokespecial Method java/lang/StringBuilder <init> ()V
L169: ldc '-'
L171: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L174: aload_0
L175: getfield Field Key key I
L178: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder;
L181: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L184: invokevirtual Method java/lang/StringBuffer append (Ljava/lang/String;)Ljava/lang/StringBuffer;
L187: pop
L188: aload_1
L189: invokevirtual Method java/lang/StringBuffer toString ()Ljava/lang/String;
L192: areturn
L193:
.linenumbertable
L0 153
L8 154
L15 155
L22 157
L29 158
L36 160
L55 161
L68 164
L75 165
L82 167
L105 168
L109 169
L118 172
L125 173
L134 176
L161 177
L188 178
.end linenumbertable
.end code
.end method
.method public getChar : ()C
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Key key I
L4: i2c
L5: ireturn
L6:
.linenumbertable
L0 182
.end linenumbertable
.end code
.end method
.method public equals : (Ljava/lang/Object;)Z
.code stack 2 locals 3
L0: aload_1
L1: instanceof Key
L4: ifeq L40
L7: aload_1
L8: checkcast Key
L11: astore_2
L12: aload_0
L13: getfield Field Key modifiers I
L16: aload_2
L17: getfield Field Key modifiers I
L20: if_icmpne L38
L23: aload_0
L24: getfield Field Key key I
L27: aload_2
L28: getfield Field Key key I
L31: if_icmpne L38
L34: iconst_1
L35: goto L39
.stack append Object Key
L38: iconst_0
.stack stack_1 Integer
L39: ireturn
.stack chop 1
L40: iconst_0
L41: ireturn
L42:
.linenumbertable
L0 186
L7 187
L12 188
L40 191
.end linenumbertable
.end code
.end method
.method public equals : (I)Z
.code stack 2 locals 2
L0: aload_0
L1: getfield Field Key key I
L4: iload_1
L5: if_icmpne L17
L8: aload_0
L9: getfield Field Key modifiers I
L12: ifne L17
L15: iconst_1
L16: ireturn
.stack same
L17: iconst_0
L18: ireturn
L19:
.linenumbertable
L0 196
L15 197
L17 200
.end linenumbertable
.end code
.end method
.method public hashCode : ()I
.code stack 2 locals 1
L0: aload_0
L1: getfield Field Key modifiers I
L4: aload_0
L5: getfield Field Key key I
L8: iadd
L9: ireturn
L10:
.linenumbertable
L0 205
.end linenumbertable
.end code
.end method
.method public isFunctionKey : ()Z
.code stack 2 locals 1
L0: aload_0
L1: getfield Field Key key I
L4: sipush 12544
L7: if_icmplt L24
L10: aload_0
L11: getfield Field Key key I
L14: sipush 12553
L17: if_icmpgt L24
L20: iconst_1
L21: goto L25
.stack same
L24: iconst_0
.stack stack_1 Integer
L25: ireturn
L26:
.linenumbertable
L0 209
.end linenumbertable
.end code
.end method
.method static <clinit> : ()V
.code stack 2 locals 0
L0: new java/util/HashMap
L3: dup
L4: invokespecial Method java/util/HashMap <init> ()V
L7: putstatic Field Key names Ljava/util/Map;
L10: bipush 13
L12: ldc 'CR'
L14: invokestatic Method Key putName (ILjava/lang/String;)V
L17: bipush 10
L19: ldc 'LF'
L21: invokestatic Method Key putName (ILjava/lang/String;)V
L24: sipush 12544
L27: ldc 'F1'
L29: invokestatic Method Key putName (ILjava/lang/String;)V
L32: sipush 12545
L35: ldc 'F2'
L37: invokestatic Method Key putName (ILjava/lang/String;)V
L40: sipush 12546
L43: ldc 'F3'
L45: invokestatic Method Key putName (ILjava/lang/String;)V
L48: sipush 12547
L51: ldc 'F4'
L53: invokestatic Method Key putName (ILjava/lang/String;)V
L56: sipush 12548
L59: ldc 'F5'
L61: invokestatic Method Key putName (ILjava/lang/String;)V
L64: sipush 12550
L67: ldc 'F6'
L69: invokestatic Method Key putName (ILjava/lang/String;)V
L72: sipush 12551
L75: ldc 'F7'
L77: invokestatic Method Key putName (ILjava/lang/String;)V
L80: sipush 12552
L83: ldc 'F8'
L85: invokestatic Method Key putName (ILjava/lang/String;)V
L88: sipush 12553
L91: ldc 'F9'
L93: invokestatic Method Key putName (ILjava/lang/String;)V
L96: sipush 12800
L99: ldc 'F10'
L101: invokestatic Method Key putName (ILjava/lang/String;)V
L104: sipush 12801
L107: ldc 'F11'
L109: invokestatic Method Key putName (ILjava/lang/String;)V
L112: sipush 12802
L115: ldc 'F12'
L117: invokestatic Method Key putName (ILjava/lang/String;)V
L120: sipush 4162
L123: ldc 'DOWN'
L125: invokestatic Method Key putName (ILjava/lang/String;)V
L128: sipush 4161
L131: ldc 'UP'
L133: invokestatic Method Key putName (ILjava/lang/String;)V
L136: sipush 4164
L139: ldc 'LEFT'
L141: invokestatic Method Key putName (ILjava/lang/String;)V
L144: sipush 4163
L147: ldc 'RIGHT'
L149: invokestatic Method Key putName (ILjava/lang/String;)V
L152: bipush 127
L154: ldc 'BACKSPACE'
L156: invokestatic Method Key putName (ILjava/lang/String;)V
L159: bipush 27
L161: ldc 'ESC'
L163: invokestatic Method Key putName (ILjava/lang/String;)V
L166: sipush 8246
L169: ldc 'PGDN'
L171: invokestatic Method Key putName (ILjava/lang/String;)V
L174: sipush 8245
L177: ldc 'PGUP'
L179: invokestatic Method Key putName (ILjava/lang/String;)V
L182: sipush 8247
L185: ldc 'HOME'
L187: invokestatic Method Key putName (ILjava/lang/String;)V
L190: sipush 8248
L193: ldc 'END'
L195: invokestatic Method Key putName (ILjava/lang/String;)V
L198: sipush 8243
L201: ldc 'INS'
L203: invokestatic Method Key putName (ILjava/lang/String;)V
L206: sipush 8244
L209: ldc 'DEL'
L211: invokestatic Method Key putName (ILjava/lang/String;)V
L214: bipush 9
L216: ldc 'TAB'
L218: invokestatic Method Key putName (ILjava/lang/String;)V
L221: return
L222:
.linenumbertable
L0 74
L10 75
L17 76
L24 77
L32 78
L40 79
L48 80
L56 81
L64 82
L72 83
L80 84
L88 85
L96 86
L104 87
L112 88
L120 89
L128 90
L136 91
L144 92
L152 93
L159 94
L166 95
L174 96
L182 97
L190 98
L198 99
L206 100
L214 101
L221 102
.end linenumbertable
.end code
.end method
.sourcefile 'Key.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Mon Jul 04 11:32:45 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class Key_ESTest extends Key_ESTest_scaffolding {
@Test(timeout = 4000)
public void test00() throws Throwable {
Key key0 = new Key((-37834));
key0.hashCode();
assertEquals(0, key0.getModifiers());
assertEquals(0, key0.getType());
assertEquals('\u6C36', key0.getChar());
}
@Test(timeout = 4000)
public void test01() throws Throwable {
Key key0 = new Key((-37834));
boolean boolean0 = key0.equals((-15073));
assertEquals((-37834), key0.getKey());
assertFalse(boolean0);
assertEquals(0, key0.getType());
assertFalse(key0.modALT());
}
@Test(timeout = 4000)
public void test02() throws Throwable {
Key key0 = new Key(25828, 128);
String string0 = key0.toString();
assertEquals(0, key0.getType());
assertEquals("#128-25828-128", string0);
}
@Test(timeout = 4000)
public void test03() throws Throwable {
Key key0 = new Key(27);
boolean boolean0 = key0.isEnter();
assertEquals(0, key0.getType());
assertEquals('\u001B', key0.getChar());
assertFalse(boolean0);
assertFalse(key0.modSHIFT());
}
@Test(timeout = 4000)
public void test04() throws Throwable {
Key key0 = new Key((-67837), (-67837));
boolean boolean0 = key0.isEnter();
assertEquals((-67837), key0.getModifiers());
assertFalse(boolean0);
assertEquals(0, key0.getType());
assertEquals('\uF703', key0.getChar());
}
@Test(timeout = 4000)
public void test05() throws Throwable {
Key key0 = new Key(25828, 128);
int int0 = key0.getModifiers();
assertEquals(128, key0.getKey());
assertEquals(25828, int0);
assertEquals(0, key0.getType());
}
@Test(timeout = 4000)
public void test06() throws Throwable {
Key key0 = new Key((-17739), 32, (-17739));
int int0 = key0.getModifiers();
assertEquals(0, key0.getType());
assertEquals((-17739), int0);
assertEquals((-4523413), key0.getKey());
}
@Test(timeout = 4000)
public void test07() throws Throwable {
Key key0 = new Key(12544);
int int0 = key0.getKey();
assertEquals(0, key0.getType());
assertEquals(0, key0.getModifiers());
assertEquals(12544, int0);
}
@Test(timeout = 4000)
public void test08() throws Throwable {
Key key0 = new Key((-1), (-1), (-1));
int int0 = key0.getKey();
assertEquals((-256), int0);
assertEquals(0, key0.getType());
assertEquals((-1), key0.getModifiers());
}
@Test(timeout = 4000)
public void test09() throws Throwable {
Key key0 = new Key((-1), (-1), (-1));
char char0 = key0.getChar();
assertEquals('\uFF00', char0);
assertEquals((-1), key0.getModifiers());
assertEquals(0, key0.getType());
}
@Test(timeout = 4000)
public void test10() throws Throwable {
Key key0 = new Key(0, 4161);
char char0 = key0.getChar();
assertEquals('\u1041', char0);
assertFalse(key0.modALT());
assertEquals(0, key0.getType());
}
@Test(timeout = 4000)
public void test11() throws Throwable {
Key key0 = new Key(0);
boolean boolean0 = key0.modSHIFT();
assertFalse(boolean0);
assertEquals(0, key0.getKey());
assertEquals(0, key0.getType());
}
@Test(timeout = 4000)
public void test12() throws Throwable {
Key key0 = new Key((-1), (-1), (-1));
boolean boolean0 = key0.modSHIFT();
assertEquals('\uFF00', key0.getChar());
assertTrue(boolean0);
assertEquals(0, key0.getType());
assertEquals((-1), key0.getModifiers());
}
@Test(timeout = 4000)
public void test13() throws Throwable {
Key key0 = new Key((-1), (-1), (-1));
boolean boolean0 = key0.modCTRL();
assertEquals((-256), key0.getKey());
assertTrue(key0.modALT());
assertTrue(boolean0);
assertEquals(0, key0.getType());
}
@Test(timeout = 4000)
public void test14() throws Throwable {
Key key0 = new Key((-82935), (-82935), (-82935));
boolean boolean0 = key0.modCTRL();
assertFalse(boolean0);
assertEquals(0, key0.getType());
assertEquals('\u0900', key0.getChar());
assertTrue(key0.modSHIFT());
}
@Test(timeout = 4000)
public void test15() throws Throwable {
Key key0 = new Key((-37834));
boolean boolean0 = key0.modALT();
assertFalse(boolean0);
assertEquals(0, key0.getType());
assertEquals((-37834), key0.getKey());
}
@Test(timeout = 4000)
public void test16() throws Throwable {
Key key0 = new Key(12800);
boolean boolean0 = key0.isFunctionKey();
assertFalse(boolean0);
assertEquals('\u3200', key0.getChar());
assertEquals(0, key0.getType());
assertFalse(key0.modALT());
}
@Test(timeout = 4000)
public void test17() throws Throwable {
Key key0 = new Key(12544);
boolean boolean0 = key0.isFunctionKey();
assertTrue(boolean0);
assertFalse(key0.modSHIFT());
assertEquals('\u3100', key0.getChar());
assertEquals(0, key0.getType());
}
@Test(timeout = 4000)
public void test18() throws Throwable {
Key key0 = new Key(0);
boolean boolean0 = key0.isFunctionKey();
assertFalse(boolean0);
assertEquals(0, key0.getType());
assertFalse(key0.modSHIFT());
assertEquals(0, key0.getKey());
}
@Test(timeout = 4000)
public void test19() throws Throwable {
Key key0 = new Key(39524, 0);
boolean boolean0 = key0.equals(0);
assertEquals(0, key0.getType());
assertEquals('\u0000', key0.getChar());
assertFalse(boolean0);
assertEquals(39524, key0.getModifiers());
}
@Test(timeout = 4000)
public void test20() throws Throwable {
Key key0 = new Key(0, 45468);
boolean boolean0 = key0.equals(45468);
assertTrue(boolean0);
assertEquals(0, key0.getType());
}
@Test(timeout = 4000)
public void test21() throws Throwable {
Key key0 = new Key(0, 45468);
boolean boolean0 = key0.equals(0);
assertFalse(boolean0);
assertEquals(0, key0.getType());
assertEquals(45468, key0.getKey());
assertFalse(key0.modSHIFT());
}
@Test(timeout = 4000)
public void test22() throws Throwable {
Key key0 = new Key(0, 45468);
Key key1 = new Key(0);
boolean boolean0 = key0.equals((Object) key1);
assertEquals(0, key1.getType());
assertFalse(boolean0);
assertEquals(0, key1.getModifiers());
assertFalse(key1.equals((Object)key0));
assertEquals('\uB19C', key0.getChar());
}
@Test(timeout = 4000)
public void test23() throws Throwable {
Key key0 = new Key((-67837), (-67837));
Key key1 = new Key(12544);
boolean boolean0 = key0.equals((Object) key1);
assertEquals('\u3100', key1.getChar());
assertFalse(boolean0);
assertEquals(0, key1.getType());
assertEquals((-67837), key0.getModifiers());
}
@Test(timeout = 4000)
public void test24() throws Throwable {
Key key0 = new Key(0, 45468);
boolean boolean0 = key0.equals((Object) key0);
assertEquals(0, key0.getType());
assertTrue(boolean0);
assertEquals('\uB19C', key0.getChar());
assertFalse(key0.modALT());
}
@Test(timeout = 4000)
public void test25() throws Throwable {
Key key0 = new Key(0);
Object object0 = new Object();
boolean boolean0 = key0.equals(object0);
assertFalse(boolean0);
assertEquals(0, key0.getKey());
assertEquals(0, key0.getType());
assertFalse(key0.modSHIFT());
}
@Test(timeout = 4000)
public void test26() throws Throwable {
Key key0 = new Key(12800);
String string0 = key0.toString();
assertEquals(0, key0.getType());
assertEquals("F10-0-12800", string0);
}
@Test(timeout = 4000)
public void test27() throws Throwable {
Key key0 = new Key(0);
boolean boolean0 = key0.isEnter();
assertEquals(0, key0.getKey());
assertFalse(boolean0);
assertFalse(key0.modSHIFT());
assertEquals(0, key0.getType());
}
@Test(timeout = 4000)
public void test28() throws Throwable {
Key key0 = new Key(39524, 0);
boolean boolean0 = key0.isEnter();
assertEquals(0, key0.getType());
assertEquals('\u0000', key0.getChar());
assertFalse(boolean0);
assertEquals(39524, key0.getModifiers());
}
@Test(timeout = 4000)
public void test29() throws Throwable {
Key key0 = new Key((-67837), (-67837));
String string0 = key0.toString();
assertEquals(0, key0.getType());
assertEquals("CTRL+ALT+SHIFT+#-67837--67837--67837", string0);
}
@Test(timeout = 4000)
public void test30() throws Throwable {
Key key0 = new Key((-1), (-1), (-1));
boolean boolean0 = key0.modALT();
assertEquals(0, key0.getType());
assertTrue(boolean0);
assertEquals((-256), key0.getKey());
assertTrue(key0.modCTRL());
}
@Test(timeout = 4000)
public void test31() throws Throwable {
Key key0 = new Key(0, 45468);
int int0 = key0.getType();
assertEquals(0, int0);
assertEquals(45468, key0.getKey());
assertEquals(0, key0.getModifiers());
}
@Test(timeout = 4000)
public void test32() throws Throwable {
Key key0 = new Key(0);
int int0 = key0.getKey();
assertEquals(0, int0);
assertEquals(0, key0.getType());
assertEquals(0, key0.getModifiers());
}
@Test(timeout = 4000)
public void test33() throws Throwable {
Key key0 = new Key(0, 45468);
int int0 = key0.getModifiers();
assertEquals(0, int0);
assertEquals(0, key0.getType());
assertEquals('\uB19C', key0.getChar());
}
@Test(timeout = 4000)
public void test34() throws Throwable {
Key key0 = new Key(0, 45468);
char char0 = key0.getChar();
assertEquals(0, key0.getType());
assertFalse(key0.modSHIFT());
assertEquals('\uB19C', char0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 11:32:45 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class Key_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Key";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmph2ilfo04");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Key_ESTest_scaffolding.class.getClassLoader() ,
"Key"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Key_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Key"
);
}
}
| 5,164 |
NimGameSolution | /**
* https://leetcode.com/problems/nim-game/ You are playing the following Nim Game with your friend:
* There is a heap of stones on the table, each time one of you take turns to remove 1 to 3 stones.
* The one who removes the last stone will be the winner. You will take the first turn to remove the
* stones.
*
* <p>Both of you are very clever and have optimal strategies for the game. Write a function to
* determine whether you can win the game given the number of stones in the heap.
*
* <p>For example, if there are 4 stones in the heap, then you will never win the game: no matter 1,
* 2, or 3 stones you remove, the last stone will always be removed by your friend.
*/
public class NimGameSolution {
public boolean canWinNim(int n) {
return n % 4 != 0;
}
}
| .version 52 0
.class public super NimGameSolution
.super java/lang/Object
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 15
.end linenumbertable
.end code
.end method
.method public canWinNim : (I)Z
.code stack 2 locals 2
L0: iload_1
L1: iconst_4
L2: irem
L3: ifeq L10
L6: iconst_1
L7: goto L11
.stack same
L10: iconst_0
.stack stack_1 Integer
L11: ireturn
L12:
.linenumbertable
L0 18
.end linenumbertable
.end code
.end method
.sourcefile 'NimGameSolution.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 11:01: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 NimGameSolution_ESTest extends NimGameSolution_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
NimGameSolution nimGameSolution0 = new NimGameSolution();
boolean boolean0 = nimGameSolution0.canWinNim(49713);
assertTrue(boolean0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
NimGameSolution nimGameSolution0 = new NimGameSolution();
boolean boolean0 = nimGameSolution0.canWinNim((-137709));
assertTrue(boolean0);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
NimGameSolution nimGameSolution0 = new NimGameSolution();
boolean boolean0 = nimGameSolution0.canWinNim(24112);
assertFalse(boolean0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 11:01: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 NimGameSolution_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "NimGameSolution";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpctgbbk3_");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(NimGameSolution_ESTest_scaffolding.class.getClassLoader() ,
"NimGameSolution"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(NimGameSolution_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"NimGameSolution"
);
}
}
| 5,165 |
A | // "Remove redundant initializer" "true"
class A {
int n;
{
n = 1;
}
}
| .version 52 0
.class super A
.super java/lang/Object
.field n I
.method <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 A n I
L9: return
L10:
.linenumbertable
L0 2
L4 4
.end linenumbertable
.end code
.end method
.sourcefile 'A.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 23:42: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 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
* Fri Jul 01 23:42: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 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/tmpliapaauf");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.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"
);
}
}
| 5,166 |
ActionFailedException | public class ActionFailedException extends Exception {
private static final long serialVersionUID = 1L;
public ActionFailedException(String msg) {
super(msg);
}
}
| .version 52 0
.class public super ActionFailedException
.super java/lang/Exception
.field private static final serialVersionUID J = 1L
.method public <init> : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: invokespecial Method java/lang/Exception <init> (Ljava/lang/String;)V
L5: return
L6:
.linenumbertable
L0 7
L5 8
.end linenumbertable
.end code
.end method
.sourcefile 'ActionFailedException.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Mon Jul 04 15:04: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 ActionFailedException_ESTest extends ActionFailedException_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
ActionFailedException actionFailedException0 = new ActionFailedException("((U*ouJpj)zKT");
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 15:04: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 ActionFailedException_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "ActionFailedException";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmphrw3cwgy");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(ActionFailedException_ESTest_scaffolding.class.getClassLoader() ,
"ActionFailedException"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ActionFailedException_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"ActionFailedException"
);
}
}
| 5,167 |
PalindromWithQ | class PalindromWithQ {
public static int getNumberOfPalindroms(char[] str) {
int n = str.length;
int mid = (n >> 1);
n--;
int palindroms = 1;
boolean isPalindrom = true;
char[] a = str;
for (int i = 0; i < mid; i++) {
if (a[i] != a[n - i] && a[i] == '?') {
// a[i] is '?'
a[i] = a[n - i];
} else if (a[i] != a[n - i] && a[n - i] == '?') {
// a[n-i] is '?'
a[n - i] = a[i];
} else if (a[i] == a[n - i] && a[i] != '?') {
// both are non '?'
continue;
} else if (a[i] == a[n - i] && a[i] == '?') {
// both are question mark
palindroms *= 26;
} else {
// both not same 0 PALINDROMS can be generated
isPalindrom = false;
break;
}
}
n++;
if (!isPalindrom) {
return 0;
} else {
if ((mid * 2) == n) {
// even length palindrom
return palindroms;
} else {
// odd length palindrom
if (a[mid] == '?') {
palindroms *= 26;
}
return palindroms;
}
}
}
public static void main(String[] args) {
String s1 = "a?a??a?a";
String s2 = "a??a";
String s3 = "a???a";
String s4 = "ab??a";
System.out.println(getNumberOfPalindroms(s1.toCharArray()));
System.out.println(getNumberOfPalindroms(s2.toCharArray()));
System.out.println(getNumberOfPalindroms(s3.toCharArray()));
System.out.println(getNumberOfPalindroms(s4.toCharArray()));
}
}
| .version 52 0
.class super PalindromWithQ
.super java/lang/Object
.method <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 1
.end linenumbertable
.end code
.end method
.method public static getNumberOfPalindroms : ([C)I
.code stack 5 locals 7
L0: aload_0
L1: arraylength
L2: istore_1
L3: iload_1
L4: iconst_1
L5: ishr
L6: istore_2
L7: iinc 1 -1
L10: iconst_1
L11: istore_3
L12: iconst_1
L13: istore 4
L15: aload_0
L16: astore 5
L18: iconst_0
L19: istore 6
.stack full
locals Object [C Integer Integer Integer Integer Object [C Integer
stack
.end stack
L21: iload 6
L23: iload_2
L24: if_icmpge L182
L27: aload 5
L29: iload 6
L31: caload
L32: aload 5
L34: iload_1
L35: iload 6
L37: isub
L38: caload
L39: if_icmpeq L67
L42: aload 5
L44: iload 6
L46: caload
L47: bipush 63
L49: if_icmpne L67
L52: aload 5
L54: iload 6
L56: aload 5
L58: iload_1
L59: iload 6
L61: isub
L62: caload
L63: castore
L64: goto L176
.stack same
L67: aload 5
L69: iload 6
L71: caload
L72: aload 5
L74: iload_1
L75: iload 6
L77: isub
L78: caload
L79: if_icmpeq L109
L82: aload 5
L84: iload_1
L85: iload 6
L87: isub
L88: caload
L89: bipush 63
L91: if_icmpne L109
L94: aload 5
L96: iload_1
L97: iload 6
L99: isub
L100: aload 5
L102: iload 6
L104: caload
L105: castore
L106: goto L176
.stack same
L109: aload 5
L111: iload 6
L113: caload
L114: aload 5
L116: iload_1
L117: iload 6
L119: isub
L120: caload
L121: if_icmpne L137
L124: aload 5
L126: iload 6
L128: caload
L129: bipush 63
L131: if_icmpeq L137
L134: goto L176
.stack same
L137: aload 5
L139: iload 6
L141: caload
L142: aload 5
L144: iload_1
L145: iload 6
L147: isub
L148: caload
L149: if_icmpne L170
L152: aload 5
L154: iload 6
L156: caload
L157: bipush 63
L159: if_icmpne L170
L162: iload_3
L163: bipush 26
L165: imul
L166: istore_3
L167: goto L176
.stack same
L170: iconst_0
L171: istore 4
L173: goto L182
.stack same
L176: iinc 6 1
L179: goto L21
.stack chop 1
L182: iinc 1 1
L185: iload 4
L187: ifne L192
L190: iconst_0
L191: ireturn
.stack same
L192: iload_2
L193: iconst_2
L194: imul
L195: iload_1
L196: if_icmpne L201
L199: iload_3
L200: ireturn
.stack same
L201: aload 5
L203: iload_2
L204: caload
L205: bipush 63
L207: if_icmpne L215
L210: iload_3
L211: bipush 26
L213: imul
L214: istore_3
.stack same
L215: iload_3
L216: ireturn
L217:
.linenumbertable
L0 3
L3 4
L7 5
L10 7
L12 8
L15 9
L18 10
L27 11
L52 13
L67 14
L94 16
L109 17
L134 19
L137 20
L162 22
L170 25
L173 26
L176 10
L182 30
L185 31
L190 32
L192 34
L199 36
L201 39
L210 40
L215 42
.end linenumbertable
.end code
.end method
.method public static main : ([Ljava/lang/String;)V
.code stack 2 locals 5
L0: ldc 'a?a??a?a'
L2: astore_1
L3: ldc 'a??a'
L5: astore_2
L6: ldc 'a???a'
L8: astore_3
L9: ldc 'ab??a'
L11: astore 4
L13: getstatic Field java/lang/System out Ljava/io/PrintStream;
L16: aload_1
L17: invokevirtual Method java/lang/String toCharArray ()[C
L20: invokestatic Method PalindromWithQ getNumberOfPalindroms ([C)I
L23: invokevirtual Method java/io/PrintStream println (I)V
L26: getstatic Field java/lang/System out Ljava/io/PrintStream;
L29: aload_2
L30: invokevirtual Method java/lang/String toCharArray ()[C
L33: invokestatic Method PalindromWithQ getNumberOfPalindroms ([C)I
L36: invokevirtual Method java/io/PrintStream println (I)V
L39: getstatic Field java/lang/System out Ljava/io/PrintStream;
L42: aload_3
L43: invokevirtual Method java/lang/String toCharArray ()[C
L46: invokestatic Method PalindromWithQ getNumberOfPalindroms ([C)I
L49: invokevirtual Method java/io/PrintStream println (I)V
L52: getstatic Field java/lang/System out Ljava/io/PrintStream;
L55: aload 4
L57: invokevirtual Method java/lang/String toCharArray ()[C
L60: invokestatic Method PalindromWithQ getNumberOfPalindroms ([C)I
L63: invokevirtual Method java/io/PrintStream println (I)V
L66: return
L67:
.linenumbertable
L0 47
L3 48
L6 49
L9 50
L13 51
L26 52
L39 53
L52 54
L66 56
.end linenumbertable
.end code
.end method
.sourcefile 'PalindromWithQ.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Mon Jul 04 06:26: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 PalindromWithQ_ESTest extends PalindromWithQ_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
String[] stringArray0 = new String[8];
stringArray0[0] = "";
stringArray0[1] = "";
stringArray0[2] = "^;[wI/VN";
stringArray0[3] = "ab??a";
stringArray0[4] = "a??a";
stringArray0[5] = "<51Ctg+Wu3*";
stringArray0[6] = "";
stringArray0[7] = "~R^lD!E2/";
PalindromWithQ.main(stringArray0);
assertEquals(8, stringArray0.length);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
PalindromWithQ palindromWithQ0 = new PalindromWithQ();
String[] stringArray0 = new String[7];
stringArray0[0] = "n-o K%4`CuK7";
stringArray0[1] = "ab??a";
stringArray0[2] = "vww";
stringArray0[3] = "";
stringArray0[4] = "";
stringArray0[5] = "_FyI<I*IEY=3?X)";
stringArray0[6] = "x} sk<DrZFwt\"";
PalindromWithQ.main(stringArray0);
char[] charArray0 = new char[8];
charArray0[0] = 'H';
charArray0[1] = 'Y';
charArray0[2] = '#';
charArray0[3] = ',';
charArray0[4] = '<';
charArray0[5] = '6';
charArray0[6] = '2';
charArray0[7] = 'g';
int int0 = PalindromWithQ.getNumberOfPalindroms(charArray0);
assertEquals(0, int0);
assertArrayEquals(new char[] {'H', 'Y', '#', ',', '<', '6', '2', 'g'}, charArray0);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
char[] charArray0 = new char[8];
charArray0[0] = 'B';
charArray0[1] = '=';
charArray0[2] = 'V';
charArray0[3] = 'j';
charArray0[4] = '(';
charArray0[5] = 'Z';
charArray0[6] = 'e';
charArray0[7] = '\\';
PalindromWithQ.getNumberOfPalindroms(charArray0);
PalindromWithQ.getNumberOfPalindroms(charArray0);
String[] stringArray0 = new String[6];
stringArray0[0] = "ab??a";
stringArray0[1] = "";
stringArray0[2] = "^";
stringArray0[3] = "1I\"1Kv5";
stringArray0[4] = "C9!R+?UCI";
stringArray0[5] = "";
PalindromWithQ.main(stringArray0);
assertEquals(6, stringArray0.length);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
String[] stringArray0 = new String[8];
stringArray0[0] = "qwN8@(?tI";
stringArray0[1] = "Y_a)~";
stringArray0[2] = "";
stringArray0[3] = "";
stringArray0[4] = "a??a";
stringArray0[5] = "a??a";
stringArray0[6] = "";
stringArray0[7] = "qH#WybNu;XEGKy";
PalindromWithQ.main(stringArray0);
assertEquals(8, stringArray0.length);
}
@Test(timeout = 4000)
public void test4() throws Throwable {
String[] stringArray0 = new String[6];
stringArray0[0] = "";
stringArray0[1] = "a???a";
stringArray0[2] = "";
stringArray0[3] = "";
stringArray0[4] = "$(P@";
stringArray0[5] = "";
PalindromWithQ.main(stringArray0);
PalindromWithQ palindromWithQ0 = new PalindromWithQ();
PalindromWithQ.main(stringArray0);
PalindromWithQ.main(stringArray0);
char[] charArray0 = new char[3];
charArray0[0] = 'C';
charArray0[1] = 'H';
charArray0[2] = '-';
PalindromWithQ.getNumberOfPalindroms(charArray0);
PalindromWithQ.getNumberOfPalindroms(charArray0);
PalindromWithQ.main(stringArray0);
PalindromWithQ.main(stringArray0);
assertEquals(6, stringArray0.length);
}
@Test(timeout = 4000)
public void test5() throws Throwable {
char[] charArray0 = new char[8];
charArray0[0] = 'w';
charArray0[1] = '8';
charArray0[2] = 'F';
charArray0[3] = 's';
charArray0[4] = 'H';
charArray0[5] = '8';
charArray0[6] = '(';
charArray0[7] = 'l';
int int0 = PalindromWithQ.getNumberOfPalindroms(charArray0);
assertArrayEquals(new char[] {'w', '8', 'F', 's', 'H', '8', '(', 'l'}, charArray0);
assertEquals(0, int0);
}
@Test(timeout = 4000)
public void test6() throws Throwable {
String[] stringArray0 = new String[2];
stringArray0[0] = "PalindromWithQ";
stringArray0[1] = "";
PalindromWithQ.main(stringArray0);
PalindromWithQ palindromWithQ0 = new PalindromWithQ();
PalindromWithQ.main(stringArray0);
PalindromWithQ.main(stringArray0);
char[] charArray0 = new char[9];
charArray0[0] = 'V';
charArray0[1] = '2';
charArray0[2] = '=';
charArray0[3] = 'G';
charArray0[4] = 'v';
charArray0[5] = 'k';
charArray0[6] = 'p';
charArray0[7] = 'E';
charArray0[8] = '\'';
int int0 = PalindromWithQ.getNumberOfPalindroms(charArray0);
assertEquals(0, int0);
assertArrayEquals(new char[] {'V', '2', '=', 'G', 'v', 'k', 'p', 'E', '\''}, charArray0);
}
@Test(timeout = 4000)
public void test7() throws Throwable {
PalindromWithQ palindromWithQ0 = new PalindromWithQ();
String[] stringArray0 = new String[7];
stringArray0[0] = "";
stringArray0[1] = "";
stringArray0[2] = "O5l;{[2";
stringArray0[3] = "";
stringArray0[4] = "";
stringArray0[5] = "lW#~qra[F7";
stringArray0[6] = "";
PalindromWithQ.main(stringArray0);
char[] charArray0 = new char[0];
PalindromWithQ.getNumberOfPalindroms(charArray0);
String[] stringArray1 = new String[4];
stringArray1[0] = "";
stringArray1[1] = "";
stringArray1[2] = "";
stringArray1[3] = "/.";
PalindromWithQ.main(stringArray1);
PalindromWithQ.main(stringArray1);
assertFalse(stringArray1.equals((Object)stringArray0));
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 06:26: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 PalindromWithQ_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "PalindromWithQ";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp39hm9br1");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(PalindromWithQ_ESTest_scaffolding.class.getClassLoader() ,
"PalindromWithQ"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(PalindromWithQ_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"PalindromWithQ"
);
}
}
| 5,168 |
Point | /**
* Class Point.
*
* @author Krohmal Kirill (mailto:[email protected])
* @since 22.05.2017
*/
public class Point {
/**
* @param x.
* @since 22.05.2017
*/
private int x;
/**
* @param y.
* @since 22.05.2017
*/
private int y;
/**
* @param x аргумент.
* @param y аргумент.
* @since 22.05.2017 Конструктор Point для класса Point
*/
public Point(int x, int y) {
this.x = x;
this.y = y;
}
/**
* @return x.
* @since 22.05.2017 Метод getX() для класса Point
*/
public int getX() {
return this.x;
}
/**
* @return y.
* @since 22.05.2017 Метод getY() для класса Point
*/
public int getY() {
return this.y;
}
/**
* @param a аргумент.
* @param b аргумент.
* @return a и b.
* @since 22.05.2017 Метод is для класса Point
*/
public boolean is(int a, int b) {
return this.x == a * x + b;
}
}
| .version 52 0
.class public super Point
.super java/lang/Object
.field private x I
.field private y I
.method public <init> : (II)V
.code stack 2 locals 3
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: iload_1
L6: putfield Field Point x I
L9: aload_0
L10: iload_2
L11: putfield Field Point y I
L14: return
L15:
.linenumbertable
L0 27
L4 28
L9 29
L14 30
.end linenumbertable
.end code
.end method
.method public getX : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Point x I
L4: ireturn
L5:
.linenumbertable
L0 38
.end linenumbertable
.end code
.end method
.method public getY : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Point y I
L4: ireturn
L5:
.linenumbertable
L0 47
.end linenumbertable
.end code
.end method
.method public is : (II)Z
.code stack 3 locals 3
L0: aload_0
L1: getfield Field Point x I
L4: iload_1
L5: aload_0
L6: getfield Field Point x I
L9: imul
L10: iload_2
L11: iadd
L12: if_icmpne L19
L15: iconst_1
L16: goto L20
.stack same
L19: iconst_0
.stack stack_1 Integer
L20: ireturn
L21:
.linenumbertable
L0 58
.end linenumbertable
.end code
.end method
.sourcefile 'Point.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 10:39:49 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class Point_ESTest extends Point_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
Point point0 = new Point((-22534), (-22534));
boolean boolean0 = point0.is((-22534), (-22534));
assertEquals((-22534), point0.getX());
assertEquals((-22534), point0.getY());
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
Point point0 = new Point(48785, 48785);
boolean boolean0 = point0.is(48785, 48785);
assertFalse(boolean0);
assertEquals(48785, point0.getY());
assertEquals(48785, point0.getX());
}
@Test(timeout = 4000)
public void test2() throws Throwable {
Point point0 = new Point(48785, 48785);
int int0 = point0.getY();
assertEquals(48785, int0);
assertEquals(48785, point0.getX());
}
@Test(timeout = 4000)
public void test3() throws Throwable {
Point point0 = new Point(0, (-82845));
int int0 = point0.getY();
assertEquals((-82845), int0);
assertEquals(0, point0.getX());
}
@Test(timeout = 4000)
public void test4() throws Throwable {
Point point0 = new Point(48785, 48785);
int int0 = point0.getX();
assertEquals(48785, point0.getY());
assertEquals(48785, int0);
}
@Test(timeout = 4000)
public void test5() throws Throwable {
Point point0 = new Point((-1), (-1));
int int0 = point0.getX();
assertEquals((-1), int0);
assertEquals((-1), point0.getY());
}
@Test(timeout = 4000)
public void test6() throws Throwable {
Point point0 = new Point(0, 0);
boolean boolean0 = point0.is(0, 0);
assertTrue(boolean0);
assertEquals(0, point0.getY());
}
@Test(timeout = 4000)
public void test7() throws Throwable {
Point point0 = new Point(0, 0);
int int0 = point0.getX();
assertEquals(0, int0);
assertEquals(0, point0.getY());
}
@Test(timeout = 4000)
public void test8() throws Throwable {
Point point0 = new Point(0, 0);
int int0 = point0.getY();
assertEquals(0, int0);
assertEquals(0, point0.getX());
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 10:39:49 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class Point_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Point";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmptrdpop9v");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Point_ESTest_scaffolding.class.getClassLoader() ,
"Point"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Point_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Point"
);
}
}
| 5,169 |
ConnectionInfo | /********************************
* 프로젝트 : VisualFxVoEditor
* 패키지 : com.kyj.fx.voeditor.visual.framework.proxy
* 작성일 : 2017. 2. 10.
* 작성자 : KYJ
*******************************/
import java.net.Socket;
/**
* @author KYJ
*/
class ConnectionInfo {
private Socket client;
public ConnectionInfo(Socket client) {
this.client = client;
}
/**
* @return the client
*/
public final Socket getClient() {
return client;
}
}
| .version 52 0
.class super ConnectionInfo
.super java/lang/Object
.field private client Ljava/net/Socket;
.method public <init> : (Ljava/net/Socket;)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 ConnectionInfo client Ljava/net/Socket;
L9: return
L10:
.linenumbertable
L0 19
L4 20
L9 21
.end linenumbertable
.end code
.end method
.method public final getClient : ()Ljava/net/Socket;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field ConnectionInfo client Ljava/net/Socket;
L4: areturn
L5:
.linenumbertable
L0 27
.end linenumbertable
.end code
.end method
.sourcefile 'ConnectionInfo.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 03:42:08 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import java.net.Socket;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.evosuite.runtime.mock.java.net.MockSocket;
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 ConnectionInfo_ESTest extends ConnectionInfo_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
ConnectionInfo connectionInfo0 = new ConnectionInfo((Socket) null);
Socket socket0 = connectionInfo0.getClient();
assertNull(socket0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
EvoSuiteRemoteAddress evoSuiteRemoteAddress0 = new EvoSuiteRemoteAddress("127.0.0.1", 51438);
NetworkHandling.openRemoteTcpServer(evoSuiteRemoteAddress0);
MockSocket mockSocket0 = new MockSocket("", 51438, false);
ConnectionInfo connectionInfo0 = new ConnectionInfo(mockSocket0);
mockSocket0.close();
Socket socket0 = connectionInfo0.getClient();
assertTrue(socket0.isBound());
}
@Test(timeout = 4000)
public void test2() throws Throwable {
EvoSuiteRemoteAddress evoSuiteRemoteAddress0 = new EvoSuiteRemoteAddress("127.0.0.1", 51438);
NetworkHandling.openRemoteTcpServer(evoSuiteRemoteAddress0);
MockSocket mockSocket0 = new MockSocket("", 51438, false);
ConnectionInfo connectionInfo0 = new ConnectionInfo(mockSocket0);
Socket socket0 = connectionInfo0.getClient();
assertTrue(socket0.isBound());
}
@Test(timeout = 4000)
public void test3() throws Throwable {
MockSocket mockSocket0 = new MockSocket();
ConnectionInfo connectionInfo0 = new ConnectionInfo(mockSocket0);
Socket socket0 = connectionInfo0.getClient();
assertFalse(socket0.isOutputShutdown());
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 03:42: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 ConnectionInfo_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "ConnectionInfo";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp0blb3zzd");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(ConnectionInfo_ESTest_scaffolding.class.getClassLoader() ,
"ConnectionInfo"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ConnectionInfo_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"ConnectionInfo"
);
}
}
| 5,170 |
BaseEvent | /*
* Copyright 2015 Kejun Xia
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
public class BaseEvent {
private final Object sender;
public BaseEvent(Object sender) {
this.sender = sender;
}
public Object getSender() {
return sender;
}
}
| .version 52 0
.class public super BaseEvent
.super java/lang/Object
.field private final sender Ljava/lang/Object;
.method public <init> : (Ljava/lang/Object;)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 BaseEvent sender Ljava/lang/Object;
L9: return
L10:
.linenumbertable
L0 22
L4 23
L9 24
.end linenumbertable
.end code
.end method
.method public getSender : ()Ljava/lang/Object;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field BaseEvent sender Ljava/lang/Object;
L4: areturn
L5:
.linenumbertable
L0 27
.end linenumbertable
.end code
.end method
.sourcefile 'BaseEvent.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 14:31: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 BaseEvent_ESTest extends BaseEvent_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
Object object0 = new Object();
BaseEvent baseEvent0 = new BaseEvent(object0);
Object object1 = baseEvent0.getSender();
assertSame(object0, object1);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
BaseEvent baseEvent0 = new BaseEvent((Object) null);
Object object0 = baseEvent0.getSender();
assertNull(object0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 14:31: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 BaseEvent_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "BaseEvent";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpp58rs0r3");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(BaseEvent_ESTest_scaffolding.class.getClassLoader() ,
"BaseEvent"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(BaseEvent_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"BaseEvent"
);
}
}
| 5,171 |
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 01:15: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 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 01:15: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 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/tmp5ep_ajob");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.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"
);
}
}
| 5,172 |
CloneClass | /*
* Copyright (c) 2016 Prasenjit Purohit
*
* 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.
*/
/** Created by pp03582 on 2/17/2016. */
public class CloneClass implements Cloneable {
private String name;
public CloneClass(String name) {
this.name = name;
}
public String getName() {
return name;
}
public void setName(String name) {
this.name = name;
}
@Override
public String toString() {
return "CloneClass{" + "name='" + name + '\'' + '}';
}
@Override
public CloneClass clone() {
try {
return (CloneClass) super.clone();
} catch (CloneNotSupportedException e) {
throw new AssertionError("clone failed", e);
}
}
@Override
protected void finalize() throws Throwable {
System.out.println("finalize");
}
}
| .version 52 0
.class public super CloneClass
.super java/lang/Object
.implements java/lang/Cloneable
.field private name Ljava/lang/String;
.method public <init> : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: aload_1
L6: putfield Field CloneClass name Ljava/lang/String;
L9: return
L10:
.linenumbertable
L0 25
L4 26
L9 27
.end linenumbertable
.end code
.end method
.method public getName : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field CloneClass name Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 30
.end linenumbertable
.end code
.end method
.method public setName : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field CloneClass name Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 34
L5 35
.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 "CloneClass{name='"
L9: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L12: aload_0
L13: getfield Field CloneClass name Ljava/lang/String;
L16: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L19: bipush 39
L21: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder;
L24: bipush 125
L26: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder;
L29: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L32: areturn
L33:
.linenumbertable
L0 39
.end linenumbertable
.end code
.end method
.method public clone : ()LCloneClass;
.code stack 4 locals 2
.catch java/lang/CloneNotSupportedException from L0 to L7 using L8
L0: aload_0
L1: invokespecial Method java/lang/Object clone ()Ljava/lang/Object;
L4: checkcast CloneClass
L7: areturn
.stack stack_1 Object java/lang/CloneNotSupportedException
L8: astore_1
L9: new java/lang/AssertionError
L12: dup
L13: ldc 'clone failed'
L15: aload_1
L16: invokespecial Method java/lang/AssertionError <init> (Ljava/lang/String;Ljava/lang/Throwable;)V
L19: athrow
L20:
.linenumbertable
L0 47
L8 48
L9 49
.end linenumbertable
.end code
.end method
.method protected finalize : ()V
.code stack 2 locals 1
L0: getstatic Field java/lang/System out Ljava/io/PrintStream;
L3: ldc 'finalize'
L5: invokevirtual Method java/io/PrintStream println (Ljava/lang/String;)V
L8: return
L9:
.linenumbertable
L0 55
L8 56
.end linenumbertable
.end code
.exceptions java/lang/Throwable
.end method
.method public bridge synthetic clone : ()Ljava/lang/Object;
.code stack 1 locals 1
L0: aload_0
L1: invokevirtual Method CloneClass clone ()LCloneClass;
L4: areturn
L5:
.linenumbertable
L0 22
.end linenumbertable
.end code
.exceptions java/lang/CloneNotSupportedException
.end method
.sourcefile 'CloneClass.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 14:42:41 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class CloneClass_ESTest extends CloneClass_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
CloneClass cloneClass0 = new CloneClass("gKa$D$$/`P");
String string0 = cloneClass0.getName();
assertEquals("gKa$D$$/`P", string0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
CloneClass cloneClass0 = new CloneClass("");
String string0 = cloneClass0.getName();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
CloneClass cloneClass0 = new CloneClass((String) null);
CloneClass cloneClass1 = cloneClass0.clone();
assertNotSame(cloneClass1, cloneClass0);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
CloneClass cloneClass0 = new CloneClass((String) null);
String string0 = cloneClass0.toString();
assertEquals("CloneClass{name='null'}", string0);
}
@Test(timeout = 4000)
public void test4() throws Throwable {
CloneClass cloneClass0 = new CloneClass((String) null);
String string0 = cloneClass0.getName();
assertNull(string0);
}
@Test(timeout = 4000)
public void test5() throws Throwable {
CloneClass cloneClass0 = new CloneClass((String) null);
cloneClass0.finalize();
assertNull(cloneClass0.getName());
}
@Test(timeout = 4000)
public void test6() throws Throwable {
CloneClass cloneClass0 = new CloneClass((String) null);
cloneClass0.setName("CloneClass{name='null'}");
assertEquals("CloneClass{name='null'}", cloneClass0.getName());
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 14:42:41 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class CloneClass_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "CloneClass";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpg75ma18i");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(CloneClass_ESTest_scaffolding.class.getClassLoader() ,
"CloneClass"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(CloneClass_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"CloneClass"
);
}
}
| 5,173 |
Pin | public class Pin {
private String pin;
public String getPin() {
return pin;
}
public void setPin(String pin) {
this.pin = pin;
}
public boolean isValid() {
return pin.length() > 0;
}
}
| .version 52 0
.class public super Pin
.super java/lang/Object
.field private pin 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 getPin : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Pin pin Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 8
.end linenumbertable
.end code
.end method
.method public setPin : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field Pin pin Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 12
L5 13
.end linenumbertable
.end code
.end method
.method public isValid : ()Z
.code stack 1 locals 1
L0: aload_0
L1: getfield Field Pin pin Ljava/lang/String;
L4: invokevirtual Method java/lang/String length ()I
L7: ifle L14
L10: iconst_1
L11: goto L15
.stack same
L14: iconst_0
.stack stack_1 Integer
L15: ireturn
L16:
.linenumbertable
L0 16
.end linenumbertable
.end code
.end method
.sourcefile 'Pin.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 11:29: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 Pin_ESTest extends Pin_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
Pin pin0 = new Pin();
pin0.setPin("szFzw%/v[*zp|p~");
String string0 = pin0.getPin();
assertEquals("szFzw%/v[*zp|p~", string0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
Pin pin0 = new Pin();
pin0.setPin("");
String string0 = pin0.getPin();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
Pin pin0 = new Pin();
pin0.setPin("szFzw%/v[*zp|p~");
boolean boolean0 = pin0.isValid();
assertTrue(boolean0);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
Pin pin0 = new Pin();
pin0.setPin("");
boolean boolean0 = pin0.isValid();
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test4() throws Throwable {
Pin pin0 = new Pin();
String string0 = pin0.getPin();
assertNull(string0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 11:29: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 Pin_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Pin";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmplspwg0ly");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Pin_ESTest_scaffolding.class.getClassLoader() ,
"Pin"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Pin_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Pin"
);
}
}
| 5,174 |
B4762344 | /*
* Copyright 2007 Sun Microsystems, Inc. All Rights Reserved.
* DO NOT ALTER OR REMOVE COPYRIGHT NOTICES OR THIS FILE HEADER.
*
* This code is free software; you can redistribute it and/or modify it
* under the terms of the GNU General Public License version 2 only, as
* published by the Free Software Foundation.
*
* This code is distributed in the hope that it will be useful, but WITHOUT
* ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or
* FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License
* version 2 for more details (a copy is included in the LICENSE file that
* accompanied this code).
*
* You should have received a copy of the GNU General Public License version
* 2 along with this work; if not, write to the Free Software Foundation,
* Inc., 51 Franklin St, Fifth Floor, Boston, MA 02110-1301 USA.
*
* Please contact Sun Microsystems, Inc., 4150 Network Circle, Santa Clara,
* CA 95054 USA or visit www.sun.com if you need additional information or
* have any questions.
*/
/**
* @test
* @bug 4762344
* @summary 2nd nameservice provider is non functional
* @build B4762344 SimpleNameService Simple1NameServiceDescriptor Simple2NameServiceDescriptor
* @run main/othervm -Dsun.net.spi.nameservice.provider.1=simple1,sun
* -Dsun.net.spi.nameservice.provider.2=simple2,sun B4762344
*/
import java.net.*;
import java.util.*;
public class B4762344 {
private static String[][] hostnames =
new String[][] {
// both providers know this host, but with different address
new String[] {"blade", "10.0.0.1"},
// provider1 knwos this host
new String[] {"blade.domain1", "10.0.0.2"},
// provider2 knows this host
new String[] {"blade.domain2", "20.0.0.2"}
};
private static String[][] hostaddrs =
new String[][] {
new String[] {"10.0.0.1", "blade"},
new String[] {"10.0.0.2", "blade.domain1"},
new String[] {"20.0.0.2", "blade.domain2"}
};
public static void main(String[] args) throws Exception {
for (int i = 0; i < hostnames.length; i++) {
doLookup(hostnames[i][0], hostnames[i][1]);
}
for (int i = 0; i < hostaddrs.length; i++) {
doReverseLookup(hostaddrs[i][0], hostaddrs[i][1]);
}
}
private static void doLookup(String host, String addr) throws Exception {
String res = InetAddress.getByName(host).getHostAddress();
if (!res.equals(addr)) {
throw new RuntimeException("Test failed: wrong address for host " + host);
}
}
private static void doReverseLookup(String addr, String host) throws Exception {
StringTokenizer tokenizer = new StringTokenizer(addr, ".");
byte addrs[] = new byte[4];
for (int i = 0; i < 4; i++) {
addrs[i] = (byte) Integer.parseInt(tokenizer.nextToken());
}
String res = InetAddress.getByAddress(addrs).getHostName();
if (!res.equals(host)) {
throw new RuntimeException("Test failed: wrong host name for address " + addr);
}
}
}
| .version 52 0
.class public super B4762344
.super java/lang/Object
.field private static hostnames [[Ljava/lang/String;
.field private static hostaddrs [[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 36
.end linenumbertable
.end code
.end method
.method public static main : ([Ljava/lang/String;)V
.code stack 3 locals 2
L0: iconst_0
L1: istore_1
.stack append Integer
L2: iload_1
L3: getstatic Field B4762344 hostnames [[Ljava/lang/String;
L6: arraylength
L7: if_icmpge L33
L10: getstatic Field B4762344 hostnames [[Ljava/lang/String;
L13: iload_1
L14: aaload
L15: iconst_0
L16: aaload
L17: getstatic Field B4762344 hostnames [[Ljava/lang/String;
L20: iload_1
L21: aaload
L22: iconst_1
L23: aaload
L24: invokestatic Method B4762344 doLookup (Ljava/lang/String;Ljava/lang/String;)V
L27: iinc 1 1
L30: goto L2
.stack chop 1
L33: iconst_0
L34: istore_1
.stack append Integer
L35: iload_1
L36: getstatic Field B4762344 hostaddrs [[Ljava/lang/String;
L39: arraylength
L40: if_icmpge L66
L43: getstatic Field B4762344 hostaddrs [[Ljava/lang/String;
L46: iload_1
L47: aaload
L48: iconst_0
L49: aaload
L50: getstatic Field B4762344 hostaddrs [[Ljava/lang/String;
L53: iload_1
L54: aaload
L55: iconst_1
L56: aaload
L57: invokestatic Method B4762344 doReverseLookup (Ljava/lang/String;Ljava/lang/String;)V
L60: iinc 1 1
L63: goto L35
.stack chop 1
L66: return
L67:
.linenumbertable
L0 52
L10 53
L27 52
L33 55
L43 56
L60 55
L66 58
.end linenumbertable
.end code
.exceptions java/lang/Exception
.end method
.method private static doLookup : (Ljava/lang/String;Ljava/lang/String;)V
.code stack 4 locals 3
L0: aload_0
L1: invokestatic Method java/net/InetAddress getByName (Ljava/lang/String;)Ljava/net/InetAddress;
L4: invokevirtual Method java/net/InetAddress getHostAddress ()Ljava/lang/String;
L7: astore_2
L8: aload_2
L9: aload_1
L10: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z
L13: ifne L43
L16: new java/lang/RuntimeException
L19: dup
L20: new java/lang/StringBuilder
L23: dup
L24: invokespecial Method java/lang/StringBuilder <init> ()V
L27: ldc 'Test failed: wrong address for host '
L29: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L32: aload_0
L33: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L36: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L39: invokespecial Method java/lang/RuntimeException <init> (Ljava/lang/String;)V
L42: athrow
.stack append Object java/lang/String
L43: return
L44:
.linenumbertable
L0 61
L8 62
L16 63
L43 65
.end linenumbertable
.end code
.exceptions java/lang/Exception
.end method
.method private static doReverseLookup : (Ljava/lang/String;Ljava/lang/String;)V
.code stack 4 locals 5
L0: new java/util/StringTokenizer
L3: dup
L4: aload_0
L5: ldc '.'
L7: invokespecial Method java/util/StringTokenizer <init> (Ljava/lang/String;Ljava/lang/String;)V
L10: astore_2
L11: iconst_4
L12: newarray byte
L14: astore_3
L15: iconst_0
L16: istore 4
.stack append Object java/util/StringTokenizer Object [B Integer
L18: iload 4
L20: iconst_4
L21: if_icmpge L42
L24: aload_3
L25: iload 4
L27: aload_2
L28: invokevirtual Method java/util/StringTokenizer nextToken ()Ljava/lang/String;
L31: invokestatic Method java/lang/Integer parseInt (Ljava/lang/String;)I
L34: i2b
L35: bastore
L36: iinc 4 1
L39: goto L18
.stack chop 1
L42: aload_3
L43: invokestatic Method java/net/InetAddress getByAddress ([B)Ljava/net/InetAddress;
L46: invokevirtual Method java/net/InetAddress getHostName ()Ljava/lang/String;
L49: astore 4
L51: aload 4
L53: aload_1
L54: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z
L57: ifne L87
L60: new java/lang/RuntimeException
L63: dup
L64: new java/lang/StringBuilder
L67: dup
L68: invokespecial Method java/lang/StringBuilder <init> ()V
L71: ldc 'Test failed: wrong host name for address '
L73: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L76: aload_0
L77: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L80: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L83: invokespecial Method java/lang/RuntimeException <init> (Ljava/lang/String;)V
L86: athrow
.stack append Object java/lang/String
L87: return
L88:
.linenumbertable
L0 68
L11 69
L15 70
L24 71
L36 70
L42 73
L51 74
L60 75
L87 77
.end linenumbertable
.end code
.exceptions java/lang/Exception
.end method
.method static <clinit> : ()V
.code stack 7 locals 0
L0: iconst_3
L1: anewarray [Ljava/lang/String;
L4: dup
L5: iconst_0
L6: iconst_2
L7: anewarray java/lang/String
L10: dup
L11: iconst_0
L12: ldc 'blade'
L14: aastore
L15: dup
L16: iconst_1
L17: ldc '10.0.0.1'
L19: aastore
L20: aastore
L21: dup
L22: iconst_1
L23: iconst_2
L24: anewarray java/lang/String
L27: dup
L28: iconst_0
L29: ldc 'blade.domain1'
L31: aastore
L32: dup
L33: iconst_1
L34: ldc '10.0.0.2'
L36: aastore
L37: aastore
L38: dup
L39: iconst_2
L40: iconst_2
L41: anewarray java/lang/String
L44: dup
L45: iconst_0
L46: ldc 'blade.domain2'
L48: aastore
L49: dup
L50: iconst_1
L51: ldc '20.0.0.2'
L53: aastore
L54: aastore
L55: putstatic Field B4762344 hostnames [[Ljava/lang/String;
L58: iconst_3
L59: anewarray [Ljava/lang/String;
L62: dup
L63: iconst_0
L64: iconst_2
L65: anewarray java/lang/String
L68: dup
L69: iconst_0
L70: ldc '10.0.0.1'
L72: aastore
L73: dup
L74: iconst_1
L75: ldc 'blade'
L77: aastore
L78: aastore
L79: dup
L80: iconst_1
L81: iconst_2
L82: anewarray java/lang/String
L85: dup
L86: iconst_0
L87: ldc '10.0.0.2'
L89: aastore
L90: dup
L91: iconst_1
L92: ldc 'blade.domain1'
L94: aastore
L95: aastore
L96: dup
L97: iconst_2
L98: iconst_2
L99: anewarray java/lang/String
L102: dup
L103: iconst_0
L104: ldc '20.0.0.2'
L106: aastore
L107: dup
L108: iconst_1
L109: ldc 'blade.domain2'
L111: aastore
L112: aastore
L113: putstatic Field B4762344 hostaddrs [[Ljava/lang/String;
L116: return
L117:
.linenumbertable
L0 37
L58 45
.end linenumbertable
.end code
.end method
.sourcefile 'B4762344.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 01:28:25 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import static org.evosuite.runtime.EvoAssertions.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class B4762344_ESTest extends B4762344_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
try {
B4762344.main((String[]) null);
fail("Expecting exception: RuntimeException");
} catch(RuntimeException e) {
//
// Test failed: wrong address for host blade
//
verifyException("B4762344", e);
}
}
@Test(timeout = 4000)
public void test1() throws Throwable {
B4762344 b4762344_0 = new B4762344();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 01:28: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 B4762344_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "B4762344";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpjgkmymoh");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(B4762344_ESTest_scaffolding.class.getClassLoader() ,
"B4762344"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(B4762344_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"B4762344"
);
}
}
| 5,175 |
PreexistingEntityException | public class PreexistingEntityException extends Exception {
public PreexistingEntityException(String message, Throwable cause) {
super(message, cause);
}
public PreexistingEntityException(String message) {
super(message);
}
}
| .version 52 0
.class public super PreexistingEntityException
.super java/lang/Exception
.method public <init> : (Ljava/lang/String;Ljava/lang/Throwable;)V
.code stack 3 locals 3
L0: aload_0
L1: aload_1
L2: aload_2
L3: invokespecial Method java/lang/Exception <init> (Ljava/lang/String;Ljava/lang/Throwable;)V
L6: return
L7:
.linenumbertable
L0 5
L6 6
.end linenumbertable
.end code
.end method
.method public <init> : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: invokespecial Method java/lang/Exception <init> (Ljava/lang/String;)V
L5: return
L6:
.linenumbertable
L0 8
L5 9
.end linenumbertable
.end code
.end method
.sourcefile 'PreexistingEntityException.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 03:32:25 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class PreexistingEntityException_ESTest extends PreexistingEntityException_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
PreexistingEntityException preexistingEntityException0 = new PreexistingEntityException(">sEUd^6+.y{|(");
}
@Test(timeout = 4000)
public void test1() throws Throwable {
PreexistingEntityException preexistingEntityException0 = new PreexistingEntityException(">sEUd^6+.y{|(", (Throwable) null);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 03:32: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 PreexistingEntityException_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "PreexistingEntityException";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpx0941hss");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(PreexistingEntityException_ESTest_scaffolding.class.getClassLoader() ,
"PreexistingEntityException"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(PreexistingEntityException_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"PreexistingEntityException"
);
}
}
| 5,176 |
ExtractDigits | public class ExtractDigits {
public static void main(String[] args) {
System.out.print(sumDigits(124));
}
public static int sumDigits(int n) {
int sum = 0;
while (n > 0) {
sum += n % 10;
n = n / 10;
}
return sum;
}
}
| .version 52 0
.class public super ExtractDigits
.super java/lang/Object
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 3
.end linenumbertable
.end code
.end method
.method public static main : ([Ljava/lang/String;)V
.code stack 2 locals 1
L0: getstatic Field java/lang/System out Ljava/io/PrintStream;
L3: bipush 124
L5: invokestatic Method ExtractDigits sumDigits (I)I
L8: invokevirtual Method java/io/PrintStream print (I)V
L11: return
L12:
.linenumbertable
L0 5
L11 6
.end linenumbertable
.end code
.end method
.method public static sumDigits : (I)I
.code stack 3 locals 2
L0: iconst_0
L1: istore_1
.stack append Integer
L2: iload_0
L3: ifle L21
L6: iload_1
L7: iload_0
L8: bipush 10
L10: irem
L11: iadd
L12: istore_1
L13: iload_0
L14: bipush 10
L16: idiv
L17: istore_0
L18: goto L2
.stack same
L21: iload_1
L22: ireturn
L23:
.linenumbertable
L0 9
L2 10
L6 11
L13 12
L21 14
.end linenumbertable
.end code
.end method
.sourcefile 'ExtractDigits.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sun Jul 03 22:47:03 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class ExtractDigits_ESTest extends ExtractDigits_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
int int0 = ExtractDigits.sumDigits((-63687));
assertEquals(0, int0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
int int0 = ExtractDigits.sumDigits(37101);
assertEquals(12, int0);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
String[] stringArray0 = new String[2];
ExtractDigits.main(stringArray0);
ExtractDigits.main(stringArray0);
ExtractDigits extractDigits0 = new ExtractDigits();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sun Jul 03 22:47: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 ExtractDigits_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "ExtractDigits";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpmxqgo26i");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(ExtractDigits_ESTest_scaffolding.class.getClassLoader() ,
"ExtractDigits"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ExtractDigits_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"ExtractDigits"
);
}
}
| 5,177 |
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 07:01: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 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 07:01: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 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/tmpm_gbiv95");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.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"
);
}
}
| 5,178 |
TinkerColor | /*
* To change this license header, choose License Headers in Project Properties.
* To change this template file, choose Tools | Templates
* and open the template in the editor.
*/
import java.io.Serializable;
/**
* @author Reto E. Koenig <[email protected]>
*/
class TinkerColor implements Serializable {
private final long serialVersionUID = 1L;
public final int blue;
public final int red;
public final int green;
public TinkerColor(int blue, int red, int green) {
this.blue = blue;
this.red = red;
this.green = green;
}
@Override
public String toString() {
return "TinkerColor{"
+ "serialVersionUID="
+ serialVersionUID
+ ", blue="
+ blue
+ ", red="
+ red
+ ", green="
+ green
+ '}';
}
}
| .version 52 0
.class super TinkerColor
.super java/lang/Object
.implements java/io/Serializable
.field private final serialVersionUID J = 1L
.field public final blue I
.field public final red I
.field public final green I
.method public <init> : (III)V
.code stack 3 locals 4
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: lconst_1
L6: putfield Field TinkerColor serialVersionUID J
L9: aload_0
L10: iload_1
L11: putfield Field TinkerColor blue I
L14: aload_0
L15: iload_2
L16: putfield Field TinkerColor red I
L19: aload_0
L20: iload_3
L21: putfield Field TinkerColor green I
L24: return
L25:
.linenumbertable
L0 22
L4 16
L9 23
L14 24
L19 25
L24 26
.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 'TinkerColor{serialVersionUID=1, blue='
L9: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L12: aload_0
L13: getfield Field TinkerColor blue I
L16: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder;
L19: ldc ', red='
L21: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L24: aload_0
L25: getfield Field TinkerColor red I
L28: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder;
L31: ldc ', green='
L33: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L36: aload_0
L37: getfield Field TinkerColor green I
L40: invokevirtual Method java/lang/StringBuilder append (I)Ljava/lang/StringBuilder;
L43: bipush 125
L45: invokevirtual Method java/lang/StringBuilder append (C)Ljava/lang/StringBuilder;
L48: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L51: areturn
L52:
.linenumbertable
L0 30
.end linenumbertable
.end code
.end method
.sourcefile 'TinkerColor.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 05:51:39 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 TinkerColor_ESTest extends TinkerColor_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
TinkerColor tinkerColor0 = null;
try {
tinkerColor0 = new TinkerColor((-54023), (-54023), (-54023));
fail("Expecting exception: IncompatibleClassChangeError");
} catch(IncompatibleClassChangeError e) {
//
// Expected non-static field TinkerColor.serialVersionUID
//
verifyException("TinkerColor", e);
}
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 05:51: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 TinkerColor_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "TinkerColor";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpakot_r4x");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(TinkerColor_ESTest_scaffolding.class.getClassLoader() ,
"TinkerColor"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(TinkerColor_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"TinkerColor"
);
}
}
| 5,179 |
MonitoringConfiguration | public class MonitoringConfiguration {
private String nagiosUrl;
private String muninUrl;
private String[] awstatsUrls;
private String[] awstatsNames;
private String[] nagiosHosts;
private String nagiosHostgroup;
/**
* @return the nagiosUrl
*/
public String getNagiosUrl() {
return nagiosUrl;
}
/**
* @param nagiosUrl the nagiosUrl to set
*/
public void setNagiosUrl(String nagiosUrl) {
this.nagiosUrl = nagiosUrl;
}
/**
* @return the muninUrl
*/
public String getMuninUrl() {
return muninUrl;
}
/**
* @param muninUrl the muninUrl to set
*/
public void setMuninUrl(String muninUrl) {
this.muninUrl = muninUrl;
}
/**
* @return the awstatsUrls
*/
public String[] getAwstatsUrls() {
return awstatsUrls;
}
/**
* @param awstatsUrls the awstatsUrls to set
*/
public void setAwstatsUrls(String[] awstatsUrls) {
this.awstatsUrls = awstatsUrls;
}
/**
* @return the awstatsNames
*/
public String[] getAwstatsNames() {
return awstatsNames;
}
/**
* @param awstatsNames the awstatsNames to set
*/
public void setAwstatsNames(String[] awstatsNames) {
this.awstatsNames = awstatsNames;
}
/**
* @return the nagiosHost
*/
public String[] getNagiosHosts() {
return nagiosHosts;
}
/**
* @param nagiosHost the nagiosHost to set
*/
public void setNagiosHosts(String[] nagiosHosts) {
this.nagiosHosts = nagiosHosts;
}
/**
* @return the nagiosHostgroup
*/
public String getNagiosHostgroup() {
return nagiosHostgroup;
}
/**
* @param nagiosHostgroup the nagiosHostgroup to set
*/
public void setNagiosHostgroup(String nagiosHostgroup) {
this.nagiosHostgroup = nagiosHostgroup;
}
}
| .version 52 0
.class public super MonitoringConfiguration
.super java/lang/Object
.field private nagiosUrl Ljava/lang/String;
.field private muninUrl Ljava/lang/String;
.field private awstatsUrls [Ljava/lang/String;
.field private awstatsNames [Ljava/lang/String;
.field private nagiosHosts [Ljava/lang/String;
.field private nagiosHostgroup 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 getNagiosUrl : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field MonitoringConfiguration nagiosUrl Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 16
.end linenumbertable
.end code
.end method
.method public setNagiosUrl : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field MonitoringConfiguration nagiosUrl Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 22
L5 23
.end linenumbertable
.end code
.end method
.method public getMuninUrl : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field MonitoringConfiguration muninUrl Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 28
.end linenumbertable
.end code
.end method
.method public setMuninUrl : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field MonitoringConfiguration muninUrl Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 34
L5 35
.end linenumbertable
.end code
.end method
.method public getAwstatsUrls : ()[Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field MonitoringConfiguration awstatsUrls [Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 40
.end linenumbertable
.end code
.end method
.method public setAwstatsUrls : ([Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field MonitoringConfiguration awstatsUrls [Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 46
L5 47
.end linenumbertable
.end code
.end method
.method public getAwstatsNames : ()[Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field MonitoringConfiguration awstatsNames [Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 52
.end linenumbertable
.end code
.end method
.method public setAwstatsNames : ([Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field MonitoringConfiguration awstatsNames [Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 58
L5 59
.end linenumbertable
.end code
.end method
.method public getNagiosHosts : ()[Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field MonitoringConfiguration nagiosHosts [Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 64
.end linenumbertable
.end code
.end method
.method public setNagiosHosts : ([Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field MonitoringConfiguration nagiosHosts [Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 70
L5 71
.end linenumbertable
.end code
.end method
.method public getNagiosHostgroup : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field MonitoringConfiguration nagiosHostgroup Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 76
.end linenumbertable
.end code
.end method
.method public setNagiosHostgroup : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field MonitoringConfiguration nagiosHostgroup Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 82
L5 83
.end linenumbertable
.end code
.end method
.sourcefile 'MonitoringConfiguration.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Mon Jul 04 15: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 MonitoringConfiguration_ESTest extends MonitoringConfiguration_ESTest_scaffolding {
@Test(timeout = 4000)
public void test00() throws Throwable {
MonitoringConfiguration monitoringConfiguration0 = new MonitoringConfiguration();
monitoringConfiguration0.setNagiosUrl("");
String string0 = monitoringConfiguration0.getNagiosUrl();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test01() throws Throwable {
MonitoringConfiguration monitoringConfiguration0 = new MonitoringConfiguration();
String[] stringArray0 = new String[3];
monitoringConfiguration0.setNagiosHosts(stringArray0);
String[] stringArray1 = monitoringConfiguration0.getNagiosHosts();
assertEquals(3, stringArray1.length);
}
@Test(timeout = 4000)
public void test02() throws Throwable {
MonitoringConfiguration monitoringConfiguration0 = new MonitoringConfiguration();
String[] stringArray0 = new String[0];
monitoringConfiguration0.setNagiosHosts(stringArray0);
String[] stringArray1 = monitoringConfiguration0.getNagiosHosts();
assertSame(stringArray1, stringArray0);
}
@Test(timeout = 4000)
public void test03() throws Throwable {
MonitoringConfiguration monitoringConfiguration0 = new MonitoringConfiguration();
monitoringConfiguration0.setNagiosHostgroup("");
String string0 = monitoringConfiguration0.getNagiosHostgroup();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test04() throws Throwable {
MonitoringConfiguration monitoringConfiguration0 = new MonitoringConfiguration();
monitoringConfiguration0.setMuninUrl("XQ\"FX3`V{O");
String string0 = monitoringConfiguration0.getMuninUrl();
assertEquals("XQ\"FX3`V{O", string0);
}
@Test(timeout = 4000)
public void test05() throws Throwable {
MonitoringConfiguration monitoringConfiguration0 = new MonitoringConfiguration();
monitoringConfiguration0.setMuninUrl("");
String string0 = monitoringConfiguration0.getMuninUrl();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test06() throws Throwable {
MonitoringConfiguration monitoringConfiguration0 = new MonitoringConfiguration();
String[] stringArray0 = new String[1];
monitoringConfiguration0.setAwstatsUrls(stringArray0);
String[] stringArray1 = monitoringConfiguration0.getAwstatsUrls();
assertSame(stringArray1, stringArray0);
}
@Test(timeout = 4000)
public void test07() throws Throwable {
MonitoringConfiguration monitoringConfiguration0 = new MonitoringConfiguration();
String[] stringArray0 = new String[0];
monitoringConfiguration0.setAwstatsUrls(stringArray0);
String[] stringArray1 = monitoringConfiguration0.getAwstatsUrls();
assertEquals(0, stringArray1.length);
}
@Test(timeout = 4000)
public void test08() throws Throwable {
MonitoringConfiguration monitoringConfiguration0 = new MonitoringConfiguration();
String[] stringArray0 = new String[0];
monitoringConfiguration0.setAwstatsNames(stringArray0);
String[] stringArray1 = monitoringConfiguration0.getAwstatsNames();
assertEquals(0, stringArray1.length);
}
@Test(timeout = 4000)
public void test09() throws Throwable {
MonitoringConfiguration monitoringConfiguration0 = new MonitoringConfiguration();
String[] stringArray0 = new String[2];
monitoringConfiguration0.setAwstatsNames(stringArray0);
String[] stringArray1 = monitoringConfiguration0.getAwstatsNames();
assertEquals(2, stringArray1.length);
}
@Test(timeout = 4000)
public void test10() throws Throwable {
MonitoringConfiguration monitoringConfiguration0 = new MonitoringConfiguration();
String string0 = monitoringConfiguration0.getMuninUrl();
assertNull(string0);
}
@Test(timeout = 4000)
public void test11() throws Throwable {
MonitoringConfiguration monitoringConfiguration0 = new MonitoringConfiguration();
monitoringConfiguration0.setNagiosHostgroup("MonitoringConfiguration");
String string0 = monitoringConfiguration0.getNagiosHostgroup();
assertEquals("MonitoringConfiguration", string0);
}
@Test(timeout = 4000)
public void test12() throws Throwable {
MonitoringConfiguration monitoringConfiguration0 = new MonitoringConfiguration();
String[] stringArray0 = monitoringConfiguration0.getNagiosHosts();
assertNull(stringArray0);
}
@Test(timeout = 4000)
public void test13() throws Throwable {
MonitoringConfiguration monitoringConfiguration0 = new MonitoringConfiguration();
String[] stringArray0 = monitoringConfiguration0.getAwstatsUrls();
assertNull(stringArray0);
}
@Test(timeout = 4000)
public void test14() throws Throwable {
MonitoringConfiguration monitoringConfiguration0 = new MonitoringConfiguration();
String string0 = monitoringConfiguration0.getNagiosHostgroup();
assertNull(string0);
}
@Test(timeout = 4000)
public void test15() throws Throwable {
MonitoringConfiguration monitoringConfiguration0 = new MonitoringConfiguration();
String string0 = monitoringConfiguration0.getNagiosUrl();
assertNull(string0);
}
@Test(timeout = 4000)
public void test16() throws Throwable {
MonitoringConfiguration monitoringConfiguration0 = new MonitoringConfiguration();
String[] stringArray0 = monitoringConfiguration0.getAwstatsNames();
assertNull(stringArray0);
}
@Test(timeout = 4000)
public void test17() throws Throwable {
MonitoringConfiguration monitoringConfiguration0 = new MonitoringConfiguration();
monitoringConfiguration0.setNagiosUrl("kKvb9T");
String string0 = monitoringConfiguration0.getNagiosUrl();
assertEquals("kKvb9T", string0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 15: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 MonitoringConfiguration_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "MonitoringConfiguration";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp8uepsu1t");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(MonitoringConfiguration_ESTest_scaffolding.class.getClassLoader() ,
"MonitoringConfiguration"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(MonitoringConfiguration_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"MonitoringConfiguration"
);
}
}
| 5,180 |
StringSizeComparator | import java.util.Comparator;
public class StringSizeComparator implements Comparator<String> {
public int compare(String arg0, String arg1) {
return arg1.length() - arg0.length();
}
}
| .version 52 0
.class public super StringSizeComparator
.super java/lang/Object
.implements java/util/Comparator
.method 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 compare : (Ljava/lang/String;Ljava/lang/String;)I
.code stack 2 locals 3
L0: aload_2
L1: invokevirtual Method java/lang/String length ()I
L4: aload_1
L5: invokevirtual Method java/lang/String length ()I
L8: isub
L9: ireturn
L10:
.linenumbertable
L0 8
.end linenumbertable
.end code
.end method
.method public bridge synthetic compare : (Ljava/lang/Object;Ljava/lang/Object;)I
.code stack 3 locals 3
L0: aload_0
L1: aload_1
L2: checkcast java/lang/String
L5: aload_2
L6: checkcast java/lang/String
L9: invokevirtual Method StringSizeComparator compare (Ljava/lang/String;Ljava/lang/String;)I
L12: ireturn
L13:
.linenumbertable
L0 5
.end linenumbertable
.end code
.end method
.signature Ljava/lang/Object;Ljava/util/Comparator<Ljava/lang/String;>;
.sourcefile 'StringSizeComparator.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 07:19:19 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class StringSizeComparator_ESTest extends StringSizeComparator_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
StringSizeComparator stringSizeComparator0 = new StringSizeComparator();
int int0 = stringSizeComparator0.compare("X@sCh$w", "SJeUaPxnLx#DnzI");
assertEquals(8, int0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
StringSizeComparator stringSizeComparator0 = new StringSizeComparator();
int int0 = stringSizeComparator0.compare("`lHY0E+^WGf9`'w_A}u", "`lHY0E+^WGf9`'w_A}u");
assertEquals(0, int0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 07:19: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 StringSizeComparator_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "StringSizeComparator";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpwuxn4bns");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(StringSizeComparator_ESTest_scaffolding.class.getClassLoader() ,
"StringSizeComparator"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(StringSizeComparator_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"StringSizeComparator"
);
}
}
| 5,181 |
ConfigParseException | /**
* Copyright 2016-2017, Optimizely and contributors
*
* <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.
*/
/** Wrapper around all types of JSON parser exceptions. */
public final class ConfigParseException extends Exception {
public ConfigParseException(String message) {
super(message);
}
public ConfigParseException(String message, Throwable cause) {
super(message, cause);
}
}
| .version 52 0
.class public final super ConfigParseException
.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 24
L5 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: return
L7:
.linenumbertable
L0 28
L6 29
.end linenumbertable
.end code
.end method
.sourcefile 'ConfigParseException.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Mon Jul 04 16:24:40 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 ConfigParseException_ESTest extends ConfigParseException_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
ConfigParseException configParseException0 = new ConfigParseException("");
MockThrowable mockThrowable0 = new MockThrowable(configParseException0);
ConfigParseException configParseException1 = new ConfigParseException("", mockThrowable0);
assertFalse(configParseException1.equals((Object)configParseException0));
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 16:24: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 ConfigParseException_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "ConfigParseException";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmprea0v_0o");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(ConfigParseException_ESTest_scaffolding.class.getClassLoader() ,
"ConfigParseException"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ConfigParseException_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"ConfigParseException"
);
}
}
| 5,182 |
GetHostPhysicalMemoryFactsResult | public class GetHostPhysicalMemoryFactsResult {
public java.util.List inventories;
public void setInventories(java.util.List inventories) {
this.inventories = inventories;
}
public java.util.List getInventories() {
return this.inventories;
}
}
| .version 52 0
.class public super GetHostPhysicalMemoryFactsResult
.super java/lang/Object
.field public inventories Ljava/util/List;
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 5
.end linenumbertable
.end code
.end method
.method public setInventories : (Ljava/util/List;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field GetHostPhysicalMemoryFactsResult inventories Ljava/util/List;
L5: return
L6:
.linenumbertable
L0 8
L5 9
.end linenumbertable
.end code
.end method
.method public getInventories : ()Ljava/util/List;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field GetHostPhysicalMemoryFactsResult inventories Ljava/util/List;
L4: areturn
L5:
.linenumbertable
L0 11
.end linenumbertable
.end code
.end method
.sourcefile 'GetHostPhysicalMemoryFactsResult.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sun Jul 03 17:54:12 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 GetHostPhysicalMemoryFactsResult_ESTest extends GetHostPhysicalMemoryFactsResult_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
GetHostPhysicalMemoryFactsResult getHostPhysicalMemoryFactsResult0 = new GetHostPhysicalMemoryFactsResult();
LinkedList<Object> linkedList0 = new LinkedList<Object>();
linkedList0.add((Object) getHostPhysicalMemoryFactsResult0);
getHostPhysicalMemoryFactsResult0.inventories = (List) linkedList0;
List list0 = getHostPhysicalMemoryFactsResult0.getInventories();
assertEquals(1, list0.size());
}
@Test(timeout = 4000)
public void test1() throws Throwable {
GetHostPhysicalMemoryFactsResult getHostPhysicalMemoryFactsResult0 = new GetHostPhysicalMemoryFactsResult();
List list0 = getHostPhysicalMemoryFactsResult0.getInventories();
assertNull(list0);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
LinkedList<String> linkedList0 = new LinkedList<String>();
GetHostPhysicalMemoryFactsResult getHostPhysicalMemoryFactsResult0 = new GetHostPhysicalMemoryFactsResult();
getHostPhysicalMemoryFactsResult0.setInventories(linkedList0);
List list0 = getHostPhysicalMemoryFactsResult0.getInventories();
assertTrue(list0.isEmpty());
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sun Jul 03 17:54:12 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class GetHostPhysicalMemoryFactsResult_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "GetHostPhysicalMemoryFactsResult";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpbg4juoy4");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(GetHostPhysicalMemoryFactsResult_ESTest_scaffolding.class.getClassLoader() ,
"GetHostPhysicalMemoryFactsResult"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(GetHostPhysicalMemoryFactsResult_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"GetHostPhysicalMemoryFactsResult"
);
}
}
| 5,183 |
MetricValues | import java.util.HashMap;
public class MetricValues extends HashMap<String, Double> {}
| .version 52 0
.class public super MetricValues
.super java/util/HashMap
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/util/HashMap <init> ()V
L4: return
L5:
.linenumbertable
L0 5
.end linenumbertable
.end code
.end method
.signature Ljava/util/HashMap<Ljava/lang/String;Ljava/lang/Double;>;
.sourcefile 'MetricValues.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 01:34:12 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class MetricValues_ESTest extends MetricValues_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
MetricValues metricValues0 = new MetricValues();
assertTrue(metricValues0.isEmpty());
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 01:34:12 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class MetricValues_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "MetricValues";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpofwixlw3");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(MetricValues_ESTest_scaffolding.class.getClassLoader() ,
"MetricValues"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(MetricValues_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"MetricValues"
);
}
}
| 5,184 |
AlarmConfig | /*
* Copyright (C) 2015 brayanarias.com [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.
*/
public class AlarmConfig {
String title;
String subtitle;
boolean haveSwitch;
boolean active;
int iconId;
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 boolean isHaveSwitch() {
return haveSwitch;
}
public void setHaveSwitch(boolean haveSwitch) {
this.haveSwitch = haveSwitch;
}
public int getIconId() {
return iconId;
}
public void setIconId(int iconId) {
this.iconId = iconId;
}
public boolean isActive() {
return active;
}
public void setActive(boolean active) {
this.active = active;
}
}
| .version 52 0
.class public super AlarmConfig
.super java/lang/Object
.field title Ljava/lang/String;
.field subtitle Ljava/lang/String;
.field haveSwitch Z
.field active Z
.field iconId I
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 18
.end linenumbertable
.end code
.end method
.method public getTitle : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field AlarmConfig title Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 26
.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 AlarmConfig title Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 30
L5 31
.end linenumbertable
.end code
.end method
.method public getSubtitle : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field AlarmConfig subtitle Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 34
.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 AlarmConfig subtitle Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 38
L5 39
.end linenumbertable
.end code
.end method
.method public isHaveSwitch : ()Z
.code stack 1 locals 1
L0: aload_0
L1: getfield Field AlarmConfig haveSwitch Z
L4: ireturn
L5:
.linenumbertable
L0 42
.end linenumbertable
.end code
.end method
.method public setHaveSwitch : (Z)V
.code stack 2 locals 2
L0: aload_0
L1: iload_1
L2: putfield Field AlarmConfig haveSwitch Z
L5: return
L6:
.linenumbertable
L0 46
L5 47
.end linenumbertable
.end code
.end method
.method public getIconId : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field AlarmConfig iconId I
L4: ireturn
L5:
.linenumbertable
L0 50
.end linenumbertable
.end code
.end method
.method public setIconId : (I)V
.code stack 2 locals 2
L0: aload_0
L1: iload_1
L2: putfield Field AlarmConfig iconId I
L5: return
L6:
.linenumbertable
L0 54
L5 55
.end linenumbertable
.end code
.end method
.method public isActive : ()Z
.code stack 1 locals 1
L0: aload_0
L1: getfield Field AlarmConfig active Z
L4: ireturn
L5:
.linenumbertable
L0 58
.end linenumbertable
.end code
.end method
.method public setActive : (Z)V
.code stack 2 locals 2
L0: aload_0
L1: iload_1
L2: putfield Field AlarmConfig active Z
L5: return
L6:
.linenumbertable
L0 62
L5 63
.end linenumbertable
.end code
.end method
.sourcefile 'AlarmConfig.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 23:31:03 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class AlarmConfig_ESTest extends AlarmConfig_ESTest_scaffolding {
@Test(timeout = 4000)
public void test00() throws Throwable {
AlarmConfig alarmConfig0 = new AlarmConfig();
alarmConfig0.setHaveSwitch(true);
boolean boolean0 = alarmConfig0.isHaveSwitch();
assertTrue(boolean0);
}
@Test(timeout = 4000)
public void test01() throws Throwable {
AlarmConfig alarmConfig0 = new AlarmConfig();
alarmConfig0.setTitle("]x~1kmhpMwQ0#");
String string0 = alarmConfig0.getTitle();
assertEquals("]x~1kmhpMwQ0#", string0);
}
@Test(timeout = 4000)
public void test02() throws Throwable {
AlarmConfig alarmConfig0 = new AlarmConfig();
alarmConfig0.title = "";
String string0 = alarmConfig0.getTitle();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test03() throws Throwable {
AlarmConfig alarmConfig0 = new AlarmConfig();
alarmConfig0.setSubtitle("1QlKy:dEGT\"~f`");
String string0 = alarmConfig0.getSubtitle();
assertEquals("1QlKy:dEGT\"~f`", string0);
}
@Test(timeout = 4000)
public void test04() throws Throwable {
AlarmConfig alarmConfig0 = new AlarmConfig();
alarmConfig0.setSubtitle("");
String string0 = alarmConfig0.getSubtitle();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test05() throws Throwable {
AlarmConfig alarmConfig0 = new AlarmConfig();
alarmConfig0.setIconId(112192);
int int0 = alarmConfig0.getIconId();
assertEquals(112192, int0);
}
@Test(timeout = 4000)
public void test06() throws Throwable {
AlarmConfig alarmConfig0 = new AlarmConfig();
alarmConfig0.setIconId((-6368));
int int0 = alarmConfig0.getIconId();
assertEquals((-6368), int0);
}
@Test(timeout = 4000)
public void test07() throws Throwable {
AlarmConfig alarmConfig0 = new AlarmConfig();
boolean boolean0 = alarmConfig0.isHaveSwitch();
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test08() throws Throwable {
AlarmConfig alarmConfig0 = new AlarmConfig();
boolean boolean0 = alarmConfig0.isActive();
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test09() throws Throwable {
AlarmConfig alarmConfig0 = new AlarmConfig();
int int0 = alarmConfig0.getIconId();
assertEquals(0, int0);
}
@Test(timeout = 4000)
public void test10() throws Throwable {
AlarmConfig alarmConfig0 = new AlarmConfig();
alarmConfig0.setActive(true);
boolean boolean0 = alarmConfig0.isActive();
assertTrue(boolean0);
}
@Test(timeout = 4000)
public void test11() throws Throwable {
AlarmConfig alarmConfig0 = new AlarmConfig();
String string0 = alarmConfig0.getSubtitle();
assertNull(string0);
}
@Test(timeout = 4000)
public void test12() throws Throwable {
AlarmConfig alarmConfig0 = new AlarmConfig();
String string0 = alarmConfig0.getTitle();
assertNull(string0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 23:31: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 AlarmConfig_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "AlarmConfig";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp8e4cb_30");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(AlarmConfig_ESTest_scaffolding.class.getClassLoader() ,
"AlarmConfig"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(AlarmConfig_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"AlarmConfig"
);
}
}
| 5,185 |
PciDevicePciDeviceOfferingRefInventory | public class PciDevicePciDeviceOfferingRefInventory {
public java.lang.String pciDeviceUuid;
public void setPciDeviceUuid(java.lang.String pciDeviceUuid) {
this.pciDeviceUuid = pciDeviceUuid;
}
public java.lang.String getPciDeviceUuid() {
return this.pciDeviceUuid;
}
public java.lang.String pciDeviceOfferingUuid;
public void setPciDeviceOfferingUuid(java.lang.String pciDeviceOfferingUuid) {
this.pciDeviceOfferingUuid = pciDeviceOfferingUuid;
}
public java.lang.String getPciDeviceOfferingUuid() {
return this.pciDeviceOfferingUuid;
}
}
| .version 52 0
.class public super PciDevicePciDeviceOfferingRefInventory
.super java/lang/Object
.field public pciDeviceUuid Ljava/lang/String;
.field public pciDeviceOfferingUuid 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 setPciDeviceUuid : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field PciDevicePciDeviceOfferingRefInventory pciDeviceUuid Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 7
L5 8
.end linenumbertable
.end code
.end method
.method public getPciDeviceUuid : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field PciDevicePciDeviceOfferingRefInventory pciDeviceUuid Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 10
.end linenumbertable
.end code
.end method
.method public setPciDeviceOfferingUuid : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field PciDevicePciDeviceOfferingRefInventory pciDeviceOfferingUuid Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 15
L5 16
.end linenumbertable
.end code
.end method
.method public getPciDeviceOfferingUuid : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field PciDevicePciDeviceOfferingRefInventory pciDeviceOfferingUuid Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 18
.end linenumbertable
.end code
.end method
.sourcefile 'PciDevicePciDeviceOfferingRefInventory.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 15:22:19 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class PciDevicePciDeviceOfferingRefInventory_ESTest extends PciDevicePciDeviceOfferingRefInventory_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
PciDevicePciDeviceOfferingRefInventory pciDevicePciDeviceOfferingRefInventory0 = new PciDevicePciDeviceOfferingRefInventory();
pciDevicePciDeviceOfferingRefInventory0.pciDeviceUuid = "";
pciDevicePciDeviceOfferingRefInventory0.pciDeviceUuid = "*<";
String string0 = pciDevicePciDeviceOfferingRefInventory0.getPciDeviceUuid();
assertEquals("*<", string0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
PciDevicePciDeviceOfferingRefInventory pciDevicePciDeviceOfferingRefInventory0 = new PciDevicePciDeviceOfferingRefInventory();
pciDevicePciDeviceOfferingRefInventory0.pciDeviceUuid = "";
String string0 = pciDevicePciDeviceOfferingRefInventory0.getPciDeviceUuid();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
PciDevicePciDeviceOfferingRefInventory pciDevicePciDeviceOfferingRefInventory0 = new PciDevicePciDeviceOfferingRefInventory();
pciDevicePciDeviceOfferingRefInventory0.setPciDeviceOfferingUuid("GY 2HFz0wC4");
String string0 = pciDevicePciDeviceOfferingRefInventory0.getPciDeviceOfferingUuid();
assertEquals("GY 2HFz0wC4", string0);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
PciDevicePciDeviceOfferingRefInventory pciDevicePciDeviceOfferingRefInventory0 = new PciDevicePciDeviceOfferingRefInventory();
pciDevicePciDeviceOfferingRefInventory0.pciDeviceOfferingUuid = "";
String string0 = pciDevicePciDeviceOfferingRefInventory0.getPciDeviceOfferingUuid();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test4() throws Throwable {
PciDevicePciDeviceOfferingRefInventory pciDevicePciDeviceOfferingRefInventory0 = new PciDevicePciDeviceOfferingRefInventory();
String string0 = pciDevicePciDeviceOfferingRefInventory0.getPciDeviceOfferingUuid();
assertNull(string0);
}
@Test(timeout = 4000)
public void test5() throws Throwable {
PciDevicePciDeviceOfferingRefInventory pciDevicePciDeviceOfferingRefInventory0 = new PciDevicePciDeviceOfferingRefInventory();
String string0 = pciDevicePciDeviceOfferingRefInventory0.getPciDeviceUuid();
assertNull(string0);
}
@Test(timeout = 4000)
public void test6() throws Throwable {
PciDevicePciDeviceOfferingRefInventory pciDevicePciDeviceOfferingRefInventory0 = new PciDevicePciDeviceOfferingRefInventory();
pciDevicePciDeviceOfferingRefInventory0.setPciDeviceUuid("RToV{UN%D%'NK?");
assertNull(pciDevicePciDeviceOfferingRefInventory0.getPciDeviceOfferingUuid());
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 15:22: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 PciDevicePciDeviceOfferingRefInventory_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "PciDevicePciDeviceOfferingRefInventory";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp4au6j0or");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(PciDevicePciDeviceOfferingRefInventory_ESTest_scaffolding.class.getClassLoader() ,
"PciDevicePciDeviceOfferingRefInventory"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(PciDevicePciDeviceOfferingRefInventory_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"PciDevicePciDeviceOfferingRefInventory"
);
}
}
| 5,186 |
NotificationException | /*
* Copyright 2012 Cyril A. Karpenko
*
* 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.
*/
/**
* Created with IntelliJ IDEA. User: max.gura Date: 23.08.12 Time: 21:28 To change this template use
* File | Settings | File Templates.
*/
public class NotificationException extends Exception {
public NotificationException() {
super();
}
public NotificationException(String message) {
super(message);
}
public NotificationException(String message, Throwable cause) {
super(message, cause);
}
}
| .version 52 0
.class public super NotificationException
.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 29
L4 30
.end linenumbertable
.end code
.end method
.method public <init> : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: invokespecial Method java/lang/Exception <init> (Ljava/lang/String;)V
L5: return
L6:
.linenumbertable
L0 33
L5 34
.end linenumbertable
.end code
.end method
.method public <init> : (Ljava/lang/String;Ljava/lang/Throwable;)V
.code stack 3 locals 3
L0: aload_0
L1: aload_1
L2: aload_2
L3: invokespecial Method java/lang/Exception <init> (Ljava/lang/String;Ljava/lang/Throwable;)V
L6: return
L7:
.linenumbertable
L0 37
L6 38
.end linenumbertable
.end code
.end method
.sourcefile 'NotificationException.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 22:14: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 NotificationException_ESTest extends NotificationException_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
NotificationException notificationException0 = new NotificationException((String) null);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
NotificationException notificationException0 = new NotificationException();
NotificationException notificationException1 = new NotificationException("'odR@KNZFnc", notificationException0);
assertFalse(notificationException1.equals((Object)notificationException0));
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 22:14: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 NotificationException_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "NotificationException";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpx68gg3s3");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(NotificationException_ESTest_scaffolding.class.getClassLoader() ,
"NotificationException"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(NotificationException_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"NotificationException"
);
}
}
| 5,187 |
ConceptNotFoundException | public class ConceptNotFoundException extends Exception {
private static final long serialVersionUID = 1L;
private long conceptId;
private long ontologyId;
public ConceptNotFoundException(long conceptId, long ontologyId) {
this.conceptId = conceptId;
this.ontologyId = ontologyId;
}
public long getConceptId() {
return conceptId;
}
public long getOntologyId() {
return ontologyId;
}
}
| .version 52 0
.class public super ConceptNotFoundException
.super java/lang/Exception
.field private static final serialVersionUID J = 1L
.field private conceptId J
.field private ontologyId J
.method public <init> : (JJ)V
.code stack 3 locals 5
L0: aload_0
L1: invokespecial Method java/lang/Exception <init> ()V
L4: aload_0
L5: lload_1
L6: putfield Field ConceptNotFoundException conceptId J
L9: aload_0
L10: lload_3
L11: putfield Field ConceptNotFoundException ontologyId J
L14: return
L15:
.linenumbertable
L0 9
L4 10
L9 11
L14 12
.end linenumbertable
.end code
.end method
.method public getConceptId : ()J
.code stack 2 locals 1
L0: aload_0
L1: getfield Field ConceptNotFoundException conceptId J
L4: lreturn
L5:
.linenumbertable
L0 15
.end linenumbertable
.end code
.end method
.method public getOntologyId : ()J
.code stack 2 locals 1
L0: aload_0
L1: getfield Field ConceptNotFoundException ontologyId J
L4: lreturn
L5:
.linenumbertable
L0 19
.end linenumbertable
.end code
.end method
.sourcefile 'ConceptNotFoundException.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 14:34:46 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class ConceptNotFoundException_ESTest extends ConceptNotFoundException_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
ConceptNotFoundException conceptNotFoundException0 = new ConceptNotFoundException(0L, 0L);
long long0 = conceptNotFoundException0.getOntologyId();
assertEquals(0L, long0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
ConceptNotFoundException conceptNotFoundException0 = new ConceptNotFoundException(60743L, 10640L);
long long0 = conceptNotFoundException0.getOntologyId();
assertEquals(10640L, long0);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
ConceptNotFoundException conceptNotFoundException0 = new ConceptNotFoundException(0L, 0L);
long long0 = conceptNotFoundException0.getConceptId();
assertEquals(0L, long0);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
ConceptNotFoundException conceptNotFoundException0 = new ConceptNotFoundException(47193L, 47193L);
long long0 = conceptNotFoundException0.getConceptId();
assertEquals(47193L, long0);
}
@Test(timeout = 4000)
public void test4() throws Throwable {
ConceptNotFoundException conceptNotFoundException0 = new ConceptNotFoundException((-14055L), (-14055L));
long long0 = conceptNotFoundException0.getConceptId();
assertEquals((-14055L), long0);
}
@Test(timeout = 4000)
public void test5() throws Throwable {
ConceptNotFoundException conceptNotFoundException0 = new ConceptNotFoundException((-14055L), (-14055L));
long long0 = conceptNotFoundException0.getOntologyId();
assertEquals((-14055L), long0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 14:34:46 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class ConceptNotFoundException_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "ConceptNotFoundException";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpbl8grwx6");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(ConceptNotFoundException_ESTest_scaffolding.class.getClassLoader() ,
"ConceptNotFoundException"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ConceptNotFoundException_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"ConceptNotFoundException"
);
}
}
| 5,188 |
ParsingException | /**
* @author Axel Busch ([email protected])
*/
public class ParsingException extends Exception {
private static final long serialVersionUID = -5629638910119899745L;
public ParsingException() {
super();
}
public ParsingException(String message, Throwable cause) {
super(message, cause);
}
public ParsingException(String message) {
super(message);
}
public ParsingException(Throwable cause) {
super(cause);
}
}
| .version 52 0
.class public super ParsingException
.super java/lang/Exception
.field private static final serialVersionUID J = -5629638910119899745L
.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
L4 15
.end linenumbertable
.end code
.end method
.method public <init> : (Ljava/lang/String;Ljava/lang/Throwable;)V
.code stack 3 locals 3
L0: aload_0
L1: aload_1
L2: aload_2
L3: invokespecial Method java/lang/Exception <init> (Ljava/lang/String;Ljava/lang/Throwable;)V
L6: return
L7:
.linenumbertable
L0 19
L6 20
.end linenumbertable
.end code
.end method
.method public <init> : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: invokespecial Method java/lang/Exception <init> (Ljava/lang/String;)V
L5: return
L6:
.linenumbertable
L0 24
L5 25
.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 29
L5 30
.end linenumbertable
.end code
.end method
.sourcefile 'ParsingException.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 03:09:25 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.evosuite.runtime.mock.java.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 ParsingException_ESTest extends ParsingException_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
ParsingException parsingException0 = new ParsingException();
MockThrowable mockThrowable0 = new MockThrowable((String) null, parsingException0);
ParsingException parsingException1 = new ParsingException("M(v2eaf7{-p[D", mockThrowable0);
assertFalse(parsingException1.equals((Object)parsingException0));
}
@Test(timeout = 4000)
public void test1() throws Throwable {
ParsingException parsingException0 = new ParsingException((String) null);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
ParsingException parsingException0 = new ParsingException();
ParsingException parsingException1 = new ParsingException(parsingException0);
assertFalse(parsingException1.equals((Object)parsingException0));
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 03:09: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 ParsingException_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "ParsingException";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpln9cm161");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(ParsingException_ESTest_scaffolding.class.getClassLoader() ,
"ParsingException"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ParsingException_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"ParsingException"
);
}
}
| 5,189 |
SpanTags | /*
* 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.
*/
/** List of tags that can be used to decorate spans. */
public class SpanTags {
/** Tag parts default delimiter. */
private static final String TAG_PARTS_DELIMITER = ".";
/**
* List of basic tags. Can be combined together to get more composite tags. Don't forget to add
* new tags here and use constant reference instead of raw string creation. Frequently used
* composite tags can be also declared here.
*/
/** */
public static final String NODE = "node";
/** */
public static final String ID = "id";
/** */
public static final String ORDER = "order";
/** */
public static final String EVENT = "event";
/** */
public static final String NAME = "name";
/** */
public static final String TYPE = "type";
/** */
public static final String INITIAL = "initial";
/** */
public static final String RESULT = "result";
/** */
public static final String ERROR = "error";
/** */
public static final String EXCHANGE = "exchange";
/** */
public static final String CONSISTENT_ID = "consistent.id";
/** */
public static final String TOPOLOGY_VERSION = "topology.version";
/** */
public static final String MAJOR = "major";
/** */
public static final String MINOR = "minor";
/** */
public static final String EVENT_NODE = tag(EVENT, NODE);
/** */
public static final String NODE_ID = tag(NODE, ID);
/** */
public static final String MESSAGE = "message";
/** */
public static final String MESSAGE_CLASS = "message.class";
/** Text of SQL query. */
public static final String SQL_QRY_TEXT = "sql.query.text";
/** SQL schema. */
public static final String SQL_SCHEMA = "sql.schema";
/** Number of rows that result page contains. */
public static final String SQL_PAGE_ROWS = "sql.page.rows";
/** Number of rows that index range request contains. */
public static final String SQL_IDX_RANGE_ROWS = "sql.index.range.rows";
/** Name of SQL table. */
public static final String SQL_TABLE = "sql.table";
/** Name of SQL index. */
public static final String SQL_IDX = "sql.index";
/** Number of cache entries to be updated as a result of DML query. */
public static final String SQL_CACHE_UPDATES = "sql.cache.updates";
/** */
private SpanTags() {}
/**
* @param tagParts String parts of composite tag.
* @return Composite tag with given parts joined using delimiter.
*/
public static String tag(String... tagParts) {
return String.join(TAG_PARTS_DELIMITER, tagParts);
}
}
| .version 52 0
.class public super SpanTags
.super java/lang/Object
.field private static final TAG_PARTS_DELIMITER Ljava/lang/String; = '.'
.field public static final NODE Ljava/lang/String; = 'node'
.field public static final ID Ljava/lang/String; = 'id'
.field public static final ORDER Ljava/lang/String; = 'order'
.field public static final EVENT Ljava/lang/String; = 'event'
.field public static final NAME Ljava/lang/String; = 'name'
.field public static final TYPE Ljava/lang/String; = 'type'
.field public static final INITIAL Ljava/lang/String; = 'initial'
.field public static final RESULT Ljava/lang/String; = 'result'
.field public static final ERROR Ljava/lang/String; = 'error'
.field public static final EXCHANGE Ljava/lang/String; = 'exchange'
.field public static final CONSISTENT_ID Ljava/lang/String; = 'consistent.id'
.field public static final TOPOLOGY_VERSION Ljava/lang/String; = 'topology.version'
.field public static final MAJOR Ljava/lang/String; = 'major'
.field public static final MINOR Ljava/lang/String; = 'minor'
.field public static final EVENT_NODE Ljava/lang/String;
.field public static final NODE_ID Ljava/lang/String;
.field public static final MESSAGE Ljava/lang/String; = 'message'
.field public static final MESSAGE_CLASS Ljava/lang/String; = 'message.class'
.field public static final SQL_QRY_TEXT Ljava/lang/String; = 'sql.query.text'
.field public static final SQL_SCHEMA Ljava/lang/String; = 'sql.schema'
.field public static final SQL_PAGE_ROWS Ljava/lang/String; = 'sql.page.rows'
.field public static final SQL_IDX_RANGE_ROWS Ljava/lang/String; = 'sql.index.range.rows'
.field public static final SQL_TABLE Ljava/lang/String; = 'sql.table'
.field public static final SQL_IDX Ljava/lang/String; = 'sql.index'
.field public static final SQL_CACHE_UPDATES Ljava/lang/String; = 'sql.cache.updates'
.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 109
.end linenumbertable
.end code
.end method
.method public static varargs tag : ([Ljava/lang/String;)Ljava/lang/String;
.code stack 2 locals 1
L0: ldc '.'
L2: aload_0
L3: invokestatic Method java/lang/String join (Ljava/lang/CharSequence;[Ljava/lang/CharSequence;)Ljava/lang/String;
L6: areturn
L7:
.linenumbertable
L0 116
.end linenumbertable
.end code
.end method
.method static <clinit> : ()V
.code stack 4 locals 0
L0: iconst_2
L1: anewarray java/lang/String
L4: dup
L5: iconst_0
L6: ldc 'event'
L8: aastore
L9: dup
L10: iconst_1
L11: ldc 'node'
L13: aastore
L14: invokestatic Method SpanTags tag ([Ljava/lang/String;)Ljava/lang/String;
L17: putstatic Field SpanTags EVENT_NODE Ljava/lang/String;
L20: iconst_2
L21: anewarray java/lang/String
L24: dup
L25: iconst_0
L26: ldc 'node'
L28: aastore
L29: dup
L30: iconst_1
L31: ldc 'id'
L33: aastore
L34: invokestatic Method SpanTags tag ([Ljava/lang/String;)Ljava/lang/String;
L37: putstatic Field SpanTags NODE_ID Ljava/lang/String;
L40: return
L41:
.linenumbertable
L0 76
L20 79
.end linenumbertable
.end code
.end method
.sourcefile 'SpanTags.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sun Jul 03 22:22: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 SpanTags_ESTest extends SpanTags_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
String[] stringArray0 = new String[2];
String string0 = SpanTags.tag(stringArray0);
assertEquals("null.null", string0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
String[] stringArray0 = new String[0];
String string0 = SpanTags.tag(stringArray0);
assertEquals("", string0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sun Jul 03 22:22: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 SpanTags_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "SpanTags";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpv9fev_ih");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(SpanTags_ESTest_scaffolding.class.getClassLoader() ,
"SpanTags"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(SpanTags_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"SpanTags"
);
}
}
| 5,190 |
Dog | class Dog {
public Dog() {}
public static void main(String[] args) {}
}
| .version 52 0
.class super Dog
.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
L4 4
.end linenumbertable
.end code
.end method
.method public static main : ([Ljava/lang/String;)V
.code stack 0 locals 1
L0: return
L1:
.linenumbertable
L0 8
.end linenumbertable
.end code
.end method
.sourcefile 'Dog.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 03:24:11 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class Dog_ESTest extends Dog_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
Dog dog0 = new Dog();
}
@Test(timeout = 4000)
public void test1() throws Throwable {
String[] stringArray0 = new String[0];
Dog.main(stringArray0);
assertEquals(0, stringArray0.length);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 03:24: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 Dog_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Dog";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp8nu9w1ee");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Dog_ESTest_scaffolding.class.getClassLoader() ,
"Dog"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Dog_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Dog"
);
}
}
| 5,191 |
MeterTopics | import java.util.UUID;
/**
* Topics for metering devices.
*
* @author K. Foerderer
*/
public class MeterTopics {
private String prefix;
/**
* Constructor
*
* <p>Sets up all the topic names.
*
* @param topicPrefix Topic topicPrefix, e.g. "fzi.osh".
* @param uuid UUID of this device or null to get wildcard topics.
*/
public MeterTopics(String prefix) {
this.prefix = prefix;
}
/**
* Topic for meter state data publishing.
*
* @param uuid uuid of meter to observe or <i>null</i> for wildcard topic.
*/
public String meterState(UUID uuid) {
return prefix + "." + (uuid == null ? "" : uuid.toString()) + ".meter.state";
}
}
| .version 52 0
.class public super MeterTopics
.super java/lang/Object
.field private prefix 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 MeterTopics prefix Ljava/lang/String;
L9: return
L10:
.linenumbertable
L0 23
L4 24
L9 25
.end linenumbertable
.end code
.end method
.method public meterState : (Ljava/util/UUID;)Ljava/lang/String;
.code stack 2 locals 2
L0: new java/lang/StringBuilder
L3: dup
L4: invokespecial Method java/lang/StringBuilder <init> ()V
L7: aload_0
L8: getfield Field MeterTopics prefix Ljava/lang/String;
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_1
L20: ifnonnull L28
L23: ldc ''
L25: goto L32
.stack stack_1 Object java/lang/StringBuilder
L28: aload_1
L29: invokevirtual Method java/util/UUID toString ()Ljava/lang/String;
.stack full
locals Object MeterTopics Object java/util/UUID
stack Object java/lang/StringBuilder Object java/lang/String
.end stack
L32: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L35: ldc '.meter.state'
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 33
.end linenumbertable
.end code
.end method
.sourcefile 'MeterTopics.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 01:47:53 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.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 MeterTopics_ESTest extends MeterTopics_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
MeterTopics meterTopics0 = new MeterTopics("");
String string0 = meterTopics0.meterState((UUID) null);
assertEquals("..meter.state", string0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
MeterTopics meterTopics0 = new MeterTopics("MeterTopics");
UUID uUID0 = MockUUID.fromString("MeterTopics");
String string0 = meterTopics0.meterState(uUID0);
assertEquals("MeterTopics.00000000-0100-4000-8200-000003000000.meter.state", string0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 01:47: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 MeterTopics_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "MeterTopics";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpvksze0w1");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(MeterTopics_ESTest_scaffolding.class.getClassLoader() ,
"MeterTopics"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(MeterTopics_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"MeterTopics"
);
}
}
| 5,192 |
Server | public class Server {}
| .version 52 0
.class public super Server
.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 'Server.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sun Jul 03 23:30: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 Server_ESTest extends Server_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
Server server0 = new Server();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sun Jul 03 23:30: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 Server_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "Server";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp7rv49rgz");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(Server_ESTest_scaffolding.class.getClassLoader() ,
"Server"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(Server_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"Server"
);
}
}
| 5,193 |
CreateSnapshotFromVolumeRecoveryPointResult | /*
* Copyright 2010-2016 Amazon.com, Inc. or its affiliates. All Rights
* Reserved.
*
* Licensed under the Apache License, Version 2.0 (the "License").
* You may not use this file except in compliance with the License.
* A copy of the License is located at
*
* http://aws.amazon.com/apache2.0
*
* or in the "license" file accompanying this file. This file is distributed
* on an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either
* express or implied. See the License for the specific language governing
* permissions and limitations under the License.
*/
import java.io.Serializable;
/** */
public class CreateSnapshotFromVolumeRecoveryPointResult implements Serializable, Cloneable {
private String snapshotId;
private String volumeARN;
private String volumeRecoveryPointTime;
/**
* @param snapshotId
*/
public void setSnapshotId(String snapshotId) {
this.snapshotId = snapshotId;
}
/**
* @return
*/
public String getSnapshotId() {
return this.snapshotId;
}
/**
* @param snapshotId
* @return Returns a reference to this object so that method calls can be chained together.
*/
public CreateSnapshotFromVolumeRecoveryPointResult withSnapshotId(String snapshotId) {
setSnapshotId(snapshotId);
return this;
}
/**
* @param volumeARN
*/
public void setVolumeARN(String volumeARN) {
this.volumeARN = volumeARN;
}
/**
* @return
*/
public String getVolumeARN() {
return this.volumeARN;
}
/**
* @param volumeARN
* @return Returns a reference to this object so that method calls can be chained together.
*/
public CreateSnapshotFromVolumeRecoveryPointResult withVolumeARN(String volumeARN) {
setVolumeARN(volumeARN);
return this;
}
/**
* @param volumeRecoveryPointTime
*/
public void setVolumeRecoveryPointTime(String volumeRecoveryPointTime) {
this.volumeRecoveryPointTime = volumeRecoveryPointTime;
}
/**
* @return
*/
public String getVolumeRecoveryPointTime() {
return this.volumeRecoveryPointTime;
}
/**
* @param volumeRecoveryPointTime
* @return Returns a reference to this object so that method calls can be chained together.
*/
public CreateSnapshotFromVolumeRecoveryPointResult withVolumeRecoveryPointTime(
String volumeRecoveryPointTime) {
setVolumeRecoveryPointTime(volumeRecoveryPointTime);
return this;
}
/**
* Returns a string representation of this object; useful for testing and debugging.
*
* @return A string representation of this object.
* @see java.lang.Object#toString()
*/
@Override
public String toString() {
StringBuilder sb = new StringBuilder();
sb.append("{");
if (getSnapshotId() != null) sb.append("SnapshotId: " + getSnapshotId() + ",");
if (getVolumeARN() != null) sb.append("VolumeARN: " + getVolumeARN() + ",");
if (getVolumeRecoveryPointTime() != null)
sb.append("VolumeRecoveryPointTime: " + getVolumeRecoveryPointTime());
sb.append("}");
return sb.toString();
}
@Override
public boolean equals(Object obj) {
if (this == obj) return true;
if (obj == null) return false;
if (obj instanceof CreateSnapshotFromVolumeRecoveryPointResult == false) return false;
CreateSnapshotFromVolumeRecoveryPointResult other =
(CreateSnapshotFromVolumeRecoveryPointResult) obj;
if (other.getSnapshotId() == null ^ this.getSnapshotId() == null) return false;
if (other.getSnapshotId() != null
&& other.getSnapshotId().equals(this.getSnapshotId()) == false) return false;
if (other.getVolumeARN() == null ^ this.getVolumeARN() == null) return false;
if (other.getVolumeARN() != null && other.getVolumeARN().equals(this.getVolumeARN()) == false)
return false;
if (other.getVolumeRecoveryPointTime() == null ^ this.getVolumeRecoveryPointTime() == null)
return false;
if (other.getVolumeRecoveryPointTime() != null
&& other.getVolumeRecoveryPointTime().equals(this.getVolumeRecoveryPointTime()) == false)
return false;
return true;
}
@Override
public int hashCode() {
final int prime = 31;
int hashCode = 1;
hashCode = prime * hashCode + ((getSnapshotId() == null) ? 0 : getSnapshotId().hashCode());
hashCode = prime * hashCode + ((getVolumeARN() == null) ? 0 : getVolumeARN().hashCode());
hashCode =
prime * hashCode
+ ((getVolumeRecoveryPointTime() == null)
? 0
: getVolumeRecoveryPointTime().hashCode());
return hashCode;
}
@Override
public CreateSnapshotFromVolumeRecoveryPointResult clone() {
try {
return (CreateSnapshotFromVolumeRecoveryPointResult) super.clone();
} catch (CloneNotSupportedException e) {
throw new IllegalStateException(
"Got a CloneNotSupportedException from Object.clone() " + "even though we're Cloneable!",
e);
}
}
}
| .version 52 0
.class public super CreateSnapshotFromVolumeRecoveryPointResult
.super java/lang/Object
.implements java/io/Serializable
.implements java/lang/Cloneable
.field private snapshotId Ljava/lang/String;
.field private volumeARN Ljava/lang/String;
.field private volumeRecoveryPointTime 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 24
.end linenumbertable
.end code
.end method
.method public setSnapshotId : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field CreateSnapshotFromVolumeRecoveryPointResult snapshotId Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 38
L5 39
.end linenumbertable
.end code
.end method
.method public getSnapshotId : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field CreateSnapshotFromVolumeRecoveryPointResult snapshotId Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 46
.end linenumbertable
.end code
.end method
.method public withSnapshotId : (Ljava/lang/String;)LCreateSnapshotFromVolumeRecoveryPointResult;
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: invokevirtual Method CreateSnapshotFromVolumeRecoveryPointResult setSnapshotId (Ljava/lang/String;)V
L5: aload_0
L6: areturn
L7:
.linenumbertable
L0 57
L5 58
.end linenumbertable
.end code
.end method
.method public setVolumeARN : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field CreateSnapshotFromVolumeRecoveryPointResult volumeARN Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 66
L5 67
.end linenumbertable
.end code
.end method
.method public getVolumeARN : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field CreateSnapshotFromVolumeRecoveryPointResult volumeARN Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 74
.end linenumbertable
.end code
.end method
.method public withVolumeARN : (Ljava/lang/String;)LCreateSnapshotFromVolumeRecoveryPointResult;
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: invokevirtual Method CreateSnapshotFromVolumeRecoveryPointResult setVolumeARN (Ljava/lang/String;)V
L5: aload_0
L6: areturn
L7:
.linenumbertable
L0 85
L5 86
.end linenumbertable
.end code
.end method
.method public setVolumeRecoveryPointTime : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field CreateSnapshotFromVolumeRecoveryPointResult volumeRecoveryPointTime Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 94
L5 95
.end linenumbertable
.end code
.end method
.method public getVolumeRecoveryPointTime : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field CreateSnapshotFromVolumeRecoveryPointResult volumeRecoveryPointTime Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 102
.end linenumbertable
.end code
.end method
.method public withVolumeRecoveryPointTime : (Ljava/lang/String;)LCreateSnapshotFromVolumeRecoveryPointResult;
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: invokevirtual Method CreateSnapshotFromVolumeRecoveryPointResult setVolumeRecoveryPointTime (Ljava/lang/String;)V
L5: aload_0
L6: areturn
L7:
.linenumbertable
L0 113
L5 114
.end linenumbertable
.end code
.end method
.method public toString : ()Ljava/lang/String;
.code stack 3 locals 2
L0: new java/lang/StringBuilder
L3: dup
L4: invokespecial Method java/lang/StringBuilder <init> ()V
L7: astore_1
L8: aload_1
L9: ldc '{'
L11: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L14: pop
L15: aload_0
L16: invokevirtual Method CreateSnapshotFromVolumeRecoveryPointResult getSnapshotId ()Ljava/lang/String;
L19: ifnull L54
L22: aload_1
L23: new java/lang/StringBuilder
L26: dup
L27: invokespecial Method java/lang/StringBuilder <init> ()V
L30: ldc 'SnapshotId: '
L32: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L35: aload_0
L36: invokevirtual Method CreateSnapshotFromVolumeRecoveryPointResult getSnapshotId ()Ljava/lang/String;
L39: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L42: ldc ','
L44: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L47: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L50: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L53: pop
.stack append Object java/lang/StringBuilder
L54: aload_0
L55: invokevirtual Method CreateSnapshotFromVolumeRecoveryPointResult getVolumeARN ()Ljava/lang/String;
L58: ifnull L93
L61: aload_1
L62: new java/lang/StringBuilder
L65: dup
L66: invokespecial Method java/lang/StringBuilder <init> ()V
L69: ldc 'VolumeARN: '
L71: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L74: aload_0
L75: invokevirtual Method CreateSnapshotFromVolumeRecoveryPointResult getVolumeARN ()Ljava/lang/String;
L78: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L81: ldc ','
L83: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L86: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L89: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L92: pop
.stack same
L93: aload_0
L94: invokevirtual Method CreateSnapshotFromVolumeRecoveryPointResult getVolumeRecoveryPointTime ()Ljava/lang/String;
L97: ifnull L127
L100: aload_1
L101: new java/lang/StringBuilder
L104: dup
L105: invokespecial Method java/lang/StringBuilder <init> ()V
L108: ldc 'VolumeRecoveryPointTime: '
L110: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L113: aload_0
L114: invokevirtual Method CreateSnapshotFromVolumeRecoveryPointResult getVolumeRecoveryPointTime ()Ljava/lang/String;
L117: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L120: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L123: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L126: pop
.stack same
L127: aload_1
L128: ldc '}'
L130: invokevirtual Method java/lang/StringBuilder append (Ljava/lang/String;)Ljava/lang/StringBuilder;
L133: pop
L134: aload_1
L135: invokevirtual Method java/lang/StringBuilder toString ()Ljava/lang/String;
L138: areturn
L139:
.linenumbertable
L0 127
L8 128
L15 129
L22 130
L54 131
L61 132
L93 133
L100 134
L114 135
L123 134
L127 136
L134 137
.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_1
L14: instanceof CreateSnapshotFromVolumeRecoveryPointResult
L17: ifne L22
L20: iconst_0
L21: ireturn
.stack same
L22: aload_1
L23: checkcast CreateSnapshotFromVolumeRecoveryPointResult
L26: astore_2
L27: aload_2
L28: invokevirtual Method CreateSnapshotFromVolumeRecoveryPointResult getSnapshotId ()Ljava/lang/String;
L31: ifnonnull L38
L34: iconst_1
L35: goto L39
.stack append Object CreateSnapshotFromVolumeRecoveryPointResult
L38: iconst_0
.stack stack_1 Integer
L39: aload_0
L40: invokevirtual Method CreateSnapshotFromVolumeRecoveryPointResult getSnapshotId ()Ljava/lang/String;
L43: ifnonnull L50
L46: iconst_1
L47: goto L51
.stack stack_1 Integer
L50: iconst_0
.stack full
locals Object CreateSnapshotFromVolumeRecoveryPointResult Object java/lang/Object Object CreateSnapshotFromVolumeRecoveryPointResult
stack Integer Integer
.end stack
L51: ixor
L52: ifeq L57
L55: iconst_0
L56: ireturn
.stack same
L57: aload_2
L58: invokevirtual Method CreateSnapshotFromVolumeRecoveryPointResult getSnapshotId ()Ljava/lang/String;
L61: ifnull L80
L64: aload_2
L65: invokevirtual Method CreateSnapshotFromVolumeRecoveryPointResult getSnapshotId ()Ljava/lang/String;
L68: aload_0
L69: invokevirtual Method CreateSnapshotFromVolumeRecoveryPointResult getSnapshotId ()Ljava/lang/String;
L72: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z
L75: ifne L80
L78: iconst_0
L79: ireturn
.stack same
L80: aload_2
L81: invokevirtual Method CreateSnapshotFromVolumeRecoveryPointResult getVolumeARN ()Ljava/lang/String;
L84: ifnonnull L91
L87: iconst_1
L88: goto L92
.stack same
L91: iconst_0
.stack stack_1 Integer
L92: aload_0
L93: invokevirtual Method CreateSnapshotFromVolumeRecoveryPointResult getVolumeARN ()Ljava/lang/String;
L96: ifnonnull L103
L99: iconst_1
L100: goto L104
.stack stack_1 Integer
L103: iconst_0
.stack full
locals Object CreateSnapshotFromVolumeRecoveryPointResult Object java/lang/Object Object CreateSnapshotFromVolumeRecoveryPointResult
stack Integer Integer
.end stack
L104: ixor
L105: ifeq L110
L108: iconst_0
L109: ireturn
.stack same
L110: aload_2
L111: invokevirtual Method CreateSnapshotFromVolumeRecoveryPointResult getVolumeARN ()Ljava/lang/String;
L114: ifnull L133
L117: aload_2
L118: invokevirtual Method CreateSnapshotFromVolumeRecoveryPointResult getVolumeARN ()Ljava/lang/String;
L121: aload_0
L122: invokevirtual Method CreateSnapshotFromVolumeRecoveryPointResult getVolumeARN ()Ljava/lang/String;
L125: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z
L128: ifne L133
L131: iconst_0
L132: ireturn
.stack same
L133: aload_2
L134: invokevirtual Method CreateSnapshotFromVolumeRecoveryPointResult getVolumeRecoveryPointTime ()Ljava/lang/String;
L137: ifnonnull L144
L140: iconst_1
L141: goto L145
.stack same
L144: iconst_0
.stack stack_1 Integer
L145: aload_0
L146: invokevirtual Method CreateSnapshotFromVolumeRecoveryPointResult getVolumeRecoveryPointTime ()Ljava/lang/String;
L149: ifnonnull L156
L152: iconst_1
L153: goto L157
.stack stack_1 Integer
L156: iconst_0
.stack full
locals Object CreateSnapshotFromVolumeRecoveryPointResult Object java/lang/Object Object CreateSnapshotFromVolumeRecoveryPointResult
stack Integer Integer
.end stack
L157: ixor
L158: ifeq L163
L161: iconst_0
L162: ireturn
.stack same
L163: aload_2
L164: invokevirtual Method CreateSnapshotFromVolumeRecoveryPointResult getVolumeRecoveryPointTime ()Ljava/lang/String;
L167: ifnull L186
L170: aload_2
L171: invokevirtual Method CreateSnapshotFromVolumeRecoveryPointResult getVolumeRecoveryPointTime ()Ljava/lang/String;
L174: aload_0
L175: invokevirtual Method CreateSnapshotFromVolumeRecoveryPointResult getVolumeRecoveryPointTime ()Ljava/lang/String;
L178: invokevirtual Method java/lang/String equals (Ljava/lang/Object;)Z
L181: ifne L186
L184: iconst_0
L185: ireturn
.stack same
L186: iconst_1
L187: ireturn
L188:
.linenumbertable
L0 142
L5 143
L7 144
L11 145
L13 147
L20 148
L22 149
L27 150
L55 151
L57 152
L65 153
L78 154
L80 155
L108 156
L110 157
L118 158
L131 159
L133 160
L146 161
L161 162
L163 163
L171 164
L175 165
L178 164
L184 166
L186 167
.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: invokevirtual Method CreateSnapshotFromVolumeRecoveryPointResult getSnapshotId ()Ljava/lang/String;
L10: ifnonnull L17
L13: iconst_0
L14: goto L24
.stack full
locals Object CreateSnapshotFromVolumeRecoveryPointResult Top Integer
stack Integer
.end stack
L17: aload_0
L18: invokevirtual Method CreateSnapshotFromVolumeRecoveryPointResult getSnapshotId ()Ljava/lang/String;
L21: invokevirtual Method java/lang/String hashCode ()I
.stack full
locals Object CreateSnapshotFromVolumeRecoveryPointResult Top Integer
stack Integer Integer
.end stack
L24: iadd
L25: istore_2
L26: bipush 31
L28: iload_2
L29: imul
L30: aload_0
L31: invokevirtual Method CreateSnapshotFromVolumeRecoveryPointResult getVolumeARN ()Ljava/lang/String;
L34: ifnonnull L41
L37: iconst_0
L38: goto L48
.stack stack_1 Integer
L41: aload_0
L42: invokevirtual Method CreateSnapshotFromVolumeRecoveryPointResult getVolumeARN ()Ljava/lang/String;
L45: invokevirtual Method java/lang/String hashCode ()I
.stack full
locals Object CreateSnapshotFromVolumeRecoveryPointResult Top Integer
stack Integer Integer
.end stack
L48: iadd
L49: istore_2
L50: bipush 31
L52: iload_2
L53: imul
L54: aload_0
L55: invokevirtual Method CreateSnapshotFromVolumeRecoveryPointResult getVolumeRecoveryPointTime ()Ljava/lang/String;
L58: ifnonnull L65
L61: iconst_0
L62: goto L72
.stack stack_1 Integer
L65: aload_0
L66: invokevirtual Method CreateSnapshotFromVolumeRecoveryPointResult getVolumeRecoveryPointTime ()Ljava/lang/String;
L69: invokevirtual Method java/lang/String hashCode ()I
.stack full
locals Object CreateSnapshotFromVolumeRecoveryPointResult Top Integer
stack Integer Integer
.end stack
L72: iadd
L73: istore_2
L74: iload_2
L75: ireturn
L76:
.linenumbertable
L0 173
L2 175
L7 176
L26 177
L31 178
L50 179
L55 181
L66 182
L74 183
.end linenumbertable
.end code
.end method
.method public clone : ()LCreateSnapshotFromVolumeRecoveryPointResult;
.code stack 4 locals 2
.catch java/lang/CloneNotSupportedException from L0 to L7 using L8
L0: aload_0
L1: invokespecial Method java/lang/Object clone ()Ljava/lang/Object;
L4: checkcast CreateSnapshotFromVolumeRecoveryPointResult
L7: areturn
.stack stack_1 Object java/lang/CloneNotSupportedException
L8: astore_1
L9: new java/lang/IllegalStateException
L12: dup
L13: ldc "Got a CloneNotSupportedException from Object.clone() even though we're Cloneable!"
L15: aload_1
L16: invokespecial Method java/lang/IllegalStateException <init> (Ljava/lang/String;Ljava/lang/Throwable;)V
L19: athrow
L20:
.linenumbertable
L0 189
L8 190
L9 191
.end linenumbertable
.end code
.end method
.method public bridge synthetic clone : ()Ljava/lang/Object;
.code stack 1 locals 1
L0: aload_0
L1: invokevirtual Method CreateSnapshotFromVolumeRecoveryPointResult clone ()LCreateSnapshotFromVolumeRecoveryPointResult;
L4: areturn
L5:
.linenumbertable
L0 24
.end linenumbertable
.end code
.exceptions java/lang/CloneNotSupportedException
.end method
.sourcefile 'CreateSnapshotFromVolumeRecoveryPointResult.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Sat Jul 02 16:59: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 CreateSnapshotFromVolumeRecoveryPointResult_ESTest extends CreateSnapshotFromVolumeRecoveryPointResult_ESTest_scaffolding {
@Test(timeout = 4000)
public void test00() throws Throwable {
CreateSnapshotFromVolumeRecoveryPointResult createSnapshotFromVolumeRecoveryPointResult0 = new CreateSnapshotFromVolumeRecoveryPointResult();
createSnapshotFromVolumeRecoveryPointResult0.setVolumeRecoveryPointTime("V#Kp");
createSnapshotFromVolumeRecoveryPointResult0.hashCode();
}
@Test(timeout = 4000)
public void test01() throws Throwable {
CreateSnapshotFromVolumeRecoveryPointResult createSnapshotFromVolumeRecoveryPointResult0 = new CreateSnapshotFromVolumeRecoveryPointResult();
boolean boolean0 = createSnapshotFromVolumeRecoveryPointResult0.equals(createSnapshotFromVolumeRecoveryPointResult0);
assertTrue(boolean0);
}
@Test(timeout = 4000)
public void test02() throws Throwable {
CreateSnapshotFromVolumeRecoveryPointResult createSnapshotFromVolumeRecoveryPointResult0 = new CreateSnapshotFromVolumeRecoveryPointResult();
createSnapshotFromVolumeRecoveryPointResult0.withVolumeRecoveryPointTime("LBmR[30nS");
String string0 = createSnapshotFromVolumeRecoveryPointResult0.getVolumeRecoveryPointTime();
assertEquals("LBmR[30nS", string0);
}
@Test(timeout = 4000)
public void test03() throws Throwable {
CreateSnapshotFromVolumeRecoveryPointResult createSnapshotFromVolumeRecoveryPointResult0 = new CreateSnapshotFromVolumeRecoveryPointResult();
createSnapshotFromVolumeRecoveryPointResult0.setVolumeRecoveryPointTime("");
String string0 = createSnapshotFromVolumeRecoveryPointResult0.getVolumeRecoveryPointTime();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test04() throws Throwable {
CreateSnapshotFromVolumeRecoveryPointResult createSnapshotFromVolumeRecoveryPointResult0 = new CreateSnapshotFromVolumeRecoveryPointResult();
createSnapshotFromVolumeRecoveryPointResult0.withVolumeARN("W4L^y.Bhn`2\"]@");
String string0 = createSnapshotFromVolumeRecoveryPointResult0.getVolumeARN();
assertEquals("W4L^y.Bhn`2\"]@", string0);
}
@Test(timeout = 4000)
public void test05() throws Throwable {
CreateSnapshotFromVolumeRecoveryPointResult createSnapshotFromVolumeRecoveryPointResult0 = new CreateSnapshotFromVolumeRecoveryPointResult();
createSnapshotFromVolumeRecoveryPointResult0.setVolumeARN("");
String string0 = createSnapshotFromVolumeRecoveryPointResult0.getVolumeARN();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test06() throws Throwable {
CreateSnapshotFromVolumeRecoveryPointResult createSnapshotFromVolumeRecoveryPointResult0 = new CreateSnapshotFromVolumeRecoveryPointResult();
createSnapshotFromVolumeRecoveryPointResult0.setSnapshotId("5q@ZCi}k>9NaSvJJ");
String string0 = createSnapshotFromVolumeRecoveryPointResult0.getSnapshotId();
assertEquals("5q@ZCi}k>9NaSvJJ", string0);
}
@Test(timeout = 4000)
public void test07() throws Throwable {
CreateSnapshotFromVolumeRecoveryPointResult createSnapshotFromVolumeRecoveryPointResult0 = new CreateSnapshotFromVolumeRecoveryPointResult();
createSnapshotFromVolumeRecoveryPointResult0.setSnapshotId("");
String string0 = createSnapshotFromVolumeRecoveryPointResult0.getSnapshotId();
assertEquals("", string0);
}
@Test(timeout = 4000)
public void test08() throws Throwable {
CreateSnapshotFromVolumeRecoveryPointResult createSnapshotFromVolumeRecoveryPointResult0 = new CreateSnapshotFromVolumeRecoveryPointResult();
String string0 = createSnapshotFromVolumeRecoveryPointResult0.getVolumeARN();
assertNull(string0);
}
@Test(timeout = 4000)
public void test09() throws Throwable {
CreateSnapshotFromVolumeRecoveryPointResult createSnapshotFromVolumeRecoveryPointResult0 = new CreateSnapshotFromVolumeRecoveryPointResult();
String string0 = createSnapshotFromVolumeRecoveryPointResult0.getVolumeRecoveryPointTime();
assertNull(string0);
}
@Test(timeout = 4000)
public void test10() throws Throwable {
CreateSnapshotFromVolumeRecoveryPointResult createSnapshotFromVolumeRecoveryPointResult0 = new CreateSnapshotFromVolumeRecoveryPointResult();
createSnapshotFromVolumeRecoveryPointResult0.withVolumeARN("wF%*=+XihTjZG[6c\"&?");
createSnapshotFromVolumeRecoveryPointResult0.hashCode();
}
@Test(timeout = 4000)
public void test11() throws Throwable {
CreateSnapshotFromVolumeRecoveryPointResult createSnapshotFromVolumeRecoveryPointResult0 = new CreateSnapshotFromVolumeRecoveryPointResult();
CreateSnapshotFromVolumeRecoveryPointResult createSnapshotFromVolumeRecoveryPointResult1 = createSnapshotFromVolumeRecoveryPointResult0.withSnapshotId("wF%*=+XihTjZG[6c\"&?");
createSnapshotFromVolumeRecoveryPointResult1.hashCode();
}
@Test(timeout = 4000)
public void test12() throws Throwable {
CreateSnapshotFromVolumeRecoveryPointResult createSnapshotFromVolumeRecoveryPointResult0 = new CreateSnapshotFromVolumeRecoveryPointResult();
CreateSnapshotFromVolumeRecoveryPointResult createSnapshotFromVolumeRecoveryPointResult1 = createSnapshotFromVolumeRecoveryPointResult0.clone();
assertTrue(createSnapshotFromVolumeRecoveryPointResult1.equals((Object)createSnapshotFromVolumeRecoveryPointResult0));
CreateSnapshotFromVolumeRecoveryPointResult createSnapshotFromVolumeRecoveryPointResult2 = createSnapshotFromVolumeRecoveryPointResult1.withVolumeRecoveryPointTime("");
createSnapshotFromVolumeRecoveryPointResult0.withVolumeRecoveryPointTime("mX5~Gfg\"@Th\"K%2u6");
boolean boolean0 = createSnapshotFromVolumeRecoveryPointResult0.equals(createSnapshotFromVolumeRecoveryPointResult2);
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test13() throws Throwable {
CreateSnapshotFromVolumeRecoveryPointResult createSnapshotFromVolumeRecoveryPointResult0 = new CreateSnapshotFromVolumeRecoveryPointResult();
CreateSnapshotFromVolumeRecoveryPointResult createSnapshotFromVolumeRecoveryPointResult1 = createSnapshotFromVolumeRecoveryPointResult0.withVolumeRecoveryPointTime("W4L^y.Bhn`2\"]@");
CreateSnapshotFromVolumeRecoveryPointResult createSnapshotFromVolumeRecoveryPointResult2 = createSnapshotFromVolumeRecoveryPointResult0.clone();
boolean boolean0 = createSnapshotFromVolumeRecoveryPointResult1.equals(createSnapshotFromVolumeRecoveryPointResult2);
assertTrue(boolean0);
}
@Test(timeout = 4000)
public void test14() throws Throwable {
CreateSnapshotFromVolumeRecoveryPointResult createSnapshotFromVolumeRecoveryPointResult0 = new CreateSnapshotFromVolumeRecoveryPointResult();
createSnapshotFromVolumeRecoveryPointResult0.withVolumeARN("~Cu&");
CreateSnapshotFromVolumeRecoveryPointResult createSnapshotFromVolumeRecoveryPointResult1 = createSnapshotFromVolumeRecoveryPointResult0.clone();
assertTrue(createSnapshotFromVolumeRecoveryPointResult1.equals((Object)createSnapshotFromVolumeRecoveryPointResult0));
createSnapshotFromVolumeRecoveryPointResult1.setVolumeARN("");
boolean boolean0 = createSnapshotFromVolumeRecoveryPointResult1.equals(createSnapshotFromVolumeRecoveryPointResult0);
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test15() throws Throwable {
CreateSnapshotFromVolumeRecoveryPointResult createSnapshotFromVolumeRecoveryPointResult0 = new CreateSnapshotFromVolumeRecoveryPointResult();
createSnapshotFromVolumeRecoveryPointResult0.setVolumeARN("%y{j[RV5<Dxdag(");
CreateSnapshotFromVolumeRecoveryPointResult createSnapshotFromVolumeRecoveryPointResult1 = createSnapshotFromVolumeRecoveryPointResult0.clone();
assertTrue(createSnapshotFromVolumeRecoveryPointResult1.equals((Object)createSnapshotFromVolumeRecoveryPointResult0));
createSnapshotFromVolumeRecoveryPointResult0.withVolumeARN((String) null);
boolean boolean0 = createSnapshotFromVolumeRecoveryPointResult1.equals(createSnapshotFromVolumeRecoveryPointResult0);
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test16() throws Throwable {
CreateSnapshotFromVolumeRecoveryPointResult createSnapshotFromVolumeRecoveryPointResult0 = new CreateSnapshotFromVolumeRecoveryPointResult();
createSnapshotFromVolumeRecoveryPointResult0.withVolumeARN("wF%*=+XihTjZG[6c\"&?");
CreateSnapshotFromVolumeRecoveryPointResult createSnapshotFromVolumeRecoveryPointResult1 = createSnapshotFromVolumeRecoveryPointResult0.clone();
boolean boolean0 = createSnapshotFromVolumeRecoveryPointResult1.equals(createSnapshotFromVolumeRecoveryPointResult0);
assertTrue(boolean0);
}
@Test(timeout = 4000)
public void test17() throws Throwable {
CreateSnapshotFromVolumeRecoveryPointResult createSnapshotFromVolumeRecoveryPointResult0 = new CreateSnapshotFromVolumeRecoveryPointResult();
CreateSnapshotFromVolumeRecoveryPointResult createSnapshotFromVolumeRecoveryPointResult1 = createSnapshotFromVolumeRecoveryPointResult0.withSnapshotId("");
CreateSnapshotFromVolumeRecoveryPointResult createSnapshotFromVolumeRecoveryPointResult2 = createSnapshotFromVolumeRecoveryPointResult0.clone();
assertTrue(createSnapshotFromVolumeRecoveryPointResult2.equals((Object)createSnapshotFromVolumeRecoveryPointResult1));
CreateSnapshotFromVolumeRecoveryPointResult createSnapshotFromVolumeRecoveryPointResult3 = createSnapshotFromVolumeRecoveryPointResult0.withSnapshotId("{SnapshotId: ,VolumeARN: ,}");
boolean boolean0 = createSnapshotFromVolumeRecoveryPointResult2.equals(createSnapshotFromVolumeRecoveryPointResult3);
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test18() throws Throwable {
CreateSnapshotFromVolumeRecoveryPointResult createSnapshotFromVolumeRecoveryPointResult0 = new CreateSnapshotFromVolumeRecoveryPointResult();
createSnapshotFromVolumeRecoveryPointResult0.withSnapshotId("wF%*=+XihTjZG[6c\"&?");
CreateSnapshotFromVolumeRecoveryPointResult createSnapshotFromVolumeRecoveryPointResult1 = createSnapshotFromVolumeRecoveryPointResult0.clone();
boolean boolean0 = createSnapshotFromVolumeRecoveryPointResult1.equals(createSnapshotFromVolumeRecoveryPointResult0);
assertTrue(boolean0);
}
@Test(timeout = 4000)
public void test19() throws Throwable {
CreateSnapshotFromVolumeRecoveryPointResult createSnapshotFromVolumeRecoveryPointResult0 = new CreateSnapshotFromVolumeRecoveryPointResult();
Object object0 = new Object();
boolean boolean0 = createSnapshotFromVolumeRecoveryPointResult0.equals(object0);
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test20() throws Throwable {
CreateSnapshotFromVolumeRecoveryPointResult createSnapshotFromVolumeRecoveryPointResult0 = new CreateSnapshotFromVolumeRecoveryPointResult();
boolean boolean0 = createSnapshotFromVolumeRecoveryPointResult0.equals((Object) null);
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test21() throws Throwable {
CreateSnapshotFromVolumeRecoveryPointResult createSnapshotFromVolumeRecoveryPointResult0 = new CreateSnapshotFromVolumeRecoveryPointResult();
CreateSnapshotFromVolumeRecoveryPointResult createSnapshotFromVolumeRecoveryPointResult1 = createSnapshotFromVolumeRecoveryPointResult0.clone();
assertTrue(createSnapshotFromVolumeRecoveryPointResult1.equals((Object)createSnapshotFromVolumeRecoveryPointResult0));
createSnapshotFromVolumeRecoveryPointResult1.setVolumeRecoveryPointTime("A1I!T*+P<V35`Z+|5");
boolean boolean0 = createSnapshotFromVolumeRecoveryPointResult1.equals(createSnapshotFromVolumeRecoveryPointResult0);
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test22() throws Throwable {
CreateSnapshotFromVolumeRecoveryPointResult createSnapshotFromVolumeRecoveryPointResult0 = new CreateSnapshotFromVolumeRecoveryPointResult();
CreateSnapshotFromVolumeRecoveryPointResult createSnapshotFromVolumeRecoveryPointResult1 = createSnapshotFromVolumeRecoveryPointResult0.withVolumeRecoveryPointTime("W4L^y.Bhn`2\"]@");
String string0 = createSnapshotFromVolumeRecoveryPointResult1.toString();
assertEquals("{VolumeRecoveryPointTime: W4L^y.Bhn`2\"]@}", string0);
}
@Test(timeout = 4000)
public void test23() throws Throwable {
CreateSnapshotFromVolumeRecoveryPointResult createSnapshotFromVolumeRecoveryPointResult0 = new CreateSnapshotFromVolumeRecoveryPointResult();
createSnapshotFromVolumeRecoveryPointResult0.withVolumeARN("wF%*=+XihTjZG[6c\"&?");
String string0 = createSnapshotFromVolumeRecoveryPointResult0.toString();
assertEquals("{VolumeARN: wF%*=+XihTjZG[6c\"&?,}", string0);
}
@Test(timeout = 4000)
public void test24() throws Throwable {
CreateSnapshotFromVolumeRecoveryPointResult createSnapshotFromVolumeRecoveryPointResult0 = new CreateSnapshotFromVolumeRecoveryPointResult();
createSnapshotFromVolumeRecoveryPointResult0.withSnapshotId("wF%*=+XihTjZG[6c\"&?");
String string0 = createSnapshotFromVolumeRecoveryPointResult0.toString();
assertEquals("{SnapshotId: wF%*=+XihTjZG[6c\"&?,}", string0);
}
@Test(timeout = 4000)
public void test25() throws Throwable {
CreateSnapshotFromVolumeRecoveryPointResult createSnapshotFromVolumeRecoveryPointResult0 = new CreateSnapshotFromVolumeRecoveryPointResult();
String string0 = createSnapshotFromVolumeRecoveryPointResult0.getSnapshotId();
assertNull(string0);
}
@Test(timeout = 4000)
public void test26() throws Throwable {
CreateSnapshotFromVolumeRecoveryPointResult createSnapshotFromVolumeRecoveryPointResult0 = new CreateSnapshotFromVolumeRecoveryPointResult();
CreateSnapshotFromVolumeRecoveryPointResult createSnapshotFromVolumeRecoveryPointResult1 = createSnapshotFromVolumeRecoveryPointResult0.withSnapshotId("");
CreateSnapshotFromVolumeRecoveryPointResult createSnapshotFromVolumeRecoveryPointResult2 = new CreateSnapshotFromVolumeRecoveryPointResult();
boolean boolean0 = createSnapshotFromVolumeRecoveryPointResult1.equals(createSnapshotFromVolumeRecoveryPointResult2);
assertFalse(boolean0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sat Jul 02 16:59: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 CreateSnapshotFromVolumeRecoveryPointResult_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "CreateSnapshotFromVolumeRecoveryPointResult";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpow2hf397");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(CreateSnapshotFromVolumeRecoveryPointResult_ESTest_scaffolding.class.getClassLoader() ,
"CreateSnapshotFromVolumeRecoveryPointResult"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(CreateSnapshotFromVolumeRecoveryPointResult_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"CreateSnapshotFromVolumeRecoveryPointResult"
);
}
}
| 5,194 |
OrganisationSicCodeResource | import java.io.Serializable;
import java.util.Objects;
public class OrganisationSicCodeResource implements Serializable {
private static final long serialVersionUID = 2127249431392351362L;
private Long id;
private Long organisation;
private String sicCode;
public OrganisationSicCodeResource() {}
public OrganisationSicCodeResource(String sicCode) {
this.sicCode = sicCode;
}
public OrganisationSicCodeResource(Long organisation, String sicCode) {
this.organisation = organisation;
this.sicCode = sicCode;
}
public Long getId() {
return id;
}
public void setId(Long id) {
this.id = id;
}
public Long getOrganisation() {
return organisation;
}
public void setOrganisation(Long organisation) {
this.organisation = organisation;
}
public String getSicCode() {
return sicCode;
}
public void setSicCode(String sicCode) {
this.sicCode = sicCode;
}
@Override
public boolean equals(Object o) {
if (this == o) return true;
if (o == null || getClass() != o.getClass()) return false;
OrganisationSicCodeResource that = (OrganisationSicCodeResource) o;
return Objects.equals(id, that.id)
&& Objects.equals(organisation, that.organisation)
&& Objects.equals(sicCode, that.sicCode);
}
@Override
public int hashCode() {
return Objects.hash(id, organisation, sicCode);
}
}
| .version 52 0
.class public super OrganisationSicCodeResource
.super java/lang/Object
.implements java/io/Serializable
.field private static final serialVersionUID J = 2127249431392351362L
.field private id Ljava/lang/Long;
.field private organisation Ljava/lang/Long;
.field private sicCode 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 15
.end linenumbertable
.end code
.end method
.method public <init> : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: aload_1
L6: putfield Field OrganisationSicCodeResource sicCode Ljava/lang/String;
L9: return
L10:
.linenumbertable
L0 18
L4 19
L9 20
.end linenumbertable
.end code
.end method
.method public <init> : (Ljava/lang/Long;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 OrganisationSicCodeResource organisation Ljava/lang/Long;
L9: aload_0
L10: aload_2
L11: putfield Field OrganisationSicCodeResource sicCode Ljava/lang/String;
L14: return
L15:
.linenumbertable
L0 22
L4 23
L9 24
L14 25
.end linenumbertable
.end code
.end method
.method public getId : ()Ljava/lang/Long;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field OrganisationSicCodeResource id Ljava/lang/Long;
L4: areturn
L5:
.linenumbertable
L0 28
.end linenumbertable
.end code
.end method
.method public setId : (Ljava/lang/Long;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field OrganisationSicCodeResource id Ljava/lang/Long;
L5: return
L6:
.linenumbertable
L0 32
L5 33
.end linenumbertable
.end code
.end method
.method public getOrganisation : ()Ljava/lang/Long;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field OrganisationSicCodeResource organisation Ljava/lang/Long;
L4: areturn
L5:
.linenumbertable
L0 36
.end linenumbertable
.end code
.end method
.method public setOrganisation : (Ljava/lang/Long;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field OrganisationSicCodeResource organisation Ljava/lang/Long;
L5: return
L6:
.linenumbertable
L0 40
L5 41
.end linenumbertable
.end code
.end method
.method public getSicCode : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field OrganisationSicCodeResource sicCode Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 44
.end linenumbertable
.end code
.end method
.method public setSicCode : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field OrganisationSicCodeResource sicCode Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 49
L5 50
.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 OrganisationSicCodeResource
L28: astore_2
L29: aload_0
L30: getfield Field OrganisationSicCodeResource id Ljava/lang/Long;
L33: aload_2
L34: getfield Field OrganisationSicCodeResource id Ljava/lang/Long;
L37: invokestatic Method java/util/Objects equals (Ljava/lang/Object;Ljava/lang/Object;)Z
L40: ifeq L75
L43: aload_0
L44: getfield Field OrganisationSicCodeResource organisation Ljava/lang/Long;
L47: aload_2
L48: getfield Field OrganisationSicCodeResource organisation Ljava/lang/Long;
L51: invokestatic Method java/util/Objects equals (Ljava/lang/Object;Ljava/lang/Object;)Z
L54: ifeq L75
L57: aload_0
L58: getfield Field OrganisationSicCodeResource sicCode Ljava/lang/String;
L61: aload_2
L62: getfield Field OrganisationSicCodeResource sicCode Ljava/lang/String;
L65: invokestatic Method java/util/Objects equals (Ljava/lang/Object;Ljava/lang/Object;)Z
L68: ifeq L75
L71: iconst_1
L72: goto L76
.stack append Object OrganisationSicCodeResource
L75: iconst_0
.stack stack_1 Integer
L76: ireturn
L77:
.linenumbertable
L0 55
L7 56
L24 57
L29 58
L51 59
L65 60
L76 58
.end linenumbertable
.end code
.end method
.method public hashCode : ()I
.code stack 4 locals 1
L0: iconst_3
L1: anewarray java/lang/Object
L4: dup
L5: iconst_0
L6: aload_0
L7: getfield Field OrganisationSicCodeResource id Ljava/lang/Long;
L10: aastore
L11: dup
L12: iconst_1
L13: aload_0
L14: getfield Field OrganisationSicCodeResource organisation Ljava/lang/Long;
L17: aastore
L18: dup
L19: iconst_2
L20: aload_0
L21: getfield Field OrganisationSicCodeResource sicCode Ljava/lang/String;
L24: aastore
L25: invokestatic Method java/util/Objects hash ([Ljava/lang/Object;)I
L28: ireturn
L29:
.linenumbertable
L0 65
.end linenumbertable
.end code
.end method
.sourcefile 'OrganisationSicCodeResource.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Fri Jul 01 02:42:12 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class OrganisationSicCodeResource_ESTest extends OrganisationSicCodeResource_ESTest_scaffolding {
@Test(timeout = 4000)
public void test00() throws Throwable {
OrganisationSicCodeResource organisationSicCodeResource0 = new OrganisationSicCodeResource();
Long long0 = organisationSicCodeResource0.getId();
organisationSicCodeResource0.hashCode();
OrganisationSicCodeResource organisationSicCodeResource1 = new OrganisationSicCodeResource();
organisationSicCodeResource0.equals(organisationSicCodeResource1);
assertTrue(organisationSicCodeResource1.equals((Object)organisationSicCodeResource0));
organisationSicCodeResource1.setSicCode("");
organisationSicCodeResource1.setId(long0);
OrganisationSicCodeResource organisationSicCodeResource2 = new OrganisationSicCodeResource((Long) null, "");
assertFalse(organisationSicCodeResource2.equals((Object)organisationSicCodeResource0));
}
@Test(timeout = 4000)
public void test01() throws Throwable {
OrganisationSicCodeResource organisationSicCodeResource0 = new OrganisationSicCodeResource();
String string0 = organisationSicCodeResource0.getSicCode();
assertNull(string0);
}
@Test(timeout = 4000)
public void test02() throws Throwable {
Long long0 = new Long((-3255L));
OrganisationSicCodeResource organisationSicCodeResource0 = new OrganisationSicCodeResource(long0, "OrganisationSicCodeResource");
String string0 = organisationSicCodeResource0.getSicCode();
assertEquals("OrganisationSicCodeResource", string0);
}
@Test(timeout = 4000)
public void test03() throws Throwable {
OrganisationSicCodeResource organisationSicCodeResource0 = new OrganisationSicCodeResource();
Long long0 = organisationSicCodeResource0.getOrganisation();
assertNull(long0);
}
@Test(timeout = 4000)
public void test04() throws Throwable {
Long long0 = new Long(23935L);
OrganisationSicCodeResource organisationSicCodeResource0 = new OrganisationSicCodeResource(long0, "\u0007KyXC8CUsyJbU{");
Long long1 = organisationSicCodeResource0.getOrganisation();
assertEquals(23935L, (long)long1);
}
@Test(timeout = 4000)
public void test05() throws Throwable {
Long long0 = new Long((-18728L));
OrganisationSicCodeResource organisationSicCodeResource0 = new OrganisationSicCodeResource(long0, "");
Long long1 = organisationSicCodeResource0.getOrganisation();
assertEquals((-18728L), (long)long1);
}
@Test(timeout = 4000)
public void test06() throws Throwable {
OrganisationSicCodeResource organisationSicCodeResource0 = new OrganisationSicCodeResource((String) null);
Long long0 = new Long(52103L);
organisationSicCodeResource0.setId(long0);
Long long1 = organisationSicCodeResource0.getId();
assertEquals(52103L, (long)long1);
}
@Test(timeout = 4000)
public void test07() throws Throwable {
OrganisationSicCodeResource organisationSicCodeResource0 = new OrganisationSicCodeResource("a=vC,-Cc<");
OrganisationSicCodeResource organisationSicCodeResource1 = new OrganisationSicCodeResource();
boolean boolean0 = organisationSicCodeResource0.equals(organisationSicCodeResource1);
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test08() throws Throwable {
OrganisationSicCodeResource organisationSicCodeResource0 = new OrganisationSicCodeResource();
Long long0 = new Long(0L);
organisationSicCodeResource0.setOrganisation(long0);
OrganisationSicCodeResource organisationSicCodeResource1 = new OrganisationSicCodeResource();
boolean boolean0 = organisationSicCodeResource0.equals(organisationSicCodeResource1);
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test09() throws Throwable {
OrganisationSicCodeResource organisationSicCodeResource0 = new OrganisationSicCodeResource();
Long long0 = new Long(0L);
OrganisationSicCodeResource organisationSicCodeResource1 = new OrganisationSicCodeResource();
organisationSicCodeResource1.setId(long0);
boolean boolean0 = organisationSicCodeResource1.equals(organisationSicCodeResource0);
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test10() throws Throwable {
OrganisationSicCodeResource organisationSicCodeResource0 = new OrganisationSicCodeResource();
boolean boolean0 = organisationSicCodeResource0.equals((Object) null);
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test11() throws Throwable {
Long long0 = new Long(0L);
OrganisationSicCodeResource organisationSicCodeResource0 = new OrganisationSicCodeResource(long0, "");
boolean boolean0 = organisationSicCodeResource0.equals(organisationSicCodeResource0);
assertTrue(boolean0);
}
@Test(timeout = 4000)
public void test12() throws Throwable {
Long long0 = new Long(0L);
OrganisationSicCodeResource organisationSicCodeResource0 = new OrganisationSicCodeResource(long0, "");
boolean boolean0 = organisationSicCodeResource0.equals("");
assertFalse(boolean0);
}
@Test(timeout = 4000)
public void test13() throws Throwable {
Long long0 = new Long(0L);
OrganisationSicCodeResource organisationSicCodeResource0 = new OrganisationSicCodeResource(long0, "");
Long long1 = organisationSicCodeResource0.getOrganisation();
assertEquals(0L, (long)long1);
}
@Test(timeout = 4000)
public void test14() throws Throwable {
Long long0 = new Long(0L);
OrganisationSicCodeResource organisationSicCodeResource0 = new OrganisationSicCodeResource(long0, "");
organisationSicCodeResource0.setId(long0);
Long long1 = organisationSicCodeResource0.getId();
assertEquals(0L, (long)long1);
}
@Test(timeout = 4000)
public void test15() throws Throwable {
OrganisationSicCodeResource organisationSicCodeResource0 = new OrganisationSicCodeResource("6>");
Long long0 = new Long((-39617L));
organisationSicCodeResource0.setId(long0);
Long long1 = organisationSicCodeResource0.getId();
assertEquals((-39617L), (long)long1);
}
@Test(timeout = 4000)
public void test16() throws Throwable {
Long long0 = new Long(0L);
OrganisationSicCodeResource organisationSicCodeResource0 = new OrganisationSicCodeResource(long0, "");
String string0 = organisationSicCodeResource0.getSicCode();
assertEquals("", string0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Fri Jul 01 02:42:12 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class OrganisationSicCodeResource_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "OrganisationSicCodeResource";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp87ulpgzj");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(OrganisationSicCodeResource_ESTest_scaffolding.class.getClassLoader() ,
"OrganisationSicCodeResource"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(OrganisationSicCodeResource_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"OrganisationSicCodeResource"
);
}
}
| 5,195 |
LoadResource | /**
* Project Name:demo3 File Name:LoadResource.java Package Name:com.testin.demo3 Date: Copyright (c)
* 2016, All Rights Reserved.
*/
import java.io.IOException;
import java.net.URISyntaxException;
import java.net.URL;
import java.nio.file.Files;
import java.nio.file.Paths;
/**
* ClassName:LoadResource <br>
* Function: <br>
* Date: <br>
*
* @author hadoop
* @version
* @since JDK 1.8
* @see
*/
public class LoadResource {
public static void main(String[] args) throws URISyntaxException, IOException {
URL url = Thread.currentThread().getContextClassLoader().getResource("logback.xml");
// file:/data/github/java-demos/demo3/target/classes/logback.xml
System.out.println(url);
Files.readAllLines(Paths.get(url.toURI())).stream().forEach(System.out::println);
// /data/github/java-demos/demo3/target/classes/logback.xml
System.out.println(Paths.get(url.toURI()));
}
}
| .version 52 0
.class public super LoadResource
.super java/lang/Object
.method public <init> : ()V
.code stack 1 locals 1
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: return
L5:
.linenumbertable
L0 27
.end linenumbertable
.end code
.end method
.method public static main : ([Ljava/lang/String;)V
.code stack 3 locals 2
L0: invokestatic Method java/lang/Thread currentThread ()Ljava/lang/Thread;
L3: invokevirtual Method java/lang/Thread getContextClassLoader ()Ljava/lang/ClassLoader;
L6: ldc 'logback.xml'
L8: invokevirtual Method java/lang/ClassLoader getResource (Ljava/lang/String;)Ljava/net/URL;
L11: astore_1
L12: getstatic Field java/lang/System out Ljava/io/PrintStream;
L15: aload_1
L16: invokevirtual Method java/io/PrintStream println (Ljava/lang/Object;)V
L19: aload_1
L20: invokevirtual Method java/net/URL toURI ()Ljava/net/URI;
L23: invokestatic Method java/nio/file/Paths get (Ljava/net/URI;)Ljava/nio/file/Path;
L26: invokestatic Method java/nio/file/Files readAllLines (Ljava/nio/file/Path;)Ljava/util/List;
L29: invokeinterface InterfaceMethod java/util/List stream ()Ljava/util/stream/Stream; 1
L34: getstatic Field java/lang/System out Ljava/io/PrintStream;
L37: dup
L38: invokevirtual Method java/lang/Object getClass ()Ljava/lang/Class;
L41: pop
L42: invokedynamic [id13]
L47: invokeinterface InterfaceMethod java/util/stream/Stream forEach (Ljava/util/function/Consumer;)V 2
L52: getstatic Field java/lang/System out Ljava/io/PrintStream;
L55: aload_1
L56: invokevirtual Method java/net/URL toURI ()Ljava/net/URI;
L59: invokestatic Method java/nio/file/Paths get (Ljava/net/URI;)Ljava/nio/file/Path;
L62: invokevirtual Method java/io/PrintStream println (Ljava/lang/Object;)V
L65: return
L66:
.linenumbertable
L0 30
L3 31
L8 32
L12 34
L19 35
L29 36
L47 37
L52 39
L65 40
.end linenumbertable
.end code
.exceptions java/net/URISyntaxException java/io/IOException
.end method
.sourcefile 'LoadResource.java'
.innerclasses
java/lang/invoke/MethodHandles$Lookup java/lang/invoke/MethodHandles Lookup public static final
.end innerclasses
.const [id13] = InvokeDynamic invokeStatic Method java/lang/invoke/LambdaMetafactory metafactory (Ljava/lang/invoke/MethodHandles$Lookup;Ljava/lang/String;Ljava/lang/invoke/MethodType;Ljava/lang/invoke/MethodType;Ljava/lang/invoke/MethodHandle;Ljava/lang/invoke/MethodType;)Ljava/lang/invoke/CallSite; MethodType (Ljava/lang/Object;)V MethodHandle invokeVirtual Method java/io/PrintStream println (Ljava/lang/String;)V MethodType (Ljava/lang/String;)V : accept (Ljava/io/PrintStream;)Ljava/util/function/Consumer;
.end class
| /*
* This file was automatically generated by EvoSuite
* Sun Jul 03 21:19:39 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 LoadResource_ESTest extends LoadResource_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
// Undeclared exception!
try {
LoadResource.main((String[]) null);
fail("Expecting exception: NullPointerException");
} catch(NullPointerException e) {
//
// no message in exception (getMessage() returned null)
//
verifyException("org.evosuite.runtime.mock.java.net.MockURL", e);
}
}
@Test(timeout = 4000)
public void test1() throws Throwable {
LoadResource loadResource0 = new LoadResource();
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Sun Jul 03 21:19: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 LoadResource_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "LoadResource";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmppymt4dem");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(LoadResource_ESTest_scaffolding.class.getClassLoader() ,
"LoadResource"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(LoadResource_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"LoadResource"
);
}
}
| 5,196 |
MapColor | public class MapColor {
/** Holds all the 16 colors used on maps, very similar of a pallete system. */
public static final MapColor[] mapColorArray = new MapColor[64];
public static final MapColor airColor = new MapColor(0, 0);
public static final MapColor grassColor = new MapColor(1, 8368696);
public static final MapColor sandColor = new MapColor(2, 16247203);
public static final MapColor clothColor = new MapColor(3, 13092807);
public static final MapColor tntColor = new MapColor(4, 16711680);
public static final MapColor iceColor = new MapColor(5, 10526975);
public static final MapColor ironColor = new MapColor(6, 10987431);
public static final MapColor foliageColor = new MapColor(7, 31744);
public static final MapColor snowColor = new MapColor(8, 16777215);
public static final MapColor clayColor = new MapColor(9, 10791096);
public static final MapColor dirtColor = new MapColor(10, 9923917);
public static final MapColor stoneColor = new MapColor(11, 7368816);
public static final MapColor waterColor = new MapColor(12, 4210943);
public static final MapColor woodColor = new MapColor(13, 9402184);
public static final MapColor quartzColor = new MapColor(14, 16776437);
public static final MapColor adobeColor = new MapColor(15, 14188339);
public static final MapColor magentaColor = new MapColor(16, 11685080);
public static final MapColor lightBlueColor = new MapColor(17, 6724056);
public static final MapColor yellowColor = new MapColor(18, 15066419);
public static final MapColor limeColor = new MapColor(19, 8375321);
public static final MapColor pinkColor = new MapColor(20, 15892389);
public static final MapColor grayColor = new MapColor(21, 5000268);
public static final MapColor silverColor = new MapColor(22, 10066329);
public static final MapColor cyanColor = new MapColor(23, 5013401);
public static final MapColor purpleColor = new MapColor(24, 8339378);
public static final MapColor blueColor = new MapColor(25, 3361970);
public static final MapColor brownColor = new MapColor(26, 6704179);
public static final MapColor greenColor = new MapColor(27, 6717235);
public static final MapColor redColor = new MapColor(28, 10040115);
public static final MapColor blackColor = new MapColor(29, 1644825);
public static final MapColor goldColor = new MapColor(30, 16445005);
public static final MapColor diamondColor = new MapColor(31, 6085589);
public static final MapColor lapisColor = new MapColor(32, 4882687);
public static final MapColor emeraldColor = new MapColor(33, 55610);
public static final MapColor obsidianColor = new MapColor(34, 8476209);
public static final MapColor netherrackColor = new MapColor(35, 7340544);
/** Holds the color in RGB value that will be rendered on maps. */
public final int colorValue;
/** Holds the index of the color used on map. */
public final int colorIndex;
private MapColor(int index, int color) {
if (index >= 0 && index <= 63) {
this.colorIndex = index;
this.colorValue = color;
mapColorArray[index] = this;
} else {
throw new IndexOutOfBoundsException("Map colour ID must be between 0 and 63 (inclusive)");
}
}
public int func_151643_b(int p_151643_1_) {
int i = 220;
if (p_151643_1_ == 3) {
i = 135;
}
if (p_151643_1_ == 2) {
i = 255;
}
if (p_151643_1_ == 1) {
i = 220;
}
if (p_151643_1_ == 0) {
i = 180;
}
int j = (this.colorValue >> 16 & 255) * i / 255;
int k = (this.colorValue >> 8 & 255) * i / 255;
int l = (this.colorValue & 255) * i / 255;
return -16777216 | j << 16 | k << 8 | l;
}
}
| .version 52 0
.class public super MapColor
.super java/lang/Object
.field public static final mapColorArray [LMapColor;
.field public static final airColor LMapColor;
.field public static final grassColor LMapColor;
.field public static final sandColor LMapColor;
.field public static final clothColor LMapColor;
.field public static final tntColor LMapColor;
.field public static final iceColor LMapColor;
.field public static final ironColor LMapColor;
.field public static final foliageColor LMapColor;
.field public static final snowColor LMapColor;
.field public static final clayColor LMapColor;
.field public static final dirtColor LMapColor;
.field public static final stoneColor LMapColor;
.field public static final waterColor LMapColor;
.field public static final woodColor LMapColor;
.field public static final quartzColor LMapColor;
.field public static final adobeColor LMapColor;
.field public static final magentaColor LMapColor;
.field public static final lightBlueColor LMapColor;
.field public static final yellowColor LMapColor;
.field public static final limeColor LMapColor;
.field public static final pinkColor LMapColor;
.field public static final grayColor LMapColor;
.field public static final silverColor LMapColor;
.field public static final cyanColor LMapColor;
.field public static final purpleColor LMapColor;
.field public static final blueColor LMapColor;
.field public static final brownColor LMapColor;
.field public static final greenColor LMapColor;
.field public static final redColor LMapColor;
.field public static final blackColor LMapColor;
.field public static final goldColor LMapColor;
.field public static final diamondColor LMapColor;
.field public static final lapisColor LMapColor;
.field public static final emeraldColor LMapColor;
.field public static final obsidianColor LMapColor;
.field public static final netherrackColor LMapColor;
.field public final colorValue I
.field public final colorIndex I
.method private <init> : (II)V
.code stack 3 locals 3
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: iload_1
L5: iflt L33
L8: iload_1
L9: bipush 63
L11: if_icmpgt L33
L14: aload_0
L15: iload_1
L16: putfield Field MapColor colorIndex I
L19: aload_0
L20: iload_2
L21: putfield Field MapColor colorValue I
L24: getstatic Field MapColor mapColorArray [LMapColor;
L27: iload_1
L28: aload_0
L29: aastore
L30: goto L43
.stack full
locals Object MapColor Integer Integer
stack
.end stack
L33: new java/lang/IndexOutOfBoundsException
L36: dup
L37: ldc 'Map colour ID must be between 0 and 63 (inclusive)'
L39: invokespecial Method java/lang/IndexOutOfBoundsException <init> (Ljava/lang/String;)V
L42: athrow
.stack same
L43: return
L44:
.linenumbertable
L0 53
L4 54
L14 56
L19 57
L24 58
L33 62
L43 64
.end linenumbertable
.end code
.end method
.method public func_151643_b : (I)I
.code stack 3 locals 6
L0: sipush 220
L3: istore_2
L4: iload_1
L5: iconst_3
L6: if_icmpne L13
L9: sipush 135
L12: istore_2
.stack append Integer
L13: iload_1
L14: iconst_2
L15: if_icmpne L22
L18: sipush 255
L21: istore_2
.stack same
L22: iload_1
L23: iconst_1
L24: if_icmpne L31
L27: sipush 220
L30: istore_2
.stack same
L31: iload_1
L32: ifne L39
L35: sipush 180
L38: istore_2
.stack same
L39: aload_0
L40: getfield Field MapColor colorValue I
L43: bipush 16
L45: ishr
L46: sipush 255
L49: iand
L50: iload_2
L51: imul
L52: sipush 255
L55: idiv
L56: istore_3
L57: aload_0
L58: getfield Field MapColor colorValue I
L61: bipush 8
L63: ishr
L64: sipush 255
L67: iand
L68: iload_2
L69: imul
L70: sipush 255
L73: idiv
L74: istore 4
L76: aload_0
L77: getfield Field MapColor colorValue I
L80: sipush 255
L83: iand
L84: iload_2
L85: imul
L86: sipush 255
L89: idiv
L90: istore 5
L92: ldc -16777216
L94: iload_3
L95: bipush 16
L97: ishl
L98: ior
L99: iload 4
L101: bipush 8
L103: ishl
L104: ior
L105: iload 5
L107: ior
L108: ireturn
L109:
.linenumbertable
L0 68
L4 70
L9 72
L13 75
L18 77
L22 80
L27 82
L31 85
L35 87
L39 90
L57 91
L76 92
L92 93
.end linenumbertable
.end code
.end method
.method static <clinit> : ()V
.code stack 4 locals 0
L0: bipush 64
L2: anewarray MapColor
L5: putstatic Field MapColor mapColorArray [LMapColor;
L8: new MapColor
L11: dup
L12: iconst_0
L13: iconst_0
L14: invokespecial Method MapColor <init> (II)V
L17: putstatic Field MapColor airColor LMapColor;
L20: new MapColor
L23: dup
L24: iconst_1
L25: ldc 8368696
L27: invokespecial Method MapColor <init> (II)V
L30: putstatic Field MapColor grassColor LMapColor;
L33: new MapColor
L36: dup
L37: iconst_2
L38: ldc 16247203
L40: invokespecial Method MapColor <init> (II)V
L43: putstatic Field MapColor sandColor LMapColor;
L46: new MapColor
L49: dup
L50: iconst_3
L51: ldc 13092807
L53: invokespecial Method MapColor <init> (II)V
L56: putstatic Field MapColor clothColor LMapColor;
L59: new MapColor
L62: dup
L63: iconst_4
L64: ldc 16711680
L66: invokespecial Method MapColor <init> (II)V
L69: putstatic Field MapColor tntColor LMapColor;
L72: new MapColor
L75: dup
L76: iconst_5
L77: ldc 10526975
L79: invokespecial Method MapColor <init> (II)V
L82: putstatic Field MapColor iceColor LMapColor;
L85: new MapColor
L88: dup
L89: bipush 6
L91: ldc 10987431
L93: invokespecial Method MapColor <init> (II)V
L96: putstatic Field MapColor ironColor LMapColor;
L99: new MapColor
L102: dup
L103: bipush 7
L105: sipush 31744
L108: invokespecial Method MapColor <init> (II)V
L111: putstatic Field MapColor foliageColor LMapColor;
L114: new MapColor
L117: dup
L118: bipush 8
L120: ldc 16777215
L122: invokespecial Method MapColor <init> (II)V
L125: putstatic Field MapColor snowColor LMapColor;
L128: new MapColor
L131: dup
L132: bipush 9
L134: ldc 10791096
L136: invokespecial Method MapColor <init> (II)V
L139: putstatic Field MapColor clayColor LMapColor;
L142: new MapColor
L145: dup
L146: bipush 10
L148: ldc 9923917
L150: invokespecial Method MapColor <init> (II)V
L153: putstatic Field MapColor dirtColor LMapColor;
L156: new MapColor
L159: dup
L160: bipush 11
L162: ldc 7368816
L164: invokespecial Method MapColor <init> (II)V
L167: putstatic Field MapColor stoneColor LMapColor;
L170: new MapColor
L173: dup
L174: bipush 12
L176: ldc 4210943
L178: invokespecial Method MapColor <init> (II)V
L181: putstatic Field MapColor waterColor LMapColor;
L184: new MapColor
L187: dup
L188: bipush 13
L190: ldc 9402184
L192: invokespecial Method MapColor <init> (II)V
L195: putstatic Field MapColor woodColor LMapColor;
L198: new MapColor
L201: dup
L202: bipush 14
L204: ldc 16776437
L206: invokespecial Method MapColor <init> (II)V
L209: putstatic Field MapColor quartzColor LMapColor;
L212: new MapColor
L215: dup
L216: bipush 15
L218: ldc 14188339
L220: invokespecial Method MapColor <init> (II)V
L223: putstatic Field MapColor adobeColor LMapColor;
L226: new MapColor
L229: dup
L230: bipush 16
L232: ldc 11685080
L234: invokespecial Method MapColor <init> (II)V
L237: putstatic Field MapColor magentaColor LMapColor;
L240: new MapColor
L243: dup
L244: bipush 17
L246: ldc 6724056
L248: invokespecial Method MapColor <init> (II)V
L251: putstatic Field MapColor lightBlueColor LMapColor;
L254: new MapColor
L257: dup
L258: bipush 18
L260: ldc 15066419
L262: invokespecial Method MapColor <init> (II)V
L265: putstatic Field MapColor yellowColor LMapColor;
L268: new MapColor
L271: dup
L272: bipush 19
L274: ldc 8375321
L276: invokespecial Method MapColor <init> (II)V
L279: putstatic Field MapColor limeColor LMapColor;
L282: new MapColor
L285: dup
L286: bipush 20
L288: ldc 15892389
L290: invokespecial Method MapColor <init> (II)V
L293: putstatic Field MapColor pinkColor LMapColor;
L296: new MapColor
L299: dup
L300: bipush 21
L302: ldc 5000268
L304: invokespecial Method MapColor <init> (II)V
L307: putstatic Field MapColor grayColor LMapColor;
L310: new MapColor
L313: dup
L314: bipush 22
L316: ldc 10066329
L318: invokespecial Method MapColor <init> (II)V
L321: putstatic Field MapColor silverColor LMapColor;
L324: new MapColor
L327: dup
L328: bipush 23
L330: ldc 5013401
L332: invokespecial Method MapColor <init> (II)V
L335: putstatic Field MapColor cyanColor LMapColor;
L338: new MapColor
L341: dup
L342: bipush 24
L344: ldc 8339378
L346: invokespecial Method MapColor <init> (II)V
L349: putstatic Field MapColor purpleColor LMapColor;
L352: new MapColor
L355: dup
L356: bipush 25
L358: ldc 3361970
L360: invokespecial Method MapColor <init> (II)V
L363: putstatic Field MapColor blueColor LMapColor;
L366: new MapColor
L369: dup
L370: bipush 26
L372: ldc 6704179
L374: invokespecial Method MapColor <init> (II)V
L377: putstatic Field MapColor brownColor LMapColor;
L380: new MapColor
L383: dup
L384: bipush 27
L386: ldc 6717235
L388: invokespecial Method MapColor <init> (II)V
L391: putstatic Field MapColor greenColor LMapColor;
L394: new MapColor
L397: dup
L398: bipush 28
L400: ldc 10040115
L402: invokespecial Method MapColor <init> (II)V
L405: putstatic Field MapColor redColor LMapColor;
L408: new MapColor
L411: dup
L412: bipush 29
L414: ldc 1644825
L416: invokespecial Method MapColor <init> (II)V
L419: putstatic Field MapColor blackColor LMapColor;
L422: new MapColor
L425: dup
L426: bipush 30
L428: ldc 16445005
L430: invokespecial Method MapColor <init> (II)V
L433: putstatic Field MapColor goldColor LMapColor;
L436: new MapColor
L439: dup
L440: bipush 31
L442: ldc 6085589
L444: invokespecial Method MapColor <init> (II)V
L447: putstatic Field MapColor diamondColor LMapColor;
L450: new MapColor
L453: dup
L454: bipush 32
L456: ldc 4882687
L458: invokespecial Method MapColor <init> (II)V
L461: putstatic Field MapColor lapisColor LMapColor;
L464: new MapColor
L467: dup
L468: bipush 33
L470: ldc 55610
L472: invokespecial Method MapColor <init> (II)V
L475: putstatic Field MapColor emeraldColor LMapColor;
L478: new MapColor
L481: dup
L482: bipush 34
L484: ldc 8476209
L486: invokespecial Method MapColor <init> (II)V
L489: putstatic Field MapColor obsidianColor LMapColor;
L492: new MapColor
L495: dup
L496: bipush 35
L498: ldc 7340544
L500: invokespecial Method MapColor <init> (II)V
L503: putstatic Field MapColor netherrackColor LMapColor;
L506: return
L507:
.linenumbertable
L0 8
L8 9
L20 10
L33 11
L46 12
L59 13
L72 14
L85 15
L99 16
L114 17
L128 18
L142 19
L156 20
L170 21
L184 22
L198 23
L212 24
L226 25
L240 26
L254 27
L268 28
L282 29
L296 30
L310 31
L324 32
L338 33
L352 34
L366 35
L380 36
L394 37
L408 38
L422 39
L436 40
L450 41
L464 42
L478 43
L492 44
.end linenumbertable
.end code
.end method
.sourcefile 'MapColor.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Mon Jul 04 00:45:56 GMT 2022
*/
import org.junit.Test;
import static org.junit.Assert.*;
import org.evosuite.runtime.EvoRunner;
import org.evosuite.runtime.EvoRunnerParameters;
import org.junit.runner.RunWith;
@RunWith(EvoRunner.class) @EvoRunnerParameters(mockJVMNonDeterminism = true, useVFS = true, useVNET = true, resetStaticState = true, separateClassLoader = true, useJEE = true)
public class MapColor_ESTest extends MapColor_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
MapColor mapColor0 = MapColor.airColor;
int int0 = mapColor0.func_151643_b((-16777216));
assertEquals((-16777216), int0);
}
@Test(timeout = 4000)
public void test1() throws Throwable {
MapColor mapColor0 = MapColor.airColor;
mapColor0.func_151643_b(8000);
int int0 = mapColor0.func_151643_b(0);
assertEquals((-16777216), int0);
}
@Test(timeout = 4000)
public void test2() throws Throwable {
MapColor mapColor0 = MapColor.silverColor;
int int0 = mapColor0.func_151643_b(1);
assertEquals((-8092540), int0);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
MapColor mapColor0 = MapColor.diamondColor;
int int0 = mapColor0.func_151643_b(3);
assertEquals((-13601936), int0);
}
@Test(timeout = 4000)
public void test4() throws Throwable {
MapColor mapColor0 = MapColor.grayColor;
int int0 = mapColor0.func_151643_b(2);
assertEquals((-11776948), int0);
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 00:45:56 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class MapColor_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "MapColor";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmp78ajuog_");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(MapColor_ESTest_scaffolding.class.getClassLoader() ,
"MapColor"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(MapColor_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"MapColor"
);
}
}
| 5,197 |
QuadraticInterpolatorSimp | /*
* Shawn E. Gano - simple Quadratic Interpolator - equally space points
* =====================================================================
* Copyright (C) 2009 Shawn E. Gano
*
* This file is part of JSatTrak.
*
* JSatTrak 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.
*
* JSatTrak 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 JSatTrak. If not, see <http://www.gnu.org/licenses/>.
* =====================================================================
*/
/**
* @author sgano
*/
public class QuadraticInterpolatorSimp {
// exterma point
private double[] extremaPt = new double[2];
// roots x-value
private double lowerRoot = 0;
private double upperRoot = 0;
// root count in domain [x0,x2]
private int rootCountInDomain = 0;
// constructor -- x0 < x1 < x2 !!
// points much be equally spaced!
public QuadraticInterpolatorSimp(
double x0, double y0, double x1, double y1, double x2, double y2) {
// coefficients for x0=-1,x1=0,x2=1, y=a*x^2+b*x+c
double a = 0.5 * (y2 + y0) - y1;
double b = 0.5 * (y2 - y0);
double c = y1;
// find extreme value
double xe0 = -b / (2.0 * a);
extremaPt[0] = ((x0 - x1) * xe0 + x0 + x1) / 2.0;
extremaPt[1] = (a * xe0 + b) * xe0 + c;
// discriminant
double dis = b * b - 4.0 * a * c;
if (dis >= 0) // if roots are real
{
double dx = 0.5 * Math.sqrt(dis) / Math.abs(a);
lowerRoot = xe0 - dx; // un scaled
upperRoot = xe0 + dx; // un scaled
if (Math.abs(lowerRoot) <= 1.0) rootCountInDomain++;
if (Math.abs(upperRoot) <= 1.0) rootCountInDomain++;
if (lowerRoot < -1.0)
lowerRoot =
upperRoot; // shortcut -- if only one root then lowerRoot will always store that value
// scale roots back to orginal domain
if (rootCountInDomain > 0) {
lowerRoot = ((x0 - x1) * lowerRoot + x0 + x1) / 2.0;
upperRoot = ((x0 - x1) * upperRoot + x0 + x1) / 2.0;
}
} // real roots exist
}
// exterma point
public double[] getExtremaPt() {
return extremaPt;
}
// roots x-value
public double getLowerRoot() {
return lowerRoot;
}
public double getUpperRoot() {
return upperRoot;
}
// root count in domain [x0,x2]
public int getRootCountInDomain() {
return rootCountInDomain;
}
}
| .version 52 0
.class public super QuadraticInterpolatorSimp
.super java/lang/Object
.field private extremaPt [D
.field private lowerRoot D
.field private upperRoot D
.field private rootCountInDomain I
.method public <init> : (DDDDDD)V
.code stack 6 locals 25
L0: aload_0
L1: invokespecial Method java/lang/Object <init> ()V
L4: aload_0
L5: iconst_2
L6: newarray double
L8: putfield Field QuadraticInterpolatorSimp extremaPt [D
L11: aload_0
L12: dconst_0
L13: putfield Field QuadraticInterpolatorSimp lowerRoot D
L16: aload_0
L17: dconst_0
L18: putfield Field QuadraticInterpolatorSimp upperRoot D
L21: aload_0
L22: iconst_0
L23: putfield Field QuadraticInterpolatorSimp rootCountInDomain I
L26: ldc2_w +0.5
L29: dload 11
L31: dload_3
L32: dadd
L33: dmul
L34: dload 7
L36: dsub
L37: dstore 13
L39: ldc2_w +0.5
L42: dload 11
L44: dload_3
L45: dsub
L46: dmul
L47: dstore 15
L49: dload 7
L51: dstore 17
L53: dload 15
L55: dneg
L56: ldc2_w +2.0
L59: dload 13
L61: dmul
L62: ddiv
L63: dstore 19
L65: aload_0
L66: getfield Field QuadraticInterpolatorSimp extremaPt [D
L69: iconst_0
L70: dload_1
L71: dload 5
L73: dsub
L74: dload 19
L76: dmul
L77: dload_1
L78: dadd
L79: dload 5
L81: dadd
L82: ldc2_w +2.0
L85: ddiv
L86: dastore
L87: aload_0
L88: getfield Field QuadraticInterpolatorSimp extremaPt [D
L91: iconst_1
L92: dload 13
L94: dload 19
L96: dmul
L97: dload 15
L99: dadd
L100: dload 19
L102: dmul
L103: dload 17
L105: dadd
L106: dastore
L107: dload 15
L109: dload 15
L111: dmul
L112: ldc2_w +4.0
L115: dload 13
L117: dmul
L118: dload 17
L120: dmul
L121: dsub
L122: dstore 21
L124: dload 21
L126: dconst_0
L127: dcmpl
L128: iflt L280
L131: ldc2_w +0.5
L134: dload 21
L136: invokestatic Method java/lang/Math sqrt (D)D
L139: dmul
L140: dload 13
L142: invokestatic Method java/lang/Math abs (D)D
L145: ddiv
L146: dstore 23
L148: aload_0
L149: dload 19
L151: dload 23
L153: dsub
L154: putfield Field QuadraticInterpolatorSimp lowerRoot D
L157: aload_0
L158: dload 19
L160: dload 23
L162: dadd
L163: putfield Field QuadraticInterpolatorSimp upperRoot D
L166: aload_0
L167: getfield Field QuadraticInterpolatorSimp lowerRoot D
L170: invokestatic Method java/lang/Math abs (D)D
L173: dconst_1
L174: dcmpg
L175: ifgt L188
L178: aload_0
L179: dup
L180: getfield Field QuadraticInterpolatorSimp rootCountInDomain I
L183: iconst_1
L184: iadd
L185: putfield Field QuadraticInterpolatorSimp rootCountInDomain I
.stack full
locals Object QuadraticInterpolatorSimp Double Double Double Double Double Double Double Double Double Double Double Double
stack
.end stack
L188: aload_0
L189: getfield Field QuadraticInterpolatorSimp upperRoot D
L192: invokestatic Method java/lang/Math abs (D)D
L195: dconst_1
L196: dcmpg
L197: ifgt L210
L200: aload_0
L201: dup
L202: getfield Field QuadraticInterpolatorSimp rootCountInDomain I
L205: iconst_1
L206: iadd
L207: putfield Field QuadraticInterpolatorSimp rootCountInDomain I
.stack same
L210: aload_0
L211: getfield Field QuadraticInterpolatorSimp lowerRoot D
L214: ldc2_w -1.0
L217: dcmpg
L218: ifge L229
L221: aload_0
L222: aload_0
L223: getfield Field QuadraticInterpolatorSimp upperRoot D
L226: putfield Field QuadraticInterpolatorSimp lowerRoot D
.stack same
L229: aload_0
L230: getfield Field QuadraticInterpolatorSimp rootCountInDomain I
L233: ifle L280
L236: aload_0
L237: dload_1
L238: dload 5
L240: dsub
L241: aload_0
L242: getfield Field QuadraticInterpolatorSimp lowerRoot D
L245: dmul
L246: dload_1
L247: dadd
L248: dload 5
L250: dadd
L251: ldc2_w +2.0
L254: ddiv
L255: putfield Field QuadraticInterpolatorSimp lowerRoot D
L258: aload_0
L259: dload_1
L260: dload 5
L262: dsub
L263: aload_0
L264: getfield Field QuadraticInterpolatorSimp upperRoot D
L267: dmul
L268: dload_1
L269: dadd
L270: dload 5
L272: dadd
L273: ldc2_w +2.0
L276: ddiv
L277: putfield Field QuadraticInterpolatorSimp upperRoot D
.stack chop 1
L280: return
L281:
.linenumbertable
L0 44
L4 32
L11 35
L16 36
L21 39
L26 46
L39 47
L49 48
L53 51
L65 52
L87 53
L107 56
L124 58
L131 60
L148 61
L157 62
L166 64
L178 65
L188 66
L200 67
L210 69
L221 70
L229 73
L236 75
L258 76
L280 81
.end linenumbertable
.end code
.end method
.method public getExtremaPt : ()[D
.code stack 1 locals 1
L0: aload_0
L1: getfield Field QuadraticInterpolatorSimp extremaPt [D
L4: areturn
L5:
.linenumbertable
L0 86
.end linenumbertable
.end code
.end method
.method public getLowerRoot : ()D
.code stack 2 locals 1
L0: aload_0
L1: getfield Field QuadraticInterpolatorSimp lowerRoot D
L4: dreturn
L5:
.linenumbertable
L0 92
.end linenumbertable
.end code
.end method
.method public getUpperRoot : ()D
.code stack 2 locals 1
L0: aload_0
L1: getfield Field QuadraticInterpolatorSimp upperRoot D
L4: dreturn
L5:
.linenumbertable
L0 97
.end linenumbertable
.end code
.end method
.method public getRootCountInDomain : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field QuadraticInterpolatorSimp rootCountInDomain I
L4: ireturn
L5:
.linenumbertable
L0 103
.end linenumbertable
.end code
.end method
.sourcefile 'QuadraticInterpolatorSimp.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Mon Jul 04 03:47: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 QuadraticInterpolatorSimp_ESTest extends QuadraticInterpolatorSimp_ESTest_scaffolding {
@Test(timeout = 4000)
public void test0() throws Throwable {
QuadraticInterpolatorSimp quadraticInterpolatorSimp0 = new QuadraticInterpolatorSimp(0.0, 0.0, 0.0, 27694.27, 0.0, 27694.27);
double double0 = quadraticInterpolatorSimp0.getUpperRoot();
assertEquals(0.0, double0, 1.0E-4);
assertEquals(1, quadraticInterpolatorSimp0.getRootCountInDomain());
}
@Test(timeout = 4000)
public void test1() throws Throwable {
QuadraticInterpolatorSimp quadraticInterpolatorSimp0 = new QuadraticInterpolatorSimp((-42909.63), 5844.59391797547, 5844.59391797547, (-42909.63), (-42909.63), 5844.59391797547);
double double0 = quadraticInterpolatorSimp0.getUpperRoot();
assertEquals((-41401.851816056296), double0, 1.0E-4);
assertEquals(2, quadraticInterpolatorSimp0.getRootCountInDomain());
}
@Test(timeout = 4000)
public void test2() throws Throwable {
QuadraticInterpolatorSimp quadraticInterpolatorSimp0 = new QuadraticInterpolatorSimp((-1.0), (-24836.76), 6735.451661365, 1.0, 1.0, 6735.451661365);
double double0 = quadraticInterpolatorSimp0.getLowerRoot();
assertEquals(1, quadraticInterpolatorSimp0.getRootCountInDomain());
assertEquals(3367.4391894128094, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test3() throws Throwable {
QuadraticInterpolatorSimp quadraticInterpolatorSimp0 = new QuadraticInterpolatorSimp(0.5, 0.5, (-102577.204533903), (-102577.204533903), 0.5, (-102577.204533903));
double double0 = quadraticInterpolatorSimp0.getLowerRoot();
assertEquals((-102577.0378670558), double0, 1.0E-4);
assertEquals(1, quadraticInterpolatorSimp0.getRootCountInDomain());
}
@Test(timeout = 4000)
public void test4() throws Throwable {
QuadraticInterpolatorSimp quadraticInterpolatorSimp0 = new QuadraticInterpolatorSimp(0.0, 0.0, 0.0, 0.0, (-1.0), 0.0);
int int0 = quadraticInterpolatorSimp0.getRootCountInDomain();
assertEquals(Double.NaN, quadraticInterpolatorSimp0.getLowerRoot(), 1.0E-4);
assertEquals(0, int0);
}
@Test(timeout = 4000)
public void test5() throws Throwable {
QuadraticInterpolatorSimp quadraticInterpolatorSimp0 = new QuadraticInterpolatorSimp((-23421.4324364079), (-23421.4324364079), (-23421.4324364079), (-22756.211381729983), (-23421.4324364079), (-23421.4324364079));
assertEquals(0, quadraticInterpolatorSimp0.getRootCountInDomain());
assertEquals(0.0, quadraticInterpolatorSimp0.getUpperRoot(), 1.0E-4);
assertEquals(0.0, quadraticInterpolatorSimp0.getLowerRoot(), 1.0E-4);
}
@Test(timeout = 4000)
public void test6() throws Throwable {
QuadraticInterpolatorSimp quadraticInterpolatorSimp0 = new QuadraticInterpolatorSimp((-41.27898546958622), 4.0, 4.0, (-41.27898546958622), (-41.27898546958622), (-41.27898546958622));
int int0 = quadraticInterpolatorSimp0.getRootCountInDomain();
assertEquals(1, int0);
assertEquals((-62.55788860581964), quadraticInterpolatorSimp0.getUpperRoot(), 1.0E-4);
}
@Test(timeout = 4000)
public void test7() throws Throwable {
QuadraticInterpolatorSimp quadraticInterpolatorSimp0 = new QuadraticInterpolatorSimp(0.0, 13970.3939, 0.0, 0.0, 51487.41933837078, 0.0);
double double0 = quadraticInterpolatorSimp0.getLowerRoot();
assertEquals(2, quadraticInterpolatorSimp0.getRootCountInDomain());
assertEquals(0.0, double0, 1.0E-4);
}
@Test(timeout = 4000)
public void test8() throws Throwable {
QuadraticInterpolatorSimp quadraticInterpolatorSimp0 = new QuadraticInterpolatorSimp((-41.27898546958622), 4.0, 4.0, (-41.27898546958622), (-41.27898546958622), (-41.27898546958622));
double[] doubleArray0 = quadraticInterpolatorSimp0.getExtremaPt();
assertEquals(1, quadraticInterpolatorSimp0.getRootCountInDomain());
assertEquals(2.6394104014403155, quadraticInterpolatorSimp0.getLowerRoot(), 1.0E-4);
assertArrayEquals(new double[] {(-29.959239102189663), (-46.9388586532845)}, doubleArray0, 1.0E-4);
}
@Test(timeout = 4000)
public void test9() throws Throwable {
QuadraticInterpolatorSimp quadraticInterpolatorSimp0 = new QuadraticInterpolatorSimp(45690.16495063872, (-17016.600787078023), (-17016.600787078023), (-17016.600787078023), 45690.16495063872, 45690.16495063872);
double double0 = quadraticInterpolatorSimp0.getUpperRoot();
assertEquals(26575.796870444992, double0, 1.0E-4);
assertEquals(1, quadraticInterpolatorSimp0.getRootCountInDomain());
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 03:47:20 GMT 2022
*/
import org.evosuite.runtime.annotation.EvoSuiteClassExclude;
import org.junit.BeforeClass;
import org.junit.Before;
import org.junit.After;
import org.junit.AfterClass;
import org.evosuite.runtime.sandbox.Sandbox;
import org.evosuite.runtime.sandbox.Sandbox.SandboxMode;
@EvoSuiteClassExclude
public class QuadraticInterpolatorSimp_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "QuadraticInterpolatorSimp";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpz4cutorz");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(QuadraticInterpolatorSimp_ESTest_scaffolding.class.getClassLoader() ,
"QuadraticInterpolatorSimp"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(QuadraticInterpolatorSimp_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"QuadraticInterpolatorSimp"
);
}
}
| 5,198 |
ReferralOutcomeBO | /**
* Copyright (c) 2005-2012. Centre for Research on Inner City Health, St. Michael's Hospital,
* Toronto. All Rights Reserved. This software is published under the GPL GNU General Public
* License. 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.
*
* <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, write to the Free Software Foundation, Inc., 59 Temple Place - Suite 330, Boston, MA
* 02111-1307, USA.
*
* <p>This software was written for Centre for Research on Inner City Health, St. Michael's
* Hospital, Toronto, Ontario, Canada
*/
public class ReferralOutcomeBO {
public boolean isAccepted() {
return accepted;
}
public void setAccepted(boolean accepted) {
this.accepted = accepted;
}
public String getRejectionReason() {
return rejectionReason;
}
public void setRejectionReason(String rejectionReason) {
this.rejectionReason = rejectionReason;
}
boolean accepted = true;
String rejectionReason = null;
public int getClientID() {
return clientID;
}
public void setClientID(int clientID) {
this.clientID = clientID;
}
public int getVacancyID() {
return vacancyID;
}
public void setVacancyID(int vacancyID) {
this.vacancyID = vacancyID;
}
int clientID = 0;
int vacancyID = 0;
}
| .version 52 0
.class public super ReferralOutcomeBO
.super java/lang/Object
.field accepted Z
.field rejectionReason Ljava/lang/String;
.field clientID I
.field vacancyID 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_1
L6: putfield Field ReferralOutcomeBO accepted Z
L9: aload_0
L10: aconst_null
L11: putfield Field ReferralOutcomeBO rejectionReason Ljava/lang/String;
L14: aload_0
L15: iconst_0
L16: putfield Field ReferralOutcomeBO clientID I
L19: aload_0
L20: iconst_0
L21: putfield Field ReferralOutcomeBO vacancyID I
L24: return
L25:
.linenumbertable
L0 26
L4 39
L9 40
L14 54
L19 55
.end linenumbertable
.end code
.end method
.method public isAccepted : ()Z
.code stack 1 locals 1
L0: aload_0
L1: getfield Field ReferralOutcomeBO accepted Z
L4: ireturn
L5:
.linenumbertable
L0 28
.end linenumbertable
.end code
.end method
.method public setAccepted : (Z)V
.code stack 2 locals 2
L0: aload_0
L1: iload_1
L2: putfield Field ReferralOutcomeBO accepted Z
L5: return
L6:
.linenumbertable
L0 31
L5 32
.end linenumbertable
.end code
.end method
.method public getRejectionReason : ()Ljava/lang/String;
.code stack 1 locals 1
L0: aload_0
L1: getfield Field ReferralOutcomeBO rejectionReason Ljava/lang/String;
L4: areturn
L5:
.linenumbertable
L0 34
.end linenumbertable
.end code
.end method
.method public setRejectionReason : (Ljava/lang/String;)V
.code stack 2 locals 2
L0: aload_0
L1: aload_1
L2: putfield Field ReferralOutcomeBO rejectionReason Ljava/lang/String;
L5: return
L6:
.linenumbertable
L0 37
L5 38
.end linenumbertable
.end code
.end method
.method public getClientID : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field ReferralOutcomeBO clientID I
L4: ireturn
L5:
.linenumbertable
L0 43
.end linenumbertable
.end code
.end method
.method public setClientID : (I)V
.code stack 2 locals 2
L0: aload_0
L1: iload_1
L2: putfield Field ReferralOutcomeBO clientID I
L5: return
L6:
.linenumbertable
L0 46
L5 47
.end linenumbertable
.end code
.end method
.method public getVacancyID : ()I
.code stack 1 locals 1
L0: aload_0
L1: getfield Field ReferralOutcomeBO vacancyID I
L4: ireturn
L5:
.linenumbertable
L0 49
.end linenumbertable
.end code
.end method
.method public setVacancyID : (I)V
.code stack 2 locals 2
L0: aload_0
L1: iload_1
L2: putfield Field ReferralOutcomeBO vacancyID I
L5: return
L6:
.linenumbertable
L0 52
L5 53
.end linenumbertable
.end code
.end method
.sourcefile 'ReferralOutcomeBO.java'
.end class
| /*
* This file was automatically generated by EvoSuite
* Mon Jul 04 04:14: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 ReferralOutcomeBO_ESTest extends ReferralOutcomeBO_ESTest_scaffolding {
@Test(timeout = 4000)
public void test00() throws Throwable {
ReferralOutcomeBO referralOutcomeBO0 = new ReferralOutcomeBO();
assertTrue(referralOutcomeBO0.isAccepted());
referralOutcomeBO0.accepted = false;
referralOutcomeBO0.isAccepted();
assertEquals(0, referralOutcomeBO0.getClientID());
}
@Test(timeout = 4000)
public void test01() throws Throwable {
ReferralOutcomeBO referralOutcomeBO0 = new ReferralOutcomeBO();
referralOutcomeBO0.setVacancyID(27303);
int int0 = referralOutcomeBO0.getVacancyID();
assertEquals(27303, int0);
}
@Test(timeout = 4000)
public void test02() throws Throwable {
ReferralOutcomeBO referralOutcomeBO0 = new ReferralOutcomeBO();
referralOutcomeBO0.setVacancyID((-67649));
int int0 = referralOutcomeBO0.getVacancyID();
assertEquals((-67649), int0);
}
@Test(timeout = 4000)
public void test03() throws Throwable {
ReferralOutcomeBO referralOutcomeBO0 = new ReferralOutcomeBO();
referralOutcomeBO0.setRejectionReason("6uF\"+^!d");
referralOutcomeBO0.getRejectionReason();
assertEquals(0, referralOutcomeBO0.getClientID());
assertTrue(referralOutcomeBO0.isAccepted());
assertEquals(0, referralOutcomeBO0.getVacancyID());
}
@Test(timeout = 4000)
public void test04() throws Throwable {
ReferralOutcomeBO referralOutcomeBO0 = new ReferralOutcomeBO();
referralOutcomeBO0.rejectionReason = "";
referralOutcomeBO0.getRejectionReason();
assertEquals(0, referralOutcomeBO0.getVacancyID());
assertEquals(0, referralOutcomeBO0.getClientID());
assertTrue(referralOutcomeBO0.isAccepted());
}
@Test(timeout = 4000)
public void test05() throws Throwable {
ReferralOutcomeBO referralOutcomeBO0 = new ReferralOutcomeBO();
referralOutcomeBO0.clientID = 70684;
int int0 = referralOutcomeBO0.getClientID();
assertEquals(70684, int0);
}
@Test(timeout = 4000)
public void test06() throws Throwable {
ReferralOutcomeBO referralOutcomeBO0 = new ReferralOutcomeBO();
referralOutcomeBO0.setClientID((-21246));
int int0 = referralOutcomeBO0.getClientID();
assertEquals((-21246), int0);
}
@Test(timeout = 4000)
public void test07() throws Throwable {
ReferralOutcomeBO referralOutcomeBO0 = new ReferralOutcomeBO();
referralOutcomeBO0.getRejectionReason();
assertEquals(0, referralOutcomeBO0.getVacancyID());
assertTrue(referralOutcomeBO0.isAccepted());
assertEquals(0, referralOutcomeBO0.getClientID());
}
@Test(timeout = 4000)
public void test08() throws Throwable {
ReferralOutcomeBO referralOutcomeBO0 = new ReferralOutcomeBO();
assertTrue(referralOutcomeBO0.isAccepted());
referralOutcomeBO0.setAccepted(false);
assertFalse(referralOutcomeBO0.isAccepted());
}
@Test(timeout = 4000)
public void test09() throws Throwable {
ReferralOutcomeBO referralOutcomeBO0 = new ReferralOutcomeBO();
int int0 = referralOutcomeBO0.getClientID();
assertEquals(0, int0);
assertTrue(referralOutcomeBO0.isAccepted());
assertEquals(0, referralOutcomeBO0.getVacancyID());
}
@Test(timeout = 4000)
public void test10() throws Throwable {
ReferralOutcomeBO referralOutcomeBO0 = new ReferralOutcomeBO();
int int0 = referralOutcomeBO0.getVacancyID();
assertEquals(0, referralOutcomeBO0.getClientID());
assertEquals(0, int0);
assertTrue(referralOutcomeBO0.isAccepted());
}
@Test(timeout = 4000)
public void test11() throws Throwable {
ReferralOutcomeBO referralOutcomeBO0 = new ReferralOutcomeBO();
boolean boolean0 = referralOutcomeBO0.isAccepted();
assertTrue(boolean0);
assertEquals(0, referralOutcomeBO0.getClientID());
assertEquals(0, referralOutcomeBO0.getVacancyID());
}
}
| /**
* Scaffolding file used to store all the setups needed to run
* tests automatically generated by EvoSuite
* Mon Jul 04 04:14: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 ReferralOutcomeBO_ESTest_scaffolding {
@org.junit.Rule
public org.evosuite.runtime.vnet.NonFunctionalRequirementRule nfr = new org.evosuite.runtime.vnet.NonFunctionalRequirementRule();
private static final java.util.Properties defaultProperties = (java.util.Properties) java.lang.System.getProperties().clone();
private org.evosuite.runtime.thread.ThreadStopper threadStopper = new org.evosuite.runtime.thread.ThreadStopper (org.evosuite.runtime.thread.KillSwitchHandler.getInstance(), 3000);
@BeforeClass
public static void initEvoSuiteFramework() {
org.evosuite.runtime.RuntimeSettings.className = "ReferralOutcomeBO";
org.evosuite.runtime.GuiSupport.initialize();
org.evosuite.runtime.RuntimeSettings.maxNumberOfThreads = 100;
org.evosuite.runtime.RuntimeSettings.maxNumberOfIterationsPerLoop = 10000;
org.evosuite.runtime.RuntimeSettings.mockSystemIn = true;
org.evosuite.runtime.RuntimeSettings.sandboxMode = org.evosuite.runtime.sandbox.Sandbox.SandboxMode.RECOMMENDED;
org.evosuite.runtime.sandbox.Sandbox.initializeSecurityManagerForSUT();
org.evosuite.runtime.classhandling.JDKClassResetter.init();
setSystemProperties();
initializeClasses();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
}
@AfterClass
public static void clearEvoSuiteFramework(){
Sandbox.resetDefaultSecurityManager();
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
}
@Before
public void initTestCase(){
threadStopper.storeCurrentThreads();
threadStopper.startRecordingTime();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().initHandler();
org.evosuite.runtime.sandbox.Sandbox.goingToExecuteSUTCode();
setSystemProperties();
org.evosuite.runtime.GuiSupport.setHeadless();
org.evosuite.runtime.Runtime.getInstance().resetRuntime();
org.evosuite.runtime.agent.InstrumentingAgent.activate();
}
@After
public void doneWithTestCase(){
threadStopper.killAndJoinClientThreads();
org.evosuite.runtime.jvm.ShutdownHookHandler.getInstance().safeExecuteAddedHooks();
org.evosuite.runtime.classhandling.JDKClassResetter.reset();
resetClasses();
org.evosuite.runtime.sandbox.Sandbox.doneWithExecutingSUTCode();
org.evosuite.runtime.agent.InstrumentingAgent.deactivate();
org.evosuite.runtime.GuiSupport.restoreHeadlessMode();
}
public static void setSystemProperties() {
java.lang.System.setProperties((java.util.Properties) defaultProperties.clone());
java.lang.System.setProperty("file.encoding", "UTF-8");
java.lang.System.setProperty("java.awt.headless", "true");
java.lang.System.setProperty("java.io.tmpdir", "/tmp");
java.lang.System.setProperty("user.country", "US");
java.lang.System.setProperty("user.dir", "/tmp/tmpf5sghn3w");
java.lang.System.setProperty("user.home", "/home/bmcdanel");
java.lang.System.setProperty("user.language", "en");
java.lang.System.setProperty("user.name", "bmcdanel");
java.lang.System.setProperty("user.timezone", "America/New_York");
}
private static void initializeClasses() {
org.evosuite.runtime.classhandling.ClassStateSupport.initializeClasses(ReferralOutcomeBO_ESTest_scaffolding.class.getClassLoader() ,
"ReferralOutcomeBO"
);
}
private static void resetClasses() {
org.evosuite.runtime.classhandling.ClassResetter.getInstance().setClassLoader(ReferralOutcomeBO_ESTest_scaffolding.class.getClassLoader());
org.evosuite.runtime.classhandling.ClassStateSupport.resetClasses(
"ReferralOutcomeBO"
);
}
}
| 5,199 |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.