之前说了jdk1.8几个新特性,现在看下实战怎么玩,直接看代码:

    public List<MSG_ConMediaInfo> getConMediaInfoList(String liveType)
{
if (Util.isEmpty(liveType))
{
return null;
}
List<MSG_ConMediaInfo> conMediaInfoList = getConMediaInfoList();
if (Util.isNotEmpty(conMediaInfoList))
{
if (LIVE_TYPE_BEING.equals(liveType))
{
return conMediaInfoList.parallelStream()
.filter(s -> s != null)
.filter(s -> isLiveBeing(s))
.collect(Collectors.toList());
}
else if (LIVE_TYPE_PREVIEW.equals(liveType))
{
return conMediaInfoList.parallelStream()
.filter(s -> s != null)
.filter(s -> isLivePreview(s))
.collect(Collectors.toList());
}
else
{
return conMediaInfoList.parallelStream()
.filter(s -> s != null)
.filter(s -> liveType.equals(s.getLiveStatus()))
.collect(Collectors.toList());
}
}
return null;
} private boolean isLiveBeing(MSG_ConMediaInfo conMediaInfo)
{
String liveStatus = conMediaInfo.getLiveStatus();
if (LIVE_TYPE_BEING.equals(liveStatus))
{
return Boolean.TRUE;
}
if (LIVE_TYPE_PREVIEW.equals(liveStatus))
{
if (!isLivePreview(conMediaInfo))
{
return Boolean.TRUE;
}
}
return Boolean.FALSE;
} private boolean isLivePreview(MSG_ConMediaInfo conMediaInfo)
{
if (LIVE_TYPE_PREVIEW.equals(conMediaInfo.getLiveStatus()))
{
String startTime =
DateTools.timeTransform(conMediaInfo.getLiveStartTime(),
DateTools.DATE_PATTERN_24HOUR_16);
int result =
DateTools.compare(new Date(), DateTools.timeStr2Date(startTime, DateTools.DATE_PATTERN_24HOUR_16),
CompareDateFormate.yyyyMMddhhmmss);
//当前时间已超过直播开始时间
if (result != -1)
{
return Boolean.FALSE;
}
return Boolean.TRUE;
}
return Boolean.FALSE;
}

  这里3个方法,第一个方法使用了lambda表达式,这里是一个List实例conMediaInfoList,通过调用parallelStream方法得到一个Stream接口,再调用它的filter方法,该方法的参数是一个函数式接口Predicate。步步推进,终于绕到函数式接口这个jdk1.8的新特性了。我们知道,lambda表达式使用的前提就是函数式接口。

  那么首先让我们来看下Predicate:

 * Copyright (c) 2010, 2013, Oracle and/or its affiliates. All rights reserved.
package java.util.function; import java.util.Objects; /**
* Represents a predicate (boolean-valued function) of one argument.
*
* <p>This is a <a href="package-summary.html">functional interface</a>
* whose functional method is {@link #test(Object)}.
*
* @param <T> the type of the input to the predicate
*
* @since 1.8
*/
@FunctionalInterface
public interface Predicate<T> { /**
* Evaluates this predicate on the given argument.
*
* @param t the input argument
* @return {@code true} if the input argument matches the predicate,
* otherwise {@code false}
*/
boolean test(T t); /**
* Returns a composed predicate that represents a short-circuiting logical
* AND of this predicate and another. When evaluating the composed
* predicate, if this predicate is {@code false}, then the {@code other}
* predicate is not evaluated.
*
* <p>Any exceptions thrown during evaluation of either predicate are relayed
* to the caller; if evaluation of this predicate throws an exception, the
* {@code other} predicate will not be evaluated.
*
* @param other a predicate that will be logically-ANDed with this
* predicate
* @return a composed predicate that represents the short-circuiting logical
* AND of this predicate and the {@code other} predicate
* @throws NullPointerException if other is null
*/
default Predicate<T> and(Predicate<? super T> other) {
Objects.requireNonNull(other);
return (t) -> test(t) && other.test(t);
} /**
* Returns a predicate that represents the logical negation of this
* predicate.
*
* @return a predicate that represents the logical negation of this
* predicate
*/
default Predicate<T> negate() {
return (t) -> !test(t);
} /**
* Returns a composed predicate that represents a short-circuiting logical
* OR of this predicate and another. When evaluating the composed
* predicate, if this predicate is {@code true}, then the {@code other}
* predicate is not evaluated.
*
* <p>Any exceptions thrown during evaluation of either predicate are relayed
* to the caller; if evaluation of this predicate throws an exception, the
* {@code other} predicate will not be evaluated.
*
* @param other a predicate that will be logically-ORed with this
* predicate
* @return a composed predicate that represents the short-circuiting logical
* OR of this predicate and the {@code other} predicate
* @throws NullPointerException if other is null
*/
default Predicate<T> or(Predicate<? super T> other) {
Objects.requireNonNull(other);
return (t) -> test(t) || other.test(t);
} /**
* Returns a predicate that tests if two arguments are equal according
* to {@link Objects#equals(Object, Object)}.
*
* @param <T> the type of arguments to the predicate
* @param targetRef the object reference with which to compare for equality,
* which may be {@code null}
* @return a predicate that tests if two arguments are equal according
* to {@link Objects#equals(Object, Object)}
*/
static <T> Predicate<T> isEqual(Object targetRef) {
return (null == targetRef)
? Objects::isNull
: object -> targetRef.equals(object);
}
}

  我们看到该接口只有一个抽象方法(只能有一个,否则就不能叫函数式接口),3个默认方法和一个静态方法。该接口只有一个参数t,返回一个布尔值。我们先看看能怎么用这个接口:

            // Predicate接口实例predicate指代一段判断字符串s是否长度大于0的代码
