根据属性从ArrayList中检索对象
在面向对象编程中,经常会遇到需要通过属性来定位对象的场景集合中的特定属性。这在 Java EE 等框架中特别有用,您可能在其中使用 POJO 并需要从内存缓存中检索对象。
考虑一个场景,其中您正在管理 Carnet 对象列表,每个都拥有 codeTitre、nomTitre 和 codeIsin 等属性。假设您需要根据其 codeIsin 查找特定的 Carnet 对象。为了实现这一点,您可以利用 Java 流的强大功能:
public static Carnet findByCodeIsIn(Collection<Carnet> listCarnet, String codeIsIn) { return listCarnet.stream().filter(carnet -> codeIsIn.equals(carnet.getCodeIsin())).findFirst().orElse(null); }
此代码片段利用流来有效地搜索 Carnet 对象集合,过滤掉那些与给定 codeIsIn 条件不匹配的对象。通过利用 findFirst() 方法,您可以检索第一个匹配的对象,如果没有找到对象,则返回 null。
您还可能会遇到需要查找具有不同属性或跨多种类型对象的对象的情况。为了解决这个问题,您可以引入像 FindUtils 这样的实用程序类:
public final class FindUtils { public static <T> T findByProperty(Collection<T> col, Predicate<T> filter) { return col.stream().filter(filter).findFirst().orElse(null); } }
这个实用程序类提供了一个通用方法,可用于根据任何指定的条件搜索对象。
此外,您可以为每种对象类型创建特定的实用程序类,例如 CarnetUtils:
public final class CarnetUtils { public static Carnet findByCodeTitre(Collection<Carnet> listCarnet, String codeTitre) { return FindUtils.findByProperty(listCarnet, carnet -> codeTitre.equals(carnet.getCodeTitre())); } // Similar methods for finding by other properties }
通过使用这些实用程序类,您可以轻松灵活地搜索 ArrayList 中的对象,无论其具体属性如何。
以上是如何根据特定属性高效地从ArrayList中检索对象?的详细内容。更多信息请关注PHP中文网其他相关文章!