После нескольких лет выяснения того, как это работает, вот обновленное руководство по
Как создать корпус NLTK с каталогом текстовых файлов?
Основная идея - использовать пакет nltk.corpus.reader . В случае, если у вас есть каталог текстовых файлов на английском языке , лучше всего использовать PlaintextCorpusReader .
Если у вас есть каталог, который выглядит так:
newcorpus/
file1.txt
file2.txt
...
Просто используйте эти строки кода, и вы можете получить корпус:
import os
from nltk.corpus.reader.plaintext import PlaintextCorpusReader
corpusdir = 'newcorpus/'
newcorpus = PlaintextCorpusReader(corpusdir, '.*')
Примечание: что PlaintextCorpusReader
будет использовать по умолчанию nltk.tokenize.sent_tokenize()
и nltk.tokenize.word_tokenize()
разделить ваши тексты на предложения и слова , и эти функции строят на английском языке, он может НЕ работать на всех языках.
Вот полный код с созданием тестовых текстовых файлов и о том, как создать корпус с помощью NLTK и как получить доступ к корпусу на разных уровнях:
import os
from nltk.corpus.reader.plaintext import PlaintextCorpusReader
txt1 = """This is a foo bar sentence.\nAnd this is the first txtfile in the corpus."""
txt2 = """Are you a foo bar? Yes I am. Possibly, everyone is.\n"""
corpus = [txt1,txt2]
corpusdir = 'newcorpus/'
if not os.path.isdir(corpusdir):
os.mkdir(corpusdir)
filename = 0
for text in corpus:
filename+=1
with open(corpusdir+str(filename)+'.txt','w') as fout:
print>>fout, text
assert os.path.isdir(corpusdir)
for infile, text in zip(sorted(os.listdir(corpusdir)),corpus):
assert open(corpusdir+infile,'r').read().strip() == text.strip()
newcorpus = PlaintextCorpusReader('newcorpus/', '.*')
for infile in sorted(newcorpus.fileids()):
print infile
with newcorpus.open(infile) as fin:
print fin.read().strip()
print
print newcorpus.raw().strip()
print
print newcorpus.paras()
print
print newcorpus.paras(newcorpus.fileids()[0])
print newcorpus.sents()
print
print newcorpus.sents(newcorpus.fileids()[0])
print newcorpus.words()
print newcorpus.words(newcorpus.fileids()[0])
И, наконец, прочитать каталог текстов и создать NLTK корпус в других языках, вы должны сначала убедиться , что у вас есть питон-вызываемые слова лексических и предложение лексемизации модули , которые принимают строку / basestring вход и производят такой вывод:
>>> from nltk.tokenize import sent_tokenize, word_tokenize
>>> txt1 = """This is a foo bar sentence.\nAnd this is the first txtfile in the corpus."""
>>> sent_tokenize(txt1)
['This is a foo bar sentence.', 'And this is the first txtfile in the corpus.']
>>> word_tokenize(sent_tokenize(txt1)[0])
['This', 'is', 'a', 'foo', 'bar', 'sentence', '.']