Pre-processing and training LDA

The purpose of this tutorial is to show you how to pre-process text data, and how to train the LDA model on that data. This tutorial will not explain you the LDA model, how inference is made in the LDA model, and it will not necessarily teach you how to use Gensim's implementation. There are plenty of resources for all of those things, but what is somewhat lacking is a hands-on tutorial that helps you train an LDA model with good results... so here is my contribution towards that.

I have used a corpus of NIPS papers in this tutorial, but if you're following this tutorial just to learn about LDA I encourage you to consider picking a corpus on a subject that you are familiar with. Qualitatively evaluating the output of an LDA model is challenging and can require you to understand the subject matter of your corpus (depending on your goal with the model).

I would also encourage you to consider each step when applying the model to your data, instead of just blindly applying my solution. The different steps will depend on your data and possibly your goal with the model.

In the following sections, we will go through pre-processing the data and training the model.

Note:

This tutorial uses the nltk library, although you can replace it with something else if you want. Python 3 is used, although Python 2.7 can be used as well.

In this tutorial we will:

  • Load data.
  • Pre-process data.
  • Transform documents to a vectorized form.
  • Train an LDA model.

If you are not familiar with the LDA model or how to use it in Gensim, I suggest you read up on that before continuing with this tutorial. Basic understanding of the LDA model should suffice. Examples:

Data

We will be using some papers from the NIPS (Neural Information Processing Systems) conference. NIPS is a machine learning conference so the subject matter should be well suited for most of the target audience of this tutorial.

You can download the data from Sam Roweis' website (http://www.cs.nyu.edu/~roweis/data.html).

Note that the corpus contains 1740 documents, and not particularly long ones. So keep in mind that this tutorial is not geared towards efficiency, and be careful before applying the code to a large dataset.

Below we are simply reading the data.

In [1]:
# Read data.

import os

# Folder containing all NIPS papers.
data_dir = 'nipstxt/'

# Folders containin individual NIPS papers.
yrs = ['00', '01', '02', '03', '04', '05', '06', '07', '08', '09', '10', '11', '12']
dirs = ['nips' + yr for yr in yrs]

# Read all texts into a list.
docs = []
for yr_dir in dirs:
    files = os.listdir(data_dir + yr_dir)
    for filen in files:
        # Note: ignoring characters that cause encoding errors.
        with open(data_dir + yr_dir + '/' + filen, errors='ignore') as fid:
            txt = fid.read()
        docs.append(txt)

Pre-process and vectorize the documents

Among other things, we will:

  • Split the documents into tokens.
  • Lemmatize the tokens.
  • Compute bigrams.
  • Compute a bag-of-words representation of the data.

First we tokenize the text using a regular expression tokenizer from NLTK. We remove numeric tokens and tokens that are only a single character, as they don't tend to be useful, and the dataset contains a lot of them.

In [2]:
# Tokenize the documents.

from nltk.tokenize import RegexpTokenizer

# Split the documents into tokens.
tokenizer = RegexpTokenizer(r'\w+')
for idx in range(len(docs)):
    docs[idx] = docs[idx].lower()  # Convert to lowercase.
    docs[idx] = tokenizer.tokenize(docs[idx])  # Split into words.

# Remove numbers, but not words that contain numbers.
docs = [[token for token in doc if not token.isnumeric()] for doc in docs]

# Remove words that are only one character.
docs = [[token for token in doc if len(token) > 1] for doc in docs]

We use the WordNet lemmatizer from NLTK. A lemmatizer is preferred over a stemmer in this case because it produces more readable words. Output that is easy to read is very desirable in topic modelling.

In [3]:
# Lemmatize the documents.

from nltk.stem.wordnet import WordNetLemmatizer

# Lemmatize all words in documents.
lemmatizer = WordNetLemmatizer()
docs = [[lemmatizer.lemmatize(token) for token in doc] for doc in docs]

