public enum Dictionary {
PLACEHOLDER1 ("To be updated...", "Placeholder", "adjective"),
PLACEHOLDER2 ("To be updated...", "Placeholder", "adverb"),
PLACEHOLDER3 ("To be updated...", "Placeholder", "conjunction");
private String definition;
private String name;
private String partOfSpeech;
private Dictionary (String definition, String name, String partOfSpeech) {
this.definition = definition;
this.name = name;
this.partOfSpeech = partOfSpeech;
}
public String getName() {
return name;
}
public class DictionaryUser {
public static Dictionary getIfPresent(String name) {
return Enums.getIfPresent(Dictionary.class, name).orNull();
}
*public static Dictionary getIfPresent(String name) {
return Enums.getIfPresent(Dictionary.class, name.getName()).orNull();
}
我最近刚遇到getIfPresent(),基本上在Enum类名称上键入了一个全局静态映射以进行查找。我遇到的问题是,我想利用我的getter getName()进行查找,而不是使用Enum名称的名称。在我提供的示例中,如果用户键入占位符,则将显示所有三个值。用我的方法可以做到吗?我在无法使用的方法旁边加了*。
最佳答案
由于您需要所有匹配的对象,但是Enums.getIfPresent
仅会给您一个对象,因此您可以轻松地实现目标:
public static Dictionary[] getIfPresent(String name)
{
List<Dictionary> response = new ArrayList<>( );
for(Dictionary d : Dictionary.values())
{
if( d.getName().equalsIgnoreCase( name ) )
{
response.add(d);
}
}
return response.size() > 0 ? response.toArray( new Dictionary[response.size()] ) : null;
}