这张图网上很多地方都能看到,描述了类加载器之间的继承关系,类加载器在尝试自己去查找某个类的字节代码并定义它时,会先代理给其父类加载器,由父类加载器先去尝试加载这个类,依次类推。下面就给出一个自定义类加载器的例子:
public class FileSystemClassloader extends ClassLoader {
private String rootDir;
public FileSystemClassloader(String rootDir) {
this.rootDir = rootDir;
}
@Override
protected Class<?> findClass(String name) throws ClassNotFoundException {
byte[] classData = getClassData(name);
if (classData == null) {
throw new ClassNotFoundException();
} else {
return defineClass(name, classData, 0, classData.length);
}
}
private byte[] getClassData(String className) {
String path = classNameToPath(className);
try {
InputStream ins = new FileInputStream(path);
ByteArrayOutputStream baos = new ByteArrayOutputStream();
int bufferSize = 1024;
byte[] buffer = new byte[bufferSize];
int bytesNumRead = 0;
while ((bytesNumRead = ins.read(buffer)) != -1) {
baos.write(buffer, 0, bytesNumRead);
}
ins.close();
return baos.toByteArray();
} catch (IOException e) {
e.printStackTrace();
}
return null;
}
private String classNameToPath(String className) {
return rootDir + File.separatorChar
+ className.replace('.', File.separatorChar) + ".class";
}
}
自定义了一个FileSystemClassloader,通过指定的文件路径去加载一个类。
这里需要非常注意的一点是,如果你用eclipse编译了一个java类,所产生的.class文件中是含有包名信息的,也就是说你不能把这个.class挪到任意的位置去加载它,否则会报NoClassDefError,不是ClassNotFoundExcpetion,除非你在编译之前把这个类的package信息去掉。然后就可以像这样去加载一个类:
public class Hello{
}
FileSystemClassloader loader = new FileSystemClassloader("F:/Server");
try {
loader.loadClass("Hello");
} catch (ClassNotFoundException e) {
e.printStackTrace();
}
如果这个类是这样子:
package com.xxj.tests;
public class Hello{
}
那么加载类时第三行代码应该是 loader.loadClass("com.xxj.tests.Hello"),并且路径中你也必须按照名称顺序依次建立com,xxj,tests文件夹。