#java #filter
Вопрос:
Я создаю класс Java, в котором я могу применить фильтр (поисковые запросы) к списку с помощью DTO. Фильтр выглядит так:
[{ field: "price", value: "10.0" }, { field: "name", value: "%phone%" }]
В моем классе у меня есть следующий метод, чтобы применить все фильтры к списку:
public List<T> applyFilters(List<T> input, ArrayList<LinkedHashMap<String, String>> searchTerms) {
for (LinkedHashMap<String, String> searchTerm : searchTerms) {
input = input.stream()
.filter(row -> {
try {
return applySingleFilter(row, searchTerm);
} catch (Exception e) {
throw new CustomGraphQLException(400, "The filter field is not a valid field in this type");
}
})
.collect(Collectors.toList());
}
return input;
}
Но applySingleFilter
у них разные реализации, основанные на типе поля. Как и для строк, я создаю регулярное выражение:
private boolean applySingleStringFilter (T category, LinkedHashMap<String, String> searchTerm) throws Exception {
String patternString = createCompareRegex(searchTerm.get("value"));
String propertyValue = (String) PropertyUtils.getProperty(category, searchTerm.get("field"));
return propertyValue.matches(patternString);
}
Но, например, для поплавка мне нужно другое сравнение, я не хочу применять регулярное выражение к поплавку. Каков наилучший способ убедиться, что правильный метод вызывается в зависимости от типа поля?
Ответ №1:
Ну, сначала вам нужно будет знать тип поля, и как только у вас будет эта информация, вы сможете создать хранилище фильтров, применимых к этому типу (хотя может потребоваться некоторое приведение).
У нас была аналогичная система, которая, по сути, выглядела так:
interface Filter<T> {
Class<T> getHandledType();
boolean apply(T element);
}
class DoubleFilter implements Filter<Double> {
public Class<Double> getHandledType() { return Double.class; }
boolean apply(Double element) {
//filter here
}
}
Хранилище было в основном a Map<Class<?>, Filter<?>>
, и его использование было похоже:
Object fieldValue = //get the field value;
Class<?> fieldType = fieldValue.getClass(); //ofc, check for null first
Filter<?> filter = repo.get(fieldType);
if( filter != null ) {
//nasty cast to a raw type to tell the compiler to allow the call
((Filter)filter).apply(fieldValue);
}
Комментарии:
1. Спасибо!! Это было именно то, что я искал!