在上一篇文章中,我們將使用Mallet版本的LDA演算法對此模型進行改進,然後我們將重點介紹如何在給定任何大型文字語料庫的情況下獲得最佳主題數。
16.構建LDA Mallet模型
到目前為止,您已經看到了Gensim內建的LDA演算法版本。然而,Mallet的版本通常會提供更高質量的主題。
Gensim提供了一個包裝器,用於在Gensim內部實現Mallet的LDA。您只需要下載 zip 檔案,解壓縮它並在解壓縮的目錄中提供mallet的路徑。看看我在下面如何做到這一點。gensim.models.wrappers.LdaMallet
# Download File: http://mallet.cs.umass.edu/dist/mallet-2.0.8.zip
mallet_path = 'path/to/mallet-2.0.8/bin/mallet' # update this path
ldamallet = gensim.models.wrappers.LdaMallet(mallet_path, corpus=corpus, num_topics=20, id2word=id2word)
# Show Topics
pprint(ldamallet.show_topics(formatted=False))# Compute Coherence Score
coherence_model_ldamallet = CoherenceModel(model=ldamallet, texts=data_lemmatized, dictionary=id2word, coherence='c_v')
coherence_ldamallet = coherence_model_ldamallet.get_coherence()print('\nCoherence Score: ', coherence_ldamallet)
[(13,
[('god', 0.022175351915726671),
('christian', 0.017560827817656381),
('people', 0.0088794630371958616),
('bible', 0.008215251235200895),
('word', 0.0077491376899412696),
('church', 0.0074112053696280414),
('religion', 0.0071198844038407759),
('man', 0.0067936049221590383),
('faith', 0.0067469935676330757),
('love', 0.0064556726018458093)]),
(1,
[('organization', 0.10977647987951586),
('line', 0.10182379194445974),
('write', 0.097397469098389255),
('article', 0.082483883409554246),
('nntp_post', 0.079894209047330425),
('host', 0.069737542931658306),
('university', 0.066303010266865026),
('reply', 0.02255404338163719),
('distribution_world', 0.014362591143681011),
('usa', 0.010928058478887726)]),
(8,
[('file', 0.02816690014008405),
('line', 0.021396171035954908),
('problem', 0.013508104862917751),
('program', 0.013157894736842105),
('read', 0.012607564538723234),
('follow', 0.01110666399839904),
('number', 0.011056633980388232),
('set', 0.010522980454939631),
('error', 0.010172770328863986),
('write', 0.010039356947501835)]),
(7,
[('include', 0.0091670556506405262),
('information', 0.0088169700741662776),
('national', 0.0085576474249260924),
('year', 0.0077667133447435295),
('report', 0.0070406099268710129),
('university', 0.0070406099268710129),
('book', 0.0068979824697889113),
('program', 0.0065219646283906432),
('group', 0.0058866241377521916),
('service', 0.0057180644157460714)]),
(..truncated..)]Coherence Score: 0.632431683088複製程式碼
只需改變LDA演算法,我們就可以將相干得分從.53增加到.63。不錯!
17.如何找到LDA的最佳主題數量?
我找到最佳主題數的方法是構建具有不同主題數量(k)的許多LDA模型,並選擇具有最高一致性值的LDA模型。
選擇一個標誌著主題連貫性快速增長的“k”通常會提供有意義和可解釋的主題。選擇更高的值有時可以提供更細粒度的子主題。
如果您在多個主題中看到相同的關鍵字重複,則可能表示'k'太大。
compute_coherence_values()(見下文)訓練多個LDA模型,並提供模型及其對應的相關性分數。
def compute_coherence_values(dictionary, corpus, texts, limit, start=2, step=3):
"""
Compute c_v coherence for various number of topics
Parameters:
----------
dictionary : Gensim dictionary
corpus : Gensim corpus
texts : List of input texts
limit : Max num of topics
Returns:
-------
model_list : List of LDA topic models
coherence_values : Coherence values corresponding to the LDA model with respective number of topics
"""
coherence_values = []
model_list = []
for num_topics in range(start, limit, step):
model = gensim.models.wrappers.LdaMallet(mallet_path, corpus=corpus, num_topics=num_topics, id2word=id2word)
model_list.append(model)
coherencemodel = CoherenceModel(model=model, texts=texts, dictionary=dictionary, coherence='c_v')
coherence_values.append(coherencemodel.get_coherence())
return model_list, coherence_values
# Can take a long time to run.
model_list, coherence_values = compute_coherence_values(dictionary=id2word, corpus=corpus, texts=data_lemmatized, start=2, limit=40, step=6)
# Show graph
limit=40; start=2; step=6;
x = range(start, limit, step)
plt.plot(x, coherence_values)
plt.xlabel("Num Topics")
plt.ylabel("Coherence score")
plt.legend(("coherence_values"), loc='best')
plt.show()複製程式碼
選擇最佳數量的LDA主題
# Print the coherence scoresfor m, cv in zip(x, coherence_values):
print("Num Topics =", m, " has Coherence Value of", round(cv, 4))
Num Topics = 2 has Coherence Value of 0.4451Num Topics = 8 has Coherence Value of 0.5943Num Topics = 14 has Coherence Value of 0.6208Num Topics = 20 has Coherence Value of 0.6438Num Topics = 26 has Coherence Value of 0.643Num Topics = 32 has Coherence Value of 0.6478Num Topics = 38 has Coherence Value of 0.6525複製程式碼
如果相關性得分似乎在不斷增加,那麼選擇在展平之前給出最高CV的模型可能更有意義。這就是這種情況。
因此,對於進一步的步驟,我將選擇具有20個主題的模型。
# Select the model and print the topics
optimal_model = model_list[3]
model_topics = optimal_model.show_topics(formatted=False)
pprint(optimal_model.print_topics(num_words=10))
[(0,
'0.025*"game" + 0.018*"team" + 0.016*"year" + 0.014*"play" + 0.013*"good" + '
'0.012*"player" + 0.011*"win" + 0.007*"season" + 0.007*"hockey" + '
'0.007*"fan"'),
(1,
'0.021*"window" + 0.015*"file" + 0.012*"image" + 0.010*"program" + '
'0.010*"version" + 0.009*"display" + 0.009*"server" + 0.009*"software" + '
'0.008*"graphic" + 0.008*"application"'),
(2,
'0.021*"gun" + 0.019*"state" + 0.016*"law" + 0.010*"people" + 0.008*"case" + '
'0.008*"crime" + 0.007*"government" + 0.007*"weapon" + 0.007*"police" + '
'0.006*"firearm"'),
(3,
'0.855*"ax" + 0.062*"max" + 0.002*"tm" + 0.002*"qax" + 0.001*"mf" + '
'0.001*"giz" + 0.001*"_" + 0.001*"ml" + 0.001*"fp" + 0.001*"mr"'),
(4,
'0.020*"file" + 0.020*"line" + 0.013*"read" + 0.013*"set" + 0.012*"program" '
'+ 0.012*"number" + 0.010*"follow" + 0.010*"error" + 0.010*"change" + '
'0.009*"entry"'),
(5,
'0.021*"god" + 0.016*"christian" + 0.008*"religion" + 0.008*"bible" + '
'0.007*"life" + 0.007*"people" + 0.007*"church" + 0.007*"word" + 0.007*"man" '
'+ 0.006*"faith"'),
(..truncated..)]複製程式碼
這些是所選LDA模型的主題。
18.在每個句子中找到主要話題
主題建模的一個實際應用是確定給定文件的主題。
為了找到這個,我們找到該文件中貢獻百分比最高的主題編號。
下面的函式很好地將此資訊聚合在一個可呈現的表中。format_topics_sentences()
def format_topics_sentences(ldamodel=lda_model, corpus=corpus, texts=data):
# Init output
sent_topics_df = pd.DataFrame()
# Get main topic in each document
for i, row in enumerate(ldamodel[corpus]):
row = sorted(row, key=lambda x: (x[1]), reverse=True)
# Get the Dominant topic, Perc Contribution and Keywords for each document
for j, (topic_num, prop_topic) in enumerate(row):
if j == 0: # => dominant topic
wp = ldamodel.show_topic(topic_num)
topic_keywords = ", ".join([word for word, prop in wp])
sent_topics_df = sent_topics_df.append(pd.Series([int(topic_num), round(prop_topic,4), topic_keywords]), ignore_index=True)
else:
break
sent_topics_df.columns = ['Dominant_Topic', 'Perc_Contribution', 'Topic_Keywords']
# Add original text to the end of the output
contents = pd.Series(texts)
sent_topics_df = pd.concat([sent_topics_df, contents], axis=1)
return(sent_topics_df)
df_topic_sents_keywords = format_topics_sentences(ldamodel=optimal_model, corpus=corpus, texts=data)# Format
df_dominant_topic = df_topic_sents_keywords.reset_index()
df_dominant_topic.columns = ['Document_No', 'Dominant_Topic', 'Topic_Perc_Contrib', 'Keywords', 'Text']# Show
df_dominant_topic.head(10)複製程式碼
每個文件的主導主題
19.找到每個主題最具代表性的檔案
有時,主題關鍵字可能不足以理解主題的含義。因此,為了幫助理解該主題,您可以找到給定主題最有貢獻的文件,並通過閱讀該文件來推斷該主題。呼!
# Group top 5 sentences under each topic
sent_topics_sorteddf_mallet = pd.DataFrame()
sent_topics_outdf_grpd = df_topic_sents_keywords.groupby('Dominant_Topic')for i, grp in sent_topics_outdf_grpd:
sent_topics_sorteddf_mallet = pd.concat([sent_topics_sorteddf_mallet,
grp.sort_values(['Perc_Contribution'], ascending=[0]).head(1)],
axis=0)# Reset Index
sent_topics_sorteddf_mallet.reset_index(drop=True, inplace=True)# Format
sent_topics_sorteddf_mallet.columns = ['Topic_Num', "Topic_Perc_Contrib", "Keywords", "Text"]# Show
sent_topics_sorteddf_mallet.head()複製程式碼
每個文件的最具代表性的主題
上面的表格輸出實際上有20行,每個主題一個。它有主題編號,關鍵字和最具代表性的文件。該Perc_Contribution
列只是給定文件中主題的百分比貢獻。
20.主題檔案分發
最後,我們希望瞭解主題的數量和分佈,以判斷討論的範圍。下表公開了該資訊。
# Number of Documents for Each Topic
topic_counts = df_topic_sents_keywords['Dominant_Topic'].value_counts()# Percentage of Documents for Each Topic
topic_contribution = round(topic_counts/topic_counts.sum(), 4)# Topic Number and Keywords
topic_num_keywords = df_topic_sents_keywords[['Dominant_Topic', 'Topic_Keywords']]# Concatenate Column wise
df_dominant_topics = pd.concat([topic_num_keywords, topic_counts, topic_contribution], axis=1)# Change Column names
df_dominant_topics.columns = ['Dominant_Topic', 'Topic_Keywords', 'Num_Documents', 'Perc_Documents']# Show
df_dominant_topics複製程式碼
主題卷分佈
21.結論
我們開始瞭解建模可以做什麼主題。我們使用Gensim的LDA構建了一個基本主題模型,並使用pyLDAvis視覺化主題。然後我們構建了mallet的LDA實現。您瞭解瞭如何使用一致性分數找到最佳主題數量,以及如何理解如何選擇最佳模型。
最後,我們看到了如何聚合和呈現結果,以產生可能更具可操作性的見解。
希望你喜歡讀這篇文章。如果您將您的想法留在下面的評論部分,我將不勝感激。
編輯:我看到你們中的一些人在使用LDA Mallet時遇到了錯誤,但我沒有針對某些問題的解決方案。所以,我已經實現了一個變通方法和更有用的主題模型視覺化。希望你會發現它很有幫助。變通模型的地址:www.machinelearningplus.com/nlp/topic-m…
上一篇文章連結地址:www.apexyun.com/shi-yong-ge…
公眾號:銀河系1號
聯絡郵箱:public@space-explore.com
(未經同意,請勿轉載)