Cannot get custom annotations from Java class - java

I want to get class level annotation from Java class:
class FixAnnotation {
public String[] author;
}
#Retention(RetentionPolicy.RUNTIME)
#Target(ElementType.TYPE)
public #interface Fix {
public String[] author() default "";
}
I tried this example of compiled java class:
#Component("test")
#Fix(
author = {"Example author 1", "Example author 2"}
)
public class Order implements Action {
..
}
But when I try:
public List listLocalFilesAndDirsAllLevels(File baseDir) {
List<File> collectedFilesAndDirs = new ArrayList<>();
Deque<File> remainingDirs = new ArrayDeque<>();
if(baseDir.exists()) {
remainingDirs.add(baseDir);
while(!remainingDirs.isEmpty()) {
File dir = remainingDirs.removeLast();
List<File> filesInDir = Arrays.asList(dir.listFiles());
for(File fileOrDir : filesInDir) {
// We need to process only .class files
if(fileOrDir.getName().endsWith(".class")){
collectedFilesAndDirs.add(fileOrDir);
if(fileOrDir.isDirectory()) {
remainingDirs.add(fileOrDir);
}
}
}
}
}
return collectedFilesAndDirs;
}
List<File> list;
for(int i=0; i<list.size(); i++) {
File item = list.get(i);
System.out.println(item.getName());
Fix name = item.getClass().getAnnotation(Fix.class);
out.println("author: " + name.author());
}
I get NPE. Do you know how I can get the annotation content?
EDIT:
I tried this:
public static void main() throws Exception
{
final File folder = new File("/opt/test");
processAnnotatedFiles(listLocalFilesAndDirsAllLevels(folder));
}
public void processAnnotatedFiles(List<File> list) throws IOException, ClassNotFoundException {
out.println("Directory files size " + list.size());
for(int i=0; i<list.size(); i++) {
out.println("File " + list.get(i).getName());
File file = list.get(i);
String path = file.getPath();
String[] authors = getFixFromClassFile(Paths.get(path));
System.out.println(Arrays.toString(authors));
}
}
public List<File> listLocalFilesAndDirsAllLevels(File baseDir) {
List<File> collectedFilesAndDirs = new ArrayList<>();
Deque<File> remainingDirs = new ArrayDeque<>();
if(baseDir.exists()) {
remainingDirs.add(baseDir);
while(!remainingDirs.isEmpty()) {
File dir = remainingDirs.removeLast();
List<File> filesInDir = Arrays.asList(dir.listFiles());
for(File fileOrDir : filesInDir) {
// We need to process only .class files
if(fileOrDir.getName().endsWith(".class")){
collectedFilesAndDirs.add(fileOrDir);
if(fileOrDir.isDirectory()) {
remainingDirs.add(fileOrDir);
}
}
}
}
}
return collectedFilesAndDirs;
}
private String[] getFixFromClassFile(Path pathToClass) throws MalformedURLException, ClassNotFoundException {
// Create class loader based on path
URLClassLoader loader = new URLClassLoader(new URL[]{pathToClass.toUri().toURL()});
// convert path to class with package
String classWithPackage = getClassWithPackageFromPath(pathToClass);
// Load class dynamically
Class<?> clazz = loader.loadClass(classWithPackage);
Fix fix = clazz.getAnnotation(Fix.class);
if (fix == null) {
return new String[0];
}
return fix.author();
}
private String getClassWithPackageFromPath(Path pathToClass) {
final String packageStartsFrom = "com.";
final String classFileExtension = ".class";
final String pathWithDots = pathToClass.toString().replace(File.separator, ".");
return pathWithDots.substring(pathWithDots.indexOf(packageStartsFrom)).replace(classFileExtension, "");
}
I get java.lang.StringIndexOutOfBoundsException: String index out of range: -1
at java.lang.String.substring(String.java:1927)

When you invoke getClass method on File object it will return java.io.File Class instance. This method does not load class from given file.
If you want to load a class from given *.class file you need to use java.lang.ClassLoader implementation. For example, java.net.URLClassLoader. Below you can find example how to load class and check annotation:
import java.io.File;
import java.lang.annotation.ElementType;
import java.lang.annotation.Retention;
import java.lang.annotation.RetentionPolicy;
import java.lang.annotation.Target;
import java.net.MalformedURLException;
import java.net.URL;
import java.net.URLClassLoader;
import java.nio.file.Path;
import java.nio.file.Paths;
import java.util.Arrays;
#Fix(author = "Test author")
public class ReflectionApp {
public static void main(String[] args) throws Exception {
String path = "path/to/com/so/ReflectionApp.class";
String[] authors = getFixFromClassFile(Paths.get(path));
System.out.println(Arrays.toString(authors));
}
private static String[] getFixFromClassFile(Path pathToClass) throws MalformedURLException, ClassNotFoundException {
// Create class loader based on path
URLClassLoader loader = new URLClassLoader(new URL[]{pathToClass.toUri().toURL()});
// convert path to class with package
String classWithPackage = getClassWithPackageFromPath(pathToClass);
// Load class dynamically
Class<?> clazz = loader.loadClass(classWithPackage);
Fix fix = clazz.getAnnotation(Fix.class);
if (fix == null) {
return new String[0];
}
return fix.author();
}
private static String getClassWithPackageFromPath(Path pathToClass) {
final String packageStartsFrom = "com.";
final String classFileExtension = ".class";
final String pathWithDots = pathToClass.toString().replace(File.separator, ".");
return pathWithDots.substring(pathWithDots.indexOf(packageStartsFrom)).replace(classFileExtension, "");
}
}
Above code prints:
[Test author]
See also:
Method to dynamically load java class files

Related

Getting java.lang.NoClassDefFoundError executing .war generated by Gradle

