C++LeetCode 구현(68.텍스트 좌우 정렬)

[LeetCode]68.Text Justification 텍스트 좌우 정렬
Given an array of words and a width maxWidth, format the text such that each line has exactly maxWidth characters and is fully (left and right) justified.
You should pack your words in a greedy approach; that is, pack as many words as you can in each line. Pad extra spaces ' ' when necessary so that each line has exactly maxWidthcharacters.
Extra spaces between words should be distributed as evenly as possible. If the number of spaces on a line do not divide evenly between words, the empty slots on the left will be assigned more spaces than the slots on the right.
For the last line of text, it should be left justified and no extraspace is inserted between words.
Note:
  • A word is defined as a character sequence consisting of non-space characters only.
  • Each word's length is guaranteed to be greater than 0 and not exceed maxWidth.
  • The input array words contains at least one word.
  • Example 1:
    Input:
    words = ["This", "is", "an", "example", "of", "text", "justification."]
    maxWidth = 16
    Output:
    [
    "This    is    an",
    "example  of text",
    "justification.  "
    ]
    Example 2:
    Input:
    words = ["What","must","be","acknowledgment","shall","be"]
    maxWidth = 16
    Output:
    [
    "What   must   be",
    "acknowledgment  ",
    "shall be        "
    ]
    Explanation: Note that the last line is "shall be    " instead of "shall     be",
    because the last line must be left-justified instead of fully-justified.
    Note that the second line is also left-justified becase it contains only one word.
    Example 3:
    Input:
    words = ["Science","is","what","we","understand","well","enough","to","explain",
    "to","a","computer.","Art","is","everything","else","we","do"]
    maxWidth = 20
    Output:
    [
    "Science  is  what we",
    "understand      well",
    "enough to explain to",
    "a  computer.  Art is",
    "everything  else  we",
    "do                  "
    ]
    제 가 이 문 제 를 텍스트 의 좌우 정렬 으로 번역 한 이 유 는 이 문 제 는 워드 소프트웨어 안의 텍스트 좌우 정렬 기능 과 매우 비슷 하기 때 문 입 니 다.이 문 제 는 제 가 앞 뒤 를 4 시간 동안 고생 한 끝 에 OJ 를 통 과 했 습 니 다.완 성 된 후에 인터넷 에 가서 더 간단 한 방법 이 있 는 지 찾 아 보 려 고 했 습 니 다.한 바퀴 를 검색 해 보 니 차이 가 많 지 않 고 복잡 합 니 다.그래서 제 생각 대로 하 겠 습 니 다.되 돌아 오 는 결 과 는 여러 줄 이기 때문에 우 리 는 처리 할 때 도 한 줄 한 줄 처리 해 야 한다.먼저 해 야 할 일 은 각 줄 이 내 려 놓 을 수 있 는 단어 수 를 정 하 는 것 이다.이것 은 어렵 지 않다.n 개의 단어의 길이 와 n-1 개의 빈 칸 의 길 이 를 주어진 길이 L 과 비교 하면 된다.한 줄 이 내 려 놓 을 수 있 는 단어 개 수 를 찾 았 다.그리고 이 줄 에 존재 하 는 빈 칸 의 개 수 를 계산 합 니 다.주어진 길이 L 로 이 줄 의 모든 단어의 길이 와 길 이 를 빼 는 것 입 니 다.빈 칸 의 개 수 를 얻 은 후에 각 단어 뒤에 이 빈 칸 을 삽입 해 야 합 니 다.여기 에는 두 가지 상황 이 있 습 니 다.예 를 들 어 한 줄 에 두 개의 단어'to'와'a'가 있 고 주어진 길이 L 은 6 입 니 다.이 줄 이 마지막 줄 이 아니라면'to'를 출력 해 야 합 니 다.  a",마지막 줄 이 라면 출력 해 야 합 니 다"to a ",그래서 여 기 는 상황 에 따라 토론 해 야 한다.마지막 줄 의 처리 방법 은 다른 줄 과 약간 다르다.마지막 어 려 운 점 은 한 줄 에 세 개의 단어 가 있 는데 이때 중간 에 두 개의 빈 칸 이 있다 는 것 이다.만약 에 빈 칸 수가 2 의 배수 가 아니라면 왼쪽 공간 에 오른쪽 공간 보다 한 개의 빈 칸 을 더 넣 어야 한다.그러면 우 리 는 전체적인 빈 칸 수로 공간 개 수 를 나 누 면 가장 좋 은 것 을 제외 하고 평균 적 으로 분배 할 수 있다 는 것 을 설명 한다.다 제외 하지 않 으 면 빈 칸 을 더 해서 왼쪽 공간 에 두 세 요.이런 식 으로 유추 하면 구체 적 인 실현 과정 은 코드 를 보 세 요.
    
    class Solution {
    public:
        vector<string> fullJustify(vector<string> &words, int L) {
            vector<string> res;
            int i = 0;
            while (i < words.size()) {
                int j = i, len = 0;
                while (j < words.size() && len + words[j].size() + j - i <= L) {
                    len += words[j++].size();
                }
                string out;
                int space = L - len;
                for (int k = i; k < j; ++k) {
                    out += words[k];
                    if (space > 0) {
                        int tmp;
                        if (j == words.size()) { 
                            if (j - k == 1) tmp = space;
                            else tmp = 1;
                        } else {
                            if (j - k - 1 > 0) {
                                if (space % (j - k - 1) == 0) tmp = space / (j - k - 1);
                                else tmp = space / (j - k - 1) + 1;
                            } else tmp = space;
                        }
                        out.append(tmp, ' ');
                        space -= tmp;
                    }
                }
                res.push_back(out);
                i = j;
            }
            return res;
        }
    };
    C++구현 LeetCode(68.텍스트 좌우 정렬)에 관 한 이 글 은 여기까지 소개 되 었 습 니 다.더 많은 관련 C++구현 텍스트 좌우 정렬 내용 은 우리 의 이전 글 을 검색 하거나 아래 의 관련 글 을 계속 조회 하 시기 바 랍 니 다.앞으로 많은 응원 바 랍 니 다!

    좋은 웹페이지 즐겨찾기