source

공백으로 문자열을 분할하는 방법

factcode 2022. 8. 25. 23:37
반응형

공백으로 문자열을 분할하는 방법

스트링을 공백으로 분할해야 합니다.이를 위해 저는 노력했습니다.

str = "Hello I'm your String";
String[] splited = str.split(" ");

하지만 효과가 없는 것 같아요.

네가 가진 게 효과가 있을 거야그러나 제공된 공간이 기본적으로 다음과 같은 경우...다른 건요?공백 정규식을 사용할 수 있습니다.

str = "Hello I'm your String";
String[] splited = str.split("\\s+");

이렇게 하면 연속되는 임의의 수의 공간이 문자열을 토큰으로 분할합니다.

받아들여지는 답변은 양호하지만 입력 문자열이 공백으로 시작하는 경우 선행 빈 문자열로 끝납니다.예를 들어 다음과 같습니다.

String str = " Hello I'm your String";
String[] splitStr = str.split("\\s+");

결과는 다음과 같습니다.

splitStr[0] == "";
splitStr[1] == "Hello";
splitStr[2] == "I'm";
splitStr[3] == "Your";
splitStr[4] == "String";

따라서 스트링을 분할하기 전에 트리밍할 수 있습니다.

String str = " Hello I'm your String";
String[] splitStr = str.trim().split("\\s+");

[편집]

「 」에 해, 「 」에 가세해trim 문자( 「」: 「Unicode」의 「Unicode」의 「Unicode」의 「Unicode」의 「Unicode」의 「Non-breaking 문자)를 고려할 필요가 있습니다.U+00A0이 문자는 문자열의 일반 공백과 동일하게 인쇄되며 리치 텍스트 에디터 또는 웹 페이지에서 복사 붙여넣은 텍스트에 잠복하는 경우가 많습니다.은 리하습 they they에서 취급하지 ..trim() 글자가 합니다.c <= ' '\s잡지도 못할 거야

신을 사용할 수 .\p{Blank}, 일반 Unicode .split이렇게 하다. 예를 , 이렇게 됩니다.Pattern.compile("\\p{Blank}", UNICODE_CHARACTER_CLASS).split(words) 그렇게 는 안 된다trimsyslog.syslog.

다음은 문제를 설명하고 해결 방법을 제시합니다.이를 위해 regex에 의존하는 것은 최적인 과는 거리가 멀지만, 이제 Java는 8비트/16비트 바이트 표현을 가지고 있기 때문에 이를 위한 효율적인 솔루션이 상당히 길어집니다.

public class SplitStringTest
{
    static final Pattern TRIM_UNICODE_PATTERN = Pattern.compile("^\\p{Blank}*(.*)\\p{Blank}$", UNICODE_CHARACTER_CLASS);
    static final Pattern SPLIT_SPACE_UNICODE_PATTERN = Pattern.compile("\\p{Blank}", UNICODE_CHARACTER_CLASS);

    public static String[] trimSplitUnicodeBySpace(String str)
    {
        Matcher trimMatcher = TRIM_UNICODE_PATTERN.matcher(str);
        boolean ignore = trimMatcher.matches(); // always true but must be called since it does the actual matching/grouping
        return SPLIT_SPACE_UNICODE_PATTERN.split(trimMatcher.group(1));
    }

    @Test
    void test()
    {
        String words = " Hello I'm\u00A0your String\u00A0";
        // non-breaking space here --^ and there -----^

        String[] split = words.split(" ");
        String[] trimAndSplit = words.trim().split(" ");
        String[] splitUnicode = SPLIT_SPACE_UNICODE_PATTERN.split(words);
        String[] trimAndSplitUnicode = trimSplitUnicodeBySpace(words);

        System.out.println("words: [" + words + "]");
        System.out.println("split: [" + Arrays.stream(split).collect(Collectors.joining("][")) + "]");
        System.out.println("trimAndSplit: [" + Arrays.stream(trimAndSplit).collect(Collectors.joining("][")) + "]");
        System.out.println("splitUnicode: [" + Arrays.stream(splitUnicode).collect(Collectors.joining("][")) + "]");
        System.out.println("trimAndSplitUnicode: [" + Arrays.stream(trimAndSplitUnicode).collect(Collectors.joining("][")) + "]");
    }
}

결과:

