Fix frame-related bugs in "append method with return value"-implementation

This commit is contained in:
Gabriel Tofvesson 2021-01-26 06:01:03 +01:00
parent bd8a926266
commit ac9b3079ab
6 changed files with 312 additions and 152 deletions

View File

@ -71,58 +71,52 @@ public class Combine {
if (initiateGrafting(extension, source)) if (initiateGrafting(extension, source))
return; return;
final MethodNode target = checkMethodExists(source.getMethodTargetName(extension), source.getMethodTargetSignature(extension)); final MethodNode target = checkMethodExists(
source.getMethodTargetName(extension),
source.getMethodTargetSignature(extension)
);
adaptMethod(extension, source); adaptMethod(extension, source);
MethodSignature msig = new MethodSignature(target.desc); // Get the method signatures so we know what we're working with local-variable-wise ;)
MethodSignature xsig = new MethodSignature(extension.desc); final MethodSignature msig = new MethodSignature(target.desc);
final MethodSignature xsig = new MethodSignature(extension.desc);
// Get total argument count, including implicit "this" argument
final int graftArgCount = xsig.getArgCount() + (isStatic(extension) ? 0 : 1);
final int targetArgCount = msig.getArgCount() + (isStatic(target) ? 0 : 1);
List<AbstractInsnNode> targetInsns; List<AbstractInsnNode> targetInsns;
// If graft method cares about the return value of the original method // If graft method cares about the return value of the original method, i.e. accepts it as an extra "argument"
if (acceptReturn) { if (acceptReturn && !msig.getRet().isVoidType()) {
LocalVariableNode retVar = null; //noinspection OptionalGetWithoutIsPresent
LocalVariableNode retVar = extension.localVariables
.stream()
.filter(it -> it.index == graftArgCount - 1)
.findFirst()
.get();
// If return of original is not void, we need to capture and store it to pass to the extension code // Inject return variable
if (!msig.getRet().isVoidType()) { adjustArgument(target, retVar, true, true);
// Generate a random return var name
String name;
GEN_NAME:
do {
name = getRandomString(1, 16);
for (LocalVariableNode vNode : target.localVariables)
if (name.equals(vNode.name))
continue GEN_NAME;
break; // Handle retvar specially
} while (true); extension.localVariables.remove(retVar);
// Create return variable
retVar = insertRetvarNode(target, name, msig.getRet());
}
// Convert instructions into a more modifiable format // Convert instructions into a more modifiable format
targetInsns = decomposeToList(target.instructions); targetInsns = decomposeToList(target.instructions);
// Make space in the original frames for the return var
// This isn't an optimal solution, but it works for now
adjustFramesForRetVar(targetInsns, targetArgCount);
// Replace return instructions with GOTOs to the last instruction in the list // Replace return instructions with GOTOs to the last instruction in the list
// Return values are stored in retVar // Return values are stored in retVar
storeAndGotoFromReturn(targetInsns, retVar == null ? -1 : retVar.index); storeAndGotoFromReturn(target, targetInsns, retVar.index, xsig);
// We need to extend the scope of the retVar into the grafted code
if (retVar != null)
//noinspection OptionalGetWithoutIsPresent
retVar.end = extension.localVariables
.stream()
.filter(it -> it.index == xsig.getArgCount() - 1)
.findFirst()
.get() // This should never fail
.end;
} else { } else {
targetInsns = decomposeToList(target.instructions); targetInsns = decomposeToList(target.instructions);
// If we don't care about the return value from the original, we can replace returns with pops // If we don't care about the return value from the original, we can replace returns with pops
popAndGotoFromReturn(targetInsns); popAndGotoFromReturn(targetInsns, xsig);
} }
List<LocalVariableNode> extVars = getVarsOver(extension.localVariables, xsig.getArgCount()); List<LocalVariableNode> extVars = getVarsOver(extension.localVariables, xsig.getArgCount());
@ -133,17 +127,46 @@ public class Combine {
// Add extension instructions to instruction list // Add extension instructions to instruction list
targetInsns.addAll(decomposeToList(extension.instructions)); targetInsns.addAll(decomposeToList(extension.instructions));
// Some weird TOP delimiter between "true" locals and args
//insertTopDelimiter(targetArgCount, targetInsns, target.localVariables, true);
// Convert instructions back to a InsnList // Convert instructions back to a InsnList
target.instructions = coalesceInstructions(targetInsns); target.instructions = coalesceInstructions(targetInsns);
// Make sure we extend the scope of the original method arguments
for (int i = 0; i < targetArgCount; ++i)
adjustArgument(target, getVarAt(target.localVariables, i), false, false);
// Recompute maximum variable count
target.maxLocals = Math.max(
Math.max(
targetArgCount + 1,
graftArgCount + 1
),
target.localVariables
.stream()
.map(it -> it.index)
.max(Comparator.comparingInt(a -> a)).orElse(0) + 1
);
// Recompute maximum stack size
target.maxStack = Math.max(target.maxStack, extension.maxStack);
finishGrafting(extension, source);
} }
public void prepend(MethodNode extension, GraftSource source) { public void prepend(MethodNode extension, GraftSource source) {
if (initiateGrafting(extension, source)) if (initiateGrafting(extension, source))
return; return;
final MethodNode target = checkMethodExists(source.getMethodTargetName(extension), source.getMethodTargetSignature(extension)); final MethodNode target = checkMethodExists(
source.getMethodTargetName(extension),
source.getMethodTargetSignature(extension)
);
adaptMethod(extension, source); adaptMethod(extension, source);
finishGrafting(extension, source);
} }
public void replace(MethodNode inject, GraftSource source, boolean preserveOriginalAccess) { public void replace(MethodNode inject, GraftSource source, boolean preserveOriginalAccess) {
@ -156,6 +179,8 @@ public class Combine {
copySignatures(remove, inject, Opcodes.ACC_PUBLIC | Opcodes.ACC_PROTECTED | Opcodes.ACC_PRIVATE); copySignatures(remove, inject, Opcodes.ACC_PUBLIC | Opcodes.ACC_PROTECTED | Opcodes.ACC_PRIVATE);
insertOrReplace(inject, source); insertOrReplace(inject, source);
finishGrafting(inject, source);
} }
public void insert(MethodNode inject, GraftSource source) { public void insert(MethodNode inject, GraftSource source) {
@ -164,12 +189,11 @@ public class Combine {
checkMethodNotExists(source.getMethodTargetName(inject), source.getMethodTargetSignature(inject)); checkMethodNotExists(source.getMethodTargetName(inject), source.getMethodTargetSignature(inject));
insertOrReplace(inject, source); insertOrReplace(inject, source);
finishGrafting(inject, source);
} }
protected void insertOrReplace(MethodNode inject, GraftSource source) { protected void insertOrReplace(MethodNode inject, GraftSource source) {
if (initiateGrafting(inject, source))
return;
MethodNode replace = findMethodNode(source.getMethodTargetName(inject), source.getMethodTargetSignature(inject)); MethodNode replace = findMethodNode(source.getMethodTargetName(inject), source.getMethodTargetSignature(inject));
if (replace != null) if (replace != null)
@ -191,6 +215,11 @@ public class Combine {
return alreadyGrafting; return alreadyGrafting;
} }
private void finishGrafting(MethodNode node, GraftSource source) {
if (!graftSources.remove(new DynamicSourceUnit(source, node)))
throw new IllegalStateException("Attempt to finish grafting when grafting is not it progress!");
}
/** /**
* Compile target class data to a byte array * Compile target class data to a byte array
@ -255,41 +284,20 @@ public class Combine {
*/ */
protected void adaptMethod(MethodNode node, GraftSource source) { protected void adaptMethod(MethodNode node, GraftSource source) {
// Adapt instructions // Adapt instructions
ADAPT:
for (AbstractInsnNode insn = node.instructions.getFirst(); insn != null; insn = insn.getNext()) { for (AbstractInsnNode insn = node.instructions.getFirst(); insn != null; insn = insn.getNext()) {
if (insn instanceof MethodInsnNode) adaptMethodInsn((MethodInsnNode) insn, source); if (insn instanceof MethodInsnNode) adaptMethodInsn((MethodInsnNode) insn, source);
else if (insn instanceof LdcInsnNode) adaptLdcInsn((LdcInsnNode) insn, source.getTypeName()); else if (insn instanceof LdcInsnNode) adaptLdcInsn((LdcInsnNode) insn, source.getTypeName());
else if (insn instanceof FrameNode) adaptFrameNode((FrameNode) insn, node, source); else if (insn instanceof FrameNode) adaptFrameNode((FrameNode) insn, source);
else if (insn instanceof InvokeDynamicInsnNode && ((Handle)((InvokeDynamicInsnNode) insn).bsmArgs[1]).getOwner().equals(source.getTypeName())) { else if (insn instanceof FieldInsnNode) adaptFieldInsn((FieldInsnNode) insn, source);
// We have an INVOKEDYNAMIC to a method in the graft source class. The target has to be injected into the target else if (insn instanceof InvokeDynamicInsnNode) adaptInvokeDynamicInsn((InvokeDynamicInsnNode) insn, source);
Handle handle = (Handle)((InvokeDynamicInsnNode) insn).bsmArgs[1];
for (MethodNode mNode : target.methods)
if (mNode.name.equals(handle.getName()) && mNode.desc.equals(handle.getDesc()))
continue ADAPT; // The target has already been injected
MethodNode inject = source.getMethodNode(handle.getName(), handle.getDesc());
if (inject == null)
throw new MethodNodeResolutionException(String.format(
"Could not locate lambda target %s%s in graft source %s",
handle.getName(),
handle.getDesc(),
source.getTypeName()
));
// Attempt to inject lambda target site into target class
insert(inject, source);
// The INVOKEDYNAMIC now points to a call site in the target class
((InvokeDynamicInsnNode) insn).bsmArgs[1] = new Handle(
handle.getTag(),
target.name,
handle.getName(),
handle.getDesc()
);
}
} }
// Adapt variable types
final String graftTypeName = "L"+source.getTypeName()+";";
for (LocalVariableNode varNode : node.localVariables)
if (graftTypeName.equals(varNode.desc))
varNode.desc = graftTypeName;
node.name = source.getMethodTargetName(node); node.name = source.getMethodTargetName(node);
} }
@ -305,9 +313,17 @@ public class Combine {
return label; return label;
} }
private static void storeAndGotoFromReturn(List<AbstractInsnNode> nodes, int storeIndex) { private void storeAndGotoFromReturn(MethodNode source, List<AbstractInsnNode> nodes, int storeIndex, MethodSignature sig) {
LabelNode endLabel = findOrMakeEndLabel(nodes); LabelNode endLabel = findOrMakeEndLabel(nodes);
int frameInsert = nodes.indexOf(endLabel);
List<Object> local = makeFrameLocals(sig.getArgs());
if (!isStatic(source))
local.add(0, target.name);
//nodes.add(frameInsert + 1, new FrameNode(Opcodes.F_SAME, 0, null, 0, null));
nodes.add(frameInsert + 1, new FrameNode(Opcodes.F_FULL, local.size(), local.toArray(), 0, new Object[0]));
INSTRUCTION_LOOP: INSTRUCTION_LOOP:
for (int i = 0; i < nodes.size(); ++i) { for (int i = 0; i < nodes.size(); ++i) {
switch (nodes.get(i).getOpcode()) { switch (nodes.get(i).getOpcode()) {
@ -339,13 +355,18 @@ public class Combine {
continue INSTRUCTION_LOOP; continue INSTRUCTION_LOOP;
} }
nodes.set(i, new JumpInsnNode(Opcodes.GOTO, endLabel)); nodes.set(i + 1, new JumpInsnNode(Opcodes.GOTO, endLabel));
} }
} }
private static void popAndGotoFromReturn(List<AbstractInsnNode> nodes) { private static void popAndGotoFromReturn(List<AbstractInsnNode> nodes, MethodSignature sig) {
LabelNode endLabel = findOrMakeEndLabel(nodes); LabelNode endLabel = findOrMakeEndLabel(nodes);
int frameInsert = nodes.indexOf(endLabel);
List<Object> local = makeFrameLocals(sig.getArgs());
//nodes.add(frameInsert + 1, new FrameNode(Opcodes.F_SAME, 0, null, 0, null));
nodes.add(frameInsert + 1, new FrameNode(Opcodes.F_SAME, local.size(), local.toArray(), 0, new Object[0]));
INSTRUCTION_LOOP: INSTRUCTION_LOOP:
for (int i = 0; i < nodes.size(); ++i) { for (int i = 0; i < nodes.size(); ++i) {
switch (nodes.get(i).getOpcode()) { switch (nodes.get(i).getOpcode()) {
@ -368,7 +389,7 @@ public class Combine {
continue INSTRUCTION_LOOP; continue INSTRUCTION_LOOP;
} }
nodes.set(i, new JumpInsnNode(Opcodes.GOTO, endLabel)); nodes.set(i + 1, new JumpInsnNode(Opcodes.GOTO, endLabel));
} }
} }
@ -395,48 +416,64 @@ public class Combine {
} }
private static LocalVariableNode insertRetvarNode(MethodNode node, String name, TypeSignature type) { private static void adjustArgument(MethodNode node, LocalVariableNode varNode, boolean backward, boolean insert) {
// Finds first label or creates it if (backward) {
LabelNode firstLabel = findLabelBeforeReturn(node.instructions.getFirst(), AbstractInsnNode::getNext); // Finds first label or creates it
LabelNode firstLabel = findLabelBeforeReturn(node.instructions.getFirst(), AbstractInsnNode::getNext);
// No label found before a return: create one // No label found before a return: create one
if (firstLabel == null) if (firstLabel == null)
node.instructions.insert(firstLabel = new LabelNode()); node.instructions.insert(firstLabel = new LabelNode());
// Finds last label or creates it varNode.start = firstLabel;
LabelNode lastLabel = findLabelBeforeReturn(node.instructions.getLast(), AbstractInsnNode::getPrevious); } else {
// Finds last label or creates it
LabelNode lastLabel = findLabelBeforeReturn(node.instructions.getLast(), AbstractInsnNode::getPrevious);
// No label found after a return: create one // No label found after a return: create one
if (lastLabel == null) if (lastLabel == null)
node.instructions.add(lastLabel = new LabelNode()); node.instructions.add(lastLabel = new LabelNode());
varNode.end = lastLabel;
// Put new variable immediately after the method arguments
MethodSignature msig = new MethodSignature(node.desc);
LocalVariableNode varNode = new LocalVariableNode(
name,
type.getSig(),
null,
firstLabel,
lastLabel,
msig.getArgCount()
);
// Increment existing variable indices by 1
for (LocalVariableNode vNode : node.localVariables)
if (vNode.index >= varNode.index)
++vNode.index;
// Update instructions referencing local variables
for (AbstractInsnNode insn = node.instructions.getFirst(); insn != null; insn = insn.getNext()) {
if (insn instanceof VarInsnNode && ((VarInsnNode) insn).var >= varNode.index)
++((VarInsnNode) insn).var;
} }
// Add variable to locals if (insert) {
node.localVariables.add(varNode); // Increment existing variable indices by 1
for (LocalVariableNode vNode : node.localVariables)
if (vNode.index >= varNode.index)
++vNode.index;
return varNode; // Update instructions referencing local variables
for (AbstractInsnNode insn = node.instructions.getFirst(); insn != null; insn = insn.getNext()) {
if (insn instanceof VarInsnNode && ((VarInsnNode) insn).var >= varNode.index)
++((VarInsnNode) insn).var;
}
// Add variable to locals
node.localVariables.add(varNode);
}
}
protected static void adjustFramesForRetVar(List<AbstractInsnNode> nodes, int argc) {
boolean isFirst = true;
for (AbstractInsnNode node : nodes)
if (node instanceof FrameNode) {
if (isFirst) {
isFirst = false;
if (((FrameNode) node).type == Opcodes.F_APPEND) {
List<Object> append = new ArrayList<>(((FrameNode) node).local);
append.add(0, Opcodes.TOP);
((FrameNode) node).local = append;
}
}
if (((FrameNode) node).type == Opcodes.F_FULL) {
List<Object> append = new ArrayList<>(((FrameNode) node).local);
append.add(argc, Opcodes.TOP);
((FrameNode) node).local = append;
}
}
} }
@ -451,6 +488,7 @@ public class Combine {
if (injected != null) { if (injected != null) {
node.owner = this.target.name; node.owner = this.target.name;
node.name = source.getMethodTargetName(injected); node.name = source.getMethodTargetName(injected);
node.desc = adaptMethodSignature(node.desc, source);
} }
} }
} }
@ -465,7 +503,7 @@ public class Combine {
node.cst = Type.getType(String.format("L%s;", originalOwner)); node.cst = Type.getType(String.format("L%s;", originalOwner));
} }
protected void adaptFrameNode(FrameNode node, MethodNode method, GraftSource source) { protected void adaptFrameNode(FrameNode node, GraftSource source) {
adaptFrameTypes(node.stack, source); adaptFrameTypes(node.stack, source);
adaptFrameTypes(node.local, source); adaptFrameTypes(node.local, source);
} }
@ -475,35 +513,128 @@ public class Combine {
if (types == null) if (types == null)
return; return;
final String sourceTypeName = "L"+source.getTypeName()+";";
final String targetTypeName = "L"+target.name+";";
for (int i = 0; i < types.size(); ++i) { for (int i = 0; i < types.size(); ++i) {
if (types.get(i) instanceof Type) { if (types.get(i) instanceof Type) {
Type t = (Type) types.get(i); Type t = (Type) types.get(i);
if (t.getSort() == Type.OBJECT && source.getTypeName().equals(t.getInternalName())) if (t.getSort() == Type.OBJECT && sourceTypeName.equals(t.getInternalName()))
types.set(i, Type.getType(source.getTypeName())); types.set(i, Type.getType(targetTypeName));
else if (t.getSort() == Type.METHOD) { else if (t.getSort() == Type.METHOD)
TypeSignature sourceSig = new TypeSignature("L"+source.getTypeName()+";"); types.set(i, Type.getMethodType(adaptMethodSignature(t.getDescriptor(), source)));
TypeSignature targetSig = new TypeSignature("L"+target.name+";"); } else if (types.get(i) instanceof String && source.getTypeName().equals(types.get(i)))
MethodSignature mDesc = new MethodSignature(t.getDescriptor()); types.set(i, target.name);
for (int j = 0; j < mDesc.getArgCount(); ++j)
if (mDesc.getArg(j).getArrayAtomType().equals(sourceSig))
mDesc.setArg(j, new TypeSignature(
targetSig.getSig(),
mDesc.getArg(j).getArrayDepth(),
false
));
if (mDesc.getRet().getArrayAtomType().equals(sourceSig))
mDesc.setRet(new TypeSignature(
targetSig.getSig(),
mDesc.getRet().getArrayDepth(),
false
));
}
}
} }
} }
protected static List<Object> makeFrameLocals(TypeSignature... sigs) {
ArrayList<Object> local = new ArrayList<>();
for (TypeSignature sig : sigs)
if (sig.isPrimitive())
switch (sig.getSig().charAt(0)) {
case 'B':
case 'Z':
case 'C':
case 'I':
local.add(Opcodes.INTEGER);
break;
case 'F':
local.add(Opcodes.FLOAT);
break;
case 'J':
if (sig.isTop())
local.add(Opcodes.TOP);
else
local.add(Opcodes.LONG);
break;
case 'D':
if (sig.isTop())
local.add(Opcodes.TOP);
else
local.add(Opcodes.DOUBLE);
break;
}
else if (sig.isNull()) local.add(Opcodes.NULL);
else if (sig.isUninitialized()) local.add(Opcodes.UNINITIALIZED_THIS);
else if (sig.isArray()) local.add(sig.getSig());
else local.add(sig.getSig().substring(1, sig.getSig().length() - 1));
return local;
}
protected void adaptFieldInsn(FieldInsnNode node, GraftSource source) {
if (node.owner.equals(source.getTypeName()))
node.owner = target.name;
}
protected void adaptInvokeDynamicInsn(InvokeDynamicInsnNode insn, GraftSource source) {
if (insn.bsmArgs[1] instanceof Handle && ((Handle) insn.bsmArgs[1]).getOwner().equals(source.getTypeName())) {
// We have an INVOKEDYNAMIC to a method in the graft source class
// The target has to be injected into the target
Handle handle = (Handle) insn.bsmArgs[1];
for (MethodNode mNode : target.methods)
if (mNode.name.equals(handle.getName()) && mNode.desc.equals(handle.getDesc()))
return; // The target has already been injected
MethodNode inject = source.getMethodNode(handle.getName(), handle.getDesc());
if (inject == null)
throw new MethodNodeResolutionException(String.format(
"Could not locate lambda target %s%s in graft source %s",
handle.getName(),
handle.getDesc(),
source.getTypeName()
));
// Attempt to inject lambda target site into target class
insert(inject, source);
// The INVOKEDYNAMIC now points to a call site in the target class
insn.bsmArgs[1] = new Handle(
handle.getTag(),
target.name,
handle.getName(),
adaptMethodSignature(handle.getDesc(), source)
);
}
}
/**
* Replaces any references to the graft source type with the target type
* @param desc Method descriptor to adapt
* @param source {@link GraftSource} to replace references to
* @return Method signature with references to target type in place of graft source type
*/
protected String adaptMethodSignature(String desc, GraftSource source) {
TypeSignature graftSig = new TypeSignature("L"+source.getTypeName()+";");
MethodSignature sig = new MethodSignature(desc);
for (int i = 0; i < sig.getArgCount(); ++i)
if (sig.getArg(i).getArrayAtomType().equals(graftSig))
sig.setArg(
i,
new TypeSignature(
"L"+target.name+";",
sig.getArg(i).getArrayDepth(),
false
)
);
if (sig.getRet().getArrayAtomType().equals(graftSig))
sig.setRet(new TypeSignature(
"L"+target.name+";",
sig.getRet().getArrayDepth(),
false
));
return sig.toString();
}
/** /**
* Ensure that a method node matching the given description does not exist in the targeted class * Ensure that a method node matching the given description does not exist in the targeted class
* @param name Name of the method node * @param name Name of the method node
@ -583,25 +714,11 @@ public class Combine {
@SuppressWarnings("unused") // Used for debugging
public static java.util.List<? extends AbstractInsnNode> dumpInsns(MethodNode node) { public static java.util.List<? extends AbstractInsnNode> dumpInsns(MethodNode node) {
return Arrays.asList(node.instructions.toArray()); return Arrays.asList(node.instructions.toArray());
} }
private static String getRandomString(int minLen, int maxLen) {
Random r = ThreadLocalRandom.current();
// Select a random length
char[] str = new char[r.nextInt(maxLen - minLen) + minLen];
// Generate random string
str[0] = VAR_NAME_CHARS.charAt(r.nextInt(VAR_NAME_CHARS.length()));
for(int i = 1; i < str.length; ++i)
str[i] = VAR_NAME_CHARS1.charAt(r.nextInt(VAR_NAME_CHARS1.length()));
return new String(str);
}
protected static InsnList coalesceInstructions(List<AbstractInsnNode> nodes) { protected static InsnList coalesceInstructions(List<AbstractInsnNode> nodes) {
InsnList insns = new InsnList(); InsnList insns = new InsnList();
@ -615,6 +732,10 @@ public class Combine {
return varNodes.stream().filter(it -> it.index >= minIndex).collect(Collectors.toList()); return varNodes.stream().filter(it -> it.index >= minIndex).collect(Collectors.toList());
} }
protected static LocalVariableNode getVarAt(List<LocalVariableNode> varNodes, int index) {
return varNodes.stream().filter(it -> it.index == index).findFirst().orElse(null);
}
protected static @Nullable LabelNode findLabelBeforeReturn(AbstractInsnNode start, INodeTraversal traverse) { protected static @Nullable LabelNode findLabelBeforeReturn(AbstractInsnNode start, INodeTraversal traverse) {
for (AbstractInsnNode cur = start; cur != null; cur = traverse.traverse(cur)) for (AbstractInsnNode cur = start; cur != null; cur = traverse.traverse(cur))
@ -626,6 +747,9 @@ public class Combine {
return null; // Nothing was found return null; // Nothing was found
} }
protected static boolean isStatic(MethodNode node) {
return (node.access & Opcodes.ACC_STATIC) != 0;
}
protected interface INodeTraversal { protected interface INodeTraversal {
AbstractInsnNode traverse(AbstractInsnNode cur); AbstractInsnNode traverse(AbstractInsnNode cur);

View File

@ -8,10 +8,7 @@ import jdk.internal.org.objectweb.asm.tree.FieldNode;
import jdk.internal.org.objectweb.asm.tree.MethodNode; import jdk.internal.org.objectweb.asm.tree.MethodNode;
import org.jetbrains.annotations.Nullable; import org.jetbrains.annotations.Nullable;
import java.util.ArrayList; import java.util.*;
import java.util.HashMap;
import java.util.List;
import java.util.Set;
import java.util.stream.Collectors; import java.util.stream.Collectors;
public final class GraftSource { public final class GraftSource {
@ -91,9 +88,19 @@ public final class GraftSource {
public @Nullable MethodNode getInjectedMethod(String name, String desc) { public @Nullable MethodNode getInjectedMethod(String name, String desc) {
return methodAnnotations return methodAnnotations
.keySet() .entrySet()
.stream() .stream()
.filter(it -> it.name.equals(name) && it.desc.equals(desc)) .filter(kv ->
{
if (!kv.getKey().name.equals(name)) return false;
assert getInjectionDirective(kv.getValue()) != null;
return new MethodSignature(getInjectionDirective(kv.getValue())
.getEntryOr("target", kv.getKey().desc))
.toString()
.equals(desc);
}
)
.map(Map.Entry::getKey)
.findFirst() .findFirst()
.orElse(null); .orElse(null);
} }

View File

@ -958,7 +958,7 @@ public class Merger {
*/ */
public static ClassNode readClass(byte[] data) { public static ClassNode readClass(byte[] data) {
ClassNode node = new ClassNode(); ClassNode node = new ClassNode();
new ClassReader(data).accept(node, ClassReader.EXPAND_FRAMES); new ClassReader(data).accept(node, 0);
return node; return node;
} }