I have a .war generated by Gradle, in Eclipse it doesn't show any problems and the project generates the .war without errors, but when I run the war I get java.lang.NoClassDefFoundError: com/sun/grizzly/http/servlet/ServletAdapter:
INFO: Using classpath: file:/tmp/app_dir/apex/WEB-INF/lib/grizzly-comet-1.9.18-o.jar:file:/tmp/app_dir/apex/WEB-INF/lib/grizzly-http-servlet-1.9.18-o.jar:file:/tmp/app_dir/apex/WEB-INF/lib/grizzly-http-1.9.18-o.jar:file:/tmp/app_dir/apex/WEB-INF/lib/grizzly-utils-1.9.18-o.jar:file:/tmp/app_dir/apex/WEB-INF/lib/grizzly-rcm-1.9.18-o.jar:file:/tmp/app_dir/apex/WEB-INF/lib/commons-fileupload-1.2.1.jar:file:/tmp/app_dir/apex/WEB-INF/lib/xmlparserv2-11.2.0.jar:file:/tmp/app_dir/apex/WEB-INF/lib/grizzly-compat-1.9.18-o.jar:file:/tmp/app_dir/apex/WEB-INF/lib/commons-logging-1.1.1.jar:file:/tmp/app_dir/apex/WEB-INF/lib/javaee-web-api-7.0.jar:file:/tmp/app_dir/apex/WEB-INF/lib/sun.misc.BASE64Decoder.jar:file:/tmp/app_dir/apex/WEB-INF/lib/poi-3.6-20091214.jar:file:/tmp/app_dir/apex/WEB-INF/lib/web-ajp-3.1.jar:file:/tmp/app_dir/apex/WEB-INF/lib/je-4.0.103.jar:file:/tmp/app_dir/apex/WEB-INF/lib/grizzly-cometd-1.9.18-o.jar:file:/tmp/app_dir/apex/WEB-INF/lib/xdb-11.2.0.jar:file:/tmp/app_dir/apex/WEB-INF/lib/grizzly-servlet-deployer-1.9.18-o.jar:file:/tmp/app_dir/apex/WEB-INF/lib/grizzly-portunif-1.9.18-o.jar:file:/tmp/app_dir/apex/WEB-INF/lib/ucp.jar:file:/tmp/app_dir/apex/WEB-INF/lib/json-simple-1.1.1.jar:file:/tmp/app_dir/apex/WEB-INF/lib/ojdbc8.jar:file:/tmp/app_dir/apex/WEB-INF/lib/grizzly-servlet-webserver-1.9.18-o.jar:file:/tmp/app_dir/apex/WEB-INF/lib/ojmisc.jar:file:/tmp/app_dir/apex/WEB-INF/lib/grizzly-framework-1.9.18-o.jar:file:/tmp/app_dir/apex/WEB-INF/lib/apex.jar
SEVERE: com/sun/grizzly/http/servlet/ServletAdapter
java.lang.NoClassDefFoundError: com/sun/grizzly/http/servlet/ServletAdapter
at ____bootstrap.____Bootstrap.newServer(____Bootstrap.java:57)
at ____bootstrap.____Bootstrap.startServer(____Bootstrap.java:125)
at ____bootstrap.____Bootstrap._start(____Bootstrap.java:37)
at ____bootstrap.____Bootstrap.start(____Bootstrap.java:139)
at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method)
at sun.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:62)
at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43)
at java.lang.reflect.Method.invoke(Method.java:498)
at ____embedded.____EntryPoint.invoke(____EntryPoint.java:273)
at ____embedded.____EntryPoint.main(____EntryPoint.java:96)
Even though it seems I have this class available:
On build process I'm moving 2 directories from src/main/java/ to the root of the .war, maybe this is causing the issue?
I have to move those because this war can be executed by command line.
My gradle.build:
plugins {
// Apply the java-library plugin for API and implementation separation.
id 'war'
}
sourceCompatibility = 1.8
targetCompatibility = 1.8
repositories {
// Use Maven Central for resolving dependencies.
mavenCentral()
}
dependencies {
implementation fileTree('libs')
implementation 'com.sun.grizzly:grizzly-project:1.9.18b'
implementation 'com.sun.grizzly:grizzly-servlet-deployer:1.9.18-o'
}
war {
manifest {
attributes(
'Main-Class': '____embedded.____EntryPoint'
)
}
from 'build/classes/java/main/'
}
tasks.register('moveEntryPoint') {
description 'Copies entrypoint to root dir.'
doLast {
ant.move file: "${buildDir}/classes/java/main/____embedded/",
todir: "${buildDir}/____embedded/"
}
}
I run the war like this: java -jar app.war params
Code of where error happens:
package ____bootstrap;
import java.awt.Desktop;
import java.io.Console;
import java.io.File;
import java.io.PrintStream;
import java.net.URI;
import java.util.Arrays;
public class ____Bootstrap {
// ERROR HAPPENS HERE
protected Deployer newServer(Realm realm, String apexImages) {
return new Deployer(apexImages, realm);
}
private void info(String text) {
LOG.println("INFO: " + text);
}
private boolean isEmpty(char[] text) {
boolean isWhitespace = true;
for (int i = 0; i < text.length; i++) {
if (!Character.isWhitespace(text[i])) {
isWhitespace = false;
break;
}
}
return isWhitespace;
}
private void patchXmlLibraries() {
setIfAvailable("javax.xml.transform.TransformerFactory", "com.sun.org.apache.xalan.internal.xsltc.trax.TransformerFactoryImpl");
setIfAvailable("javax.xml.parsers.SAXParserFactory", "com.sun.org.apache.xerces.internal.jaxp.SAXParserFactoryImpl");
setIfAvailable("javax.xml.parsers.DocumentBuilderFactory", "com.sun.org.apache.xerces.internal.jaxp.DocumentBuilderFactoryImpl");
}
private String[] readCredentials(Console c, String role, String defaultName) {
char[] first = new char[0];
try {
String username = c.readLine("Enter a username for the %s [%s]: ", new Object[] { role, defaultName }).trim();
if (username.isEmpty())
username = defaultName;
boolean match = false;
boolean empty = true;
while (!match) {
first = c.readPassword("Enter a password for %s: ", new Object[] { username });
if (isEmpty(first)) {
c.format("Password must not be empty or whitespace.%n", new Object[0]);
continue;
}
char[] second = c.readPassword("Confirm password for %s: ", new Object[] { username });
match = Arrays.equals(first, second);
if (!match)
c.format("Passwords do not match. Try Again.%n", new Object[0]);
Arrays.fill(second, ' ');
}
return new String[] { username, new String(first) };
} finally {
Arrays.fill(first, ' ');
}
}
private Realm realm(File securityCredentials) {
return FileCredentialsStore.realm("APEX Listener Manager", securityCredentials);
}
private void setIfAvailable(String property, String className) {
try {
Class.forName(className);
System.setProperty(property, className);
} catch (Exception e) {}
}
private void severe(Throwable t) {
LOG.println("SEVERE: " + t.getMessage());
t.printStackTrace(LOG);
}
private Deployer startServer(File war, Realm realm, Integer port, int ajpPort) {
String apexImages = System.getProperty("apex.images");
Deployer ws = newServer(realm, apexImages);
if (war != null) {
ws.setLocations(war.getAbsolutePath());
} else {
ws.setLocations("");
}
ws.setPort(port.intValue());
if (ajpPort > 0)
ws.setAJPPort(Integer.valueOf(ajpPort));
return ws;
}
public static void start(File home, File war, Integer port, Integer ajpPort) throws Exception {
____Bootstrap instance = new ____Bootstrap();
instance._start(home, war, port, ajpPort.intValue());
}
}
It generates some classpath stuff here:
package ____embedded;
import java.io.BufferedInputStream;
import java.io.BufferedOutputStream;
import java.io.Closeable;
import java.io.Console;
import java.io.File;
import java.io.FileInputStream;
import java.io.FileNotFoundException;
import java.io.FileOutputStream;
import java.io.FilenameFilter;
import java.io.IOException;
import java.io.InputStream;
import java.io.OutputStream;
import java.io.PrintStream;
import java.lang.reflect.Method;
import java.net.MalformedURLException;
import java.net.URISyntaxException;
import java.net.URL;
import java.net.URLClassLoader;
import java.nio.Buffer;
import java.nio.ByteBuffer;
import java.nio.channels.Channels;
import java.nio.channels.ReadableByteChannel;
import java.nio.channels.WritableByteChannel;
import java.util.ArrayList;
import java.util.List;
import java.util.Properties;
import java.util.jar.JarEntry;
import java.util.jar.JarFile;
import java.util.jar.JarInputStream;
public class ____EntryPoint {
private static final String APEX_ERASE_PROP = "apex.erase";
static final String APEX_HOME_PROP = "apex.home";
private static final String APEX_IMAGES_PROP = "apex.images";
static final String APEX_PORT_PROP = "apex.port";
static final String APEX_AJP_PORT_PROP = "apex.ajp";
private static final String APEX_PROPERTIES = "apex.properties";
private static final String BOOTSTRAP = "____bootstrap.____Bootstrap";
private static final int BUFFER_SIZE = 65536;
private static final String DEFAULT_PORT = "8080";
public static void main(String[] args) {
try {
if (args.length == 1 && args[0].equals("--help")) {
usage(System.out);
} else {
File war = file(war());
info("Starting: " + war.getAbsolutePath() + "\n See: 'java -jar " + war.getName() + " --help' for full range of configuration options");
String portProp = System.getProperty("apex.port");
if (portProp == null) {
System.setProperty("apex.port", "8080");
portProp = "8080";
}
Integer port = Integer.valueOf(Integer.parseInt(portProp));
File home = DEFAULT_HOME;
String apexHome = System.getProperty("apex.home");
if (apexHome != null)
home = new File(apexHome);
Properties props = apexProperties(home);
if (!props.isEmpty())
for (Object p : props.keySet()) {
String prop = p.toString();
String value = props.getProperty(prop);
String existing = System.getProperty(prop);
if (value != null && existing == null)
System.setProperty(prop, value);
}
String ajpPortText = System.getProperty("apex.ajp");
int ajpPort = -1;
if (ajpPortText != null)
ajpPort = Integer.parseInt(ajpPortText);
String erase = System.getProperty("apex.erase");
if (Boolean.parseBoolean(erase)) {
info("Erasing: " + home.getAbsolutePath());
delete(home);
}
info("Extracting to: " + home.getAbsolutePath());
File warFolder = new File(home, "apex");
File warLib = new File(warFolder, "WEB-INF/lib");
if (warFolder.exists())
removeOldFiles(war, warFolder);
extractWar(war(), warFolder);
apexImages(home);
ClassLoader classloader = classloader(new File[] { new File(warFolder, PKG), warLib });
Thread.currentThread().setContextClassLoader(classloader);
invoke(classloader, "____bootstrap.____Bootstrap", "start", new Object[] { home, warFolder, port, Integer.valueOf(ajpPort) });
}
} catch (Throwable t) {
severe(t);
}
}
private static void apexImages(File home) throws IOException {
String apexImages = System.getProperty("apex.images");
Console c = System.console();
File apexProperties = new File(home, "apex.properties");
if (apexImages == null && !apexProperties.exists() && c != null) {
boolean exists = false;
while (!exists) {
apexImages = c.readLine("Enter the path to the directory containing the APEX static resources\n\t Example: /Users/myuser/apex/images \n\t or press Enter to skip: ", new Object[0]).trim();
if (apexImages.isEmpty()) {
String again = c.readLine("Do you want to be prompted to specifiy this path next time? y/n [y]: ", new Object[0]).trim();
if ("n".equalsIgnoreCase(again)) {
apexProperties.getParentFile().getAbsoluteFile().mkdirs();
apexProperties.createNewFile();
}
apexImages = null;
break;
}
File f = new File(apexImages);
exists = f.exists();
if (!exists)
c.format("%s does not exist or is not accessible, please enter another path:%n", new Object[] { f.getAbsolutePath() });
}
}
if (apexImages != null) {
System.setProperty("apex.images", apexImages);
Properties props = apexProperties(home);
String existing = props.getProperty("apex.images");
if (existing == null || !existing.equals(apexImages)) {
props.setProperty("apex.images", apexImages);
OutputStream out = null;
try {
out = new FileOutputStream(apexProperties);
props.store(out, (String)null);
} finally {
close(new Closeable[] { out });
}
}
}
}
static Properties apexProperties(File home) throws FileNotFoundException, IOException {
Properties props = new Properties();
File apexProperties = new File(home, "apex.properties");
if (apexProperties.exists()) {
InputStream propsStream = null;
try {
propsStream = new BufferedInputStream(new FileInputStream(apexProperties));
props.load(propsStream);
} finally {
close(new Closeable[] { propsStream });
}
}
return props;
}
private static ClassLoader classloader(File... folders) throws MalformedURLException {
ClassLoader scope = new URLClassLoader(jars(folders));
return scope;
}
private static void close(Closeable... items) {
for (Closeable close : items) {
if (close != null)
try {
close.close();
} catch (IOException e) {
throw new RuntimeException(e);
}
}
}
private static final boolean delete(File file) {
File failed = null;
if (file.isDirectory())
for (File f : file.listFiles()) {
if (!delete(f)) {
failed = f;
break;
}
}
if (failed == null &&
!file.delete())
failed = file;
return (failed == null);
}
private static long drain(InputStream is, OutputStream os) throws IOException {
if (is != null && os != null) {
ReadableByteChannel source = Channels.newChannel(is);
WritableByteChannel destination = Channels.newChannel(os);
return drain(source, destination);
}
return -1L;
}
private static long drain(ReadableByteChannel source, WritableByteChannel destination) throws IOException {
long length = 0L;
ByteBuffer buffer = ByteBuffer.allocate(65536);
while (source.read(buffer) != -1) {
((Buffer) buffer).flip();
length += buffer.limit();
destination.write(buffer);
buffer.compact();
}
((Buffer) buffer).flip();
while (buffer.hasRemaining())
destination.write(buffer);
return length;
}
private static boolean exists(JarFile jar, File root, File child) {
String path = child.getAbsolutePath().substring(root.getAbsolutePath().length() + 1);
return (jar.getEntry(path) != null);
}
private static void extract(InputStream in, File folder) throws IOException {
JarInputStream jar = null;
OutputStream out = null;
try {
jar = new JarInputStream(in);
JarEntry entry;
while ((entry = jar.getNextJarEntry()) != null) {
File target = new File(folder, entry.getName());
if (isNewer(entry, target)) {
if (entry.isDirectory()) {
target.mkdirs();
continue;
}
target.getParentFile().mkdirs();
out = new BufferedOutputStream(new FileOutputStream(target));
drain(jar, out);
close(new Closeable[] { out });
out = null;
}
}
} finally {
close(new Closeable[] { out, jar, in });
}
}
private static void extractWar(URL war, File folder) throws IOException {
InputStream in = null;
try {
in = war.openStream();
extract(in, folder);
} finally {
close(new Closeable[] { in });
}
}
private static File file(URL url) {
File file;
try {
file = new File(url.toURI());
} catch (URISyntaxException e) {
file = new File(url.getPath());
}
return file;
}
private static void info(String text) {
LOG.println("INFO: " + text);
}
private static void invoke(ClassLoader scope, String clazz, String method, Object... args) throws Exception {
Class<?>[] types = new Class[args.length];
for (int i = 0; i < args.length; i++)
types[i] = args[i].getClass();
Class<?> c = scope.loadClass(clazz);
Method m = c.getMethod(method, types);
m.invoke(null, args);
}
private static boolean isNewer(JarEntry entry, File target) {
boolean exists = target.exists();
long jarModified = entry.getTime();
long targetModified = target.lastModified();
return (!exists || jarModified == -1L || jarModified > targetModified);
}
private static URL[] jars(File... folders) throws MalformedURLException {
StringBuilder classpath = new StringBuilder();
List<URL> allUrls = new ArrayList<URL>();
for (File folder : folders) {
if (folder.exists()) {
URL[] urls = jars(folder);
if (urls.length == 0) {
allUrls.add(folder.toURI().toURL());
} else {
for (URL url : urls) {
allUrls.add(url);
classpath.append(url.toExternalForm());
classpath.append(":");
}
}
}
}
info("Using classpath: " + classpath.toString());
return allUrls.<URL>toArray(new URL[allUrls.size()]);
}
private static URL[] jars(File folder) throws MalformedURLException {
File[] jars = folder.listFiles(new FilenameFilter() {
public boolean accept(File dir, String name) {
name = name.toLowerCase();
return (name.endsWith(".zip") || name.endsWith(".jar"));
}
});
URL[] urls = new URL[(jars == null) ? 0 : jars.length];
StringBuilder classpath = new StringBuilder();
for (int i = 0; i < urls.length; i++) {
urls[i] = jars[i].toURI().toURL();
classpath.append(urls[i].toExternalForm());
if (i < jars.length)
classpath.append(':');
}
return urls;
}
private static void removeOldFiles(File war, File folder) throws IOException {
JarFile jar = new JarFile(war);
File root = folder;
removeOldFiles(jar, root, folder);
}
private static void removeOldFiles(JarFile jar, File root, File folder) {
File[] children = folder.listFiles();
for (File child : children) {
if (child.isDirectory())
removeOldFiles(jar, root, child);
if (!exists(jar, root, child))
child.delete();
}
}
private static void severe(Throwable t) {
LOG.println("SEVERE: " + t.getMessage());
t.printStackTrace(LOG);
}
private static void usage(PrintStream out) {
out.println("java [options] -jar " + file(war()).getName() + " [--help]");
out.println(" Options: ");
out.println(" -Dapex.home=/path/to/apex : Path to the folder used to store the");
out.println(" web container runtime, defaults to:");
out.println(" ${java.io.tmpdir}/apex ");
out.println(" -Dapex.port=nnnn : HTTP listen port, default 8080");
out.println(" -Dapex.ajp=nnnn : AJP (mod_jk) listen port, default none");
out.println(" If an AJP Port is specified then HTTP access is disabled");
out.println(" -Dapex.images=/images/location : Path to the folder containing static");
out.println(" resources required by APEX");
out.println(" -Dapex.erase=true : Erase the contents of ${apex.home} ");
out.println(" before launching");
out.println(" --help : Print this usage message");
}
private static URL war() {
return CLASS.getProtectionDomain().getCodeSource().getLocation();
}
private static final Class<____EntryPoint> CLASS = ____EntryPoint.class;
private static final File DEFAULT_HOME = new File(System.getProperty("java.io.tmpdir") + "/apex");
private static final PrintStream LOG = System.out;
private static final String PKG = CLASS.getPackage().getName();
private static final String START = "start";
}
As I understand I get an error when it tries to call a method on a class that imports the Class it can't find.

