-3

我正在尝试构建一个简单的 API,其中我有一个接口AnimalService,它的实现类是LionImpl, TigerImpl, ElephantImpl.
AnimalService有方法getHome()
我有一个属性文件,其中包含我正在使用的动物类型,

animal=lion

因此,根据我使用的动物类型,当我调用我的 API(getHome()from )时,应该执行AnimalService特定的实现类的方法。 我怎样才能做到这一点? 提前致谢。getHome()



4

2 回答 2

3

您正在描述Java 多态性是如何工作的。这是一些与您的描述相对应的代码:

AnimalService.java

public interface AnimalService {
    String getHome();
}

ElephantImpl.java

public class ElephantImpl implements AnimalService {
    public String getHome() {
        return "Elephant home";
    }
}

LionImpl.java

public class LionImpl implements AnimalService {
    public String getHome() {
        return "Lion home";
    }
}

TigerImpl.java

public class TigerImpl implements AnimalService {
    public String getHome() {
        return "Tiger home";
    }
}

PolyFun.java

public class PolyFun {
    public static void main(String[] args) {
        AnimalService animalService = null;

        // there are many ways to do this:
        String animal = "lion";
        if (animal.compareToIgnoreCase("lion")==0)
            animalService = new LionImpl();
        else if (animal.compareToIgnoreCase("tiger")==0)
            animalService = new TigerImpl();
        else if (animal.compareToIgnoreCase("elephant")==0)
            animalService = new ElephantImpl();

        assert animalService != null;
        System.out.println("Home=" + animalService.getHome());
    }
}

有关更多信息,请参阅https://www.geeksforgeeks.org/dynamic-method-dispatch-runtime-polymorphism-java/

于 2017-12-28T05:08:14.367 回答
2

您可以通过创建一个包含枚举的工厂类来实现这一点,例如

public static AnimalServiceFactory(){

    public static AnimalService getInstance() { // you can choose to pass here the implmentation string or just do inside this class
        // read the properties file and get the implementation value e.g. lion
        final String result = // result from properties
        // get the implementation value from the enum
        return AnimalType.getImpl(result);
    }

    enum AnimalType {
        LION(new LionImpl()), TIGER(new TigerImpl()), etc, etc;

        AnimalService getImpl(String propertyValue) {
            // find the propertyValue and return the implementation
        }
    }
}

这是一个高级代码,未测试语法错误等。

于 2017-12-28T04:12:04.427 回答