我的练习很简单,但是受我的知识和使用设计模式(单元测试)的要求的限制.项目的目标是创建一个控制台应用程序,该应用程序将允许您从集合中保存(添加),打印(显示所有),删除(按标准删除)和过滤(按标准显示)消息.
private String title;
private String author;
private String content;
private String creationDate;
我能够创建“添加”功能和“全部显示”.我的问题是过滤.我必须创建一个选项,以根据用户给出的条件来过滤保存的对象(所有可能的组合,例如:按标题过滤和creationDate,按标题过滤等).我考虑过通过使用以下开关和方法为用户提供从菜单中选择选项的选项:
private final List<Message> storage = new ArrayList<Message>();
public List<Message> getAll() {
final ArrayList<Message> messages = new ArrayList<>();
messages.addAll(storage);
return messages;
}
List<Message> find(String author) {
return simpleStorage.getAll().stream()
.filter(item -> item.getAuthor() == author)
.collect(toList());
}
但是我认为复制很多类似的代码不是一个好习惯.另外,我将来可能会发现自己的解决方案将很累,甚至是不可能的(每个新参数都会添加新组合).有更好的方法吗?就像选择“一个一个”的标准,以便用户可以自己创建一个组合?我有一个提示,谓词可以帮助我解决这个问题,但是我不知道该怎么做.
最佳答案
对于每个标准,您可以具有BiPredicate< String,Message> 1,该BiPredicate< String,Message> 1接收来自用户的原始输入和一条消息,并判断该消息是否与过滤选项2相匹配.
原文链接:https://www.f2er.com/java/532803.htmlMap<String,BiPredicate<String,Message>> criteria = Map.of(
"title",(userTitle,message) -> input.equals(message.getTitle())
...
);
我将为您提供一个简化示例,说明如何使用该地图:
Scanner scanner = new Scanner(System.in);
String filteringOption = scanner.nextLine();
String userInput = scanner.nextLine();
BiPredicate<String,Message> predicate = criteria.get(filteringOption);
// get all messages from the storage
getAll()
// make a stream out of them
.stream()
// apply the filtering rule from the map
.filter(m -> predicate.test(userInput,m))
// collect them into a list to display
.collect(Collectors.toList());
以后,可以通过诸如or()和and()之类的逻辑运算来组合这些谓词,以形成自定义过滤器选项.可以将用户的选项添加到地图中以进行后续呼叫,或者可以在用户每次请求时即时进行计算,例如
BiPredicate<String,Message> titleAndDateFilter =
criteria.get("title").and(criteria.get("date"));
1您可以使用Predicate< Message> ;,但是由于您需要将消息的上下文与给定的输入进行比较,这会使这些功能的隔离度降低.
2我使用了Java 9的Map.of.