We find bigrams in the documents. Bigrams are sets of two adjacent words. Using bigrams we can get phrases like "machine_learning" in our output (spaces are replaced with underscores); without bigrams we would only get "machine" and "learning".

Note that in the code below, we find bigrams and then add them to the original data, because we would like to keep the words "machine" and "learning" as well as the bigram "machine_learning".

Note that computing n-grams of large dataset can be very computationally intentensive and memory intensive.

In [4]:
# Compute bigrams.

from gensim.models import Phrases

# Add bigrams and trigrams to docs (only ones that appear 20 times or more).
bigram = Phrases(docs, min_count=20)
for idx in range(len(docs)):
    for token in bigram[docs[idx]]:
        if '_' in token:
            # Token is a bigram, add to document.
            docs[idx].append(token)

We remove rare words and common words based on their document frequency. Below we remove words that appear in less than 20 documents or in more than 50% of the documents. Consider trying to remove words only based on their frequency, or maybe combining that with this approach.

In [5]:
# Remove rare and common tokens.

from gensim.corpora import Dictionary

# Create a dictionary representation of the documents.
dictionary = Dictionary(docs)

# Filter out words that occur less than 20 documents, or more than 50% of the documents.
dictionary.filter_extremes(no_below=20, no_above=0.5)

Finally, we transform the documents to a vectorized form. We simply compute the frequency of each word, including the bigrams.

In [6]:
# Vectorize data.

# Bag-of-words representation of the documents.
corpus = [dictionary.doc2bow(doc) for doc in docs]

Let's see how many tokens and documents we have to train on.

In [7]:
print('Number of unique tokens: %d' % len(dictionary))
print('Number of documents: %d' % len(corpus))
Number of unique tokens: 8640
Number of documents: 1740

Training

We are ready to train the LDA model. We will first discuss how to set some of the training parameters.

First of all, the elephant in the room: how many topics do I need? There is really no easy answer for this, it will depend on both your data and your application. I have used 10 topics here because I wanted to have a few topics that I could interpret and "label", and because that turned out to give me reasonably good results. You might not need to interpret all your topics, so you could use a large number of topics, for example 100.

The chunksize controls how many documents are processed at a time in the training algorithm. Increasing chunksize will speed up training, at least as long as the chunk of documents easily fit into memory. I've set chunksize = 2000, which is more than the amount of documents, so I process all the data in one go. Chunksize can however influence the quality of the model, as discussed in Hoffman and co-authors [2], but the difference was not substantial in this case.

passes controls how often we train the model on the entire corpus. Another word for passes might be "epochs". iterations is somewhat technical, but essentially it controls how often we repeat a particular loop over each document. It is important to set the number of "passes" and "iterations" high enough.

I suggest the following way to choose iterations and passes. First, enable logging (as described in many Gensim tutorials), and set eval_every = 1 in LdaModel. When training the model look for a line in the log that looks something like this:

2016-06-21 15:40:06,753 - gensim.models.ldamodel - DEBUG - 68/1566 documents converged within 400 iterations

If you set passes = 20 you will see this line 20 times. Make sure that by the final passes, most of the documents have converged. So you want to choose both passes and iterations to be high enough for this to happen.

We set alpha = 'auto' and eta = 'auto'. Again this is somewhat technical, but essentially we are automatically learning two parameters in the model that we usually would have to specify explicitly.

In [8]:
# Train LDA model.

from gensim.models import LdaModel

# Set training parameters.
num_topics = 10
chunksize = 2000
passes = 20
iterations = 400
eval_every = None  # Don't evaluate model perplexity, takes too much time.

# Make a index to word dictionary.
temp = dictionary[0]  # This is only to "load" the dictionary.
id2word = dictionary.id2token

%time model = LdaModel(corpus=corpus, id2word=id2word, chunksize=chunksize, \
                       alpha='auto', eta='auto', \
                       iterations=iterations, num_topics=num_topics, \
                       passes=passes, eval_every=eval_every)
