English | 简体中文 | 繁體中文 | Русский язык | Français | Español | Português | Deutsch | 日本語 | 한국어 | Italiano | بالعربية

Program uses Java regular expressions to check valid phone numbers

You can use the following regular expression to match valid phone numbers-

"\\d{10"
  • A valid phone number usually has10Digit (in India).

  • The meta-character " \d Matching from 0 to9The number.

  • The quantifier ex {n} suggests repeating ex n times.

Example1

import java.util.Scanner;
import java.util.regex.Matcher;
import java.util.regex.Pattern;
public class PhoneNumberExample {
   public static void main(String[] args) {
      Scanner sc = new Scanner(System.in);
      System.out.println("Enter your name: ");
      String name = sc.nextLine();
      System.out.println("Enter your Phone number: ");
      String phone = sc.next();
      //Regular expression to accept valid phone number
      String regex = "\\d{10";
      //Creating a pattern object
      Pattern pattern = Pattern.compile(regex);
      //Creating a Matcher object
      Matcher matcher = pattern.matcher(phone);
      //Verifying whether given phone number is valid
      if(matcher.matches()) {
         System.out.println("Given phone number is valid");
      } 
         System.out.println("Given phone number is not valid");
      
   

Output1

Enter your name:
krishna
Enter your Phone number:
9848022338
Given phone number is valid

Output2

Enter your name:
krishna
Enter your Phone number:
5465
Given phone number is not valid

Output3

Enter your name:
krishna
Enter your Phone number:
984802354655
Given phone number is not valid

Example2

import java.util.Scanner;
public class Test {
   public static void main(String[] args) {
      Scanner sc = new Scanner(System.in);
      System.out.println("Enter your Phone number: ");
      String phone = sc.next();
      //Regular expression to accept valid phone number
      String regex = "\\d{10";
      //Matching the given phone number with regular expression
      boolean result = phone.matches(regex);
      if(result) {
         System.out.println("Given phone number is valid");
      }
         System.out.println("Given phone number is not valid");
      
   

Output1

Enter your Phone number:
9848022338
Given phone number is valid

Output2

Enter your Phone number:
123
Given phone number is not valid

Output3

Enter your Phone number:
123654788755
Given phone number is not valid
You May Also Like