Regular expressions defines the rule or pattern for the string litral. These rule can check the strings for common characteriscs to be followed by all string literal. For example email string must contain @ sybol and the rule for this may be ".+@." . Regular expression is used to express the some portion or structure of the strings.
Use of Regular expression
- to search string in paragraph or line.
- to edit the specific portion of test into paragraph
- to validate the string
- to specified the rules for the server rewrite
for example
Pattern p = Pattern.compile("a*b");
It creates the pattern object that represents the reqular expresion a*b and Pattern class doesn't provides public constructor to crate the object but it has static method compile to be used to create the Pattern object .
Matcher m = p.matcher("aaaaab");
Pattern object has the matcher method that return the Matcher object for the specified string passed as argument.boolean b = m.matches();
Matches method return the boolean values indicating wwhether string passed to macther is following the rule contain in pattern.
For details , see here : http://download.oracle.com/javase/7/docs/api/java/util/regex/Pattern.html
Searching for string
import java.util.regex.Pattern;
import java.util.regex.Matcher;
public class RegexTest1 {
public static void main(String[] args){
//pass the pattern to be searched
Pattern pattern = Pattern.compile("@");
// pass the string in which you want to search above pattern
Matcher matcher = pattern.matcher("hello dear, my email address is user@mydomain.com.");
while (matcher.find()) {
System.out.println("Found : "+matcher.group()+", starting at "+matcher.start()+" and ending at "+matcher.end());
}
}
}
Replacing found expression
import java.util.regex.Pattern;
import java.util.regex.Matcher;
public class RegexTest2 {
public static void main(String[] args) {
// pass the pattern to be searched
Pattern pattern = Pattern.compile("user");
// pass the string in which you want to search above pattern
Matcher matcher = pattern
.matcher("hello user, welcome to your account.");
String resultString = matcher.replaceAll("Hemraj");
System.out.println(resultString);
}
}
Replacing found expression
import java.util.regex.Pattern;
import java.util.regex.Matcher;
public class RegexTest3 {
public static void main(String[] args) {
// pass the pattern to be searched
Pattern pattern = Pattern.compile("o");
// pass the string in which you want to search above pattern
Matcher matcher = pattern
.matcher("http://www.domain.co.in/contactus.jsp");
while (matcher.find()) {
System.out.println("Found : "+matcher.group()+", starting at "+matcher.start()+" and ending at "+matcher.end());
}
String resultString = matcher.replaceAll("newdomain.com");
System.out.println(resultString);
}
}
Comments