- Commons Collections 教程
- Commons Collections - 首页
- Commons Collections - 概述
- Commons Collections - 环境设置
- Commons Collections - Bag 接口
- Commons Collections - BidiMap 接口
- Commons Collections - MapIterator 接口
- Commons Collections - OrderedMap 接口
- Commons Collections - 忽略空值
- Commons Collections - 合并与排序
- Commons Collections - 对象转换
- Commons Collections - 对象过滤
- Commons Collections - 安全的空检查
- Commons Collections - 包含
- Commons Collections - 交集
- Commons Collections - 差集
- Commons Collections - 并集
- Commons Collections 资源
- Commons Collections - 快速指南
- Commons Collections - 有用资源
- Commons Collections - 讨论
Commons Collections - 安全的空检查
Apache Commons Collections 库的 CollectionUtils 类提供了各种实用方法,用于涵盖广泛用例的常见操作。它有助于避免编写样板代码。在 Java 8 的 Stream API 提供类似功能之前,此库在 jdk 8 之前非常有用。
检查非空列表
CollectionUtils 的 isNotEmpty() 方法可用于检查列表是否非空,而无需担心空列表。因此,在检查列表大小之前,无需在所有地方都放置空检查。
声明
以下是
org.apache.commons.collections4.CollectionUtils.isNotEmpty() 方法的声明 -
public static boolean isNotEmpty(Collection<?> coll)
参数
coll - 要检查的集合,可能为 null。
返回值
如果非空且非 null,则返回 true。
示例
以下示例显示了org.apache.commons.collections4.CollectionUtils.isNotEmpty() 方法的使用。我们将检查列表是否为空。
import java.util.List; import org.apache.commons.collections4.CollectionUtils; public class CollectionUtilsTester { public static void main(String[] args) { List<String> list = getList(); System.out.println("Non-Empty List Check: " + checkNotEmpty1(list)); System.out.println("Non-Empty List Check: " + checkNotEmpty1(list)); } static List<String> getList() { return null; } static boolean checkNotEmpty1(List<String> list) { return !(list == null || list.isEmpty()); } static boolean checkNotEmpty2(List<String> list) { return CollectionUtils.isNotEmpty(list); } }
输出
输出如下所示 -
Non-Empty List Check: false Non-Empty List Check: false
检查空列表
CollectionUtils 的 isEmpty() 方法可用于检查列表是否为空,而无需担心空列表。因此,在检查列表大小之前,无需在所有地方都放置空检查。
声明
以下是
org.apache.commons.collections4.CollectionUtils.isEmpty() 方法 -
public static boolean isEmpty(Collection<?> coll)
参数
coll - 要检查的集合,可能为 null。
返回值
如果为空或 null,则返回 true。
示例
以下示例显示了org.apache.commons.collections4.CollectionUtils.isEmpty() 方法的使用。我们将检查列表是否为空。
import java.util.List; import org.apache.commons.collections4.CollectionUtils; public class CollectionUtilsTester { public static void main(String[] args) { List<String> list = getList(); System.out.println("Empty List Check: " + checkEmpty1(list)); System.out.println("Empty List Check: " + checkEmpty1(list)); } static List<String> getList() { return null; } static boolean checkEmpty1(List<String> list) { return (list == null || list.isEmpty()); } static boolean checkEmpty2(List<String> list) { return CollectionUtils.isEmpty(list); } }
输出
以下是代码的输出 -
Empty List Check: true Empty List Check: true
广告