Po kilku latach zastanawiania się, jak to działa, oto zaktualizowany samouczek
Jak stworzyć korpus NLTK z katalogiem plików tekstowych?
Głównym zamysłem jest wykorzystanie pakietu nltk.corpus.reader . W przypadku, gdy masz katalog plików tekstowych w języku angielskim , najlepiej użyć PlaintextCorpusReader .
Jeśli masz katalog, który wygląda tak:
newcorpus/
file1.txt
file2.txt
...
Po prostu użyj tych linii kodu, a otrzymasz korpus:
import os
from nltk.corpus.reader.plaintext import PlaintextCorpusReader
corpusdir = 'newcorpus/'
newcorpus = PlaintextCorpusReader(corpusdir, '.*')
UWAGA: że PlaintextCorpusReader
będzie używał wartości domyślnych nltk.tokenize.sent_tokenize()
i nltk.tokenize.word_tokenize()
do dzielenia tekstów na zdania i słowa, a te funkcje są zbudowane dla języka angielskiego, może NIE działać we wszystkich językach.
Oto pełny kod z tworzeniem testowych plików tekstowych i sposobem tworzenia korpusu za pomocą NLTK oraz jak uzyskać dostęp do korpusu na różnych poziomach:
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])
Wreszcie, aby odczytać katalog tekstów i utworzyć korpus NLTK w innych językach, musisz najpierw upewnić się, że masz moduły tokenizacji słów i tokenizacji zdań wywoływane przez Pythona , które przyjmują dane wejściowe typu string / basestring i generują takie dane wyjściowe:
>>> 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', '.']