如何在 Java 中检查字符串是否包含特定字符
Payel Ganguly
2023年1月30日
2020年10月15日
-
使用字符串
contains()
方法检查字符串是否包含特定字符 -
使用字符串
indexOf()
方法来检查字符串是否包含特定字符 -
使用字符串
contains()
方法与if-else
语句一起使用 - 搜索字符串中存在特定字符的 Java 程序
本教程文章将介绍如何在 Java 中检查一个字符串是否包含特定的字符。在 Java 中,我们以不同的方式使用 contains()
方法来检查字符串中是否存在字符。让我们通过各种例子来讨论这个方法的实现。
使用字符串 contains()
方法检查字符串是否包含特定字符
Java String
的 contains()
方法检查字符串中存在的特定字符序列。如果字符串中存在指定的字符序列,该方法返回 true
,否则返回 false
。让我们用下面的例子进行说明。
import java.util.*;
import java.lang.*;
import java.io.*;
public class Example1 {
public static void main(String[] args) {
String str = "Character";
System.out.println(str.contains("h"));
System.out.println(str.contains("Char"));
System.out.println(str.contains("ac"));
System.out.println(str.contains("v"));
System.out.println(str.contains("vl"));
}
}
输出:
true
true
true
false
false
请注意,contains()
方法是区分大小写的。如果我们尝试在给定的字符串中寻找 CHA
,那么结果将是 false
,就像下面这样。
import java.util.*;
import java.lang.*;
import java.io.*;
public class Example {
public static void main(String[] args) {
String str = "Character";
System.out.println(str.contains("H"));
System.out.println(str.contains("CHAR"));
System.out.println(str.contains("aCt"));
}
}
输出:
false
false
false
使用字符串 indexOf()
方法来检查字符串是否包含特定字符
在这个例子中,我们将学习使用 indexOf()
方法在一个字符串中查找字符。indexOf()
方法与 contains()
方法不同,因为它不返回任何布尔值。取而代之的是,indexOf()
方法返回一个 int
值,它实际上是字符串中 substring
的索引。让我们来理解下面的例子。
import java.util.*;
import java.lang.*;
import java.io.*;
public class Example2 {
public static void main(String[] args) {
String str = "Hello World!";
if(str.indexOf("World") != -1)
{
System.out.println("The String "+str+" contains World");
}
else
{
System.out.println("The String "+str+"does not contain World");
}
}
}
输出:
The string Hello World! contains World
使用字符串 contains()
方法与 if-else
语句一起使用
根据字符是否存在,我们现在知道 Java 字符串 contains()
方法返回一个布尔值。为此,我们可以在 if-else
条件语句中使用该方法。让我们在下面的例子中进行讨论。
import java.util.*;
import java.lang.*;
import java.io.*;
public class Example3 {
public static void main(String[] args) {
String str = "Hello World!";
if(str.contains("World"))
{
System.out.println("It is true");
}
else
{
System.out.println("It is false");
}
}
}
输出:
It is true
搜索字符串中存在特定字符的 Java 程序
最后这个例子将通过一个通用的 Java 程序来搜索字符串中是否存在某些字符。在这种情况下,我们将在整个字符串长度上执行循环,以找到匹配的字符集。让我们看看下面的例子。
import java.util.*;
import java.lang.*;
import java.io.*;
public class Example4 {
public static void main(String[] args) {
String str = "yellow";
char[] charSearch = {'y','e','w'};
for(int i=0; i<str.length(); i++)
{
char chr = str.charAt(i);
for(int j=0; j<charSearch.length; j++)
{
if(charSearch[j] == chr)
{
System.out.println("Char Value "+charSearch[j]+" is present in "+str);
}
}
}
}
}
输出:
Char Value y is present in yellow
Char Value e is present in yellow
Char Value w is present in yellow