CPU times: user 1min 43s, sys: 12.1 s, total: 1min 55s
Wall time: 1min 41s

We can compute the topic coherence of each topic. Below we display the average topic coherence and print the topics in order of topic coherence.

Note that we use the "Umass" topic coherence measure here (see docs, https://radimrehurek.com/gensim/models/ldamodel.html#gensim.models.ldamodel.LdaModel.top_topics), Gensim has recently obtained an implementation of the "AKSW" topic coherence measure (see accompanying blog post, http://rare-technologies.com/what-is-topic-coherence/).

If you are familiar with the subject of the articles in this dataset, you can see that the topics below make a lot of sense. However, they are not without flaws. We can see that there is substantial overlap between some topics, others are hard to interpret, and most of them have at least some terms that seem out of place. If you were able to do better, feel free to share your methods on the blog at http://rare-technologies.com/lda-training-tips/ !

In [11]:
top_topics = model.top_topics(corpus, num_words=20)

# Average topic coherence is the sum of topic coherences of all topics, divided by the number of topics.
avg_topic_coherence = sum([t[1] for t in top_topics]) / num_topics
print('Average topic coherence: %.4f.' % avg_topic_coherence)

from pprint import pprint
pprint(top_topics)
Average topic coherence: -184.6016.
[([(0.021633213181384808, 'neuron'),
   (0.010217691903217984, 'cell'),
   (0.0082727364788879199, 'spike'),
   (0.0075648781909228528, 'synaptic'),
   (0.0074708470941849377, 'activity'),
   (0.0069233960886390866, 'firing'),
   (0.0065844402024269394, 'response'),
   (0.0054484705201482764, 'stimulus'),
   (0.0049905216429390244, 'potential'),
   (0.0046648312033754366, 'dynamic'),
   (0.0043872157636236165, 'phase'),
   (0.0043690559219673481, 'connection'),
   (0.0042000448457857166, 'fig'),
   (0.0038936028866239677, 'frequency'),
   (0.0038484030708212068, 'signal'),
   (0.0035619675167517899, 'memory'),
   (0.0035612510979155859, 'simulation'),
   (0.0034699083899677372, 'delay'),
   (0.003222778274768627, 'synapsis'),
   (0.0030867531478369942, 'cortex')],
  -157.65728612754438),
 ([(0.01394508619775889, 'cell'),
   (0.012233559744905821, 'visual'),
   (0.0093611217350869618, 'field'),
   (0.0078593492127281266, 'motion'),
   (0.0075170084698202222, 'direction'),
   (0.007295284912940363, 'response'),
   (0.0071766768409758236, 'stimulus'),
   (0.0071202187344461439, 'map'),
   (0.0063611953263107597, 'orientation'),
   (0.006097607837982996, 'eye'),
   (0.005634328008455554, 'spatial'),
   (0.0052513127782837336, 'neuron'),
   (0.005147725114764439, 'receptive'),
   (0.0050671662023816857, 'image'),
   (0.004940498235678578, 'layer'),
   (0.0047347570766813132, 'receptive_field'),
   (0.0043985045727147933, 'activity'),
   (0.0042108304311004987, 'cortex'),
   (0.0040573413302537366, 'position'),
   (0.0040119330436480831, 'region')],
  -158.59627439539256),
 ([(0.0080219826700949921, 'gaussian'),
   (0.0068533088063575101, 'matrix'),
   (0.006278805725408826, 'density'),
   (0.0061736201860056669, 'mixture'),
   (0.0057961560074873035, 'component'),
   (0.0053104046774581212, 'likelihood'),
   (0.0051456866880601679, 'estimate'),
   (0.0050156142440622347, 'noise'),
   (0.0047317036751591823, 'prior'),
   (0.0043137703063880137, 'approximation'),
   (0.0042321175243358366, 'variance'),
   (0.0041232652708586724, 'bayesian'),
   (0.0039598100973216067, 'em'),
   (0.0038927209273342533, 'gradient'),
   (0.0037779922470037221, 'log'),
   (0.0037386957290049976, 'sample'),
   (0.0035691130791367068, 'posterior'),
   (0.003474281862935657, 'estimation'),
   (0.0033300074873846915, 'regression'),
   (0.0031726595216486336, 'basis')],
  -166.34510865636656),
 ([(0.010886162523755884, 'action'),
   (0.008243305184760007, 'policy'),
   (0.0062984874900367032, 'reinforcement'),
   (0.0053458086160853369, 'optimal'),
   (0.0044610446421877812, 'reinforcement_learning'),
   (0.004307336922983125, 'memory'),
   (0.0039526125909715238, 'machine'),
   (0.0038936655126178108, 'control'),
   (0.0037856559338613582, 'reward'),
   (0.0036236160029445639, 'solution'),
   (0.0036021980234376009, 'environment'),
   (0.0035627734894868954, 'dynamic'),
   (0.0031933344236852192, 'path'),
   (0.0031378804551700011, 'graph'),
   (0.003124482676950425, 'goal'),
   (0.0028740266470112042, 'decision'),
   (0.002859261795361839, 'iteration'),
   (0.0027760542163197031, 'robot'),
   (0.0027717460320510244, 'update'),
   (0.0027236741499300676, 'stochastic')],
  -177.26274652276632),
 ([(0.0070532716721267846, 'bound'),
   (0.005913824828369765, 'class'),
   (0.0057276330400420862, 'let'),
   (0.0054929905300656742, 'generalization'),
   (0.0048778662731984385, 'theorem'),
   (0.0037837387505577991, 'xi'),
   (0.0037278683204615536, 'optimal'),
   (0.0034766035774340242, 'threshold'),
   (0.0033970822869913539, 'sample'),
   (0.0032299852615058984, 'approximation'),
   (0.0030406102884501475, 'dimension'),
   (0.0029531703951075142, 'complexity'),
   (0.0029359569608344029, 'machine'),
   (0.0028217302052756486, 'loss'),
   (0.0028088207050856388, 'node'),
   (0.0028070556200296007, 'solution'),
   (0.0027125994302985503, 'proof'),
   (0.0026645852618673704, 'layer'),
   (0.0026575860140346259, 'net'),
   (0.0025041032721266473, 'polynomial')],
  -178.98056091204177),
 ([(0.013415451888852211, 'hidden'),
   (0.0082374552595971748, 'hidden_unit'),
   (0.0072956299376333855, 'node'),
   (0.0067506029444491722, 'layer'),
   (0.0067165005098781408, 'rule'),
   (0.0066727349030650911, 'net'),
   (0.0060021700820120441, 'tree'),
   (0.0037908846621001113, 'trained'),
   (0.0036697021591207916, 'sequence'),
   (0.0034640024736643294, 'back'),
   (0.0034239710201901612, 'table'),
   (0.0033974409035990392, 'propagation'),
   (0.003386765336526936, 'activation'),
   (0.0030185415449297129, 'architecture'),
   (0.0027794277568320121, 'learn'),
   (0.0026850473390497742, 'prediction'),
   (0.0026390573093651717, 'string'),
   (0.0026346821217209816, 'training_set'),
   (0.0025656814659620387, 'back_propagation'),
   (0.0025116033411319671, 'language')],
  -188.53277054717449),
 ([(0.014714312788730109, 'control'),
   (0.0099573280350719901, 'dynamic'),
   (0.0086071341861654986, 'trajectory'),
   (0.0066266453092346201, 'recurrent'),
   (0.00626898358432157, 'controller'),
   (0.0062674586012192932, 'sequence'),
   (0.0059116541933388941, 'signal'),
   (0.0057128873529593647, 'forward'),
   (0.0047394595348510668, 'architecture'),
   (0.0043434943047603583, 'nonlinear'),
   (0.0042890468949420626, 'prediction'),
   (0.0041938066166678015, 'series'),
   (0.003416557849967361, 'attractor'),
   (0.0032604652620072745, 'inverse'),
   (0.0030363915114299377, 'trained'),
   (0.0029902505602050241, 'adaptive'),
   (0.0029839179665883029, 'position'),
   (0.0029629507262957842, 'hidden'),
   (0.0029130200205991445, 'desired'),
   (0.0029018644073891733, 'feedback')],
  -195.03034902242473),
 ([(0.023135483496670099, 'image'),
   (0.0098292320728244516, 'object'),
   (0.0095091650250000437, 'recognition'),
   (0.0062562002518291183, 'distance'),
   (0.0053139256260932065, 'class'),
   (0.0051142997138528537, 'face'),
   (0.0051137601518977914, 'character'),
   (0.0049003905865547294, 'classification'),
   (0.0048368948400557233, 'pixel'),
   (0.0045640208124919906, 'classifier'),
   (0.0035795209469952948, 'view'),
   (0.003322795802388204, 'digit'),
   (0.0030209029835183087, 'transformation'),
   (0.0028904227664521684, 'layer'),
   (0.0028535003493623348, 'map'),
   (0.0027609064717726449, 'human'),
   (0.0027537824535155794, 'hand'),
   (0.0026645898310183875, 'scale'),
   (0.0026553222554916082, 'word'),
   (0.0026489429534993759, 'nearest')],
  -199.50365509313696),
 ([(0.014619762720062554, 'circuit'),
   (0.013163620299223806, 'neuron'),
   (0.011173418735156853, 'chip'),
   (0.010838272171877458, 'analog'),
   (0.0096353380726272708, 'signal'),
   (0.0080391211812232306, 'voltage'),
   (0.0055581577899570835, 'channel'),
   (0.0054775778900036506, 'noise'),
   (0.0052134436268982988, 'vlsi'),
   (0.0048225583229723852, 'bit'),
   (0.0044179271415801871, 'implementation'),
   (0.0042542648528188362, 'cell'),
   (0.0039531536498857694, 'frequency'),
   (0.0038684482611307152, 'pulse'),
   (0.0036454420814875429, 'synapse'),
   (0.0036188976174382961, 'threshold'),
   (0.0032522992281379531, 'gate'),
   (0.0032069531663885243, 'fig'),
   (0.0031674367038267578, 'filter'),
   (0.0031642918140801749, 'digital')],
  -203.62039767672215),
 ([(0.016495397244929412, 'speech'),
   (0.014224555986108658, 'word'),
   (0.014198504253159445, 'recognition'),
   (0.0088937679870855438, 'layer'),
   (0.0072520103636913641, 'classifier'),
   (0.0067167934159034458, 'speaker'),
   (0.0063553921838090102, 'context'),
   (0.0062578159284403748, 'class'),
   (0.0059853201329598928, 'hidden'),
   (0.0056887097559640606, 'hmm'),
   (0.0055328441630430568, 'classification'),
   (0.0049471802300725225, 'trained'),
   (0.0047306434471966301, 'frame'),
   (0.0044173332526889391, 'phoneme'),
   (0.0043987903208920357, 'mlp'),
   (0.0041175501101671941, 'net'),
   (0.0038161702513077969, 'acoustic'),
   (0.0037067168884100422, 'speech_recognition'),
   (0.0035800864004930716, 'rbf'),
   (0.0035026237420255455, 'architecture')],
  -220.48682168542942)]

Things to experiment with

  • no_above and no_below parameters in filter_extremes method.
  • Adding trigrams or even higher order n-grams.
  • Consider whether using a hold-out set or cross-validation is the way to go for you.
  • Try other datasets.

If you have other ideas, feel free to comment on http://rare-technologies.com/lda-training-tips/.

Where to go from here

References

  1. "Latent Dirichlet Allocation", Blei et al. 2003.
  2. "Online Learning for Latent Dirichlet Allocation", Hoffman et al. 2010.