从匿名内部类到函数式编程的进化
没有类名----匿名内部类
Collections.sort(list, new Comparator<Emp>() {
@Override
public int compare(Emp o1, Emp o2) {
return (int) (o1.getAge()-o2.getAge());
}
});
o1和o2是啥:
Returns:
a negative integer, zero, or a positive integer as the first argument is less than, equal to, or greater than the second.
进一步的简化:
Collections.sort(list,(o1, o2)->{
return (int) (o1.getAge()-o2.getAge());
});
从完整的实现类 到 匿名内部类 到函数式编程
public class EatImpl implements IEat {
@Override
public void eat() {
System.out.println("吃快餐");
}
}
IEat e = new IEat() {
@Override
public void eat() {
System.out.println("吃面条...");
}
};
e.eat();
只有一个唯一的方法需要实现
@FunctionalInterface
public interface Comparator<T> {
int compare(T o1, T o2); //需要实现类实现
boolean equals(Object obj);
default Comparator<T> reversed() {
return Collections.reverseOrder(this);
}
}
@FunctionalInterface
出现在接口,此接口可以使用Lamda表达式。
List.stream()
创建一个lsit
List<Car> list = new ArrayList<>();
list.add(new Car(1, "BMW", "黑色", 350000.00, 1789.0));
list.add(new Car(2, "QQ", "橙色", 50000.00, 589.0));
list.add(new Car(3, "Benz", "白色", 450000.00, 1889.0));
list.add(new Car(4, "BYD", "绿色", 1080000.00, 2989.0));
list.add(new Car(5, "Audi", "红色", 880000.00, 1489.0));
需求:查询价格低于500000.00的车
1.普通方法:循环
for(Car c :list){
if(c.getPrice()<500000.00){
System.out.println(c);
}
}
2.用lamda改写
要素:流对象,过滤条件,收集结果
list = list.stream() //流对象,函数编程
.filter(car->car.getPrice()<500000.00) //过滤条件
.collect(Collectors.toList()); //收集结果
多个条件的例子:
list.stream()
.filter(car->car.getBrand().equals("BMW") && car.getStore()<10)
.collect(Collectors.toList());
list = list.stream()
.sorted((o1, o2) -> o1.getId()-o2.getId())
.collect(Collectors.toList());
需求:找出价格最低5种车。
list= list.stream()
.sorted((o1, o2) -> (int) (o1.getPrice() - o2.getPrice()))
.limit(5)
.collect(Collectors.toList());
需求找出库存最多的?
Car c = list.stream()
.max((o1, o2) -> o1.getStore()-o2.getStore())
.get() ;
System.out.println(c);
System.out.println(list.stream()
.mapToDouble(car -> car.getPrice())
.sum());
System.out.println(list.stream()
.mapToDouble(car -> car.getPrice() *car.getStore())
.sum());
System.out.println(list.stream()
.mapToDouble(car -> car.getPrice() *car.getStore())
.average().getAsDouble());
统计出系统有哪些品牌的车?
List<String> brands = list.stream()
.map(Car::getBrand) //映射
.distinct() //去重
.collect(Collectors.toList());
System.out.println(brands);
Java基础(2)——列表 & 集合List,函数式编程Lamda表达式
1.匿名内部类是啥;
2.函数编程是啥;
3.从匿名内部类到函数式编程;
4.list的函数式编程,案例;