Predicate<String> predicate = (s) -> s.length() > 0; // predicate应用,判断字符串wlf是否长度>0
predicate.test("wlf"); // predicate应用,判断字符串wlf是否长度<=0
predicate.negate().test("wlf"); // 方法引用:Objects.isNull返回一个boolean,
Predicate<Object> isNull = Objects::isNull; // 方法引用:String.isEmpty方法一个boolean
Predicate<String> isEmpty = String::isEmpty;

  Predicate接口做的事情就是判断参数s是否符合方法体里的判断逻辑,而方法体的逻辑是由你自己实现的。上面分别判断了一个字符串的长度大于0、不大于0,对象是否为空,字符串是否为空。

  我们溯流而上,接下来再看下Stream的filter方法

public interface Stream<T> extends BaseStream<T, Stream<T>> {

    /**
* Returns a stream consisting of the elements of this stream that match
* the given predicate.
*
* <p>This is an <a href="package-summary.html#StreamOps">intermediate
* operation</a>.
*
* @param predicate a <a href="package-summary.html#NonInterference">non-interfering</a>,
* <a href="package-summary.html#Statelessness">stateless</a>
* predicate to apply to each element to determine if it
* should be included
* @return the new stream
*/
Stream<T> filter(Predicate<? super T> predicate);
}

  这个方法就是执行Predicate的判断逻辑,通过再返回一个Stream。再回过来看最开始的代码:

conMediaInfoList.parallelStream()
.filter(s -> s != null)
.filter(s -> isLiveBeing(s))
.collect(Collectors.toList());

  我们看到lambda表达式里先判断MSG_ConMediaInfo实例是否不为null,再判断实例是否符合isLiveBeing方法里的判断逻辑,两个都返回true的话,继续调用collect方法返回一个List。

  接下来聊下Stream接口。它表示在一组元素上一次执行的操作序列,包括中间操作或者最终操作,中间操作继续返回Stream,直到操作序列结束,执行最终操作。像上面的业务代码,filter是中间操作,collect是最终操作。那么Stream怎么创建呢?只能通过容器类来创建,有两个方法都可以返回Stream:

public interface Collection<E> extends Iterable<E> {

     /**
     * Returns a sequential {@code Stream} with this collection as its source.
     *
     * <p>This method should be overridden when the {@link #spliterator()}
     * method cannot return a spliterator that is {@code IMMUTABLE},
     * {@code CONCURRENT}, or <em>late-binding</em>. (See {@link #spliterator()}
     * for details.)
     *
     * @implSpec
     * The default implementation creates a sequential {@code Stream} from the
     * collection's {@code Spliterator}.
     *
     * @return a sequential {@code Stream} over the elements in this collection
     * @since 1.8
     */
    default Stream<E> stream() {
        return StreamSupport.stream(spliterator(), false);
    }
/**
* Returns a possibly parallel {@code Stream} with this collection as its
* source. It is allowable for this method to return a sequential stream.
*
* <p>This method should be overridden when the {@link #spliterator()}
* method cannot return a spliterator that is {@code IMMUTABLE},
* {@code CONCURRENT}, or <em>late-binding</em>. (See {@link #spliterator()}
* for details.)
*
* @implSpec
* The default implementation creates a parallel {@code Stream} from the
* collection's {@code Spliterator}.
*
* @return a possibly parallel {@code Stream} over the elements in this
* collection
* @since 1.8
*/
default Stream<E> parallelStream() {
return StreamSupport.stream(spliterator(), true);
}
}

  Collection还有它的孩子们List、Set都可以通过parallelStream来创造一个Stream对象,然后才后面的那些lambda表达式。

