Regular expressions (regex) are powerful tools in programming that allow developers to match strings of text, such as specific characters, words, or patterns. In Java, regular expressions are implemented through the java.util.regex
package, which provides classes for pattern matching with regular expressions. This article presents diverse examples of Java regular expressions to help you understand their applications in real-world scenarios.
Validating email addresses is a common requirement in many applications. A regular expression can help determine if an email address has the correct format.
import java.util.regex.*;
public class EmailValidator {
public static void main(String[] args) {
String email = "example@test.com";
String regex = "^[a-zA-Z0-9._%+-]+@[a-zA-Z0-9.-]+\.[a-zA-Z]{2,}$";
Pattern pattern = Pattern.compile(regex);
Matcher matcher = pattern.matcher(email);
if (matcher.matches()) {
System.out.println("Valid email address.");
} else {
System.out.println("Invalid email address.");
}
}
}
@
symbol and a domain.When dealing with user inputs, ensuring consistent phone number formats is essential. This regex example formats a phone number to a standard format.
import java.util.regex.*;
public class PhoneNumberFormatter {
public static void main(String[] args) {
String phone = "1234567890";
String regex = "^(\d{3})(\d{3})(\d{4})$";
String formatted;
Pattern pattern = Pattern.compile(regex);
Matcher matcher = pattern.matcher(phone);
if (matcher.matches()) {
formatted = String.format("(%s) %s-%s", matcher.group(1), matcher.group(2), matcher.group(3));
System.out.println("Formatted phone number: " + formatted);
} else {
System.out.println("Invalid phone number.");
}
}
}
Ensuring strong passwords is crucial for security. This regex checks if a password meets specific criteria, such as length and character diversity.
import java.util.regex.*;
public class PasswordStrengthChecker {
public static void main(String[] args) {
String password = "P@ssw0rd123";
String regex = "^(?=.*[0-9])(?=.*[a-z])(?=.*[A-Z])(?=.*[!@#$%^&*])(?=.{8,})";
Pattern pattern = Pattern.compile(regex);
Matcher matcher = pattern.matcher(password);
if (matcher.matches()) {
System.out.println("Strong password.");
} else {
System.out.println("Weak password.");
}
}
}