1 - 是的,单词unicity不能保证,请参阅文档:
From one_hot
:这是hashing_trick
函数的包装器......
From hashing_trick
:"由于散列函数可能发生冲突,可能会将两个或多个单词分配给同一索引.冲突的概率与散列空间的维数和不同对象的数量有关."
最好使用一个Tokenizer
.(见问题4)
记住在创建索引时应该同时涉及所有单词,这一点非常重要.您不能使用函数创建一个包含2个单词的字典,然后再使用2个单词再创建一个字典....这将创建非常错误的字典.
2 - 嵌入具有大小50 x 8
,因为它是在嵌入层中定义的:
Embedding(vocab_size, 8, input_length=max_length)
vocab_size = 50
- 这意味着字典中有50个单词
embedding_size= 8
- 这是嵌入的真实大小:每个单词由8个数字的向量表示.
3 - 你不知道.他们使用相同的嵌入.
系统将使用相同的嵌入(index = 2).这对你的模型来说根本不健康.您应该使用另一种方法来创建问题1中的索引.
4 - 您可以手动创建单词词典,也可以使用Tokenizer
该类.
手动:
确保删除标点符号,将所有单词设为小写.
只需为您拥有的每个单词创建一个字典:
dictionary = dict() current_key = 1 for doc in docs: for word in doc.split(' '): #make sure you remove punctuation (this might be boring) word = word.lower() if not (word in dictionary): dictionary[word] = current_key current_key += 1
标记生成器:
from keras.preprocessing.text import Tokenizer tokenizer = Tokenizer() #this creates the dictionary #IMPORTANT: MUST HAVE ALL DATA - including Test data #IMPORTANT2: This method should be called only once!!! tokenizer.fit_on_texts(docs) #this transforms the texts in to sequences of indices encoded_docs2 = tokenizer.texts_to_sequences(docs)
看输出encoded_docs2
:
[[6, 2], [3, 1], [7, 4], [8, 1], [9], [10], [5, 4], [11, 3], [5, 1], [12, 13, 2, 14]]
查看最大指数:
padded_docs2 = pad_sequences(encoded_docs2, maxlen=max_length, padding='post') max_index = array(padded_docs2).reshape((-1,)).max()
所以,你vocab_size
应该是15(否则你会有很多无用的 - 无害的 - 嵌入行).请注意,这0
不是用作索引.它会出现在填充中!
不要再"适应"标记器了!这里只使用
texts_to_sequences()
或与"拟合"无关的其他方法.
提示:end_of_sentence
有时在文本中包含单词可能很有用.
提示2:保存Tokenizer
以供日后使用是个好主意(因为它具有特定的数据,用于创建数据fit_on_texts
).
#save: text_to_save = tokenizer.to_json() #load: from keras.preprocessing.text import tokenizer_from_json tokenizer = tokenizer_from_json(loaded_text)
5 - 嵌入的参数是正确的.
稠密:
Params for Dense
总是基于前一层(Flatten
在本例中).
公式是: previous_output * units + units
这导致了 32 (from the Flatten) * 1 (Dense units) + 1 (Dense bias=units) = 33
拼合:
它得到所有以前的尺寸乘以= 8 * 4
.
在Embedding
输出lenght = 4
和embedding_size = 8
.
6 - Embedding
图层不依赖于您的数据以及您如何预处理它.
该Embedding
层的大小只有50 x 8,因为你这么说.(见问题2)
当然,有更好的方法来预处理数据 - 见问题4.
这将导致您选择更好的vocab_size
(字典大小).
获取嵌入矩阵:
embeddings = model.layers[0].get_weights()[0]
选择任何单词索引:
embeding_for_word_7 = embeddings[7]
就这样.
如果您正在使用标记化器,请使用以下命令获取单词索引:
index = tokenizer.texts_to_sequences([['word']])[0][0]