코린이의 소소한 공부노트

[LeetCode/Easy] 1592. Rearrange Spaces Between Words 본문

코딩테스트 풀이/JAVA

[LeetCode/Easy] 1592. Rearrange Spaces Between Words

무지맘 2023. 4. 13. 14:47

1. Input

1) String text

 

2. Output

1) text에 있는 모든 공백을 단어 사이에 동일하게 재배열한 결과를 반환

- 단어는 최소 1개의 공백 문자로 구분되어 있다.

- 공백이 남을 경우 맨 뒤에 붙인다. 이 말인 즉슨 반환되는 문자열은 text와 길이가 같다는 것이다.

 

3. Constraint

1) 1 <= text.length <= 100

2) text는 공백 문자와 영어 소문자로만 이루어져 있다.

3) text에는 최소 1개의 단어가 있다.

 

4. Example

Input: text = " this is a sentence " -> Output: "this is a sentence"

설명: 공백은 총 9, 단어는 4개이므로 단어 사이에 9/(4-1)=3개의 공백이 들어간다.

 

5. Code

1) 첫 코드(2023/04/13)

int space = 0;
for(int i=0 ; i<text.length() ; i++)
    if(text.charAt(i)==' ') space++;
StringTokenizer token = new StringTokenizer(text);
String answer = "";
int words = token.countTokens(), count = space;
for(int i=0 ; i<words-1 ; i++){
    answer += token.nextToken();
    int n = space/(words-1);
    count -= n;
    while(n>0){
        answer += " "; n--;
    }
}
answer += token.nextToken();
for(int i=0 ; i<count ; i++)
    answer += " ";
return answer;