words: [ Hello I'm your String ]
split: [][Hello][I'm your][String ]
trimAndSplit: [Hello][I'm your][String ]
splitUnicode: [][Hello][I'm][your][String]
trimAndSplitUnicode: [Hello][I'm][your][String]

str.split 괄호 안에 정규 표현을 넣으면 문제가 해결될 것이라고 생각합니다.Java String.split() 메서드는 정규 표현을 기반으로 하기 때문에 필요한 것은 다음과 같습니다.

str = "Hello I'm your String";
String[] splitStr = str.split("\\s+");

Stringutils.split()줄을 흰 걸음으로 나누다.를 들어, 「」입니다.StringUtils.split("Hello World") ""를 안녕하세요" ★★★★★★★★★★★★★★★★★★★★★.

위의 사례를 해결하기 위해 다음과 같은 분할 방식을 사용합니다.

String split[]= StringUtils.split("Hello I'm your String");

스플릿 어레이를 인쇄했을 때의 출력은 다음과 같습니다.

안녕

난.

당신의.

스트링

데모의 완전한 예에 대해서는, 여기를 참조해 주세요.

해라

String[] splited = str.split("\\s");

http://download.oracle.com/javase/tutorial/essential/regex/pre_char_classes.html

String split 메서드를 사용하지 않으려면 Java에서 StringTokenizer 클래스를 다음과 같이 사용할 수 있습니다.

    StringTokenizer tokens = new StringTokenizer("Hello I'm your String", " ");
    String[] splited = new String[tokens.countTokens()];
    int index = 0;
    while(tokens.hasMoreTokens()){
        splited[index] = tokens.nextToken();
        ++index;
    }

이거 드셔보세요.

    String str = "This is String";
    String[] splited = str.split("\\s+");

    String split_one=splited[0];
    String split_second=splited[1];
    String split_three=splited[2];

   Log.d("Splited String ", "Splited String" + split_one+split_second+split_three);

네, 그럼 이미 답을 얻으셨기 때문에 분할을 해야겠네요. 제가 일반화하겠습니다.

공백으로 문자열을 분할하려면 구분 기호(특수 문자)를 사용합니다.

먼저 대부분의 문제가 발생하기 때문에 선행 공간을 제거합니다.

str1 = "    Hello I'm your       String    ";
str2 = "    Are you serious about this question_  boy, aren't you?   ";

먼저 공간, 탭 등의 선두 공간을 제거합니다.

String s = str1.replaceAll("^\\s+","");//starting with whitespace one or more

공백 또는 특수 문자로 분할할 경우.

String[] sa = s.split("[^\\w]+");//split by any non word char

단, w에는 [a-zA-Z_0-9]가 포함되어 있기 때문에 언더스코어(_)로 분할하는 경우에도 를 사용합니다.

 String[] sa = s.split("[!,? ._'@]+");//for str2 after removing leading space

대체 방법은 다음과 같습니다.

import java.util.regex.Pattern;

...

private static final Pattern SPACE = Pattern.compile(" ");
String[] arr = SPACE.split(str); // str is the string to be split

여기서 봤어

매우 간단한 예:

도움이 됐으면 좋겠다.

String str = "Hello I'm your String";
String[] splited = str.split(" ");
var splited = str.split(" ");
var splited1=splited[0]; //Hello
var splited2=splited[1]; //I'm
var splited3=splited[2]; //your
var splited4=splited[3]; //String

다음 코드를 사용하여 문자열을 구분할 수 있습니다.

   String theString="Hello world";

   String[] parts = theString.split(" ");

   String first = parts[0];//"hello"

   String second = parts[1];//"World"

이러한 답변이 게시된 지 오래되었으므로, 다음과 같이 질문한 내용을 수행할 수 있는 또 다른 최신 방법을 소개합니다.

List<String> output = new ArrayList<>();
try (Scanner sc = new Scanner(inputString)) {
    while (sc.hasNext()) output.add(sc.next());
}

스트링 리스트(어레이보다 좋은 것은 틀림없습니다)가 준비되어 있습니다.어레이가 필요한 경우는, 다음과 같이 할 수 있습니다.output.toArray(new String[0]);

공백뿐만 아니라 보이지 않는 문자도 해결합니다.

str = "Hello I'm your String";
String[] splited = str.split("\p{Z}");

공백이 있는 문자열을 트리밍하는 방법은 다음과 같습니다.

private String shorterName(String s){
        String[] sArr = s.split("\\,|\\s+");
        String output = sArr[0];

        return output;
    }

스페이스별로 간단하게 문자열 뱉기

    String CurrentString = "First Second Last";
    String[] separated = CurrentString.split(" ");

    for (int i = 0; i < separated.length; i++) {

         if (i == 0) {
             Log.d("FName ** ", "" + separated[0].trim() + "\n ");
         } else if (i == 1) {
             Log.d("MName ** ", "" + separated[1].trim() + "\n ");
         } else if (i == 2) {
             Log.d("LName ** ", "" + separated[2].trim());
         }
     }

솔루션을 하나로 결합하세요!

public String getFirstNameFromFullName(String fullName){
    int indexString = fullName.trim().lastIndexOf(' ');
    return (indexString != -1)  ? fullName.trim().split("\\s+")[0].toUpperCase() : fullName.toUpperCase();
}

큰따옴표 대신 작은따옴표로 char 표시

String[] 스플릿 = str.splitr.splited ';

언급URL : https://stackoverflow.com/questions/7899525/how-to-split-a-string-by-space

반응형