匿名类的多重继承

匿名类如何实现两个(或更多)接口?或者,它如何扩展实现接口?例如,我想创建一个扩展两个接口的匿名类对象:

    // Java 10 "var" is used since I don't know how to specify its type
    var lazilyInitializedFileNameSupplier = (new Supplier<String> implements AutoCloseable)() {
        private String generatedFileName;
        @Override
        public String get() { // Generate file only once
            if (generatedFileName == null) {
              generatedFileName = generateFile();
            }
            return generatedFileName;
        }
        @Override
        public void close() throws Exception { // Clean up
            if (generatedFileName != null) {
              // Delete the file if it was generated
              generatedFileName = null;
            }
        }
    };

然后,我可以在 try-with-resources 块中将其用作延迟初始化的实用程序类:AutoCloseable

        try (lazilyInitializedFileNameSupplier) {
            // Some complex logic that might or might not 
            // invoke the code that creates the file
            if (checkIfNeedToProcessFile()) {
                doSomething(lazilyInitializedFileNameSupplier.get());
            }
            if (checkIfStillNeedFile()) {
                doSomethingElse(lazilyInitializedFileNameSupplier.get());
            }
        } 
        // By now we are sure that even if the file was generated, it doesn't exist anymore

我不想创建一个内部类,因为我绝对确定除了我需要使用它的方法之外,这个类不会在任何地方使用(而且我还可能想要使用该方法中声明的可能属于类型的局部变量)。var


答案 1

匿名类必须扩展或实现某些东西,就像任何其他Java类一样,即使它只是.java.lang.Object

例如:

Runnable r = new Runnable() {
   public void run() { ... }
};

这里,是一个匿名类的对象,它实现了 。rRunnable

匿名类可以使用相同的语法扩展另一个类:

SomeClass x = new SomeClass() {
   ...
};

你不能做的是实现多个接口。您需要一个命名的类来执行此操作。但是,匿名内部类和命名类都不能扩展多个类。


答案 2

匿名类通常实现一个接口:

new Runnable() { // implements Runnable!
   public void run() {}
}

JFrame.addWindowListener( new WindowAdapter() { // extends  class
} );

如果你的意思是你是否可以实现2个或更多的接口,那么我认为这是不可能的。然后,您可以创建一个将两者结合起来的私有接口。虽然我不容易想象为什么你会想要一个匿名类有这个:

 public class MyClass {
   private interface MyInterface extends Runnable, WindowListener { 
   }

   Runnable r = new MyInterface() {
    // your anonymous class which implements 2 interaces
   }

 }

推荐