jdk1.8新特性应用之Collection的更多相关文章

  1. JavaSE----API之集合(Collection、List及其子类、Set及其子类、JDK1.5新特性)

    5.集合类 集合类的由来: 对象用于封装特有数据,对象多了须要存储:假设对象的个数不确定.就使用集合容器进行存储. 集合容器由于内部的数据结构不同,有多种详细容器.不断的向上抽取,就形成了集合框架. ...

  2. JDK1.5新特性,基础类库篇,集合框架(Collections)

    集合框架在JDK1.5中增强特性如下: 一. 新语言特性的增强 泛型(Generics)- 增加了集合框架在编译时段的元素类型检查,节省了遍历元素时类型转换代码量. For-Loop循环(Enhanc ...

  3. jdk1.8新特性应用之Iterable

    我们继续看lambda表达式的应用: public void urlExcuAspect(RpcController controller, Message request, RpcCallback ...

  4. JDK1.8新特性——Collector接口和Collectors工具类

    JDK1.8新特性——Collector接口和Collectors工具类 摘要:本文主要学习了在Java1.8中新增的Collector接口和Collectors工具类,以及使用它们在处理集合时的改进 ...

  5. JDK1.8新特性(一) ----Lambda表达式、Stream API、函数式接口、方法引用

    jdk1.8新特性知识点: Lambda表达式 Stream API 函数式接口 方法引用和构造器调用 接口中的默认方法和静态方法 新时间日期API default   Lambda表达式     L ...

  6. JDK1.7新特性

    jdk1.7新特性 1 对集合类的语言支持: 2 自动资源管理: 3 改进的通用实例创建类型推断: 4 数字字面量下划线支持: 5 switch中使用string: 6 二进制字面量: 7 简化可变参 ...

  7. jdk1.6新特性

    1.Web服务元数据 Java 里的Web服务元数据跟微软的方案基本没有语义上的区别,自从JDK5添加了元数据功能(Annotation)之后,SUN几乎重构了整个J2EE体 系, 由于变化很大,干脆 ...

  8. JDK1.8 新特性

    jdk1.8新特性知识点: Lambda表达式 函数式接口 *方法引用和构造器调用 Stream API 接口中的默认方法和静态方法 新时间日期API https://blog.csdn.net/qq ...

  9. JDK1.6新特性,WebService强化

    Web service是一个平台独立的,松耦合的,自包含的.基于可编程的web的应用程序,可使用开放的XML标准来描述.发布.发现.协调和配置这些应用程序,用于开发分布式的互操作的应用程序. Web ...

随机推荐

  1. (1) iOS开发之UI处理-预览篇

    不管是做iOS还是Android的开发,我想UI这块都是个大麻烦,任何客户端编程都是如此,我们要做的就是尽量减少我们工作的复杂度,这样才能更轻松的工作. 在iOS开发中Xcode虽然自带了强大的IB( ...

  2. 为红米Note 5 Pro编译Lineage OS 15.1的各种坑

    安装了ubuntu虚拟机,直接上网repo sync,网速特别慢,中间断了好多次,记得是3天吧,总算是下载成功了.中途还在淘宝上买过付费的VPN代理软件,有时候会打开代理来尝试,也是不太稳定.好歹第1 ...

  3. RedHat/CentOS 7通过nmcli命令管理网络教程

    Red Hat Enterprise Linux 7 和CentOS 7 的网络管理实际上是对NetworkManager的管理,可通过nmcli命令进行控制,下面小编就给大家介绍下RedHat/Ce ...

  4. 【Python】高阶函数介绍

    其实函数可以作为变量,之前学过C++,对于这种用法并不奇怪.无非就是函数充当变量,可以传入函数而已. 下面分别介绍 Python 中常见的高阶函数:map/reduce, filter, sorted ...

  5. os模块、文件压缩 、匹配文件后缀名:fnmatch glob

    一.os模块 os模块:是python是系统交互的模块 import os # 0平台信息的一些操作 python是夸平台的,所以内部兼容了不同的平台 1. os.name # 操作系统 nt是win ...

  6. 011——数组(十一)array_merge array_merge_recursive array_change_key_case

    <?php /** */ //array_merge() 将多个数组合并,生成新数组.当键名相同时,后者覆盖前者 /*$array1=array('weburl'=>"bbs.b ...

  7. Gridview 尾部添加总计

    1.GridView控件showfooter的属性=true 2. int totalZJ, iZJ; protected void GridView1_RowDataBound(object sen ...

  8. iOS支付宝SDK回调那坑

    支付宝钱包支付接口开发包2.0标准版(iOS 2.2.1) ,回调不出来,demo给出的方法是: - (BOOL)application:(UIApplication *)application op ...

  9. 微信测试帐号如何设置URL和Token,以及相关验证的原理

    首先说明,本帮助文档是利用javaweb的Servlet来进行“接口配置信息配置信息”认证的. 在学习微信公众号开发的时候,读到填写服务器配置的帮助部分,总是不能理解为啥按照他的步骤做总是设置失败(吐 ...

  10. Unity3D内存优化案例讲解

    笔者介绍:姜雪伟,IT公司技术合伙人,IT高级讲师,CSDN社区专家,特邀编辑,畅销书作者,已出版书籍:<手把手教你架构3D游戏引擎>电子工业出版社和<Unity3D实战核心技术详解 ...