-
Notifications
You must be signed in to change notification settings - Fork 91
/
Copy pathClassFileApiWritingExample.java
68 lines (63 loc) · 2.72 KB
/
ClassFileApiWritingExample.java
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
import java.lang.classfile.*;
import java.lang.constant.*;
import java.nio.file.Files;
import java.nio.file.Paths;
import java.nio.file.OpenOption;
/**
* Run: `java --source 24 --enable-preview ClassFileApiWritingExample.java`
*/
public class ClassFileApiWritingExample {
public static void main(String[] args) {
var className = "HelloWorldFromClassFile";
var CD_System = ClassDesc.of("java.lang.System");
var CD_PrintStream = ClassDesc.of("java.io.PrintStream");
// we can use ClassDesc.of to get String class descriptor or use ConstantDescs with fixed class descriptors
// arrayType returns a class descriptors for array of that type
var MTD_void_StringArray = MethodTypeDesc.of(ConstantDescs.CD_void, ConstantDescs.CD_String.arrayType());
var MTD_void_String = MethodTypeDesc.of(ConstantDescs.CD_void, ClassDesc.of("java.lang.String"));
System.out.println("Building class");
byte[] bytes = ClassFile.of().build(
ClassDesc.of(className),
clb -> clb.withFlags(ClassFile.ACC_PUBLIC)
.withMethod(ConstantDescs.INIT_NAME, ConstantDescs.MTD_void, ClassFile.ACC_PUBLIC,
mb -> mb.withCode(
cob -> cob.aload(0)
// invokes Object constructor
.invokespecial(ConstantDescs.CD_Object, ConstantDescs.INIT_NAME, ConstantDescs.MTD_void)
// calls System.out.println
.getstatic(CD_System, "out", CD_PrintStream)
.ldc("Class " + className + " constructor")
.invokevirtual(CD_PrintStream, "println", MTD_void_String)
.return_()
)
)
// another way to build method without using MethodBuilder.withCode
.withMethodBody("main", MTD_void_StringArray, ClassFile.ACC_PUBLIC + ClassFile.ACC_STATIC,
cob -> cob.getstatic(CD_System, "out", CD_PrintStream)
.ldc("Hello World from class built from Class File API")
.invokevirtual(CD_PrintStream, "println", MTD_void_String)
.return_()
)
);
// writes the class to file
// Inspect with: `javap HelloWorldFromClassFile.class`
// Run with: `java HelloWorldFromClassFile`
try {
System.out.println("Writing class");
Files.write(Paths.get(className + ".class"), bytes);
} catch (Exception ex) {
System.err.println("Error during writing: " + ex.getMessage());
}
// loads the written class
try {
System.out.println("Loading and running class");
var clazz = ClassLoader.getSystemClassLoader().loadClass(className);
var instance = clazz.getConstructors()[0].newInstance();
clazz.getMethods()[0].invoke(instance, new Object[] { args });
} catch (ClassNotFoundException ex) {
System.err.println("Class not found");
} catch (Exception ex) {
System.err.println("Error during running: " + ex.getMessage());
}
}
}