In order to generate bytecode of a new class, we need to create a ClassCreator
instance.
We can start with the convenient ClassCreator.Builder
.
ClassCreator creator = ClassCreator.builder() (1)
.classOutput(cl) (2)
.className("com.MyTest") (3)
.build() (4)
-
Create a new
ClassCreator.Builder
instance. -
Set the
ClassOutput
that is used to write the bytecode of the class. -
Specify the fully-qualified class name.
-
Build the
ClassCreator
instance.
By default, the generated class is public
and synthetic (as defined by the Java Language Specification).
If you need to make it final
then use the ClassCreator.Builder#setFinal()
method.
The ClassCreator.Builder#superClass()
and ClassCreator.Builder#interfaces()
methods can be used to specify the superclass and implemented interfaces.
Once we have a ClassCreator
instance, we can start adding fields and methods.
Fields can be added via the FieldCreator
interface returned from the ClassCreator#getFieldCreator()
methods.
By default, the generated field is private
.
You can use the FieldCreator#setModifiers()
method to control the modifiers of the generated field.
import org.objectweb.asm.Opcodes.ACC_FINAL;
import org.objectweb.asm.Opcodes.ACC_PROTECTED;
void addField(ClassCreator fooClazz) {
FieldCreator myField = fooClazz.getFieldCreator("score", Integer.class); (1)
myField.setModifiers(ACC_FINAL | ACC_PROTECTED); (2)
}
-
Create a field
score
of typeInteger
. -
Make the field
protected final
.
A method can be added through a MethodCreator
interface returned from the ClassCreator#getMethodCreator()
methods.
By default, the generated method is public
.
You can use the MethodCreator#setModifiers()
method to control the modifiers of the generated method.
The bytecode of the method is generated via BytecodeCreator
.
See Generating Method Bytecode for more information about how to generate some of the most common operations.
import org.objectweb.asm.Opcodes.ACC_PRIVATE;
void addMethod(ClassCreator fooClazz) {
MethodCreator alwaysReturnFalse = fooClazz.getMethodCreator("alwaysReturnFalse", boolean.class); (1)
alwaysReturnFalse.setModifiers(ACC_PRIVATE);
// Note that MethodCreator also implements BytecodeCreator
alwaysReturnFalse.returnValue(alwaysReturnFalse.load(false)); (2) (3)
}
-
Create a method with the following signature
private boolean alwaysReturnFalse()
. -
A
MethodCreator
must always define a return statement. UsereturnValue(null)
forvoid
methods. -
This is an equivalent of
return false;
.
The BytecodeCreator
interface allows you to generate some of the most common bytecode operations.
It’s not intended to cover all the functionality provided by the JVM and the Java language though.
Most operations return and accept a ResultHandle
.
Simply put a result handle represents a value on the stack.
It could be a result of a method invocation, a method argument, a constant, a result of a read from a field, etc.
It’s immutable.
AssignableResultHandle
, on the other hand, is more like a local variable that can be assigned via BytecodeCreator.assign()
.
An instance field can be read with the BytecodeCreator#readInstanceField()
method.
A static field can be read with the BytecodeCreator#readStaticField()
method.
And the corresponding writeInstanceField()
and writeStaticField()
methods are used to write a field value.
void fieldOperations(MethodCreator method, ResultHandle foo) {
// Boolean booleanTrue = Boolean.TRUE;
FieldDescriptor trueField = FieldDescriptor.of(Boolean.class, "TRUE", Boolean.class);
ResultHandle booleanTrue = method.readStaticField(trueField);
// foo.bar = booleanTrue;
FieldDescriptor barField = FieldDescriptor.of(Foo.class, "bar", Boolean.class);
method.writeInstanceField(fooField, foo, booleanTrue);
}
The JVM instruction set has several bytecode instructions for a method invocation.
Gizmo covers invokestatic
, invokeinterface
, invokevirtual
and invokespecial
.
BytecodeCreator#invokeStaticMethod()
is used to invoke static methods.
Note
|
If you need to invoke a static method of an interface then BytecodeCreator#invokeStaticInterfaceMethod() must be used.
|
void invokeParseBoolean(MethodCreator method) {
// String val = "true";
ResultHandle str = method.load("true");
MethodDescriptor parseBoolean = MethodDescriptor.ofMethod(Boolean.class, "parseBoolean", boolean.class, String.class);
// boolean result = Boolean.parseBoolean(val);
ResultHandle result = method.invokeStaticMethod(parseBoolean, str);
// System.out.printl(val)
Gizmo.systemOutPrintln(method, result);
}
BytecodeCreator#invokeInterfaceMethod()
is used to invoke a method of an interface.
void invokeSize(MethodCreator method, ResultHandle someCollection) {
MethodDescriptor size = MethodDescriptor.ofMethod(Collection.class, "size", int.class);
// System.out.printl(someCollection.size())
Gizmo.systemOutPrintln(method, method.invokeInterfaceMethod(size, someCollection));
}
BytecodeCreator#invokeVirtualMethod()
is used to invoke a virtual method, i.e. a public, package-private and protected methods of a class.
void invokeToLowerCase(MethodCreator method) {
// String val = "HELLO";
ResultHandle str = method.load("HELLO");
MethodDescriptor toLowerCase = MethodDescriptor.ofMethod(String.class, "toLowerCase", String.class);
// String result = str.toLowerCase();
ResultHandle result = method.invokeVirtualMethod(toLowerCase, str);
// System.out.printl(result)
Gizmo.systemOutPrintln(method, result);
}
BytecodeCreator#invokeSpecialMethod()
is used to invoke private instance methods, superclass methods or constructors.
void invokeSuperToString(MethodCreator method) {
MethodDescriptor myPrivateMethod = MethodDescriptor.of(Foo.class,"privateMethod", String.class);
// String result = privateMethod();
ResultHandle result = method.invokeSpecialMethod(myPrivateMethod, method.getThis()); (1)
// System.out.printl(result)
Gizmo.systemOutPrintln(method, result);
}
-
BytecodeCreator.getThis()
represents the current object
Sometimes you need to generate the bytecode to iterate over a collection of elements.
There are two constructs that could be useful: ForEachLoop
and WhileLoop
.
In the following snippet we’re going to generate a bytecode to iterate over all elements of a java.lang.Iterable
instance.
void iterate(MethodCreator method, ResultHandle iterable) {
// for (Object element : iterable) {
// System.out.println(element);
// }
ForEachLoop loop = method.forEach(iterable);
BytecodeCreator block = loop.block();
Gizmo.systemOutPrintln(block, loop.element());
}
Note
|
Unlike the for-each in Java the ForEachLoop does not support arrays, i.e. it’s only possible to iterate over an instance of Iterable .
|
And the next snippet is using the WhileLoop
and java.util.Iterator
instead.
import io.quarkus.gizmo.Gizmo.JdkIterator.HAS_NEXT;
import io.quarkus.gizmo.Gizmo.JdkIterator.NEXT;
void iterate(MethodCreator method, ResultHandle iterator) {
// while (iterator.hasNext()) {
// System.out.println(iterator.next());
// }
WhileLoop loop = method.whileLoop(bc -> bc.invokeInterfaceMethod(HAS_NEXT, iterator));
BytecodeCreator block = loop.block();
Gizmo.systemOutPrintln(block, block.invokeInterfaceMethod(NEXT, iterator));
}
Gizmo provides some basic control flow constructs.
The BytecodeCreator
declares several methods that start with the if
prefix.
A typical example is the ifTrue()
method which can be used to generate a simple if-then
bytecode.
void ifTrue(MethodCreator method, ResultHandle value) {
// if (value) {
// System.out.println("Value is true");
// }
BranchResult result = method.ifTrue(value);
BytecodeCreator trueBranch = result.trueBranch();
Gizmo.systemOutPrintln(trueBranch, trueBranch.load("Value is true"));
}
Note
|
There are other variants such as ifNull() and ifFalse() .
|
If you need a more complex if-then-else
bytecode then you can try the ifThenElse()
method and the returned IfThenElse
construct.
void ifThenElse(MethodCreator method, ResultHandle value) {
// String val;
// if (val.equals("foo")) {
// val = "FOO";
// } else if (val.equals("bar")) {
// val = "BAR!";
// } else if (val.equals("baz")) {
// var = "BAZ!";
// } else {
// val = "OTHER!";
// }
IfThenElse ifValue = method.ifThenElse(Gizmo.equals(method, value, method.load("foo")));
BytecodeCreator ifFooNext = ifValue.then();
ifFooNext.assign(ret, ifFooNext.load("FOO!"));
BytecodeCreator ifBar = ifValue.elseIf(b -> Gizmo.equals(b, value, b.load("bar")));
ifBar.assign(ret, ifBar.load("BAR!"));
BytecodeCreator ifBaz = ifValue.elseIf(b -> Gizmo.equals(b, value, b.load("baz")));
ifBaz.assign(ret, ifBaz.load("BAZ!"));
BytecodeCreator elseThen = ifValue.elseThen();
elseThen.assign(ret, elseThen.load("OTHER!"));
}
Gizmo has two constructs to generate the bytecode output similar to Java switch statement/expressions.
The BytecodeCreator#stringSwitch()
method creates a new Switch construct for a String
value.
While the BytecodeCreator#enumSwitch()
method creates a new Switch construct for an enum value.
By default, the fall through is disabled. A case block is treated as a switch rule block; i.e. it’s not necessary to add the break statement to prevent the fall through.
// String ret;
// switch (arg) {
// case "boom", "foo" -> ret = "foooboom";
// case "bar" -> ret = "barr";
// case "baz" -> ret = "bazz";
// default -> ret = null;
// }
// return ret;
StringSwitch s = method.stringSwitch(strResultHandle);
s.caseOf(List.of("boom", "foo"), bc -> {
bc.assign(ret, bc.load("foooboom"));
});
s.caseOf("bar", bc -> {
bc.assign(ret, bc.load("barr"));
});
s.caseOf("baz", bc -> {
bc.assign(ret, bc.load("bazz"));
});
s.defaultCase(bc -> bc.assign(ret, bc.loadNull()));
However, if fall through is enabled then a case block is treated as a labeled statement group; i.e. it’s necessary to add the break statement to prevent the fall through.
// String ret;
// switch (arg) {
// case "boom":
// case "foo":
// ret = "fooo";
// break;
// case "bar":
// ret = "barr"
// case "baz"
// ret = "bazz";
// break;
// default:
// ret = null;
// }
// return ret;
StringSwitch s = method.stringSwitch(strResultHandle);
s.fallThrough();
s.caseOf(List.of("boom", "foo"), bc -> {
bc.assign(ret, bc.load("fooo"));
s.doBreak(bc);
});
s.caseOf("bar", bc -> {
bc.assign(ret, bc.load("barr"));
});
s.caseOf("baz", bc -> {
bc.assign(ret, bc.load("bazz"));
s.doBreak(bc);
});
s.defaultCase(bc -> bc.assign(ret, bc.loadNull()));
There are 3 methods for type conversions:
-
checkCast()
-
convertPrimitive()
-
smartCast()
The checkCast()
method emits the checkcast
instruction, which performs a dynamic type check and a reference conversion.
If the value that is supposed to be converted is statically known to be of a primitive type, the checkCast()
method emits a boxing conversion first, before the type conversion.
The convertPrimitive()
method emits primitive conversion instructions (i2l
, d2i
etc.).
If the value that is supposed to be converted is statically known to be of a primitive wrapper class, the convertPrimitive()
method emits an unboxing conversion first, before the type conversion.
The smartCast()
method emits a sequence of instructions to cast the value to the given target type, using boxing, unboxing, primitive and reference conversions.
For example, it allows casting java.lang.Integer
to java.lang.Long
by an unboxing conversion, followed by a primitive conversion, followed by a boxing conversion.
This method is not equivalent to the casting conversion described by Java Language Specification; it is a superset.
The Gizmo
class contains many utilities for generating common code sequences.
Gizmo.toString(BytecodeCreator target, ResultHandle obj)
generates an invocation of obj.toString()
into target
.
It returns a ResultHandle
of type java.lang.String
.
Note that this code sequence fails at runtime with NullPointerException
when obj
represents the null
reference.
Gizmo.equals(BytecodeCreator target, ResultHandle obj1, ResultHandle obj2)
generates an invocation of obj1.equals(obj2)
into target
.
It returns a ResultHandle
of type boolean
.
Note that this code sequence fails at runtime with NullPointerException
when obj1
represents the null
reference.
Gizmo.systemOutPrintln(BytecodeCreator target, ResultHandle obj)
generates an invocation of System.out.println(obj)
into target
.
Note that this code sequence fails at runtime with ClassCastException
when obj
is not of type String
.
Similarly, Gizmo.systemErrPrintln(BytecodeCreator target, ResultHandle obj)
generates an invocation of System.err.println(obj)
into target
.
Note that this code sequence fails at runtime with ClassCastException
when obj
is not of type String
.
Gizmo.newArrayList(BytecodeCreator target)
generates an invocation of new ArrayList()
into target
.
There’s also a variant that takes a statically known initial capacity: Gizmo.newArrayList(BytecodeCreator target, int initialCapacity)
.
Gizmo.newHashSet(BytecodeCreator target)
generates an invocation of new HashSet()
into target
.
Gizmo.newHashMap(BytecodeCreator target)
generates an invocation of new HashMap()
into target
.
Gizmo.newStringBuilder(BytecodeCreator target)
generates an invocation of new StringBuilder()
into target
and returns a StringBuilderGenerator
.
The generator has an append(ResultHandle)
method that generates an invocation of the correct overload of myStringBuilder.append()
.
There’s also a variant of append()
that takes statically known char
and String
constants.
After the string is built, StringBuilderGenerator.callToString()
generates an invocation of myStringBuilder.toString()
to finally build the String
object.
void buildString(BytecodeCreator bytecode) {
// StringBuilder str = new StringBuilder();
StringBuilderGenerator str = Gizmo.newStringBuilder(bytecode);
// str.append(1);
str.append(bytecode.load(1));
// str.append('+');
str.append(bytecode.load('+'));
// str.append(1L);
str.append(bytecode.load(1L));
// str.append("=");
str.append(bytecode.load("="));
// str.append("???");
str.append("???");
// String result = str.toString();
ResultHandle result = str.callToString();
// System.out.println(result);
Gizmo.systemOutPrintln(bytecode, result);
}
Several helper methods and classes are provided to generate method invocations on commonly used classes and their instances.
They are all structured similarly.
For example, when you call Gizmo.listOperations(BytecodeCreator)
, you get a JdkList
.
If you call JdkList.on(ResultHandle)
, where the parameter represents a java.util.List
, you get a JdkListInstance
.
JdkList
has methods to generate invocations of static methods from java.util.List
, while JdkListInstance
allows generating invocations of instance methods.
Similar methods and classes exists for other types, such as Set
, Map
, Collection
, or Optional
.
Further, the classes such as JdkList
are structured in an inheritance hierarchy that mirrors the actual inheritance hierarchy of List
etc.
So JdkList
extends JdkCollection
, which in turn extends JdkIterable
:
JdkIterable JdkMap
^
|
JdkCollection JdkOptional
^ ^
| |
JdkList JdkSet
Similarly, JdkListInstance
extends JdkCollectionInstance
, which in turn extends JdkIterableInstance
:
JdkIterableInstance JdkMapInstance
^
|
JdkCollectionInstance JdkOptionalInstance
^ ^
| |
JdkListInstance JdkSetInstance
Therefore, if you have a JdkListInstance
, you can generate a size()
invocation, because JdkCollectionInstance
has a method for it.
Gizmo.iterableOperations(BytecodeCreator target)
returns JdkIterable
with no additional methods.
JdkIterable.on(ResultHandle iterable)
returns JdkIterableInstance
with these methods:
-
iterator()
to generate an invocation ofmyIterable.iterator()
Gizmo.iteratorOperations(BytecodeCreator target)
returns JdkIterator
with no additional methods.
JdkIterator.on(ResultHandle iterator)
returns JdkIteratorInstance
with these methods:
-
hasNext()
to generate an invocation ofmyIterator.hasNext()
-
next()
to generate an invocation ofmyIterator.next()
void iterate(BytecodeCreator bytecode, ResultHandle iterable) {
// Iterator iterator = iterable.iterator();
ResultHandle iterator = Gizmo.iterableOperations(bytecode).on(iterable).iterator();
// while (iterator.hasNext()) {
// Object next = iterator.next();
// System.out.println((String) next);
// }
WhileLoop loop = bytecode.whileLoop(bc -> bc.ifTrue(
Gizmo.iteratorOperations(bc).on(iterator).hasNext()));
BytecodeCreator block = loop.block();
ResultHandle next = Gizmo.iteratorOperations(block).on(iterator).next();
Gizmo.systemOutPrintln(block, next);
}
Gizmo.collectionOperations(BytecodeCreator target)
returns JdkCollection
with no additional methods.
JdkCollection.on(ResultHandle colletion)
returns JdkCollectionInstance
with these methods:
-
size()
to generate an invocation ofmyCollection.size()
-
isEmpty()
to generate an invocation ofmyCollection.isEmpty()
-
contains(ResultHandle obj)
to generate an invocation ofmyCollection.contains(Object)
-
add(ResultHandle element)
to generate an invocation ofmyCollection.add(Object)
-
addAll(ResultHandle collection)
to generate an invocation ofmyCollection.addAll(Collection)
-
clear()
to generate an invocation ofmyCollection.clear()
void printSize(BytecodeCreator bytecode, ResultHandle collection) {
JdkCollectionInstance collectionOps = Gizmo.collectionOperations(bytecode).on(collection);
// int size = collection.size();
ResultHandle size = collectionOps.size();
// String sizeStr = "" + size;
ResultHandle sizeStr = Gizmo.toString(bytecode, size); (1)
// System.out.println(sizeStr);
Gizmo.systemOutPrintln(bytecode, sizeStr);
}
-
Here, we emit a
toString()
call on a primitive type (size
is anint
). Gizmo will insert an auto-boxing operation, so thetoString()
method is actually called onjava.lang.Integer
.
Gizmo.listOperations(BytecodeCreator target)
returns JdkList
with these methods:
-
of()
to generate an invocation ofList.of()
-
of(ResultHandle e1)
to generate an invocation ofList.of(Object)
-
of(ResultHandle e1, ResultHandle e2)
to generate an invocation ofList.of(Object, Object)
-
of(ResultHandle e1, ResultHandle e2, ResultHandle e3)
to generate an invocation ofList.of(Object, Object, Object)
-
of(ResultHandle… elements)
to generate an invocation ofList.of(Object…)
-
copyOf(ResultHandle collection)
to generate an invocation ofList.copyOf(Collection)
JdkList.on(ResultHandle list)
returns JdkListInstance
with these methods:
-
get(int index)
to generate an invocation ofmyList.get(int)
-
get(ResultHandle index)
to generate an invocation ofmyList.get(index)
.
void createListAndPrintFirst(BytecodeCreator bytecode) {
JdkList listOps = Gizmo.listOperations(bytecode);
// List list = List.of("element", "2nd element");
ResultHandle list = listOps.of(bytecode.load("element"), bytecode.load("2nd element"));
JdkListInstance listInstanceOps = listOps.on(list);
// Object firstElement = list.get(0);
ResultHandle firstElement = listInstanceOps.get(0);
// System.out.println((String) firstElement);
Gizmo.systemOutPrintln(bytecode, firstElement);
}
Gizmo.setOperations(BytecodeCreator target)
returns JdkSet
with these methods:
-
of()
to generate an invocation ofSet.of()
-
of(ResultHandle e1)
to generate an invocation ofSet.of(Object)
-
of(ResultHandle e1, ResultHandle e2)
to generate an invocation ofSet.of(Object, Object)
-
of(ResultHandle e1, ResultHandle e2, ResultHandle e3)
to generate an invocation ofSet.of(Object, Object, Object)
-
of(ResultHandle… elements)
to generate an invocation ofSet.of(Object…)
-
copyOf(ResultHandle collection)
to generate an invocation ofSet.copyOf(Collection)
JdkSet.on(ResultHandle set)
returns JdkSetInstance
with no additional methods.
void createSetAndPrint(BytecodeCreator bytecode) {
Gizmo.JdkSet setOps = Gizmo.setOperations(bytecode);
// Set set = Set.of("element", "2nd element");
ResultHandle set = setOps.of(bytecode.load("element"), bytecode.load("2nd element"));
// String setStr = set.toString();
ResultHandle setStr = Gizmo.toString(bytecode, set);
// System.out.println(setStr);
Gizmo.systemOutPrintln(bytecode, setStr);
}
Gizmo.mapOperations(BytecodeCreator target)
returns JdkMap
with these methods:
-
of()
to generate an invocation ofMap.of()
-
of(ResultHandle k1, ResultHandle v1)
to generate an invocation ofMap.of(Object, Object)
-
copyOf(ResultHandle map)
to generate an invocation ofMap.copyOf(Map)
JdkMap.on(ResultHandle map)
returns JdkMapInstance
with these methods:
-
get(ResultHandle key)
to generate an invocation ofmyMap.get(Object)
-
put(ResultHandle key, ResultHandle val)
to generate an invocation ofmyMap.put(Object, Object)
-
size()
to generate an invocation ofmyMap.size()
-
isEmpty()
to generate an invocation ofmyMap.isEmpty()
-
containsKey(ResultHandle key)
to generate an invocation ofmyMap.containsKey(Object)
void createMapAndLookup(BytecodeCreator bytecode) {
JdkMap mapOps = Gizmo.mapOperations(bytecode);
// Map map = Map.of("key", "value");
ResultHandle map = mapOps.of(bytecode.load("key"), bytecode.load("value"));
JdkMapInstance mapInstanceOps = mapOps.on(map);
// Object value = map.get("key");
ResultHandle value = mapInstanceOps.get(bytecode.load("key"));
// System.out.println((String) value);
Gizmo.systemOutPrintln(bytecode, value);
}
Gizmo.optionalOperations(BytecodeCreator target)
returns JdkOptional
with these methods:
-
of(ResultHandle value)
to generate an invocation ofOptional.of(Object)
-
ofNullable(ResultHandle value)
to generate an invocation ofOptional.ofNullable(Object)
JdkOptional.on(ResultHandle optional)
returns JdkOptionalInstance
with these methods:
-
isPresent()
to generate an invocation ofmyOptional.isPresent()
-
isEmpty()
to generate an invocation ofmyOptional.isEmpty()
-
get()
to generate an invocation ofmyOptional.get()
void createOptionalAndPrint(BytecodeCreator bytecode) {
JdkOptional optionalOps = Gizmo.optionalOperations(bytecode);
// Optional optional = Optional.of("value");
ResultHandle optional = optionalOps.of(bytecode.load("value"));
JdkOptionalInstance optionalInstanceOps = optionalOps.on(optional);
// if (optional.isPresent()) {
// Object value = optional.get();
// System.out.println((String) value);
// }
BytecodeCreator ifPresent = bytecode.ifTrue(optionalInstanceOps.isPresent()).trueBranch();
ResultHandle value = Gizmo.optionalOperations(ifPresent).on(optional).get();
Gizmo.systemOutPrintln(ifPresent, value);
}
When creating a DTO-style class, it is often possible to generate the equals
, hashCode
and toString
from a template.
Similarly to IDEs generating their source code, Gizmo has utility methods to generate their bytecode.
To generate a structural equals
method into given ClassCreator
, based on given fields, use:
-
Gizmo.generateEquals(ClassCreator clazz, FieldDescriptor... fields)
-
Gizmo.generateEquals(ClassCreator clazz, Collection<FieldDescriptor> fields)
To generate a structural equals
and hashCode
methods into given ClassCreator
, based on given fields, use:
-
Gizmo.generateEqualsAndHashCode(ClassCreator clazz, FieldDescriptor... fields)
-
Gizmo.generateEqualsAndHashCode(ClassCreator clazz, Collection<FieldDescriptor> fields)
Finally, to generate a naive toString
method into given ClassCreator
, based on given fields, use:
-
Gizmo.generateNaiveToString(ClassCreator clazz, FieldDescriptor... fields)
-
Gizmo.generateNaiveToString(ClassCreator clazz, Collection<FieldDescriptor> fields)
These methods require explicitly passing the set of fields to consider. When you know that all fields must be considered, it is easy to express that.
void createDTO(ClassOutput output) {
try (ClassCreator creator = ClassCreator.builder()
.classOutput(output)
.className("com.example.Person")
.build()) {
creator.getFieldCreator("name", String.class).setModifiers(Opcodes.ACC_FINAL);
creator.getFieldCreator("age", int.class).setModifiers(Opcodes.ACC_FINAL);
// generate constructor here
Gizmo.generateEqualsAndHashCode(creator, creator.getExistingFields());
Gizmo.generateNaiveToString(creator, creator.getExistingFields());
}
}
In addition to creating classes, Gizmo also provides a limited form of class transformation.
In order to transform the bytecode of an existing class, we need to create a ClassTransformer
instance, configure the class transformation, and then apply it to a ClassVisitor
.
The result is another ClassVisitor
that should be used instead of the original.
ClassTransformer transformer = new ClassTransformer(className); (1)
// ...do some transformations
ClassVisitor visitor = transformer.applyTo(originalVisitor); (2)
-
ClassTransformer
needs to know the name of class that is being transformed. -
ClassTransformer#applyTo()
takes aClassVisitor
and returns anotherClassVisitor
that performs the transformation. TheClassVisitor
passed toapplyTo
must not have been visited yet.
ClassTransformer ct = new ClassTransformer("org.acme.Foo");
// public final String bar;
FieldCreator fc = ct.addField("bar", String.class); (1)
fc.setModifiers(Opcodes.ACC_PUBLIC | OpCodes.ACC_FINAL);
ClassVisitor visitor = ct.applyTo(...);
-
Use the
FieldCreator
API to configure the new field.
ClassTransformer ct = new ClassTransformer("org.acme.Foo");
// public final String bar;
ct.removeField("bar", String.class); (1)
ClassVisitor visitor = ct.applyTo(...);
-
Removes the field with name
bar
and typejava.lang.String
.
ClassTransformer ct = new ClassTransformer("org.acme.Foo");
// public final String transform(String val) {
// return val.toUpperCase();
// }
MethodCreator transform = ct.addMethod("transform", String.class, String.class); (1)
ResultHandle ret = transform.invokeVirtualMethod(
MethodDescriptor.ofMethod(String.class, "toUpperCase", String.class),
transform.getMethodParam(0));
transform.returnValue(ret);
ClassVisitor visitor = ct.applyTo(...);
-
Use the
MethodCreator
API to configure the new method.
ClassTransformer ct = new ClassTransformer("org.acme.Foo");
// public final String transform(String val) {
// return val.toUpperCase();
// }
ct.removeMethod("transform", String.class, String.class); (1)
ClassVisitor visitor = ct.applyTo(...);
-
Removes the method with name
transform
, return typejava.lang.String
and parameterjava.lang.String
.
ClassTransformer ct = new ClassTransformer("org.acme.Foo");
ct.removeModifiers(OpCodes.ACC_FINAL); (1)
ClassVisitor visitor = ct.applyTo(...);
-
Use
removeModifiers
to remove modifiers from the class. The complementary method is calledaddModifiers
.
ClassTransformer ct = new ClassTransformer("org.acme.Foo");
ct.addInterface(Function.class); (1)
MethodCreator method = ct.addMethod("apply", Object.class, Object.class); (2)
method.returnValue(...);
ClassVisitor visitor = ct.applyTo(...);
-
Call
addInterface
to add an interface to the list of interfaces of the class. -
Use
addMethod
to implement all the methods prescribed by the interface.
The methods modifyMethod
return a MethodTransformer
, which is used to configure transformations on a given method.
Similarly, the modifyField
methods return FieldTransformer
.
Renaming a method and then adding a new method with the old name is an easy way to "intercept" the previous method.
Say the class org.acme.Foo
has the following method:
public String transform(int value) {
return "result: " + value;
}
Then, the following transformation:
ClassTransformer ct = new ClassTransformer("org.acme.Foo");
ct.modifyMethod("transform", String.class, int.class).rename("transform$"); (1)
MethodCreator transform = ct.addMethod("transform", String.class, int.class); (2)
ResultHandle originalResult = transform.invokeVirtualMethod(
MethodDescriptor.ofMethod("org.acme.Foo", "transform$", String.class, int.class),
transform.getThis(), transform.getMethodParam(0));
ResultHandle result = Gizmo.newStringBuilder(transform)
.append("intercepted: ")
.append(originalResult)
.callToString();
transform.returnValue(result);
ClassVisitor visitor = ct.applyTo(...);
-
Rename the
transform
method totransform$
. -
Add a new
transform
method that delegates totransform$
.
modifies the class to look like this:
// previous method, renamed but otherwise kept intact
public String transform$(int value) {
return "result: " + value;
}
// new method, delegates to the renamed old method (but does not necessarily have to)
public String transform(int value) {
return "intercepted: " + transform$(value);
}
Fields may be renamed in a similar fashion.
ClassTransformer ct = new ClassTransformer("org.acme.Foo");
ct.modifyField("val", String.class).removeModifiers(Modifier.FINAL); (1)
ClassVisitor visitor = ct.applyTo(...);
-
Use
removeModifiers
to remove modifiers from given member. In this case, it’s the fieldval
of typeString
. The complementary method is, again, calledaddModifiers
.