NLTK创建具有句子边界的双字母组合

时间:2016-11-30 03:13:58

标签: python nltk

我正在尝试使用不跨越句子边界的nltk创建bigrams。我尝试使用from_documents,然而,它并没有像我希望的那样工作。

import nltk
from nltk.collocations import *
bigram_measures = nltk.collocations.BigramAssocMeasures()

finder = BigramCollocationFinder.from_documents([['This', 'is', 'sentence', 'one'], ['A', 'second', 'sentence']])
print finder.nbest(bigram_measures.pmi, 10)

>> [(u'A', u'second'), (u'This', u'is'), (u'one', u'A'), (u'is', u'sentence'), (u'second', u'sentence'), (u'sentence', u'one')]

这包括(u'one',u'A'),我正试图避免。

1 个答案:

答案 0 :(得分:1)

我最终放弃了nltk并手工处理:

为了创建ngrams,我在http://locallyoptimal.com/blog/2013/01/20/elegant-n-gram-generation-in-python/

上找到了这个方便的功能
def find_ngrams(input_list, n):
    return zip(*[input_list[i:] for i in range(n)])

从那里开始,我计算了两个概率:

首先我创建了双胞胎

all_bigrams = [find_ngrams(sentence, 2) for sentence in text]

然后我按照第一个单词

对它们进行分组
first_words = {}
for bigram in all_bigrams:
    if bigram[0] in first_words.keys():
        first_words[bigram[0]].append(bigram)
    else:
        first_words[bigram[0]] = [bigram]

然后我计算了每个二元组的概率

bi_probabilites = {}
for bigram in (set(all_bigrams)):
    bigram_count = 0
    first_word_list = first_words[bigram[0]]
    for item in first_word_list:
        if item == bigram:
            bigram_count += 1
    bi_probabilites[bigram] = {
        'count': bigram_count, 
        'length': len(first_word_list), 
        'prob': float(bigram_count)/len(first_word_list)
    }

不是最优雅,但它完成了工作。