如何在Java中使用方法参数来实现多个接口?

时间:2009-09-30 21:44:53

标签: java oop multiple-inheritance

在Java中执行此操作是合法的:

 void spew(Appendable x)
 {
     x.append("Bleah!\n");
 }

我该怎么做(语法不合法):

 void spew(Appendable & Closeable x)
 {
     x.append("Bleah!\n");
     if (timeToClose())
         x.close();
 }

我希望尽可能强制调用者使用可附加和可关闭的对象,而不需要特定类型。有多个标准类可以执行此操作,例如: BufferedWriter,PrintStream等

如果我定义自己的界面

 interface AppendableAndCloseable extends Appendable, Closeable {}

这是行不通的,因为实现Appendable和Closeable的标准类没有实现我的接口AppendableAndCloseable(除非我不理解Java以及我认为我做...空接口仍然增加了它们之外的唯一性超接口)。

我能想到的最接近的是做以下其中一项:

  1. 选择一个接口(例如Appendable),并使用运行时测试来确保参数为instanceof其他参数。缺点:编译时没有发现问题。

  2. 需要多个参数(捕获编译时正确但看起来很笨):

    void spew(Appendable xAppend, Closeable xClose)
    {
        xAppend.append("Bleah!\n");
        if (timeToClose())
            xClose.close();
    }
    

1 个答案:

答案 0 :(得分:81)

你可以用泛型来做:

public <T extends Appendable & Closeable> void spew(T t){
    t.append("Bleah!\n");
    if (timeToClose())
        t.close();
}

实际上,你的语法几乎正确。