View File

@ -37,6 +37,13 @@ public final class AsmAnnotation<A extends Annotation> {
return (T)getValueMethod(name).getDefaultValue(); return (T)getValueMethod(name).getDefaultValue();
} }
public <T> T getEntryOr(String name, T defVal) {
if (!hasExplicitEntry(name))
return defVal;
return getEntry(name);
}
public <T extends Enum<T>> T getEnumEntry(String entryName) { public <T extends Enum<T>> T getEnumEntry(String entryName) {
if (!hasExplicitEntry(entryName)) { if (!hasExplicitEntry(entryName)) {
if (hasDefaultEntry(entryName)) if (hasDefaultEntry(entryName))

View File

@ -90,6 +90,10 @@ public class MethodSignature {
return args.length; return args.length;
} }
public TypeSignature[] getArgs() {
return Arrays.copyOf(args, args.length);
}
public TypeSignature getArg(int index) { public TypeSignature getArg(int index) {
return args[index]; return args[index];
} }

View File

@ -209,6 +209,24 @@ public class TypeSignature {
return sig.length() == 1; return sig.length() == 1;
} }
/**
* Whether or not the type signature represents an uninitialized type
* @return True if this is marked as uninitialized, else false
*/
public boolean isUninitialized() {
return modifier == TypeModifier.UNINITIALIZED;
}
/**
* Whether or not this type is null
* @return True if it is null, else false
*/
public boolean isNull() {
return modifier == TypeModifier.NULL;
}
/** /**
* The array depth of the currently represented object. Primitives and objects have a depth of 0. * The array depth of the currently represented object. Primitives and objects have a depth of 0.
* Array types have a depth grater than 0 dependent on the depth of the nesting. * Array types have a depth grater than 0 dependent on the depth of the nesting.