Finding a given word using regular expression

This Example describes the way to find a given word from the String and also the no of times the word exists using regular expression.For this we are going to make program named Find.java.

Finding a given word using regular expression

Finding a given word using regular expression

     

This Example describes the way to find a given word from the String and also the no of times the word exists using regular expression.For this we are going to make program named Find.java. The steps involved in program Find.java are described below:-

String regex="\\b Tim\\b":-Here we have declared the expression in the String form.The meaning of the whole expression is to find the word Tim

"\\b":-escaped backslash for word boundary.

Pattern pattern = Pattern.compile(regex):-Creating a pattern object and compiles the given regular expression into a pattern.

Matcher matcher = pattern.matcher(text):-Creates a matcher for matching the given input against pattern p.

 

 

 

Find.java:-

import java.util.regex.Matcher;
import java.util.regex.Pattern;

public class Find {

  public static void main(String[] args) {
  String regex = "\\b Tim\\b";
  Pattern pattern = Pattern.compile(regex);
  String text = "I can confirm what Tim Bueneman analyst " +
  "Tim Right is saying â?? that Amazon.com plans " +
  " a larger-screen model of its Tim player" ;
  
  Matcher matcher = pattern.matcher(text);
  int count = 0;
  while (matcher.find()) {
  count++;
  System.out.println("Number of times Tim is: " + count);
  System.out.println("Tim Start at the index: " + matcher.start());
 }
  }
}

Output of the program:-

Number of times Tim is: 1
Tim Start at the index: 18
Number of times Tim is: 2
Tim Start at the index: 39
Number of times Tim is: 3
Tim Start at the index: 113

DownLoad Source Code