为什么 Java 在内部将匿名 class 创建为静态?
Why does Java create anonymous class internally as static?
abstract class Person {
abstract void eat();
}
class TestAnonymousInner {
public static void main(String args[]){
Person p=new Person() {
void eat(){System.out.println("nice fruits");}
};
p.eat();
}
}
编译器生成的内部class
static class TestAnonymousInner extends Person
{
TestAnonymousInner(){}
void eat()
{
System.out.println("nice fruits");
}
}
编译器出于什么原因将匿名 class 创建为静态?如果它是非静态的会发生什么?
所示代码在静态上下文中创建匿名 class。内部 class(或非静态嵌套 class)需要引用封闭对象 (*)。在这种情况下,没有封闭对象,因为它是在静态方法中创建的,因此使用静态嵌套 class 是唯一有效的选项。
这可以很容易地通过将您的示例转换为
来证明
public class TestInner {
public static void main(String args[]){
Person p = new Testperson();
p.eat();
}
public class Testperson extends Person {
void eat() {
System.out.println("nice fruits");
}
}
}
编译会产生错误
non-static variable this cannot be referenced from a static context
如果将其更改为:
,它会编译得很好
public class TestInner {
public static void main(String args[]){
Person p = new Testperson();
p.eat();
}
public static class Testperson extends Person {
void eat() {
System.out.println("nice fruits");
}
}
}
*:编译器将修改内部 class 的构造函数以接受封闭对象作为参数,并且构造函数调用将被重写以传递 this
作为值那个参数。静态嵌套 classes 不是这种情况。
abstract class Person {
abstract void eat();
}
class TestAnonymousInner {
public static void main(String args[]){
Person p=new Person() {
void eat(){System.out.println("nice fruits");}
};
p.eat();
}
}
编译器生成的内部class
static class TestAnonymousInner extends Person
{
TestAnonymousInner(){}
void eat()
{
System.out.println("nice fruits");
}
}
编译器出于什么原因将匿名 class 创建为静态?如果它是非静态的会发生什么?
所示代码在静态上下文中创建匿名 class。内部 class(或非静态嵌套 class)需要引用封闭对象 (*)。在这种情况下,没有封闭对象,因为它是在静态方法中创建的,因此使用静态嵌套 class 是唯一有效的选项。
这可以很容易地通过将您的示例转换为
来证明public class TestInner {
public static void main(String args[]){
Person p = new Testperson();
p.eat();
}
public class Testperson extends Person {
void eat() {
System.out.println("nice fruits");
}
}
}
编译会产生错误
non-static variable this cannot be referenced from a static context
如果将其更改为:
,它会编译得很好public class TestInner {
public static void main(String args[]){
Person p = new Testperson();
p.eat();
}
public static class Testperson extends Person {
void eat() {
System.out.println("nice fruits");
}
}
}
*:编译器将修改内部 class 的构造函数以接受封闭对象作为参数,并且构造函数调用将被重写以传递 this
作为值那个参数。静态嵌套 classes 不是这种情况。