Добавление com.sun.tools.jar в classpath jar
У меня проблемы с использованием tools.jar
присутствует в jdk1.8.0_121/lib/tools.jar
,
мой $JAVA_HOME
установлен в:
# echo $JAVA_HOME
/usr/local/java/jdk1.8.0_121
Путь к tools.jar
является:
# ls /usr/local/java/jdk1.8.0_121/lib/tools.jar
/usr/local/java/jdk1.8.0_121/lib/tools.jar
И я использую следующее java
исполняемый файл для запуска кода:
/usr/local/java/jdk1.8.0_161/bin/java
Но когда я получаю доступ к классу VirtualMachine, он бросает
Caused by: java.lang.ClassNotFoundException: com.sun.tools.attach.VirtualMachine
at java.net.URLClassLoader.findClass(URLClassLoader.java:381) ~[na:1.8.0_161]
at java.lang.ClassLoader.loadClass(ClassLoader.java:424) ~[na:1.8.0_161]
at sun.misc.Launcher$AppClassLoader.loadClass(Launcher.java:338) ~[na:1.8.0_161]
at java.lang.ClassLoader.loadClass(ClassLoader.java:357) ~[na:1.8.0_161]
... 72 common frames omitted
Может кто-нибудь объяснить, почему Java
не может найти lib/tools.jar
в его classpath & Что я могу сделать, чтобы исправить это поведение?
Для запуска на моей локальной машине я добавил следующую зависимость в мой pom:
<dependency>
<groupId>com.sun</groupId>
<artifactId>tools</artifactId>
<version>1.8</version>
<scope>system</scope>
<systemPath>${java.home}/../lib/tools.jar</systemPath>
</dependency>
Но, когда я развернул его на сервере, этот JAR не упакован из-за system
область видимости & также не находит jar на пути jdk сервера.
Разве это не должно найти все jdk банки автоматически?
Я также пытался добавить переменную env $JAVA_HOME
в записи пути к классу файла MANIFEST jar следующим образом:
Manifest-Version: 1.0
Archiver-Version: Plexus Archiver
Built-By: pankajsinghal
Class-Path: $JAVA_HOME/lib/
Created-By: Apache Maven 3.5.4
Build-Jdk: 1.8.0_181
Но это тоже не работает. Кроме того, я не хочу явно добавлять jar-код этой библиотеки в мой код, так как это библиотека JDK, и я предполагаю, что правильный способ получить к нему доступ - из самого системного пути JDK. Итак, ищем решение в этом направлении.
Любая помощь очень ценится.
1 ответ
Вы можете попробовать это так:
java -cp "/path/your.jar:/usr/local/java/jdk1.8.0_121/lib/tools.jar" your.MainClass
или обратитесь к следующему:
Надеюсь, это вам помогло.
Вы должны добавить эту банку в свойствах проекта. В eclipse, Чтобы добавить этот Jar-файл в путь сборки, щелкните правой кнопкой мыши Project > Путь сборки> Настроить путь сборки> Выберите вкладку Библиотеки> Нажмите Добавить внешние библиотеки> Выберите файл Jar.
Вы можете напрямую добавить toos.jar в свой текущий classLoader, но это всего лишь идея.
File getJar = new File(folderLibsPath + File.separator + "tools.jar");
URLClassLoader classLoaderExt = (URLClassLoader) this.getClassLoader();
URL jarUrl = getJar.toURI().toURL();
Method method = URLClassLoader.class.getDeclaredMethod("addURL", URL.class);
method.setAccessible(true);
method.invoke(classLoaderExt, jarUrl);
ссылка на: Как динамически загружать файлы JAR во время выполнения?
и не забудьте загрузить attach.so (или attach.dll) с
помощью
System.load(absPath)
или же
System.loadLibrary(dllName)
File attachedDLL = new File(folderLibFilePath);
if (attachedDLL.exists()) {
System.load(attachedDLL.getAbsolutePath());
}
Я думаю, у нас была такая же проблема, и этот код работает в моем случае.
Кроме того, есть еще один способ добавить tools.jar в путь к классам, но на самом деле они сделали то же самое:
public void onEnable() throws Exception {
URLClassPath ucp = (URLClassPath) Reflection.getPrivateField("ucp", this.getClassLoader().getParent()); // reflect the subClass of URLClassLoader
File getJar = new File(folderLibsPath + File.separator + "tools.jar");
URL jarUrl = getJar.toURI().toURL();
ucp.addURL(jarUrl); // or just change its "URLs" field by put your jarURL in its Stack
}
Но следует отметить, что таким образом Java будет использовать
AppClassLoader(SystemClassLoader)
чтобы загрузить tools.jar (также вызывающий - ваше приложение будет). Это может плохо повлиять на инициализацию исходного класса, если вы используете
CustomClassLoader
. (потому что в зависимости от
"Java Parent Delegation Model"
, superClassLoader не может узнать, какой класс загружен своим subClassLoader).
Поэтому, если вы разрабатываете подключаемый модуль под customClassLoader (подкласс системного загрузчика классов), путь к классам в AppClassLoader следует удалить (что означает, что пользовательский
PluginClassLoader
чтобы загрузить его, или не его супер) после того, как ваша виртуальная машина была отключена.
здесь я использовал отражение для свершившегося.
public class Main {
public void onEnable() throws Exception {
/** load attach.dll */
System.loadLibrary("attach");
/** load tools.jar */
URLClassPath ucp = (URLClassPath) Reflection.getPrivateField("ucp", this.getClassLoader().getParent());
File getJar = new File(folderLibsPath + File.separator + "tools.jar");
URL jarUrl = getJar.toURI().toURL();
ucp.addURL(jarUrl);
/** attach, load, detach VM */
VirtualMachine vm;
vm = VirtualMachine.attach(this.getPid());
// if the current jar itself is the agent
vm.loadAgent(new File(this.getClass().getProtectionDomain().getCodeSource().getLocation().toURI().getPath()).getAbsolutePath());
vm.detach();
/** change the classLoader back to your custom */
changeClassLoaderBack();
/** unload native DLL Lib */
unloadNativeLibs(); // or you can add a condition to unload attach.dll only
}
public void changeClassLoaderBack() {
URLClassPath ucp = (URLClassPath) Reflection.getPrivateField("ucp", this.getClassLoader().getParent());
/** reset field path */
List<?> path = (ArrayList<?>) Reflection.getPrivateField("path", ucp);
List<URL> newPath = new ArrayList<>();
path.forEach((v) -> {
if(!((URL)v).getPath().contains("toos.jar") && !((URL)v).getPath().contains(this.getPlugin().getName())) {
newPath.add(((URL)v));
}
});
Reflection.setPrivateField("path", ucp, newPath);
/** reset field URLs */
Reflection.setPrivateField("urls", ucp, new Stack<URL>());
/** reset fields loader and LMAP */
List<Object> newLoader = new ArrayList<>();
Map<Object, Object> newLMAP = new HashMap<>();
((HashMap<?,?>)Reflection.getPrivateField("lmap", ucp)).forEach((k,v) -> {
if (!((String)k).contains("tools.jar") && !((String)k).contains(this.getPlugin().getName())) {
newLMAP.put(k, v);
newLoader.add(v);
};
});
Reflection.setPrivateField("lmap", ucp, newLMAP);
Reflection.setPrivateField("loaders", ucp, newLoader);
}
private String getPid() {
RuntimeMXBean bean = ManagementFactory.getRuntimeMXBean();
String pid = bean.getName();
if (pid.contains("@")) {
pid = pid.substring(0, pid.indexOf("@"));
}
return pid;
}
private void unloadNativeLibs(ClassLoader unloadDLLfromWhichLoader) {
try {
ClassLoader classLoader = unloadDLLfromWhichLoader;
Field field = ClassLoader.class.getDeclaredField("nativeLibraries");
field.setAccessible(true);
Vector<?> libs = (Vector<?>) field.get(classLoader);
Iterator<?> it = libs.iterator();
Object o;
while (it.hasNext()) {
o = it.next();
Method finalize = o.getClass().getDeclaredMethod("finalize", new Class[0]);
finalize.setAccessible(true);
finalize.invoke(o, new Object[0]);
}
} catch (Exception e) {
e.printStackTrace();
}
}
}
public class Reflection {
public static Object getPrivateField(String fieldName, Object object) {
Field field;
Object o = null;
try {
field = object.getClass().getDeclaredField(fieldName);
field.setAccessible(true);
o = field.get(object);
}
catch (NoSuchFieldException e) {
e.printStackTrace();
}
catch (IllegalAccessException e) {
e.printStackTrace();
}
return o;
}
public static void setPrivateField(String fieldName, Object object, Object newField) {
Field field;
try {
field = object.getClass().getDeclaredField(fieldName);
field.setAccessible(true);
field.set(object, newField);
}
catch (NoSuchFieldException e) {
e.printStackTrace();
}
catch (IllegalAccessException e) {
e.printStackTrace();
}
}
}
надеюсь, что это может помочь вам в некоторых моментах