How to get file sequence between two file paths

I got two files:
The first:
/opt/tmp/some_dir_1/some_dir_2/file_1.txt
and the second:
/opt/
Is there a pretty way in java to get files between them?
In result i need such a List<File>:
/opt/tmp/
/opt/tmp/some_dir_1/
/opt/tmp/some_dir_1/some_dir_2/
or a List<String>:
/tmp/
/some_dir_1/
/some_dir_2/
if files not inside each other, there can be some exception or Collection.emptyList() in result
Thanks!
This is classic looping style
public static void main(String[] args) {
List<File> files = new ArrayList<>();
Path path1 = Path.of("/home/test/folder");
Path path2 = Path.of("/home");
if(!path1.startsWith(path2)){
System.err.println("Path2 has to be a parent of path1");
System.exit(-1);
}
while(!path1.equals(path2)){
files.add(path1.toFile());
path1 = path1.getParent();
}
System.out.println(files);
}
Try below solution:
import java.io.File;
import java.nio.file.Path;
import java.nio.file.Paths;
import java.util.ArrayList;
import java.util.List;
public class Solution {
public static void main(String[] args)
{
String strPath1 = "/opt/tmp/some_dir_1/some_dir_2/file_1.txt";
String strPath2 = "/opt";
Path path1 = Paths.get(strPath1);
Path path2 = Paths.get(strPath2);
List<String> inbetweenPaths = new ArrayList<>();
List<File> inbetweenFiles = new ArrayList<>();
if(path1.toFile().exists() && path1.startsWith(path2)) {
Path tempPath = path1;
while(!tempPath.getParent().equals(path2)) {
tempPath = tempPath.getParent();
inbetweenPaths.add(tempPath.toString());
inbetweenFiles.add(tempPath.toFile());
}
}
System.out.println(inbetweenPaths);
System.out.println(inbetweenFiles);
}
}
Output:
[/opt/tmp/some_dir_1/some_dir_2, /opt/tmp/some_dir_1, /opt/tmp]
[/opt/tmp/some_dir_1/some_dir_2, /opt/tmp/some_dir_1, /opt/tmp]
Use absolute path to avoid null value from getParent in case the path provided is not absolute and has no parents e.g. /some_dir_1.
public static void main(String args[]) {
Path childPath = Paths.get("/opt/tmp/some_dir_1/some_dir_2/file_1.txt").toAbsolutePath();
Path parentPath = Paths.get("/opt").toAbsolutePath();
List<String> parents = new ArrayList<String>();
// Checks if parentPath is indeed a parent of childPath
if(childPath.startsWith(parentPath)){
// Loop until parent of childPath and parentPath are equal
while(!childPath.getParent().equals(parentPath)) {
parents.add(childPath.getParent().toString());
childPath = childPath.getParent();
}
}
else {
// throw Exception or set parent to empty array here
System.out.println("ERR: parentPath must be a parent of childPath");
return;
}
// Prints the output
for(String p : parents) {
System.out.println(p);
}
}
Output:
/opt/tmp/some_dir_1/some_dir_2
/opt/tmp/some_dir_1
/opt/tmp

javax.tools.JavaCompiler compile into byte[] [duplicate]

