原文: https://www.programiz.com/java-programming/examples/array-contains-value
public class Contains {
public static void main(String[] args) {
int[] num = {1, 2, 3, 4, 5};
int toFind = 3;
boolean found = false;
for (int n : num) {
if (n == toFind) {
found = true;
break;
}
}
if(found)
System.out.println(toFind + " is found.");
else
System.out.println(toFind + " is not found.");
}
}
运行该程序时,输出为:
3 is found.
在上面的程序中,我们有一个整数数组,存储在变量num
中。 同样,要找到的编号存储在toFind
中。
现在,我们使用foreach
循环遍历num
的所有元素,并分别检查toFind
是否等于n
。
如果是,我们将found
设置为true
,然后退出循环。 如果不是,我们转到下一个迭代。
import java.util.stream.IntStream;
public class Contains {
public static void main(String[] args) {
int[] num = {1, 2, 3, 4, 5};
int toFind = 7;
boolean found = IntStream.of(num).anyMatch(n -> n == toFind);
if(found)
System.out.println(toFind + " is found.");
else
System.out.println(toFind + " is not found.");
}
}
运行该程序时,输出为:
7 is not found.
在上面的程序中,我们没有使用foreach
循环,而是将数组转换为IntStream
并使用其anyMatch()
方法。
anyMatch()
方法采用返回布尔值的谓词,表达式或函数。 在我们的情况下,谓词将流中的每个元素n
与toFind
进行比较,然后返回true
或false
。
如果元素n
中的任何一个返回true
,则将toFind
设置为true
。
import java.util.Arrays;
public class Contains {
public static void main(String[] args) {
String[] strings = {"One", "Two", "Three", "Four", "Five"};
String toFind = "Four";
boolean found = Arrays.stream(strings).anyMatch(t -> t.equals(toFind));
if(found)
System.out.println(toFind + " is found.");
else
System.out.println(toFind + " is not found.");
}
}
运行该程序时,输出为:
Four is found.
在上面的程序中,我们使用了非原始数据类型String
,并使用Arrays
的stream()
方法首先将其转换为流,然后使用anyMatch()
检查数组是否包含给定值toFind
。