您的位置:

Java判断字符串中包含字符的方法

一、使用String类的contains方法

Java中最简单的判断字符串是否包含指定字符的方法是使用String类的contains方法。该方法接收一个字符串参数,返回一个boolean类型的值,表示目标字符串中是否包含参数字符串。

String str = "hello world";
boolean contains = str.contains("llo");
System.out.println(contains); // true

如果只需要判断单个字符是否包含在字符串中,可以将字符转换为字符串进行判断:

String str = "hello world";
boolean contains = str.contains(Character.toString('h'));
System.out.println(contains); // true

二、使用String类的indexOf方法

除了contains方法外,String类还提供了indexOf方法,也可以用于判断字符串中是否包含指定字符。该方法接收一个字符参数,返回该字符在目标字符串中第一次出现的位置,如果没有找到,则返回-1。

String str = "hello world";
int index = str.indexOf('o');
if(index != -1) {
    System.out.println("字符串中包含'o'字符");
} else {
    System.out.println("字符串中不包含'o'字符");
}

可以通过遍历目标字符串的每一个字符,逐个判断是否与目标字符相等来实现判断字符串中是否包含指定字符的功能。

String str = "hello world";
char target = 'o';
boolean contains = false;
for(char c: str.toCharArray()) {
    if(c == target) {
        contains = true;
        break;
    }
}
System.out.println(contains); // true

三、使用正则表达式

Java中还可以使用正则表达式来判断字符串中是否包含指定字符。通过使用正则表达式中的字符集,可以匹配字符串中的任意一个字符。

String str = "hello world";
boolean contains = str.matches(".*o.*");
System.out.println(contains); // true

其中".*"表示匹配任意字符,0个或多个。使用"."需要注意转义,因为"."在正则表达式中表示匹配任意单个字符。

四、使用Java 8 Stream API

Java 8中引入的Stream API也提供了判断字符串中是否包含指定字符的方法。通过将字符串转换为字符流,可以使用anyMatch方法进行判断。

String str = "hello world";
boolean contains = str.chars().anyMatch(c -> c == 'o');
System.out.println(contains); // true

可以使用filter方法对字符进行筛选,再使用count方法获取字符数来实现字符出现次数的统计。

String str = "hello world";
long count = str.chars().filter(c -> c == 'o').count();
System.out.println("字符'o'在字符串中出现了" + count + "次");