(编辑:扩展了对答案的回答部分评论)
编译器获取内部类并将其转换为顶级类。由于私有方法仅对内部类可用,因此编译器必须添加具有包级别访问权限的新“综合”方法,以便顶级类可以访问它。
像这样的东西($是由编译器添加的):
class A
{
private void f()
{
final B b;
b = new B();
// call changed by the compiler
b.$g();
}
// method generated by the compiler - visible by classes in the same package
void $f()
{
f();
}
}
class B
{
private void g()
{
final A a;
a = new A();
// call changed by the compiler
a.$f();
}
// method generated by the compiler - visible by classes in the same package
void $g()
{
g();
}
}
非静态类是相同的,但它们添加了对外部类的引用,以便可以在其上调用方法。
Java这样做的原因是他们不希望要求VM更改来支持内部类,因此所有更改都必须在编译器级别进行。
编译器获取内部类并将其转换为顶级类(因此,在 VM 级别没有内部类)。然后,编译器还必须生成新的“转发”方法。它们是在包级别(非公共)创建的,以确保只有同一包中的类才能访问它们。编译器还将对私有方法的方法调用更新为生成的“转发”方法。
您可以避免让编译器生成方法,我将方法声明为“包”(缺少公共,私有和受保护)。这样做的缺点是包中的任何类都可以调用这些方法。
编辑:
是的,您可以调用生成的(合成)方法,但不要这样做!
import java.lang.reflect.Constructor;
import java.lang.reflect.Method;
public class Main
{
public static void main(final String[] argv)
throws Exception
{
final Class<?> clazz;
clazz = Class.forName("NotPrivate$A");
for(final Method method : clazz.getDeclaredMethods())
{
if(method.isSynthetic())
{
final Constructor constructor;
final Object instance;
constructor = clazz.getDeclaredConstructor(new Class[0]);
constructor.setAccessible(true);
instance = constructor.newInstance();
method.setAccessible(true);
method.invoke(null, instance);
}
}
}
}