当我在匿名内心阶层上冲浪时,我对此产生了疑问
以下是我下载的Original代码并正在解决此问题(请仅针对我的问题参阅以下代码)。
根据上面的链接,他们说我们不能超载&在Anonymous Inner类中添加其他方法。
但是当我编译下面的内容时,虽然我无法在Inner类之外调用那些公共方法,但它工作正常。
最初我很惊讶为什么我无法访问Inner类之外的公共方法,但后来我意识到Object被“父”类引用所持有,它不知道这样的函数调用。
我可以在下面的代码中进行哪些更改,以调用Inner类之外的重载方法和新方法?
class TestAnonymous
{
public static void main(String[] args)
{
final int d = 10;
father f = new father(d);
father fAnon = new father(d){
// override method in superclass father
void method(int x){
System.out.println("Anonymous: " + x);
method("Anonymous: " + x); //This Compiles and executes fine.
newMethod(); //This Compiles and executes fine.
}
// overload method in superclass father
public void method(String str) {
System.out.println("Anonymous: " + str);
}
// adding a new method
public void newMethod() {
System.out.println("New method in Anonymous");
someOtherMethod(); //This Compiles and executes too.
}
};
//fAnon.method("New number"); // compile error
//fAnon.newMethod(); // compile error - Cannot find Symbol
}
public static final void someOtherMethod()
{
System.out.println("This is in Some other Method.");
}
} // end of ParentClass
class father
{
static int y;
father(int x){
y = x;
this.method(y);
}
void method(int x){
System.out.println("integer in inner class is: " +x);
}
}
答案 0 :(得分:4)
你不能用匿名类做到这一点;它与Java的静态类型系统冲突。 从概念上讲,变量fAnon
属于father
类型,没有.method(String)
或.newMethod
方法。
你想要的是father
的普通(命名)子类:
class fatherSubclass extends father
{ /* ... */ }
你应该声明你的新变量
fatherSubclass fAnon = new fatherSubclass(d)
答案 1 :(得分:2)
我可以在下面的代码中进行哪些更改,以调用Inner类之外的重载方法和新方法?
让它不成为匿名类。您可以在方法中声明该类:
public static void main(String[] args) {
class Foo extends Father {
...
}
Foo foo = new Foo();
foo.method("Hello");
}
...但我可能会建议将它作为一个单独的类,或者在必要时嵌套在外部类中,或者只是一个新的顶级类。
一旦你开始想要用匿名类做任何事情复杂,通常最好把它分解成一个完全成熟的命名类。
答案 2 :(得分:1)
您无法从匿名类外部调用“重载”和新方法。您可以在匿名课程中调用它们,但绝不能从外部调用它们。外面的世界根本不知道它们。没有关于它们的信息的类或接口规范。