This question already has answers here:
How do you dynamically compile and load external java classes? [duplicate]
(2 answers)
Closed 5 years ago.
I'm using the JavaCompiler from the javax.tools package (JDK 1.7) to compile some stuff on the fly, like this:
compiler.run(null, null, "-cp", paths, "path/to/my/file.java");
It works but I would like to do it all in memory (e.g. pass a string with the code, not the source file, and get the byte code back not a .class file). I found that extending the InputStream and OutputStream parameters is no use since it's probably just the same as in the console. Do you know a way to make the run method work like this? Or do you know a confirmed way to do this with the getTask() method? (extending the FileManager looks easy but isn't that easy :)
I've run the above code in Mac OS Java 7. None of them works. So i wrote one
https://github.com/trung/InMemoryJavaCompiler
StringBuilder source = new StringBuilder()
.append("package org.mdkt;\n")
.append("public class HelloClass {\n")
.append(" public String hello() { return \"hello\"; }")
.append("}");
Class<?> helloClass = InMemoryJavaCompiler.compile("org.mdkt.HelloClass", source.toString());
I think this here might be of help it basically shows how to compile Java source from memory (the string is located in the class).
It uses the PrinterWriter and StringWriter to write the source to a String/in memory and then uses the JavaCompiler class (since JDK 6) to compile and run the program:
import javax.tools.Diagnostic;
import javax.tools.DiagnosticCollector;
import javax.tools.JavaCompiler;
import javax.tools.JavaCompiler.CompilationTask;
import javax.tools.JavaFileObject;
import javax.tools.SimpleJavaFileObject;
import javax.tools.ToolProvider;
import java.io.File;
import java.io.IOException;
import java.io.PrintWriter;
import java.io.StringWriter;
import java.lang.reflect.InvocationTargetException;
import java.net.URI;
import java.net.URL;
import java.net.URLClassLoader;
import java.util.Arrays;
public class CompileSourceInMemory {
public static void main(String args[]) throws IOException {
JavaCompiler compiler = ToolProvider.getSystemJavaCompiler();
DiagnosticCollector<JavaFileObject> diagnostics = new DiagnosticCollector<JavaFileObject>();
StringWriter writer = new StringWriter();
PrintWriter out = new PrintWriter(writer);
out.println("public class HelloWorld {");
out.println(" public static void main(String args[]) {");
out.println(" System.out.println(\"This is in another java file\");");
out.println(" }");
out.println("}");
out.close();
JavaFileObject file = new JavaSourceFromString("HelloWorld", writer.toString());
Iterable<? extends JavaFileObject> compilationUnits = Arrays.asList(file);
CompilationTask task = compiler.getTask(null, null, diagnostics, null, null, compilationUnits);
boolean success = task.call();
for (Diagnostic diagnostic : diagnostics.getDiagnostics()) {
System.out.println(diagnostic.getCode());
System.out.println(diagnostic.getKind());
System.out.println(diagnostic.getPosition());
System.out.println(diagnostic.getStartPosition());
System.out.println(diagnostic.getEndPosition());
System.out.println(diagnostic.getSource());
System.out.println(diagnostic.getMessage(null));
}
System.out.println("Success: " + success);
if (success) {
try {
URLClassLoader classLoader = URLClassLoader.newInstance(new URL[] { new File("").toURI().toURL() });
Class.forName("HelloWorld", true, classLoader).getDeclaredMethod("main", new Class[] { String[].class }).invoke(null, new Object[] { null });
} catch (ClassNotFoundException e) {
System.err.println("Class not found: " + e);
} catch (NoSuchMethodException e) {
System.err.println("No such method: " + e);
} catch (IllegalAccessException e) {
System.err.println("Illegal access: " + e);
} catch (InvocationTargetException e) {
System.err.println("Invocation target: " + e);
}
}
}
}
class JavaSourceFromString extends SimpleJavaFileObject {
final String code;
JavaSourceFromString(String name, String code) {
super(URI.create("string:///" + name.replace('.','/') + Kind.SOURCE.extension),Kind.SOURCE);
this.code = code;
}
#Override
public CharSequence getCharContent(boolean ignoreEncodingErrors) {
return code;
}
}
If you have a look at the reference link you will find a few more other examples too
Reference:
Compiling from Memory
This is a class that compiles entirely in memory.
I've taken (almost) the entirety of this from http://javapracs.blogspot.de/2011/06/dynamic-in-memory-compilation-using.html by Rekha Kumari (June 2011). Though this version is more than 100 lines shorter and has considerably more features (but no docs:P).
It can compile multiple classes at once, which is the only way to compile classes that depend on each other. If you wonder about the class "CompilerFeedback": I was working on a tiny Java IDE for coding-games where I needed that. I'm including it here because I assume that you want to do something with this compiler, and the predigestion might help with that. (I realize that some of the code in the CompilerFeedback class is complete crap. It was recycled from a years old attempt.
There's also a utility method, not needed for compilation, that derives the full class name from a class' source code (incl. package name, if it's provided). Very useful for calling the compiler, which does need this information.
DEMO CLASS:
import java.util.ArrayList;
import java.util.List;
public class Demo {
public static void main(final String[] args) {
final InMemoryCompiler.IMCSourceCode cls1source;
final InMemoryCompiler.IMCSourceCode cls2source;
final StringBuilder sb = new StringBuilder();
sb.append("package toast;\n");
sb.append("public class DynaClass {\n");
sb.append(" public static void main(final String[] args) {");
sb.append(" System.out.println(\"Based massively on the work of Rekha Kumari, http://javapracs.blogspot.de/2011/06/dynamic-in-memory-compilation-using.html\");\n");
sb.append(" System.out.println(\"This is the main method speaking.\");\n");
sb.append(" System.out.println(\"Args: \" + java.util.Arrays.toString(args));\n");
sb.append(" final Test test = new Test();\n");
sb.append(" }\n");
sb.append(" public String toString() {\n");
sb.append(" return \"Hello, I am \" + ");
sb.append("this.getClass().getSimpleName();\n");
sb.append(" }\n");
sb.append("}\n");
cls1source = new InMemoryCompiler.IMCSourceCode("toast.DynaClass", sb.toString());
sb.setLength(0);
sb.append("package toast;\n");
sb.append("public class Test {\n");
sb.append(" public Test() {\n");
sb.append(" System.out.println(\"class Test constructor reporting in.\");\n");
sb.append(" System.out.println(new DynaClass());\n");
sb.append(" }\n");
sb.append("}\n");
cls2source = new InMemoryCompiler.IMCSourceCode("toast.Test", sb.toString());
final List<InMemoryCompiler.IMCSourceCode> classSources = new ArrayList<>();
classSources.add(cls1source);
classSources.add(cls2source);
final InMemoryCompiler uCompiler = new InMemoryCompiler(classSources);
final CompilerFeedback compilerFeedback = uCompiler.compile();
System.out.println("\n\nCOMPILER FEEDBACK: " + compilerFeedback);
if (compilerFeedback != null && compilerFeedback.success) {
try {
System.out.println("\nTOSTRING DEMO:");
uCompiler.runToString(cls1source.fullClassName);
} catch (Exception e) {
e.printStackTrace();
}
try {
System.out.println("\nMAIN DEMO:");
uCompiler.runMain(cls1source.fullClassName, new String[] { "test1", "test2" });
} catch (Exception e) {
e.printStackTrace();
}
}
System.exit(0);
}
}
COMPILER CLASS:
import javax.tools.*;
import java.io.ByteArrayOutputStream;
import java.io.IOException;
import java.io.OutputStream;
import java.lang.reflect.InvocationTargetException;
import java.lang.reflect.Method;
import java.net.URI;
import java.security.SecureClassLoader;
import java.util.ArrayList;
import java.util.HashMap;
import java.util.List;
import java.util.Map;
/**
* MASSIVELY based on http://javapracs.blogspot.de/2011/06/dynamic-in-memory-compilation-using.html by Rekha Kumari
* (June 2011)
*/
final public class InMemoryCompiler {
final public static class IMCSourceCode {
final public String fullClassName;
final public String sourceCode;
/**
* #param fullClassName Full name of the class that will be compiled. If the class should be in some package,
* fullName should contain it too, for example: "testpackage.DynaClass"
* #param sourceCode the source code
*/
public IMCSourceCode(final String fullClassName, final String sourceCode) {
this.fullClassName = fullClassName;
this.sourceCode = sourceCode;
}
}
final public boolean valid;
final private List<IMCSourceCode> classSourceCodes;
final private JavaFileManager fileManager;
public InMemoryCompiler(final List<IMCSourceCode> classSourceCodes) {
this.classSourceCodes = classSourceCodes;
final JavaCompiler compiler = ToolProvider.getSystemJavaCompiler();
if (compiler == null) {
fileManager = null;
valid = false;
System.err.println("ToolProvider.getSystemJavaCompiler() returned null! This program needs to be run on a system with an installed JDK.");
return;
}
valid = true;
fileManager = new ForwardingJavaFileManager<JavaFileManager>(compiler.getStandardFileManager(null, null, null)) {
final private Map<String, ByteArrayOutputStream> byteStreams = new HashMap<>();
#Override
public ClassLoader getClassLoader(final Location location) {
return new SecureClassLoader() {
#Override
protected Class<?> findClass(final String className) throws ClassNotFoundException {
final ByteArrayOutputStream bos = byteStreams.get(className);
if (bos == null) {
return null;
}
final byte[] b = bos.toByteArray();
return super.defineClass(className, b, 0, b.length);
}
};
}
#Override
public JavaFileObject getJavaFileForOutput(final Location location, final String className, final JavaFileObject.Kind kind, final FileObject sibling) throws IOException {
return new SimpleJavaFileObject(URI.create("string:///" + className.replace('.', '/') + kind.extension), kind) {
#Override
public OutputStream openOutputStream() throws IOException {
ByteArrayOutputStream bos = byteStreams.get(className);
if (bos == null) {
bos = new ByteArrayOutputStream();
byteStreams.put(className, bos);
}
return bos;
}
};
}
};
}
public CompilerFeedback compile() {
if (!valid) {
return null;
}
final List<JavaFileObject> files = new ArrayList<>();
for (IMCSourceCode classSourceCode : classSourceCodes) {
URI uri = null;
try {
uri = URI.create("string:///" + classSourceCode.fullClassName.replace('.', '/') + JavaFileObject.Kind.SOURCE.extension);
} catch (Exception e) {
// e.printStackTrace();
}
if (uri != null) {
final SimpleJavaFileObject sjfo = new SimpleJavaFileObject(uri, JavaFileObject.Kind.SOURCE) {
#Override
public CharSequence getCharContent(final boolean ignoreEncodingErrors) {
return classSourceCode.sourceCode;
}
};
files.add(sjfo);
}
}
final DiagnosticCollector<JavaFileObject> diagnostics = new DiagnosticCollector<>();
final JavaCompiler compiler = ToolProvider.getSystemJavaCompiler();
if (files.size() > 0) {
final JavaCompiler.CompilationTask task = compiler.getTask(null, fileManager, diagnostics, null, null, files);
return new CompilerFeedback(task.call(), diagnostics);
} else {
return null;
}
}
public void runToString(final String className) throws InstantiationException, IllegalAccessException, ClassNotFoundException {
if (!valid) {
return;
}
final Class<?> theClass = getCompiledClass(className);
final Object instance = theClass.newInstance();
System.out.println(instance);
}
public void runMain(final String className, final String[] args) throws IllegalAccessException, ClassNotFoundException, NoSuchMethodException, InvocationTargetException {
if (!valid) {
return;
}
final Class<?> theClass = getCompiledClass(className);
final Method mainMethod = theClass.getDeclaredMethod("main", String[].class);
mainMethod.invoke(null, new Object[] { args });
}
public Class<?> getCompiledClass(final String className) throws ClassNotFoundException {
if (!valid) {
throw new IllegalStateException("InMemoryCompiler instance not usable because ToolProvider.getSystemJavaCompiler() returned null: No JDK installed.");
}
final ClassLoader classLoader = fileManager.getClassLoader(null);
final Class<?> ret = classLoader.loadClass(className);
if (ret == null) {
throw new ClassNotFoundException("Class returned by ClassLoader was null!");
}
return ret;
}
}
COMPILERFEEDBACK CLASS:
import javax.tools.Diagnostic;
import javax.tools.DiagnosticCollector;
import javax.tools.JavaFileObject;
import javax.tools.SimpleJavaFileObject;
import java.io.IOException;
import java.util.ArrayList;
import java.util.List;
import java.util.Locale;
final public class CompilerFeedback {
final public boolean success;
final public List<CompilerMessage> messages = new ArrayList<>();
public CompilerFeedback(final Boolean success, final DiagnosticCollector<JavaFileObject> diagnostics) {
this.success = success != null && success;
for (Diagnostic<? extends JavaFileObject> diagnostic : diagnostics.getDiagnostics()) {
messages.add(new CompilerMessage(diagnostic));
}
}
public String toString() {
final StringBuilder sb = new StringBuilder();
sb.append("SUCCESS: ").append(success).append('\n');
final int iTop = messages.size();
for (int i = 0; i < iTop; i++) {
sb.append("\n[MESSAGE ").append(i + 1).append(" OF ").append(iTop).append("]\n\n");
// sb.append(messages.get(i).toString()).append("\n");
// sb.append(messages.get(i).toStringForList()).append("\n");
sb.append(messages.get(i).toStringForDebugging()).append("\n");
}
return sb.toString();
}
final public static class CompilerMessage {
final public Diagnostic<? extends JavaFileObject> compilerInfo;
final public String typeOfProblem;
final public String typeOfProblem_forDebugging;
final public String multiLineMessage;
final public int lineNumber;
final public int columnNumber;
final public int textHighlightPos_lineStart;
final public int textHighlightPos_problemStart;
final public int textHighlightPos_problemEnd;
final public String sourceCode;
final public String codeOfConcern;
final public String codeOfConcernLong;
CompilerMessage(final Diagnostic<? extends JavaFileObject> diagnostic) {
final JavaFileObject sourceFileObject = diagnostic.getSource();
String sourceCodePreliminary = null;
if (sourceFileObject instanceof SimpleJavaFileObject) {
final SimpleJavaFileObject simpleSourceFileObject = (SimpleJavaFileObject) sourceFileObject;
try {
final CharSequence charSequence = simpleSourceFileObject.getCharContent(false);
sourceCodePreliminary = charSequence.toString();
} catch (IOException e) {
e.printStackTrace();
}
}
if (sourceCodePreliminary == null) {
sourceCode = "[SOURCE CODE UNAVAILABLE]";
} else {
sourceCode = sourceCodePreliminary;
}
compilerInfo = diagnostic;
typeOfProblem = diagnostic.getKind().name();
typeOfProblem_forDebugging = "toString() = " + diagnostic.getKind().toString() + "; name() = " + typeOfProblem;
lineNumber = (int) compilerInfo.getLineNumber();
columnNumber = (int) compilerInfo.getColumnNumber();
final int sourceLen = sourceCode.length();
textHighlightPos_lineStart = (int) Math.min(Math.max(0, diagnostic.getStartPosition()), sourceLen);
textHighlightPos_problemStart = (int) Math.min(Math.max(0, diagnostic.getPosition()), sourceLen);
textHighlightPos_problemEnd = (int) Math.min(Math.max(0, diagnostic.getEndPosition()), sourceLen);
final StringBuilder reformattedMessage = new StringBuilder();
final String message = diagnostic.getMessage(Locale.US);
final int messageCutOffPosition = message.indexOf("location:");
final String[] messageParts;
if (messageCutOffPosition >= 0) {
messageParts = message.substring(0, messageCutOffPosition).split("\n");
} else {
messageParts = message.split("\n");
}
for (String s : messageParts) {
String s2 = s.trim();
if (s2.length() > 0) {
boolean lengthChanged;
do {
final int lBeforeReplace = s2.length();
s2 = s2.replace(" ", " ");
lengthChanged = (s2.length() != lBeforeReplace);
} while (lengthChanged);
reformattedMessage.append(s2).append("\n");
}
}
codeOfConcern = sourceCode.substring(textHighlightPos_problemStart, textHighlightPos_problemEnd);
codeOfConcernLong = sourceCode.substring(textHighlightPos_lineStart, textHighlightPos_problemEnd);
if (!codeOfConcern.isEmpty()) {
reformattedMessage.append("Code of concern: \"").append(codeOfConcern).append('\"');
}
multiLineMessage = reformattedMessage.toString();
}
public String toStringForList() {
if (compilerInfo == null) {
return "No compiler!";
} else {
return compilerInfo.getCode();
}
}
public String toStringForDebugging() {
final StringBuilder ret = new StringBuilder();
ret.append("Type of problem: ").append(typeOfProblem_forDebugging).append("\n\n");
ret.append("Message:\n").append(multiLineMessage).append("\n\n");
ret.append(compilerInfo.getCode()).append("\n\n");
ret.append("line number: ").append(lineNumber).append("\n");
ret.append("column number: ").append(columnNumber).append("\n");
ret.append("textHighlightPos_lineStart: ").append(textHighlightPos_lineStart).append("\n");
ret.append("textHighlightPos_problemStart: ").append(textHighlightPos_problemStart).append("\n");
ret.append("textHighlightPos_problemEnd: ").append(textHighlightPos_problemEnd).append("\n");
return ret.toString();
}
#Override
public String toString() {
// return compilerInfo.getMessage(Locale.US);
return typeOfProblem + ": " + multiLineMessage + "\n";
}
}
}
UTILITY METHOD (Not needed for the three classes further up.):
final public static String PREFIX_CLASSNAME = "class ";
final public static String PREFIX_PACKAGENAME = "package ";
final public static String CHARSET_JAVAKEYWORDENDERS = " \n[](){}<>;,\"\\/*+-=%!&?#:";
/**
* #return e.g. "com.dreamspacepresident.TestClass" if the source's first root level "class" (I'm talking about {}
* hierarchy.) is named "TestClass", and if the "package" name is "com.dreamspacepresident". Null is returned if
* sourceCode is null or does not provide a class name. (Mind that the parsing is done in a quite crappy way.)
*/
public static String deriveFullClassNameFromSource(final String sourceCode) {
if (sourceCode == null) {
return null;
}
final int firstBr = sourceCode.indexOf('{');
if (firstBr >= 0) {
// DETERMINE CLASS NAME
final int firstClass = sourceCode.indexOf(PREFIX_CLASSNAME);
if (firstClass < firstBr) {
String className = sourceCode.substring(firstClass + PREFIX_CLASSNAME.length(), firstBr).trim();
final int classNameEnd = indexOfAnyOfThese(className, CHARSET_JAVAKEYWORDENDERS);
if (classNameEnd >= 0) {
className = className.substring(0, classNameEnd);
}
if (!className.isEmpty()) {
// DETERMINE PACKAGE NAME
String packageName = null;
final int firstPackage = sourceCode.indexOf(PREFIX_PACKAGENAME);
if (firstPackage >= 0 && firstPackage < firstBr && firstPackage < firstClass) {
packageName = sourceCode.substring(firstPackage + PREFIX_PACKAGENAME.length(), firstBr).trim();
final int packageNameEnd = indexOfAnyOfThese(packageName, CHARSET_JAVAKEYWORDENDERS);
if (packageNameEnd >= 0) {
packageName = packageName.substring(0, packageNameEnd);
}
}
return (packageName != null && !packageName.isEmpty() ? packageName + "." : "") + className;
}
}
}
return null;
}
/**
* Looks for the first occurrence of ANY of the given characters, which is easier than using a bunch of
* String.indexOf() calls.
*
* #return -1 if not found, otherwise the String index of the first hit
*/
public static int indexOfAnyOfThese(final String text, final String characters) {
if (text != null && !text.isEmpty() && characters != null && !characters.isEmpty()) {
final int lenT = text.length();
final int lenC = characters.length();
for (int i = 0; i < lenT; i++) {
final char c = text.charAt(i);
for (int ii = 0; ii < lenC; ii++) {
if (c == characters.charAt(ii)) {
return i;
}
}
}
}
return -1;
}
I wrote a library to do this a few years ago. It takes a String which can contain nested classes, compiles them and optionally loads them into the current class loader (so you don't need an additional class loader) If the JVM is running in debug mode it will write the generated code to a file so you can step through your generated code.
http://vanillajava.blogspot.co.uk/2010_11_01_archive.html
To paraphrase the example from erolagnab you can do
StringBuilder sourceCode = new StringBuilder();
sourceCode.append("package org.mdkt;\n")
.append("public class HelloClass {\n")
.append(" public String hello() { return \"hello\"; }")
.append("}");
Class<?> helloClass = CACHED_COMPILER.compile("org.mdkt.HelloClass",
sourceCode.toString());
Update, the source is available here https://github.com/OpenHFT/Java-Runtime-Compiler
And you can obtain the latest build via maven http://search.maven.org/#browse%7C842970587
A longer example.
// this writes the file to disk only when debugging is enabled.
CachedCompiler cc = CompilerUtils.DEBUGGING ?
new CachedCompiler(new File(parent, "src/test/java"), new File(parent, "target/compiled")) :
CompilerUtils.CACHED_COMPILER;
String text = "generated test " + new Date();
Class fooBarTeeClass = cc.loadFromJava("eg.FooBarTee", "package eg;\n" +
'\n' +
"import eg.components.BarImpl;\n" +
"import eg.components.TeeImpl;\n" +
"import eg.components.Foo;\n" +
'\n' +
"public class FooBarTee{\n" +
" public final String name;\n" +
" public final TeeImpl tee;\n" +
" public final BarImpl bar;\n" +
" public final BarImpl copy;\n" +
" public final Foo foo;\n" +
'\n' +
" public FooBarTee(String name) {\n" +
" // when viewing this file, ensure it is synchronised with the copy on disk.\n" +
" System.out.println(\"" + text + "\");\n" +
" this.name = name;\n" +
'\n' +
" tee = new TeeImpl(\"test\");\n" +
'\n' +
" bar = new BarImpl(tee, 55);\n" +
'\n' +
" copy = new BarImpl(tee, 555);\n" +
'\n' +
" // you should see the current date here after synchronisation.\n" +
" foo = new Foo(bar, copy, \"" + text + "\", 5);\n" +
" }\n" +
'\n' +
" public void start() {\n" +
" }\n" +
'\n' +
" public void stop() {\n" +
" }\n" +
'\n' +
" public void close() {\n" +
" stop();\n" +
'\n' +
" }\n" +
"}\n");
// add a debug break point here and step into this method.
FooBarTee fooBarTee = new FooBarTee("test foo bar tee");
Foo foo = fooBarTee.foo;
assertNotNull(foo);
assertEquals(text, foo.s);
I wanted:
in-memory compilation of a java file (useful for Java as a scripting language)
No additional dependencies (easy to setup)
Implementation in as low number of files as possible (easy to incorporate in a project)
You can try it first here: http://ideone.com/cu1GhE#view_edit_box
The following code is based on Rekha Kumari code:
Main.java
package com.mycompany.java;
//import org.slf4j.Logger;
//import org.slf4j.LoggerFactory;
import java.io.PrintWriter;
import java.io.StringWriter;
import java.util.ArrayList;
import java.util.Arrays;
import java.util.List;
public class Main {
//private static final Logger logger = LoggerFactory.getLogger(Main.class);
public static void main(String[] args) {
try {
StringWriter writer = new StringWriter();
PrintWriter out = new PrintWriter(writer);
out.println("package com.mycompany.script;");
out.println("");
out.println("public class HelloWorld {");
out.println(" public static void main(String args[]) {");
out.println(" System.out.println(\"This is in another java file\");");
out.println(" }");
out.println("}");
out.close();
String fullName = "com.mycompany.script.HelloWorld";
String src = writer.toString();
DynamicCompiler uCompiler = new DynamicCompiler(fullName, src);
uCompiler.compile();
uCompiler.run();
} catch (Exception e) {
//logger.error("Exception:", e);
System.out.print("Exception");
}
}
}
DynamicCompiler.java
package com.mycompany.java;
//import org.slf4j.Logger;
//import org.slf4j.LoggerFactory;
import javax.tools.*;
import java.io.ByteArrayOutputStream;
import java.io.IOException;
import java.io.OutputStream;
import java.lang.reflect.InvocationTargetException;
import java.net.URI;
import java.security.SecureClassLoader;
import java.util.ArrayList;
import java.util.List;
// Based on: http://javapracs.blogspot.cz/2011/06/dynamic-in-memory-compilation-using.html
public class DynamicCompiler {
//private static final Logger logger = LoggerFactory.getLogger(DynamicCompiler.class);
private JavaFileManager fileManager;
private String fullName;
private String sourceCode;
public DynamicCompiler(String fullName, String srcCode) {
this.fullName = fullName;
this.sourceCode = srcCode;
this.fileManager = initFileManager();
}
public JavaFileManager initFileManager() {
if (fileManager != null)
return fileManager;
else {
JavaCompiler compiler = ToolProvider.getSystemJavaCompiler();
fileManager = new
ClassFileManager(compiler
.getStandardFileManager(null, null, null));
return fileManager;
}
}
public void compile() {
JavaCompiler compiler = ToolProvider.getSystemJavaCompiler();
List<JavaFileObject> files = new ArrayList<>();
files.add(new CharSequenceJavaFileObject(fullName, sourceCode));
compiler.getTask(
null,
fileManager,
null,
null,
null,
files
).call();
}
public void run() throws InstantiationException, IllegalAccessException, ClassNotFoundException {
try {
fileManager
.getClassLoader(null)
.loadClass(fullName)
.getDeclaredMethod("main", new Class[]{String[].class})
.invoke(null, new Object[]{null});
} catch (InvocationTargetException e) {
System.out.print("InvocationTargetException");
//logger.error("InvocationTargetException:", e);
} catch (NoSuchMethodException e) {
System.out.print("NoSuchMethodException ");
//logger.error("NoSuchMethodException:", e);
}
}
public class CharSequenceJavaFileObject extends SimpleJavaFileObject {
/**
* CharSequence representing the source code to be compiled
*/
private CharSequence content;
public CharSequenceJavaFileObject(String className, CharSequence content) {
super(URI.create("string:///" + className.replace('.', '/') + Kind.SOURCE.extension), Kind.SOURCE);
this.content = content;
}
public CharSequence getCharContent(boolean ignoreEncodingErrors) {
return content;
}
}
public class ClassFileManager extends ForwardingJavaFileManager {
private JavaClassObject javaClassObject;
public ClassFileManager(StandardJavaFileManager standardManager) {
super(standardManager);
}
#Override
public ClassLoader getClassLoader(Location location) {
return new SecureClassLoader() {
#Override
protected Class<?> findClass(String name) throws ClassNotFoundException {
byte[] b = javaClassObject.getBytes();
return super.defineClass(name, javaClassObject.getBytes(), 0, b.length);
}
};
}
public JavaFileObject getJavaFileForOutput(Location location, String className, JavaFileObject.Kind kind, FileObject sibling) throws IOException {
this.javaClassObject = new JavaClassObject(className, kind);
return this.javaClassObject;
}
}
public class JavaClassObject extends SimpleJavaFileObject {
protected final ByteArrayOutputStream bos =
new ByteArrayOutputStream();
public JavaClassObject(String name, Kind kind) {
super(URI.create("string:///" + name.replace('.', '/')
+ kind.extension), kind);
}
public byte[] getBytes() {
return bos.toByteArray();
}
#Override
public OutputStream openOutputStream() throws IOException {
return bos;
}
}
}
I'd like to introduce my solution which runs well in production.
Here are the three source code files.
MemoryJavaCompiler.java
package me.soulmachine.compiler;
import java.io.IOException;
import java.io.PrintWriter;
import java.io.Writer;
import java.lang.reflect.Method;
import java.util.ArrayList;
import java.util.List;
import java.util.Map;
import javax.tools.*;
/**
* Simple interface to Java compiler using JSR 199 Compiler API.
*/
public class MemoryJavaCompiler {
private javax.tools.JavaCompiler tool;
private StandardJavaFileManager stdManager;
public MemoryJavaCompiler() {
tool = ToolProvider.getSystemJavaCompiler();
if (tool == null) {
throw new RuntimeException("Could not get Java compiler. Please, ensure that JDK is used instead of JRE.");
}
stdManager = tool.getStandardFileManager(null, null, null);
}
/**
* Compile a single static method.
*/
public Method compileStaticMethod(final String methodName, final String className,
final String source)
throws ClassNotFoundException {
final Map<String, byte[]> classBytes = compile(className + ".java", source);
final MemoryClassLoader classLoader = new MemoryClassLoader(classBytes);
final Class clazz = classLoader.loadClass(className);
final Method[] methods = clazz.getDeclaredMethods();
for (final Method method : methods) {
if (method.getName().equals(methodName)) {
if (!method.isAccessible()) method.setAccessible(true);
return method;
}
}
throw new NoSuchMethodError(methodName);
}
public Map<String, byte[]> compile(String fileName, String source) {
return compile(fileName, source, new PrintWriter(System.err), null, null);
}
/**
* compile given String source and return bytecodes as a Map.
*
* #param fileName source fileName to be used for error messages etc.
* #param source Java source as String
* #param err error writer where diagnostic messages are written
* #param sourcePath location of additional .java source files
* #param classPath location of additional .class files
*/
private Map<String, byte[]> compile(String fileName, String source,
Writer err, String sourcePath, String classPath) {
// to collect errors, warnings etc.
DiagnosticCollector<JavaFileObject> diagnostics =
new DiagnosticCollector<JavaFileObject>();
// create a new memory JavaFileManager
MemoryJavaFileManager fileManager = new MemoryJavaFileManager(stdManager);
// prepare the compilation unit
List<JavaFileObject> compUnits = new ArrayList<JavaFileObject>(1);
compUnits.add(fileManager.makeStringSource(fileName, source));
return compile(compUnits, fileManager, err, sourcePath, classPath);
}
private Map<String, byte[]> compile(final List<JavaFileObject> compUnits,
final MemoryJavaFileManager fileManager,
Writer err, String sourcePath, String classPath) {
// to collect errors, warnings etc.
DiagnosticCollector<JavaFileObject> diagnostics =
new DiagnosticCollector<JavaFileObject>();
// javac options
List<String> options = new ArrayList<String>();
options.add("-Xlint:all");
// options.add("-g:none");
options.add("-deprecation");
if (sourcePath != null) {
options.add("-sourcepath");
options.add(sourcePath);
}
if (classPath != null) {
options.add("-classpath");
options.add(classPath);
}
// create a compilation task
javax.tools.JavaCompiler.CompilationTask task =
tool.getTask(err, fileManager, diagnostics,
options, null, compUnits);
if (task.call() == false) {
PrintWriter perr = new PrintWriter(err);
for (Diagnostic diagnostic : diagnostics.getDiagnostics()) {
perr.println(diagnostic);
}
perr.flush();
return null;
}
Map<String, byte[]> classBytes = fileManager.getClassBytes();
try {
fileManager.close();
} catch (IOException exp) {
}
return classBytes;
}
}
MemoryJavaFileManager.java
package me.soulmachine.compiler;
import java.io.ByteArrayOutputStream;
import java.io.File;
import java.io.FilterOutputStream;
import java.io.IOException;
import java.io.OutputStream;
import java.net.URI;
import java.nio.CharBuffer;
import java.util.HashMap;
import java.util.Map;
import javax.tools.FileObject;
import javax.tools.ForwardingJavaFileManager;
import javax.tools.JavaFileManager;
import javax.tools.JavaFileObject;
import javax.tools.JavaFileObject.Kind;
import javax.tools.SimpleJavaFileObject;
/**
* JavaFileManager that keeps compiled .class bytes in memory.
*/
#SuppressWarnings("unchecked")
final class MemoryJavaFileManager extends ForwardingJavaFileManager {
/** Java source file extension. */
private final static String EXT = ".java";
private Map<String, byte[]> classBytes;
public MemoryJavaFileManager(JavaFileManager fileManager) {
super(fileManager);
classBytes = new HashMap<>();
}
public Map<String, byte[]> getClassBytes() {
return classBytes;
}
public void close() throws IOException {
classBytes = null;
}
public void flush() throws IOException {
}
/**
* A file object used to represent Java source coming from a string.
*/
private static class StringInputBuffer extends SimpleJavaFileObject {
final String code;
StringInputBuffer(String fileName, String code) {
super(toURI(fileName), Kind.SOURCE);
this.code = code;
}
public CharBuffer getCharContent(boolean ignoreEncodingErrors) {
return CharBuffer.wrap(code);
}
}
/**
* A file object that stores Java bytecode into the classBytes map.
*/
private class ClassOutputBuffer extends SimpleJavaFileObject {
private String name;
ClassOutputBuffer(String name) {
super(toURI(name), Kind.CLASS);
this.name = name;
}
public OutputStream openOutputStream() {
return new FilterOutputStream(new ByteArrayOutputStream()) {
public void close() throws IOException {
out.close();
ByteArrayOutputStream bos = (ByteArrayOutputStream)out;
classBytes.put(name, bos.toByteArray());
}
};
}
}
public JavaFileObject getJavaFileForOutput(JavaFileManager.Location location,
String className,
Kind kind,
FileObject sibling) throws IOException {
if (kind == Kind.CLASS) {
return new ClassOutputBuffer(className);
} else {
return super.getJavaFileForOutput(location, className, kind, sibling);
}
}
static JavaFileObject makeStringSource(String fileName, String code) {
return new StringInputBuffer(fileName, code);
}
static URI toURI(String name) {
File file = new File(name);
if (file.exists()) {
return file.toURI();
} else {
try {
final StringBuilder newUri = new StringBuilder();
newUri.append("mfm:///");
newUri.append(name.replace('.', '/'));
if(name.endsWith(EXT)) newUri.replace(newUri.length() - EXT.length(), newUri.length(), EXT);
return URI.create(newUri.toString());
} catch (Exception exp) {
return URI.create("mfm:///com/sun/script/java/java_source");
}
}
}
}
MemoryClassLoader.java
package me.soulmachine.compiler;
import java.io.File;
import java.net.MalformedURLException;
import java.net.URL;
import java.net.URLClassLoader;
import java.util.ArrayList;
import java.util.List;
import java.util.Map;
import java.util.StringTokenizer;
/**
* ClassLoader that loads .class bytes from memory.
*/
final class MemoryClassLoader extends URLClassLoader {
private Map<String, byte[]> classBytes;
public MemoryClassLoader(Map<String, byte[]> classBytes,
String classPath, ClassLoader parent) {
super(toURLs(classPath), parent);
this.classBytes = classBytes;
}
public MemoryClassLoader(Map<String, byte[]> classBytes, String classPath) {
this(classBytes, classPath, ClassLoader.getSystemClassLoader());
}
public MemoryClassLoader(Map<String, byte[]> classBytes) {
this(classBytes, null, ClassLoader.getSystemClassLoader());
}
public Class load(String className) throws ClassNotFoundException {
return loadClass(className);
}
public Iterable<Class> loadAll() throws ClassNotFoundException {
List<Class> classes = new ArrayList<Class>(classBytes.size());
for (String name : classBytes.keySet()) {
classes.add(loadClass(name));
}
return classes;
}
protected Class findClass(String className) throws ClassNotFoundException {
byte[] buf = classBytes.get(className);
if (buf != null) {
// clear the bytes in map -- we don't need it anymore
classBytes.put(className, null);
return defineClass(className, buf, 0, buf.length);
} else {
return super.findClass(className);
}
}
private static URL[] toURLs(String classPath) {
if (classPath == null) {
return new URL[0];
}
List<URL> list = new ArrayList<URL>();
StringTokenizer st = new StringTokenizer(classPath, File.pathSeparator);
while (st.hasMoreTokens()) {
String token = st.nextToken();
File file = new File(token);
if (file.exists()) {
try {
list.add(file.toURI().toURL());
} catch (MalformedURLException mue) {}
} else {
try {
list.add(new URL(token));
} catch (MalformedURLException mue) {}
}
}
URL[] res = new URL[list.size()];
list.toArray(res);
return res;
}
}
Explanations:
In order to represent a Java source file in memory instead of disk, I defined a StringInputBuffer class in the MemoryJavaFileManager.java.
To save the compiled .class files in memory, I implemented a class MemoryJavaFileManager. The main idea is to override the function getJavaFileForOutput() to store bytecodes into a map.
To load the bytecodes in memory, I have to implement a customized classloader MemoryClassLoader, which reads bytecodes in the map and turn them into classes.
Here is a unite test.
package me.soulmachine.compiler;
import org.junit.Test;
import java.io.IOException;
import java.lang.reflect.InvocationTargetException;
import java.lang.reflect.Method;
import java.util.ArrayList;
import static org.junit.Assert.assertEquals;
public class MemoryJavaCompilerTest {
private final static MemoryJavaCompiler compiler = new MemoryJavaCompiler();
#Test public void compileStaticMethodTest()
throws ClassNotFoundException, InvocationTargetException, IllegalAccessException {
final String source = "public final class Solution {\n"
+ "public static String greeting(String name) {\n"
+ "\treturn \"Hello \" + name;\n" + "}\n}\n";
final Method greeting = compiler.compileStaticMethod("greeting", "Solution", source);
final Object result = greeting.invoke(null, "soulmachine");
assertEquals("Hello soulmachine", result.toString());
}
}
Reference
JavaCompiler.java from Cloudera Morphlines
How to create an object from a string in Java (how to eval a string)?
InMemoryJavaCompiler
Java-Runtime-Compiler
[动态的Java - 无废话JavaCompilerAPI中文指南]
Compile and Run Java Source Code in Memory.
String fileToCompile = ;
JavaCompile compiler = ToolProvider.getSystemJavaCompiler();
if(
compiler.run(null, null, null, "PACKAGE_NAME" + java.io.File.separator +"CLASS_NAME.java") == 0
)
System.out.println("Compilation is successful");
else
System.out.println("Compilation Failed");

How to call a class that is present inside another .java file (Not a nested class)?

I wrote a SQL parser, the code works fine and I can see proper output at the end of parsing. Now I am trying to display the parsed output in a JSP. In order to do that, I have setup the project on IntelliJ as show in the image below.
The parser I have written earlier has its main method inside getTableColumn which is marked in RED box in the image.
It looks like this.
public class getTableColumn {
..
..
public static void main(String args[]) throws SQLException {
ReadQueries rq = new ReadQueries("query");
String output = rq.getData();
....
....
....
....
}
}
ReadQueries is the class where I declared all the custom methods to parse the SQL. The method getData returns the parsed output and it is present in the String output. I am trying to display the value of output in a jsp.
I renamed the main method in getTableColumn to processQuery so that I can call it from other classes as well.
Based on a drop down in the JSP, I am trying to pass a string value into getTableColumn's processQuery as below.
import com.query.data.ReadQueries;
import com.table.modules.TableModules;
import com.where.WhereData;
import gudusoft.gsqlparser.EDbVendor;
import gudusoft.gsqlparser.IMetaDatabase;
import save.querydata.InsertColumns;
import java.io.File;
import java.sql.SQLException;
import java.util.ArrayList;
import java.util.List;
import java.util.Map;
class sampleMetaDB implements IMetaDatabase {
String columns[][] = { {"server", "db", "schema", "TBL_BBGPOS_REP", "M_TP_PFOLIO"
}, { "server", "db", "schema", "A_FXPOSITIONDEL_REP", "M_FXDELTA"},
{"server", "db", "schema", "A_FXPOSITIONDEL_REP", "M_CLOSING_E" },
{"server", "db", "schema", "A_FXPOSITIONDEL_REP", "M_FXDELTA_Z"}
};
public boolean checkColumn(String server, String database, String schema, String table, String column) {
boolean bServer, bDatabase, bSchema, bTable, bColumn, bRet = false;
for (int i = 0; i < columns.length; i++) {
if ((server == null) || (server.length() == 0)) {
bServer = true;
} else {
bServer = columns[i][0].equalsIgnoreCase(server);
}
if (!bServer) continue;
if ((database == null) || (database.length() == 0)) {
bDatabase = true;
} else {
bDatabase = columns[i][1].equalsIgnoreCase(database);
}
if (!bDatabase) continue;
if ((schema == null) || (schema.length() == 0)) {
bSchema = true;
} else {
bSchema = columns[i][2].equalsIgnoreCase(schema);
}
if (!bSchema) continue;
bTable = columns[i][3].equalsIgnoreCase(table);
if (!bTable) continue;
bColumn = columns[i][4].equalsIgnoreCase(column);
if (!bColumn) continue;
bRet = true;
break;
}
return bRet;
}
}
public class getTableColumn {
private static File[] listFiles(File sqlFiles) {
List<File> children = new ArrayList<File>();
if (sqlFiles != null)
listFiles(sqlFiles, children);
return children.toArray(new File[0]);
}
private static void listFiles(File rootFile, List<File> children) {
if (rootFile.isFile())
children.add(rootFile);
else {
File[] files = rootFile.listFiles();
for (int i = 0; i < files.length; i++) {
listFiles(files[i], children);
}
}
}
public String processQuery(String category) throws SQLException {
EDbVendor vendor = EDbVendor.dbvmysql;
System.out.println("Processing " + vendor.toString() + "...");
TGetTableColumn getTableColumn = new TGetTableColumn(vendor);
getTableColumn.showDetail = false;
getTableColumn.showSummary = true;
getTableColumn.showTreeStructure = false;
getTableColumn.showBySQLClause = false;
getTableColumn.showJoin = false;
getTableColumn.showColumnLocation = true;
getTableColumn.linkOrphanColumnToFirstTable = false;
getTableColumn.showIndex = false;
getTableColumn.showDatatype = true;
getTableColumn.listStarColumn = true;
getTableColumn.setMetaDatabase(new sampleMetaDB());
String sqlQuery = queryDetails[1];
getTableColumn.run(sqlQuery, false);
String issue = category;
ReadQueries rq = new ReadQueries(issue);
String outputQuery = rq.getQueries();
long t = System.currentTimeMillis();
EDbVendor vendor = EDbVendor.dbvmysql;
return outputQuery();
}
private static void displayInitInformation() {
System.out.println("Usage: java getTableColumn [/f <path_to_sql_file>] [/d <path_to_directory_includes_sql_files>] [/t <database type>] [/<show option>]");
System.out.println("/f: specify the sql file path to analyze.");
System.out.println("/t: option, set the database type. Support oracle, mysql, mssql, db2, netezza, teradata, informix, sybase, postgresql, hive, greenplum and redshift, the default type is oracle");
System.out.println("/showSummary: default show option, display the summary information.");
System.out.println("/showDetail: show option, display the detail information.");
System.out.println("/showTreeStructure: show option, display the information as a tree structure.");
System.out.println("/showBySQLClause: show option, display the information group by sql clause type.");
System.out.println("/showJoin: show option, display the join table and column.");
}
}
The problem I see is that I am unable to create an object of getTableColumn in my servlet class.
package com.servlets;
import javax.servlet.ServletException;
import javax.servlet.annotation.WebServlet;
import javax.servlet.http.HttpServlet;
import javax.servlet.http.HttpServletRequest;
import javax.servlet.http.HttpServletResponse;
import java.io.IOException;
#WebServlet("/getdata.do")
public class DataServlet extends HttpServlet {
private static final long serialVersionUID = 1L;
protected void doGet(HttpServletRequest request, HttpServletResponse response) throws ServletException, IOException {
String issue = request.getParameter("reportSelection");
getTableColumn gt = new getTableColumn();
if ("Latency".equals(issue)) {
getTableColumn gt = new getTableColumn();
System.out.println("Latency");
} else if ("DataQuality".equals(issue)) {
System.out.println("Data quality");
} else if ("Outage".equals(issue)) {
}
}
}
The line: getTableColumn gt = new getTableColumn(); says Cannot resolve symbol 'getTableColumn'. I tried to write import statement of that class but it didn't work either.
I don't understand how to fix this problem. Could anyone let me know how can I fix it ?
I think you are having issues because your getTableColumn class is not in a package (or rather it is in the default package), and you can't import a class from the default package. So:
Move your getTableColumn class into a package, for example tablecolumn
Then in DataServlet, add: import tablecolumn.getTableColumn with the other imports
And please make the first letter Upper case for your classes: getTableColumn en tableRelationAnalyze are not valid names

How to find a file using a variable for 'Startswith' in Java

I'm trying to find a file based on the first 8 numbers i pull from an excel sheet for each iteration. Whenever I use the code below I get the error message "Local variable CaseID defined in an enclosing scope must be final or effectively final". I'm still new so i'm not sure how to fix this even though it sounds like a simple fix. The issue is happening at the caseID variable towards the bottom of the code.
package Chrome;
//CHROME
import java.io.File;
import java.io.FileFilter;
import java.io.FileInputStream;
import java.io.FileOutputStream;
import java.io.FilenameFilter;
import org.apache.poi.ss.usermodel.Cell;
import org.apache.poi.ss.usermodel.DataFormatter;
import org.apache.poi.xssf.usermodel.XSSFCell;
import org.apache.poi.xssf.usermodel.XSSFSheet;
import org.apache.poi.xssf.usermodel.XSSFWorkbook;
import org.openqa.selenium.By;
import org.openqa.selenium.WebDriver;
import org.openqa.selenium.chrome.ChromeDriver;
import org.openqa.selenium.chrome.ChromeOptions;
public class ValidateInput {
public static void main(String[] args) throws Throwable {
// TODO Auto-generated method stub
// String filePath=System.getProperty("user.dir")+"\\UP.xlsx";
//File src = new File(filePath);
//System.out.println(filePath);
File src = new File("C:\\Users\\Z246379\\Documents\\TestDataFolder\\ValidateInput.xlsx");
FileInputStream fis = new FileInputStream(src);
XSSFWorkbook wb = new XSSFWorkbook(fis);
XSSFSheet Sheet1 = wb.getSheetAt(0);
int i1 = 2;
//Username
String data0 = Sheet1.getRow(2).getCell(0).getStringCellValue();
//Password
String data01 = Sheet1.getRow(2).getCell(1).getStringCellValue();
//Case ID
String caseID = Sheet1.getRow(i1).getCell(2).getStringCellValue();
// Description
String Desc = Sheet1.getRow(2).getCell(3).getStringCellValue();
//Internal Claim File
String ICF = Sheet1.getRow(1).getCell(4).getStringCellValue();
String CRPT = Sheet1.getRow(1).getCell(5).getStringCellValue();
// final String caseID1 = caseID1;
//Chrome driver code
System.out.println("Called openBrowser");
String exePath = System.getProperty("user.dir")+"\\chromedriver.exe";
System.setProperty("webdriver.chrome.driver", exePath);
ChromeOptions options = new ChromeOptions();
options.setExperimentalOption("useAutomationExtension", false);
options.addArguments("start-maximized");
options.addArguments("--no-sandbox");
options.addArguments("--disable-extensions-except");
options.addArguments("disable-extensions");
//options.setExperimentalOption("useAutomationExtension", false);
WebDriver driver = new ChromeDriver(options);
driver.get("https://client.abc.com");
//Logging in
driver.findElement(By.xpath("//input[#id='userid']")).sendKeys(data0);
driver.findElement(By.xpath("//body[#class='no-nav']/div[#id='wrapper']/header[#class='header']/div[#class='container']/div[#class='menu']/div[#class='drop']/div[#class='login-form']/form[#method='POST']/div[2]/input[1]")).sendKeys(data01);
driver.findElement(By.xpath("//input[#value='Sign In']")).click();
Thread.sleep(2000);
//Navigate to Validate Input
driver.findElement(By.xpath("//span[#class='wpsNavLevel2'][contains(text(),'EZ-Test')]")).click();
Thread.sleep(3000);
driver.get("https://ezt.abc.com/Test/inputFiles/selectValidateInput/selectValidateInput.xhtml");
while (caseID != null)
{
caseID = Sheet1.getRow(i1).getCell(2).getStringCellValue();
//Input Validate Input stuff
driver.findElement(By.xpath("//input[#id='mainForm:caseId']")).sendKeys(caseID);
driver.findElement(By.xpath("//input[#id='mainForm:testBedDesc']")).sendKeys(Desc);
driver.findElement(By.xpath("//select[#id='mainForm:customRptOptions']")).sendKeys(ICF);
driver.findElement(By.xpath("//span[#id='mainForm:customReportLabel']")).click();
File dir = new File("C:\\Users\\Z333379\\Documents\\Test beds");
FilenameFilter filter = new FilenameFilter() {
public boolean accept (File dir, String name) {
return name.startsWith(caseID); //this is where i get the error. its not letting me make case ID a variable. but i really need the starts with stuff
}
};
String[] children = dir.list(filter);
if (children == null) {
System.out.println("Either dir does not exist or is not a directory");
} else {
for (int i=0; i< children.length; i++) {
String filename = children[i];
System.out.println(filename);
driver.findElement(By.xpath("//input[#id='mainForm:comprehensive']")).sendKeys("C:\\Users\\Z246379\\Documents\\Test beds\\" + filename);
}
}
driver.findElement(By.xpath("//button[#id='mainForm:reset']")).click();
i1=i1+1;
}
}
}
Here:
FilenameFilter filter = new FilenameFilter() {
public boolean accept (File dir, String name) {
return name.startsWith(caseID);
}
};
You cannot use a mutable variable in the definition of an inner local class. That's why you receive the error compiler.
Create a temporary variable and assign the value of caseID there, use this variable in your inner local class:
final String localCaseID = caseID;
FilenameFilter filter = new FilenameFilter() {
public boolean accept (File dir, String name) {
return name.startsWith(localCaseID);
}
};
You can use inner class instead of anonymous one. Define it like:
private static class CaseIDFilenameFilter implements FilenameFilter {
private final String caseID;
private CaseIDFilenameFilter(String caseID) {
this.caseID = caseID;
}
#Override
public boolean accept(File dir, String name) {
return name.startsWith(caseID);
}
}
And then use it in your code like:
FilenameFilter filter = new CaseIDFilenameFilter(str);

Categories