6

嗨,我想知道我的问题是否有一个简单的解决方案,

我有一个ArrayList

ArrayList <Animal> animalList = new ArrayList<Animal>(); 

/* I add some objects from subclasses of Animal */

animalList.add(new Reptile());
animalList.add(new Bird());
animalList.add(new Amphibian());

他们都实现了一个方法move()-Bird苍蝇何时move()被调用。我知道我可以使用这个来访问超类的常用方法和属性

public void feed(Integer animalIndex) {
    Animal aAnimal = (Animal) this.animalList.get(animalIndex);
    aAnimal.eat();
}

很好 - 但现在我想访问move()子类Bird拥有的方法。我可以通过将 as 转换AnimalBird

Bird aBird = (Bird) this.animalList.get(animalIndex);
aBird.move();

在我的情况下,我不想这样做,因为这意味着我有 3 组不同的上述代码,每个子类型的Animal.

好像有点多余,有没有更好的办法?

4

4 回答 4

12

从超类中确实没有一个很好的方法可以做到这一点,因为每个子类的行为都会有所不同。

为确保您实际上调用了适当的move方法,请Animal将超类更改为接口。然后,当您调用该move方法时,您将能够确保您正在为您想要的对象调用适当的移动方法。

如果您希望保留公共字段,那么您可以定义一个抽象类AnimalBase,并要求所有动物都以此为基础,但每个实现都需要实现Animal接口。

例子:

public abstract class AnimalBase {
    private String name;
    private int age;
    private boolean gender;

    // getters and setters for the above are good to have here
}

public interface Animal {
    public void move();
    public void eat();
    public void sleep();
}

// The below won't compile because the contract for the interface changed.
// You'll have to implement eat and sleep for each object.

public class Reptiles extends AnimalBase implements Animal {
    public void move() {
        System.out.println("Slither!");
    }
}

public class Birds extends AnimalBase implements Animal {
    public void move() {
        System.out.println("Flap flap!");
    }
}

public class Amphibians extends AnimalBase implements Animal {
    public void move() {
        System.out.println("Some sort of moving sound...");
    }
}

// in some method, you'll be calling the below

List<Animal> animalList = new ArrayList<>();

animalList.add(new Reptiles());
animalList.add(new Amphibians());
animalList.add(new Birds());

// call your method without fear of it being generic

for(Animal a : animalList) {
    a.move();
}
于 2013-04-14T03:52:38.317 回答
1

你不需要做任何铸造。被覆盖的方法应该被称为[简单多态性]

Animal aAnimal==  this.animalList.get(animalIndex);
aAnimal.move();

如果对象是鸟,上面的代码应该调用bird方法,不是吗?

并且投射不是解决方案,你将如何决定投射哪个对象?您将不得不使用 instanceOf。

于 2013-04-14T03:49:33.070 回答
0

在您的情况下,以下可能有效,但时间复杂度为 O(n):

public void moveBird(){
    for(Animal aminal:animalList){
        if(animal instanceof Bird){
            aninmal.move();
        }
    }
}
于 2013-04-14T03:44:44.117 回答
-1
Bird getMyBird(Integer aniInteger) {
        Bird b = new Bird();
        //Do somthig with bird object...

        return b;
        //get your modifeid bird object
    }

    Bird myBird = animalList.get(animalIndex);

    myBird.move();
于 2013-04-14T04:03:46.733 回答