Finds the first element in the given collection which matches the given predicate. - Android java.util

Android examples for java.util:Collection Find

Description

Finds the first element in the given collection which matches the given predicate.

Demo Code

/*//from   ww w.  ja  v a 2s  .com
 * Licensed to the Apache Software Foundation (ASF) under one or more
 * contributor license agreements. See the NOTICE file distributed with
 * this work for additional information regarding copyright ownership.
 * The ASF licenses this file to You under the Apache License, Version 2.0
 * (the "License"); you may not use this file except in compliance with
 * the License. You may obtain a copy of the License at
 * 
 * http://www.apache.org/licenses/LICENSE-2.0
 * 
 * Unless required by applicable law or agreed to in writing, software
 * distributed under the License is distributed on an "AS IS" BASIS,
 * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
 * See the License for the specific language governing permissions and
 * limitations under the License.
 */
import java.util.Collection;
import java.util.Iterator;
import java.util.function.Predicate;

public class Main {
  /**
   * Finds the first element in the given collection which matches the given
   * predicate.
   * <p>
   * If the input collection or predicate is null, or no element of the collection
   * matches the predicate, null is returned.
   * 
   * @param collection
   *          the collection to search, may be null
   * @param predicate
   *          the predicate to use, may be null
   * @return the first element of the collection which matches the predicate or
   *         null if none could be found
   */
  public static <E> E find(Collection<E> collection, Predicate<E> predicate) {
    if (collection != null && predicate != null) {
      for (Iterator<E> iter = collection.iterator(); iter.hasNext();) {
        E item = iter.next();
        if (predicate.test(item)) {
          return item;
        }
      }
    }
    return null;
  }
}

Related Tutorials