最常见的 2-gram 使用 python

most common 2-grams using python

给定一个字符串:

this is a test this is

如何找到前 n 个最常见的 2-gram?在上面的字符串中,所有 2-gram 都是:

{this is, is a, test this, this is}

如您所见,2-gram this is 出现了 2 次。因此结果应该是:

{this is: 2}

我知道我可以使用 Counter.most_common() 方法找到最常见的元素,但我如何从字符串开始创建一个 2-gram 列表?

好吧,你可以使用

words = s.split() # s is the original string
pairs = [(words[i], words[i+1]) for i in range(len(words)-1)]

(words[i], words[i+1]) 是位置 i 和 i+1 的词对,我们遍历从 (0,1) 到 (n-2, n-1) 的所有词对,其中 n 是长度字符串 s.

您可以使用本blog post中提供的方法方便地在Python中创建n-grams。

from collections import Counter

bigrams = zip(words, words[1:])
counts = Counter(bigrams)
print(counts.most_common())

当然,这假设输入是一个单词列表。如果您输入的是与您提供的字符串类似的字符串(没有任何标点符号),那么您只需 words = text.split(' ') 即可获取单词列表。不过,一般来说,您必须考虑标点符号、空格和其他非字母字符。在那种情况下,你可能会做类似

的事情
import re

words = re.findall(r'[A-Za-z]+', text)

或者您可以使用外部库,例如 nltk.tokenize

编辑。如果您一般需要三元语法或任何其他任何其他 n 元语法,那么您可以使用博客 post 中提供的功能,我链接到:

def find_ngrams(input_list, n):
  return zip(*(input_list[i:] for i in range(n)))

trigrams = find_ngrams(words, 3)

最简单的方法是:

s = "this is a test this is"
words = s.split()
words_zip = zip(words, words[1:])
two_grams_list = [item for item in words_zip]
print(two_grams_list)

以上代码将为您提供所有二元语法的列表,例如:

[('this', 'is'), ('is', 'a'), ('a', 'test'), ('test', 'this'), ('this', 'is')]

现在,我们需要计算每两个克的频率

count_freq = {}
for item in two_grams_list:
    if item in count_freq:
        count_freq[item] +=1
    else:
        count_freq[item] = 1

现在,我们需要对结果进行降序排列并打印结果。

sorted_two_grams = sorted(count_freq.items(), key=lambda item: item[1], reverse = True)
print(sorted_two_grams)

输出:

[(('this', 'is'), 2), (('is', 'a'), 1), (('a', 'test'), 1), (('test', 'this'), 1)]