原文: https://www.programiz.com/java-programming/examples/array-contains-value

在此程序中,您将学习检查数组是否包含 Java 中的给定值。

示例 1:检查Int数组是否包含给定值

  1. public class Contains {
  2. public static void main(String[] args) {
  3. int[] num = {1, 2, 3, 4, 5};
  4. int toFind = 3;
  5. boolean found = false;
  6. for (int n : num) {
  7. if (n == toFind) {
  8. found = true;
  9. break;
  10. }
  11. }
  12. if(found)
  13. System.out.println(toFind + " is found.");
  14. else
  15. System.out.println(toFind + " is not found.");
  16. }
  17. }

运行该程序时,输出为:

  1. 3 is found.

在上面的程序中,我们有一个整数数组,存储在变量num中。 同样,要找到的编号存储在toFind中。

现在,我们使用foreach循环遍历num的所有元素,并分别检查toFind是否等于n

如果是,我们将found设置为true,然后退出循环。 如果不是,我们转到下一个迭代。


示例 2:使用Stream检查数组是否包含给定值

  1. import java.util.stream.IntStream;
  2. public class Contains {
  3. public static void main(String[] args) {
  4. int[] num = {1, 2, 3, 4, 5};
  5. int toFind = 7;
  6. boolean found = IntStream.of(num).anyMatch(n -> n == toFind);
  7. if(found)
  8. System.out.println(toFind + " is found.");
  9. else
  10. System.out.println(toFind + " is not found.");
  11. }
  12. }

运行该程序时,输出为:

  1. 7 is not found.

在上面的程序中,我们没有使用foreach循环,而是将数组转换为IntStream并使用其anyMatch()方法。

anyMatch()方法采用返回布尔值的谓词,表达式或函数。 在我们的情况下,谓词将流中的每个元素ntoFind进行比较,然后返回truefalse

如果元素n中的任何一个返回true,则将toFind设置为true


示例 3:检查数组是否包含非原始类型的给定值

  1. import java.util.Arrays;
  2. public class Contains {
  3. public static void main(String[] args) {
  4. String[] strings = {"One", "Two", "Three", "Four", "Five"};
  5. String toFind = "Four";
  6. boolean found = Arrays.stream(strings).anyMatch(t -> t.equals(toFind));
  7. if(found)
  8. System.out.println(toFind + " is found.");
  9. else
  10. System.out.println(toFind + " is not found.");
  11. }
  12. }

运行该程序时,输出为:

  1. Four is found.

在上面的程序中,我们使用了非原始数据类型String,并使用Arraysstream()方法首先将其转换为流,然后使用anyMatch()检查数组是否包含给定值toFind