Сибирские интеграционные системы
AngularSIS #1.18 - https://www.youtube.com/playlist?list=PLmEQRj1_Mt5fkeBYOw1o8k_o8-7POFZJN JavaSIS #2.19 - https://www.youtube.com/playlist?list=PLmEQRj1_Mt5f5MlXGlf5kzldb9Rl8Pwuo
Петров Андрей
Программирую 8 лет, в СИС – 5 лет.
Руководитель группы разработки.
#angular #typescript #sping #java #postgresql
Увлечения:
Алан Тьюринг
Машина Тьюринга
Алонзо Чёрч
Лямбда-исчисление
// f(x, y) = x + y * 2
int f(int x, int y) {
return x + y * 2;
}
List<Product> filterByType(
List<Product> products, ProductType type
) {
List<Product> result = new ArrayList<>();
for (int i = 0; i < products.size(); i++) {
Product product = products.get(i);
if (product.getType() == type) {
result.add(product);
}
}
return result;
}
List<Product> filterByType(
List<Product> products, ProductType type
) {
List<Product> result = new ArrayList<>();
for (int i = 0; i < products.size(); i++) {
Product product = products.get(i);
if (product.getType() == type) {
result.add(product);
}
}
return result;
}
List<Product> filterByPrice(
List<Product> products, int threshold
) {
List<Product> result = new ArrayList<>();
for (int i = 0; i < products.size(); i++) {
Product product = products.get(i);
if (product.getPrice() > threshold) {
result.add(product);
}
}
return result;
}
List<Product> filterByProducer(
List<Product> products, String producer
) {
List<Product> result = new ArrayList<>();
for (int i = 0; i < products.size(); i++) {
Product product = products.get(i);
if (product.getProducer().equals(producer)) {
result.add(product);
}
}
return result;
}
List<Product> filterByType(
List<Product> products, ProductType type
) {
List<Product> result = new ArrayList<>();
for (Product product : products) {
if (product.getType() == type) {
result.add(product);
}
}
return result;
}
public interface Predicate {
boolean match(Product value);
}
public class ProductTypePredicate implements Predicate {
private ProductType type;
ProductTypePredicate(ProductType type) {
this.type = type;
}
@Override
boolean match(Product product) {
return product.getType() == this.type;
}
}
// Метод фильтрации товаров
List<Product> filter(List<Product> products, Predicate predicate) {
List<Product> result = new ArrayList<>();
for (Product product : products) {
// Меняем частную бизнес-логику на вызов предиката
if (predicate.match(product)) {
result.add(product);
}
}
return result;
}
List<Product> filterProductsByType(
List<Product> products, ProductType type
) {
Predicate predicate = new ProductTypePredicate(type);
return filter(products, predicate);
}
public class ProductTypePredicate implements Predicate {
private ProductType type;
ProductTypePredicate(ProductType type) {
this.type = type;
}
@Override
boolean match(Product product) {
return product.getType() == this.type;
}
}
List<Product> filterProductsByType(
List<Product> products, ProductType type
) {
return filter(products, item -> item.getType() == type);
}
Predicate predicate = product -> item.getType() == type;
Однострочная лямбда
Predicate<Product> predicate = (Product item) -> {
if (item.getPrice() > 100) {
return item.getType() == type;
}
return false;
};
List<Product> filterByType(
List<Product> products, ProductType type
) {
List<Product> result = new ArrayList<>();
for (int i = 0; i < products.size(); i++) {
Product product = products.get(i);
if (product.getType() == type) {
result.add(product);
}
}
return result;
}
List<Product> filterByPrice(
List<Product> products, int threshold
) {
List<Product> result = new ArrayList<>();
for (int i = 0; i < products.size(); i++) {
Product product = products.get(i);
if (product.getPrice() > threshold) {
result.add(product);
}
}
return result;
}
List<Product> filterByProducer(
List<Product> products, String producer
) {
List<Product> result = new ArrayList<>();
for (int i = 0; i < products.size(); i++) {
Product product = products.get(i);
if (product.getProducer().equals(producer)) {
result.add(product);
}
}
return result;
}
List<Product> filterByType(
List<Product> products, ProductType type
) {
return filter(products, product -> product.getType() == type);
}
List<Product> filterByPrice(List<Product> products, int threshold) {
return filter(products, product -> product.getPrice() > threshold);
}
List<Product> filterByProducer(List<Product> products, String producer) {
return filter(products, product -> product.getProducer().equals(producer));
}
Поток, выполняющий операции над элементами коллекции
map: принимает на вход функцию трансформации элемента коллекции, применяет ее ко всем элементам
List<ProductType> getUniqueProductTypes(List<Product> products) {
return products.stream()
.map(product -> product.getType())
.distinct()
.collect(Collectors.toList());
}
List<Product> filterProductsByType(
List<Product> products, ProductType type
) {
return products.stream()
.filter(item -> item.getType() == type)
.collect(Collectors.toList());
}
filter: аналог нашего метода фильтрации, принимает предикат
Добавляют новую операцию обработки потока, возвращают новый поток
Примеры:
Завершают работу потока, выполняют все операции, формируют и возвращают результат работы потока
Примеры:
Optional<T> findFirst();
Optional?
Product findProductById(
List<Product> products, long id
) {
for (Product product : products) {
if (product.getId() == id)
return product;
}
return null;
}
double getPriceWithNDS(Product product) {
double price = product.getPrice();
return price * 1.2;
}
double getProductPriceWithNDS(
List<Product> products, long productId
) {
Product product = findProductById(products, productId);
return getPriceWithNDS(product);
}
NullPointerException в рантайме, если товар с таким id не найден
double getProductPriceWithNDS(
List<Product> products, long productId
) {
Optional<Product> product = products
.stream()
.filter(p -> p.getId() == productId)
.findFirst();
return getPriceWithNDS(product);
}
Ошибка компиляции
double getProductPriceWithNDS(
List<Product> products, long productId
) {
Optional<Product> product = ...;
if (product.isPresent()) {
return getPriceWithNDS(product.get());
} else {
throw new RuntimeException("Не найден такой товар");
}
}
double getProductPriceWithNDS(
List<Product> products, long productId
) {
Optional<Double> price = products
...
.findFirst()
.map(this::getPriceWithNDS);
if (price.isPresent()) {
return price.get();
} else {
throw new RuntimeException("Не найден такой товар");
}
}
Ссылка на метод: то же, что и product -> this.getPriceWithNDS(product)
double getProductPriceWithNDS(
List<Product> products, long productId
) {
return products
.stream()
.filter(p -> p.getId() == productId)
.findFirst()
.map(this::getPriceWithNDS)
.orElseThrow(
() -> new RuntimeException("Не найден такой товар")
);
}
double getProductPriceWithNDS(
List<Product> products, long productId
) {
return products
.stream()
.filter(p -> p.getId() == productId)
.findFirst()
.map(this::getPriceWithNDS)
.orElse(0.0);
}
Предметная область: грузовые перевозки
Есть несколько видов транспорта, у каждого транспорта своя стоимость доставки груза и вместимость.
Есть груз, который нужно доставить, груз имеет список доступных путей (ж/д, морской, воздушный и т.д.)
Задача: для заданного груза рассчитать оптимальный по затратам способ доставки
By Сибирские интеграционные системы
Функциональное программирование в Java