1

我有这个(简化的)java接口

public interface MyInterface<T> {
    public String run( T arg );
}

以及一些实现该接口的类,即

public final class SomeImplementation1 implements MyInterface<String> {
   @Override
   public String run( String arg) {
       // do something with arg and return a string
   }
}

public final class SomeImplementation2 implements MyInterface<CustomClass> {
   @Override
   public String run( CustomClass arg) {
       // do something with arg and return a string
   }
}

现在,我有一个用于所有这些实现的全局资源管理器,它将所有这些实现实例化在一个列表中以供以后使用。我想要实现的是这样的,这显然给了我一个错误

public final class MyInterfaceManager {
    private List<MyInterface<?>> elements = new List<MyInterface<?>>();

    public MyInterfaceManager() {
        elements.put( new SomeImplementation1() );
        elements.put( new SomeImplementation2() );
        // more implementations added
    }

    // this is what I would like to achieve
    public <T> void run( T arg ) {
        for( MyInterface<?> element: elements ) {
            String res = element.run( arg );    // ERROR
        }
    }
}

因为“无法通过方法调用转换将 arg 转换为 ? 的捕获#1”。一个可能的解决方案是instanceof在循环内执行测试,并将元素转换为它的真实类型,以及参数,就像这样

    public <T> void run( T arg ) {
        for( MyInterface<T> element: elements ) {
            if (element instanceof SomeImplementation2) {
                String res = ((SomeImplementation2)element).run( (CustomClass)arg  );
            } else if // other tests here ...
        }
    }

但我不喜欢它,它一点也不优雅,它迫使我做很多事情instanceof和演员。所以,我想知道是否有更好的方法来实现这一点。谢谢你的帮助 :)

4

1 回答 1

1

您遇到了类型擦除。您需要向interface返回Class与类型参数相关的实例的方法添加另一个方法<T>,这将允许您对其进行运行时检查Class

我会这样做:

public interface MyInterface<T> {
    String run( T arg );
    Class<T> type();
}

所以interface返回它的类型。注意所有interface成员都是public默认的 - 不需要额外的public

public final class SomeImplementation1 implements MyInterface<String> {
   @Override
   public String run(final String arg) {
       return arg;
   }

   @Override
   public Class<String> type() {
       return String.class;
   } 
}

@SuppressWarnings({"unchecked"})
public static  <T> String run(final T arg) {
    for (final MyInterface<?> element : elements) {
        if (element.type().isAssignableFrom(arg.getClass())) {
            return ((MyInterface<T>) element).run(arg);
        }
    }
    throw new IllegalArgumentException("No element found.");
}

逻辑是,对于每个MyInterface您检查提供的参数是否可以安全地转换为 that MyInterface's type()。如果是,那么您可以将整个MyInterface转换为arg's 类型。这是未选中的,因为编译器无法将其验证为编译时间,但是当您手动进行检查时,可以忽略此警告。

public static void main(String[] args) throws Exception {
    elements = new LinkedList<>();
    elements.add(new SomeImplementation1());

    System.out.println(run("test"));
    System.out.println(run(1));
}

输出:

test
Exception in thread "main" java.lang.IllegalArgumentException: No element found.
    at com.XXX.App.run(App.java:33)
    at com.XXX.App.main(App.java:55)

正如预期的那样。

于 2013-09-26T11:46:23.270 回答