接口<type>到接口<subtype> </subtype> </type>的适配器

时间:2011-09-13 13:45:20

标签: java generics casting wrapper

考虑以下界面。

public interface Feed<T> {

    public void put( T o );

}

我们有一个简单的Java类来实现这个接口,它将对象写入特定的集合。

public class CollectionFiller<T> implements Feed<T> {

    private final Collection<T> collection;

    private CollectionFiller( Collection<T> collection ) {
        this.collection = collection;
    }

    public void put( T o ) {
        this.collection.add( o );
    }

    public static <T> CollectionFiller<T> of( Collection<T> collection ) {
        return new CollectionFiller<T>( collection );
    }

}

现在我们定义两个虚拟类,以使问题具体化。

public class Super {}

public class Sub extends Super {}

假设有一些方法writeSubsTo( Feed<Sub> f ),我们的cf实例为CollectionFiller<Super>。由于cf仅将对象添加到其“超级”集合中,因此将其传递给writeSubsTo是安全的。但编译器不允许这样做。 (这种行为的原因对我来说很清楚。)

我想编写一个方便适配器,它包含一个类型为X的CollectionFiller并构成一个类型为X的特定子类型的Feed。我试过(以及其他许多事情)以下内容,但编译器给我带来麻烦。

class SubFiller<T1, T2 extends T1> implements Feed<T2> {

    private final CollectionFiller<T1> collectionFiller;

    SubFiller( CollectionFiller<T1> collectionFiller ) {
        this.collectionFiller = collectionFiller;
    }

    public void put( T2 o ) {
        this.collectionFiller.put( o );
    }

    public static <T1, T2 extends T1> SubFiller<T1, T2> of( CollectionFiller<T1> c ) {
        return new SubFiller<T1, T2>( c );
    }

}

虽然这个类没有任何问题,但编译器不会接受以下代码片段中的最后两个语句。

CollectionFiller<Super> cf = CollectionFiller.of( new HashSet<Super>() );
SubFiller<Super, Sub> sf = SubFiller.of( cf );
writeSubsTo( SubFiller.of( cf ) );

有人能想出解决这个问题的好方法吗?我不介意适配器是否包含繁琐的代码,只要使用它不是太冗长(因此静态工厂方法)。当然,任何其他解决方案(不使用适配器)也可以(再次,只要使用它不是太冗长)。

1 个答案:

答案 0 :(得分:7)

如果您使用writeSubsTo(Feed<? super Sub> f),则可以传入Feed<Super>。然后你可以完全取消你的填充类。是的逆转! :-P

(还有一个协变版本,? extends X,用于获取值而不是放入值的情况。)