阅读this article后,我开始训练自己的模型。问题是作者没有说明sentences
中的Word2Vec
应该是什么样的。
我从维基百科页面下载文本,因为它写的是文章,我从中列出了句子:
sentences = [word for word in wikipage.content.split('.')]
因此,例如,sentences[0]
看起来像:
'Machine learning is the subfield of computer science that gives computers the ability to learn without being explicitly programmed'
然后我尝试使用此列表训练模型:
model = Word2Vec(sentences, min_count=2, size=50, window=10, workers=4)
但模型字典由字母组成!例如,model.wv.vocab.keys()
的输出为:
dict_keys([',', 'q', 'D', 'B', 'p', 't', 'o', '(', ')', '0', 'V', ':', 'j', 's', 'R', '{', 'g', '-', 'y', 'c', '9', 'I', '}', '1', 'M', ';', '`', '\n', 'i', 'r', 'a', 'm', '–', 'v', 'N', 'h', '/', 'P', 'F', '8', '"', '’', 'W', 'T', 'u', 'U', '?', ' ', 'n', '2', '=', 'w', 'C', 'O', '6', '&', 'd', '4', 'S', 'J', 'E', 'b', 'L', '$', 'l', 'e', 'H', '≈', 'f', 'A', "'", 'x', '\\', 'K', 'G', '3', '%', 'k', 'z'])
我做错了什么?提前谢谢!
答案 0 :(得分:5)
使用Word2Vec
中的标记化功能,nltk
模型对象的输入可以是单词列表的列表:
>>> import wikipedia
>>> from nltk import sent_tokenize, word_tokenize
>>> page = wikipedia.page('machine learning')
>>> sentences = [word_tokenize(sent) for sent in sent_tokenize(page.content)]
>>> sentences[0]
['Machine', 'learning', 'is', 'the', 'subfield', 'of', 'computer', 'science', 'that', 'gives', 'computers', 'the', 'ability', 'to', 'learn', 'without', 'being', 'explicitly', 'programmed', '.']
并将其喂入:
>>> from gensim.models import Word2Vec
>>> model = Word2Vec(sentences, min_count=2, size=50, window=10,
>>> list(model.wv.vocab.keys())[:10]
['sparsely', '(', 'methods', 'their', 'typically', 'information', 'assessment', 'False', 'often', 'problems']
但一般来说,包含生成器(单词)的生成器(句子)也可以工作,即:
>>> from gensim.utils import tokenize
>>> paragraphs = map(tokenize, page.content.split('\n')) # paragraphs
>>> model = Word2Vec(paragraphs, min_count=2, size=50, window=10, workers=4)
>>> list(model.wv.vocab.keys())[:10]
['sparsely', 'methods', 'their', 'typically', 'information', 'assessment', 'False', 'often', 'problems', 'symptoms']