Computer >> 컴퓨터 >  >> 프로그램 작성 >> Java

예제가 있는 Java의 패턴 split() 메서드

<시간/>

패턴 java.util.regex 패키지의 클래스는 정규 표현식의 컴파일된 표현입니다.

split() 이 클래스의 메소드는 CharSequence를 허용합니다. 객체는 입력 문자열을 매개변수로 나타내며 일치할 때마다 주어진 문자열을 새 토큰으로 분할하고 모든 토큰을 포함하는 문자열 배열을 반환합니다.

예시

import java.util.regex.Pattern;
public class SplitMethodExample {
   public static void main( String args[] ) {
      //Regular expression to find digits
      String regex = "(\\s)(\\d)(\\s)";
      String input = " 1 Name:Radha, age:25 2 Name:Ramu, age:32 3 Name:Rajev, age:45";
      //Compiling the regular expression
      Pattern pattern = Pattern.compile(regex);
      //verifying whether match occurred
      if(pattern.matcher(input).find())
         System.out.println("Given String contains digits");
      else
         System.out.println("Given String does not contain digits");
      //Splitting the string
      String strArray[] = pattern.split(input);
      for(int i=0; i<strArray.length; i++){
         System.out.println(strArray[i]);
      }
   }
}

출력

Given String contains digits
Name:Radha, age:25
Name:Ramu, age:32
Name:Rajev, age:45

이 메서드는 패턴이 적용된 횟수를 나타내는 정수 값도 허용합니다. 즉, 제한 값을 지정하여 결과 배열의 길이를 결정할 수 있습니다.

예시

import java.util.regex.Pattern;
public class SplitMethodExample {
   public static void main( String args[] ) {
      //Regular expression to find digits
      String regex = "(\\s)(\\d)(\\s)";
      String input = " 1 Name:Radha, age:25 2 Name:Ramu, age:32" + " 3 Name:Rajeev, age:45 4 Name:Raghu, age:35" + " 5 Name:Rahman, age:30";
      //Compiling the regular expression
      Pattern pattern = Pattern.compile(regex);
      //verifying whether match occurred
      if(pattern.matcher(input).find())
         System.out.println("Given String contains digits");
      else
         System.out.println("Given String does not contain digits");
      //Splitting the string
      String strArray[] = pattern.split(input, 4);
      for(int i=0; i<strArray.length; i++){
         System.out.println(strArray[i]);
      }
   }
}

출력

Given String contains digits
Name:Radha, age:25
Name:Ramu, age:32
Name:Rajeev, age:45 4 Name:Raghu, age:35 5 Name:Rahman, age:30