如何在Java中为特定单词解析字符串中的单词?

Java中有多种方法,您可以使用这些方法为特定单词解析字符串中的单词。在这里,我们将讨论其中的3个。

contains()方法

String类的contains()方法接受一个字符序列,并验证它是否存在于当前String中。如果找到,则返回true,否则返回false。

示例

import java.util.StringTokenizer;
import java.util.regex.Pattern;
public class ParsingForSpecificWord {
   public static void main(String args[]) {
      String str1 = "Hello how are you, welcome to Nhooo";
      String str2 = "Nhooo";
      if (str1.contains(str2)){
         System.out.println("Search successful");
      } else {
         System.out.println("Search not successful");
      }
   }
}

输出结果

Search successful

indexOf()方法

String类的indexOf()方法接受一个字符串值,并在当前String中找到它的(起始)索引并返回它。如果在当前字符串中找不到给定的字符串,则此方法返回-1。

示例

public class ParsingForSpecificWord {
   public static void main(String args[]) {
      String str1 = "Hello how are you, welcome to Nhooo";
      String str2 = "Nhooo";
      int index = str1.indexOf(str2);
      if (index>0){
         System.out.println("Search successful");
         System.out.println("Index of the word is: "+index);
      } else {
         System.out.println("Search not successful");
      }
   }
}

输出结果

Search successful
Index of the word is: 30

StringTokenizer类

使用StringTokenizer类,您可以基于定界符将String分成较小的标记,并遍历它们。下面的示例标记源字符串中的所有单词,并使用equals()方法将其每个单词与给定单词进行比较。

示例

import java.util.StringTokenizer;
public class ParsingForSpecificWord {
   public static void main(String args[]) {
      String str1 = "Hello how are you welcome to Nhooo";
      String str2 = "Nhooo";
      //Instantiating the StringTookenizer class
      StringTokenizer tokenizer = new StringTokenizer(str1," ");
      int flag = 0;
      while (tokenizer.hasMoreElements()) {
         String token = tokenizer.nextToken();
         if (token.equals(str2)){
            flag = 1;
         } else {
            flag = 0;
         }
      }
      if(flag==1)
         System.out.println("Search successful");
      else
         System.out.println("Search not successful");
   }
}

输出结果

Search successful