我为这个标题提前表示歉意。

我试图将实现Cat的对象Animal传递给名为Groom的接口。在处理Groom实现的修饰的Cat中,我必须向下转换对象以了解修饰的内容,因为Groom接口接受Animal作为参数。

public interface Groom {
    void groom(Animal animal);
}

public class CatGroomer implements Groom {
    void groom(Animal animal) {
        Cat cat = (Cat) animal; // <---- how can i avoid this downcast
    }
}

public interface Animal {
    void do();
    void animal();
    void things();
}

public class Cat implements Animal {
    ...
}

最佳答案

Groom可以这样通用:

interface Groom<T extends Animal> {
  void groom(T t);
}

public class CatGroomer implements Groom<Cat> {
  void groom(Cat animal) {

  }
}

10-01 05:02