我想通过给定的枚举调用动态获取器。我想在静态地图中定义它。但是我不确定我的对象将如何使用该方法。
我有Color枚举和对象库。
public enum Color {
Red,
Blue,
Black,
Green,
Pink,
Purple,
White;
}
public class Library{
public List<String> getRed();
public List<String> getBlue();
public List<String> getBlack();
.....
}
我想要一个Map,所以当我有一个新的Type对象时,我将调用正确的get方法。 例如:
private static Map<Color, Function<......>, Consumer<....>> colorConsumerMap = new HashMap<>();
static {
colorConsumerMap.put(Color.Red, Library::getRed);
colorConsumerMap.put(Color.Blue, Library::getBlue);
}
Library lib = new Library();
List<String> redList = colorConsumerMap.get(Color.Red).apply(lib)
但是这种方式无法编译。 有什么建议吗?
答案 0 :(得分:1)
您好,请为供应商找到以下代码:-
enum Color {
Red,
Blue,
Black,
Green,
Pink,
Purple,
White;
}
class Library{
public Supplier supplier;
public List<String> getRed(){}; // implement according to need
public List<String> getBlue(){}; // implement according to need
public List<String> getBlack(){}; // implement according to need
private Map<Color, Supplier<List<String>>> colorConsumerMap = new HashMap<Color, Supplier<List<String>>>();
static {
colorConsumerMap.put(Color.Red, Library::getRed);
colorConsumerMap.put(Color.Blue, Library::getBlue);
}
这里我们使用的是Java 8 supplier
。
要从HashMap
获取值,请使用代码:-
Supplier getMethod = colorConsumerMap.get(Color.Red);
List<String> values = getMethod.get();
答案 1 :(得分:0)
您的Map
似乎应该声明为:
private static Map<Color, Function<Library,List<String>> colorConsumerMap = new HashMap<>()
因为您的吸气剂返回List<String>
。
答案 2 :(得分:0)
Function接口具有两个类型参数:输入类型(在您的情况下为Library
)和输出类型(在您的情况下为List<String>
)。因此,您必须将地图的类型更改为Map<Color, Function<Library, List<String>>
。
但是,请考虑将逻辑不放在映射中,而是放在枚举值本身中。例如:
public enum Color {
Red(Library::getRed),
Blue(Library::getBlue);
private Function<Library, List<String>> getter;
private Color(Function<Library, List<String>> getter) {
this.getter = getter;
}
public List<String> getFrom(Library library) {
return getter.apply(library);
}
}
public class Library{
public List<String> getRed() { return Collections.singletonList("Red"); }
public List<String> getBlue() { return Collections.singletonList("Blue"); }
}
Library lib = new Library();
System.out.println(Color.Red.getFrom(lib));
System.out.println(Color.Blue.getFrom(lib));
或者如果您不想使用Java 8功能:
public enum Color {
Red {
List<String> getFrom(Library library) {
return library.getRed();
}
},
Blue {
List<String> getFrom(Library library) {
return library.getBlue();
}
};
abstract List<String> getFrom(Library library);
}
其优点是,如果以后添加新颜色,您将不会忘记更新地图,因为如果不添加,编译器会抱怨。