분절 복원

다음은 전처리 과정에서 분절을 수행하고, 다시 분절 복원detokenization하는 과정을 설명한 것입니다. 하나씩 따라가보겠습니다. 다음과 같은 영어 원문이 주어졌다고 가정합니다.

Natural language processing is one of biggest streams in artificial intelligence, and it becomes very popular after seq2seq's invention.

언어별 분절기 모듈(영어의 경우 NLTK)을 통해 분절을 수행하고, 기존 띄어쓰기와 새롭게 분절기에 의해 만들어진 공백을 구분하기 위해 특수 문자 ''를 원래의 공백 위치에 삽입합니다. 다만 이 '' 문자는 기존의 '_'와 다른 문자로 특수기호입니다.

▁Natural ▁language ▁processing ▁is ▁one ▁of ▁biggest ▁streams ▁in ▁artificial ▁intelligence , ▁and ▁it ▁becomes ▁very ▁popular ▁after ▁seq2seq 's ▁invention .

여기에 서브워드 단위 분절을 수행하며 이전 과정까지의 공백과 서브워드 단위 분절로 인한 공백을 구분하기 위한 특수 문자 '_'를 삽입합니다.

▁▁Natural ▁▁language ▁▁processing ▁▁is ▁▁one ▁▁of ▁▁biggest ▁▁streams ▁▁in ▁▁artificial ▁▁intelligence ▁, ▁▁and ▁▁it ▁▁becomes ▁▁very ▁▁popular ▁▁after ▁▁se q 2 se q ▁'s ▁▁invention ▁.

이렇게 전처리 과정이 종료되었습니다. 이런 형태의 분절된 문장을 자연어 처리 모델에 훈련시키면 똑같은 형태로 분절된 문장을 생성해낼 것입니다. 그럼 이런 문장을 분절 복원하여 사람이 읽기 좋은 형태로 만들어주어야 합니다.

먼저 공백을 제거합니다.

▁▁Natural▁▁language▁▁processing▁▁is▁▁one▁▁of▁▁biggest▁▁streams▁▁in▁▁artificial▁▁intelligence▁,▁▁and▁▁it▁▁becomes▁▁very▁▁popular▁▁after▁▁seq2seq▁'s▁▁invention▁.

그리고 특수 문자 ''가 2개가 동시에 있는 문자열 '__'을 공백으로 치환합니다. 그럼 한 개 짜리 ''만 남습니다.

 Natural language processing is one of biggest streams in artificial intelligence▁, and it becomes very popular after seq2seq▁'s invention▁.

마지막 남은 특수 문자 '_'를 제거합니다. 그럼 문장 복원이 완성됩니다.

Natural language processing is one of biggest streams in artificial intelligence, and it becomes very popular after seq2seq's invention.

분절 후처리

앞의 예제에서처럼 분절에 대한 복원을 수월하게 하기 위해, 분절 이후에는 특수 문자를 분절 과정에서 새롭게 생긴 공백 다음에 삽입해야 합니다. 다음은 기존의 공백과 전처리 단계에서 생성된 공백을 서로 구분하기 위한 특수 문자 '_'을 삽입하는 파이썬 스크립트 예제입니다.

import sys

STR = '▁'

if __name__ == "__main__":
    ref_fn = sys.argv[1]

    f = open(ref_fn, 'r')

    for ref in f:
        ref_tokens = ref.strip().split(' ')
        input_line = sys.stdin.readline().strip()

        if input_line != "":
            tokens = input_line.split(' ')

            idx = 0
            buf = []

            # We assume that stdin has more tokens than reference input.
            for ref_token in ref_tokens:
                tmp_buf = []

                while idx < len(tokens):
                    if tokens[idx].strip() == '':
                        idx += 1
                        continue

                    tmp_buf += [tokens[idx]]
                    idx += 1

                    if ''.join(tmp_buf) == ref_token:
                        break

                if len(tmp_buf) > 0:
                    buf += [STR + tmp_buf[0].strip()] + tmp_buf[1:]

            sys.stdout.write(' '.join(buf) + '\n')
        else:
            sys.stdout.write('\n')

    f.close()

이 스크립트의 사용 방법은 다음과 같습니다. 주로 다른 분절 모듈의 수행 후에 파이프pipe를 사용하여 붙여서 사용합니다.

$ cat [before filename] | python tokenizer.py | python post_tokenize.py [before filename]

분절 복원 예제

다음은 앞서 설명한 분절 복원을 sed 명령어를 통해 수행할 경우의 예제입니다.

sed "s/ //g" | sed "s/▁▁/ /g" | sed "s/▁//g" | sed "s/^\s//g"

또는 다음의 파이썬 스크립트 예제처럼 처리할 수도 있습니다.

import sys

if __name__ == "__main__":
    for line in sys.stdin:
        if line.strip() != "":
            if '▁▁' in line:
                line = line.strip().replace(' ', '').replace('▁▁', ' ').replace('▁', '').strip()
            else:
                line = line.strip().replace(' ', '').replace('▁', ' ').strip()

            sys.stdout.write(line + '\n')
        else:
            sys.stdout.write('\n')

Last updated