From https://www.geeksforgeeks.org/text-analysis-in-python-3/

Book’s / Document’s Content Analysis

Patterns within written text are not the same across all authors or languages. This allows linguists to study the language of origin or potential authorship of texts where these characteristics are not directly known such as the Federalist Papers of the American Revolution.

Aim: In this case study, we will examine the properties of individual books in a book collection from various authors and various languages. More specifically, we will look at book lengths, number of unique words, and how these attributes cluster by language of or authorship.

Source: Project Gutenberg is the oldest digital library of books. It aims to digitize and archive cultural works, and at present, contains over 50,000 books, all previously published and now available electronically. Download some of these English & French books from here.

Let's count the frequency of each word in a book. Let's first practice with a short example text.

In [7]:
text = "This is my test text. We're keeping this text short to keep things manageable."

Just like in R, we assign a string to a variable. However, in python variable assignment is done with an =

Run your code with the play button above or option-enter (on a Mac).

There are two kinds of functions in python. The first is just like in R: function name with arguments in parenthese. For example, we can print the contents of the variable.

In [8]:
print(text)
This is my test text. We're keeping this text short to keep things manageable.

However, python is an object oriented language, which means that different types of variables can have functions that are associated with them specifically. These functions (called methods) are run by giving the name of the variable, followed by a period and then the function call. For example, with can convert a string variable to lower case using the lower method.

In [9]:
text_lower = text.lower()
In [10]:
print(text_lower)
this is my test text. we're keeping this text short to keep things manageable.

Given we're going to be counting words, we need to get rid of the punctuation. Fortunately, python treats strings as lists of characters. That means we can access the letters and punctuation one by one and delete anything that isn't a letter. For practice we can access each letter in the text string.

In [12]:
print(text[1])
h

This probably wasn't what you were expecting. Python is a 0-based language. That means the first item in a list or string is accessed using 0.

In [13]:
print(text[0])
T

Now let's think about how to delete all the periods in this sentence. Recall that in bash we used sed to substitute one item for another. We can do something similar here using the replace method for strings. Remember that methods follow the variable name.

In [14]:
text_lower.replace(".","")
Out[14]:
"this is my test text we're keeping this text short to keep things manageable"

Here the method takes two arguments: the item we are replacing (the period) and the item we're replacing it with (nothing).

Now that we've replaced the periods, we also need to replace the apostrophes. When we get to looking at books we're going to have other punctuation as well that we'll need to replace. Just like in bash and R, when we want to do the same thing repeatedly we can think about loops. Here we want to loop through all our possible punctuation marks and replace them with nothing one by one.

To loop through a list of items, first we need that list. Lists are defined in python using [ ]. Each item in the list is put in quotes as in R so that python knows it's a string and not a variable. Items are separated by commas.

In [16]:
punctuation = [".", ", ", ":", ";", "'", '"']
print(punctuation)
['.', ', ', ':', ';', "'", '"']

Now we can loop through our list and replace each item in the string with nothing.

In [18]:
for mark in punctuation:
    text_lower = text_lower.replace(mark,"")
print(text_lower)
this is my test text were keeping this text short to keep things manageable

Note that for loops in python look quite similar to bash and R. They start with for, provide a variable name to be used in the loop, and give the list to be looped through. The first line of a python loop is always ended by a colon. The contents of the python loop must be indented. Anything not indented will be viewed as outside the loop.

To count words we need to loop through them. When we access a string, we can access the whole thing or as a list of characters. Now we need to separate the string into a list of multiple strings (words).

To separate a string we use the split method, which takes as an argument the value we want to split by.

In [19]:
text_lower_split = text_lower.split(" ")
print(text_lower_split)
['this', 'is', 'my', 'test', 'text', 'were', 'keeping', 'this', 'text', 'short', 'to', 'keep', 'things', 'manageable']

Logically, to count the number of each item in a list we might get the unique list of all the items and count how many there are of each. This is not an efficient approach because it means scanning through our list many times. However, we'll look at this approach as an example.

First let's get the list of words.

In [23]:
unique_words=[] #empty list
for word in text_lower_split:
    if word not in unique_words:
        unique_words.append(word)
        
print(unique_words)
['this', 'is', 'my', 'test', 'text', 'were', 'keeping', 'short', 'to', 'keep', 'things', 'manageable']

Here we use the append method to place a word at the end of the list.

Now we go through and count each word. To keep track of our counts we will make a new list and add counts to it.

In [24]:
word_counts = []
for uword in unique_words:
    word_count = 0
    for tword in text_lower_split:
        if uword == tword:
            word_count = word_count + 1
    word_counts.append(word_count)
print(unique_words)
print(word_counts)
['this', 'is', 'my', 'test', 'text', 'were', 'keeping', 'short', 'to', 'keep', 'things', 'manageable']
[2, 1, 1, 1, 2, 1, 1, 1, 1, 1, 1, 1]

That works, but it's complicated and would take a while for a lot of data. We're going through our sentence repeatedly (as many times as there are words). What we need is a way to add to each item in the second list as we observe each word in the first list. Besides strings and lists, python has a dictionary object.

A dictionary is a set of key: value pairs, with the requirement that the keys are unique (within one dictionary). A pair of braces creates an empty dictionary: {}. The main operations on a dictionary are storing a value with some key and extracting the value given the key.

In [25]:
word_count_dict = {}
for word in text_lower_split:
    if word not in word_count_dict:
        word_count_dict[word] = 1
    else:
        word_count_dict[word] += 1
        
print(word_count_dict)
{'this': 2, 'is': 1, 'my': 1, 'test': 1, 'text': 2, 'were': 1, 'keeping': 1, 'short': 1, 'to': 1, 'keep': 1, 'things': 1, 'manageable': 1}

As of python 3.6 dictionaries are ordered by insertion. However, they are accessed by key and not order location (as in a list).

Now that we can count the frequency of words in our sample text, we can read in a book, which we downloaded as text file, and count its words.

Python has a somewhat indirect process of reading files: prior to reading the file you need to open it.

In [53]:
filename = "A Midsummer Night's Dream.txt"
with open(filename, "r") as current_file: 
    text = current_file.read()

text = text.lower()
for mark in punctuation:
    text = text.replace(mark,"")
text = text.replace("\n", " ")
text = text.split()

print(text[0:5])
['a', 'midsommer', 'nights', 'dreame', 'actus']
In [57]:
midsummer_word_count_dict = {}
for word in text:
    if word not in midsummer_word_count_dict:
        midsummer_word_count_dict[word] = 1
    else:
        midsummer_word_count_dict[word] += 1
        
print('There are ',len(midsummer_word_count_dict), ' unique words in A Midsummer Night\'s Dream')
print(midsummer_word_count_dict)
There are  3231  unique words in A Midsummer Night's Dream
{'a': 264, 'midsommer': 2, 'nights': 6, 'dreame': 16, 'actus': 5, 'primus': 1, 'enter': 67, 'theseus': 13, 'hippolita': 9, 'with': 175, 'others': 1, 'now': 64, 'faire': 34, 'our': 57, 'nuptiall': 5, 'houre': 4, 'drawes': 3, 'on': 67, 'apace': 1, 'foure': 5, 'happy': 4, 'daies': 3, 'bring': 8, 'in': 239, 'another': 9, 'moon': 5, 'but': 121, 'oh': 6, 'me': 174, 'thinkes': 3, 'how': 35, 'slow': 3, 'this': 162, 'old': 5, 'wanes': 1, 'she': 59, 'lingers': 1, 'my': 204, 'desires': 3, 'like': 26, 'to': 337, 'stepdame': 1, 'or': 64, 'dowager': 2, 'long': 12, 'withering': 2, 'out': 27, 'yong': 6, 'mans': 4, 'reuennew': 2, 'hip': 8, 'wil': 6, 'quickly': 2, 'steep': 1, 'themselues': 5, 'away': 23, 'the': 579, 'time': 12, 'and': 562, 'then': 78, 'moone': 27, 'siluer': 2, 'bow': 3, 'bent': 2, 'heauen': 6, 'shal': 2, 'behold': 3, 'night': 42, 'of': 269, 'solemnities': 1, 'go': 18, 'philostrate': 1, 'stirre': 4, 'vp': 26, 'athenian': 14, 'youth': 7, 'merriments': 1, 'awake': 6, 'pert': 1, 'nimble': 1, 'spirit': 7, 'mirth': 5, 'turne': 6, 'melancholy': 1, 'forth': 9, 'funerals': 1, 'pale': 7, 'companion': 1, 'is': 190, 'not': 171, 'for': 143, 'pompe': 2, 'i': 443, 'wood': 20, 'thee': 65, 'sword': 6, 'wonne': 1, 'thy': 64, 'loue': 105, 'doing': 1, 'iniuries': 1, 'will': 111, 'wed': 3, 'key': 2, 'triumph': 1, 'reuelling': 1, 'egeus': 13, 'his': 93, 'daughter': 4, 'hermia': 44, 'lysander': 44, 'demetrius': 49, 'ege': 8, 'be': 104, 'renowned': 1, 'duke': 15, 'thanks': 2, 'good': 41, 'whats': 3, 'news': 1, 'full': 7, 'vexation': 2, 'come': 57, 'complaint': 1, 'against': 6, 'childe': 10, 'stand': 10, 'noble': 6, 'lord': 29, 'man': 46, 'hath': 39, 'consent': 5, 'marrie': 3, 'her': 148, 'gracious': 4, 'bewitchd': 1, 'bosome': 2, 'thou': 118, 'hast': 15, 'giuen': 3, 'rimes': 1, 'interchangd': 1, 'louetokens': 1, 'by': 70, 'moonelight': 6, 'at': 43, 'window': 2, 'sung': 2, 'faining': 2, 'voice': 3, 'verses': 1, 'stolne': 7, 'impression': 1, 'fantasie': 1, 'bracelets': 1, 'haire': 6, 'rings': 1, 'gawdes': 1, 'conceits': 1, 'knackes': 1, 'trifles': 2, 'nosegaies': 1, 'sweet': 32, 'meats': 1, 'messengers': 1, 'strong': 3, 'preuailment': 1, 'vnhardned': 1, 'cunning': 2, 'filchd': 1, 'daughters': 1, 'heart': 20, 'turnd': 4, 'obedience': 1, 'which': 38, 'due': 3, 'stubborne': 1, 'harshnesse': 1, 'it': 132, 'so': 113, 'heere': 38, 'before': 11, 'your': 128, 'grace': 11, 'beg': 6, 'ancient': 2, 'priuiledge': 3, 'athens': 20, 'as': 115, 'mine': 25, 'may': 31, 'dispose': 1, 'shall': 70, 'either': 7, 'gentleman': 5, 'death': 13, 'according': 3, 'law': 6, 'immediately': 2, 'prouided': 1, 'that': 184, 'case': 3, 'what': 72, 'say': 26, 'you': 273, 'aduisd': 1, 'maide': 5, 'father': 6, 'should': 35, 'god': 4, 'one': 45, 'composd': 1, 'beauties': 1, 'yea': 4, 'whom': 5, 'are': 66, 'forme': 2, 'waxe': 1, 'him': 52, 'imprinted': 1, 'within': 9, 'power': 9, 'leaue': 15, 'figure': 2, 'disfigure': 2, 'worthy': 1, 'himselfe': 6, 'he': 78, 'kinde': 4, 'wanting': 1, 'fathers': 8, 'voyce': 6, 'other': 8, 'must': 44, 'held': 1, 'worthier': 2, 'would': 38, 'lookd': 2, 'eyes': 31, 'rather': 6, 'eies': 8, 'iudgment': 1, 'looke': 26, 'do': 57, 'entreat': 2, 'pardon': 3, 'know': 23, 'am': 55, 'made': 14, 'bold': 2, 'nor': 20, 'concerne': 1, 'modestie': 1, 'such': 24, 'presence': 4, 'pleade': 1, 'thoughts': 2, 'beseech': 3, 'worst': 2, 'befall': 3, 'if': 66, 'refuse': 1, 'dye': 8, 'abiure': 1, 'euer': 14, 'society': 1, 'men': 13, 'therefore': 18, 'question': 2, 'examine': 1, 'well': 29, 'blood': 5, 'whether': 4, 'yeeld': 3, 'choice': 2, 'can': 32, 'endure': 1, 'liuerie': 1, 'nunne': 1, 'aye': 3, 'shady': 1, 'cloister': 1, 'mewd': 1, 'liue': 5, 'barren': 2, 'sister': 1, 'all': 91, 'life': 15, 'chanting': 1, 'faint': 3, 'hymnes': 1, 'cold': 3, 'fruitlesse': 1, 'thrice': 2, 'blessed': 5, 'they': 36, 'master': 7, 'their': 50, 'vndergo': 1, 'maiden': 4, 'pilgrimage': 1, 'earthlier': 1, 'happie': 3, 'rose': 5, 'distild': 1, 'virgin': 3, 'thorne': 4, 'growes': 3, 'liues': 1, 'dies': 1, 'single': 4, 'blessednesse': 1, 'grow': 5, 'die': 5, 'ere': 18, 'patent': 1, 'vnto': 8, 'lordship': 1, 'whose': 8, 'vnwished': 1, 'yoake': 2, 'soule': 7, 'consents': 1, 'giue': 20, 'soueraignty': 1, 'take': 23, 'pause': 1, 'next': 8, 'new': 6, 'sealing': 1, 'day': 23, 'betwixt': 1, 'euerlasting': 1, 'bond': 3, 'fellowship': 1, 'vpon': 29, 'prepare': 1, 'disobedience': 1, 'else': 9, 'hee': 11, 'dianaes': 1, 'altar': 1, 'protest': 1, 'aie': 1, 'austerity': 1, 'dem': 38, 'relent': 1, 'yeelde': 1, 'crazed': 1, 'title': 1, 'certaine': 5, 'right': 8, 'lys': 45, 'haue': 95, 'let': 38, 'hermiaes': 1, 'marry': 4, 'scornfull': 1, 'true': 26, 'render': 2, 'estate': 1, 'deriud': 1, 'possest': 1, 'more': 51, 'fortunes': 1, 'euery': 16, 'way': 9, 'fairely': 1, 'ranckd': 1, 'vantage': 1, 'these': 30, 'boasts': 1, 'beloud': 1, 'beauteous': 2, 'why': 22, 'prosecute': 1, 'ile': 27, 'auouch': 1, 'head': 12, 'nedars': 2, 'helena': 29, 'won': 1, 'ladie': 1, 'dotes': 4, 'deuoutly': 1, 'idolatry': 1, 'spotted': 2, 'inconstant': 1, 'confesse': 3, 'heard': 10, 'much': 11, 'thought': 4, 'spoke': 2, 'thereof': 1, 'being': 9, 'ouerfull': 1, 'selfeaffaires': 1, 'minde': 4, 'did': 35, 'lose': 4, 'some': 36, 'priuate': 1, 'schooling': 1, 'both': 12, 'arme': 1, 'selfe': 7, 'fit': 3, 'fancies': 3, 'yeelds': 1, 'no': 85, 'meanes': 2, 'we': 67, 'extenuate': 1, 'vow': 3, 'cheare': 1, 'along': 1, 'imploy': 2, 'businesse': 2, 'conferre': 1, 'something': 4, 'neerely': 1, 'concernes': 1, 'selues': 3, 'dutie': 1, 'desire': 9, 'follow': 17, 'exeunt': 6, 'manet': 1, 'cheek': 1, 'chance': 2, 'roses': 3, 'there': 38, 'fade': 1, 'fast': 3, 'belike': 1, 'want': 2, 'raine': 1, 'could': 13, 'beteeme': 1, 'them': 28, 'from': 55, 'tempest': 1, 'ought': 4, 'reade': 1, 'heare': 20, 'tale': 2, 'historie': 1, 'course': 1, 'neuer': 36, 'run': 5, 'smooth': 1, 'was': 30, 'different': 1, 'o': 55, 'crosse': 3, 'too': 17, 'high': 4, 'enthrald': 1, 'misgraffed': 1, 'respect': 4, 'yeares': 1, 'spight': 5, 'ingagd': 1, 'stood': 2, 'choise': 4, 'merit': 2, 'hell': 6, 'choose': 1, 'anothers': 2, 'eie': 6, 'were': 16, 'simpathie': 1, 'warre': 2, 'sicknesse': 2, 'lay': 3, 'siege': 1, 'making': 2, 'momentarie': 1, 'sound': 8, 'swift': 1, 'shadow': 1, 'short': 2, 'any': 9, 'briefe': 2, 'lightning': 1, 'collied': 1, 'spleene': 1, 'vnfolds': 1, 'earth': 6, 'iawes': 1, 'darkness': 1, 'deuoure': 1, 'quicke': 2, 'bright': 4, 'things': 16, 'confusion': 2, 'louers': 22, 'beene': 3, 'crost': 1, 'stands': 3, 'an': 25, 'edict': 1, 'destinie': 1, 'vs': 22, 'teach': 3, 'triall': 1, 'patience': 5, 'because': 7, 'customarie': 1, 'dreames': 2, 'sighes': 2, 'wishes': 1, 'teares': 8, 'poore': 8, 'followers': 1, 'perswasion': 1, 'widdow': 1, 'aunt': 2, 'great': 8, 'house': 9, 'remoud': 1, 'seuen': 1, 'leagues': 1, 'respects': 1, 'onely': 5, 'sonne': 3, 'gentle': 16, 'place': 12, 'sharpe': 1, 'cannot': 13, 'pursue': 4, 'loust': 1, 'steale': 4, 'morrow': 8, 'league': 3, 'without': 5, 'towne': 4, 'where': 28, 'meete': 12, 'once': 9, 'obseruance': 1, 'morne': 2, 'stay': 15, 'sweare': 6, 'cupids': 4, 'strongest': 1, 'best': 10, 'arrow': 2, 'golden': 2, 'simplicitie': 1, 'venus': 3, 'doues': 1, 'knitteth': 1, 'soules': 4, 'prospers': 1, 'fire': 5, 'burnd': 1, 'carthage': 1, 'queene': 15, 'when': 61, 'false': 4, 'troyan': 1, 'vnder': 2, 'saile': 2, 'seene': 5, 'vowes': 5, 'broke': 2, 'number': 1, 'women': 1, 'same': 9, 'appointed': 1, 'truly': 5, 'keepe': 8, 'promise': 4, 'here': 28, 'comes': 18, 'speede': 2, 'whither': 1, 'hel': 33, 'cal': 1, 'againe': 14, 'vnsay': 1, 'loues': 15, 'loadstarres': 1, 'tongues': 2, 'sweete': 15, 'ayre': 1, 'tuneable': 2, 'larke': 3, 'shepheards': 1, 'eare': 8, 'wheate': 1, 'greene': 8, 'hauthorne': 2, 'buds': 4, 'appeare': 5, 'catching': 1, 'fauor': 1, 'words': 5, 'catch': 5, 'eye': 15, 'tongue': 12, 'melodie': 2, 'world': 6, 'bated': 1, 'rest': 13, 'translated': 3, 'art': 16, 'sway': 1, 'motion': 1, 'hart': 1, 'frowne': 1, 'yet': 27, 'still': 9, 'frownes': 1, 'smiles': 1, 'skil': 1, 'curses': 1, 'giues': 2, 'prayers': 1, 'affection': 2, 'mooue': 2, 'hate': 9, 'followes': 1, 'hateth': 1, 'folly': 2, 'none': 9, 'beauty': 2, 'wold': 1, 'fault': 2, 'wer': 1, 'comfort': 2, 'see': 40, 'face': 9, 'flie': 3, 'seemd': 1, 'paradise': 1, 'mee': 7, 'graces': 1, 'dwell': 1, 'into': 12, 'helen': 7, 'mindes': 3, 'vnfold': 1, 'phoebe': 1, 'doth': 35, 'visage': 2, 'watry': 2, 'glasse': 2, 'decking': 1, 'liquid': 1, 'pearle': 2, 'bladed': 1, 'grasse': 1, 'flights': 1, 'conceale': 1, 'through': 33, 'gates': 2, 'deuisd': 1, 'often': 6, 'primrose': 1, 'beds': 2, 'wont': 4, 'lye': 6, 'emptying': 1, 'bosomes': 4, 'counsell': 3, 'sweld': 1, 'thence': 2, 'seeke': 5, 'friends': 8, 'strange': 6, 'companions': 1, 'farwell': 2, 'playfellow': 1, 'pray': 13, 'lucke': 3, 'grant': 1, 'word': 9, 'starue': 1, 'sight': 10, 'foode': 1, 'till': 12, 'deepe': 3, 'midnight': 3, 'exit': 11, 'adieu': 5, 'hele': 1, 'ore': 7, 'othersome': 1, 'erres': 1, 'doting': 1, 'hermias': 6, 'admiring': 1, 'qualities': 1, 'base': 1, 'vilde': 2, 'holding': 2, 'quantity': 1, 'transpose': 1, 'dignity': 1, 'lookes': 5, 'wingd': 1, 'cupid': 4, 'painted': 3, 'blinde': 2, 'iudgement': 2, 'taste': 4, 'wings': 3, 'vnheedy': 1, 'haste': 3, 'said': 4, 'beguild': 2, 'waggish': 1, 'boyes': 1, 'game': 2, 'forsweare': 1, 'boy': 9, 'periurd': 1, 'lookt': 3, 'eyne': 3, 'haild': 1, 'downe': 14, 'oathes': 2, 'haile': 5, 'heat': 1, 'felt': 1, 'dissolud': 1, 'showres': 1, 'melt': 1, 'goe': 18, 'tell': 15, 'flight': 3, 'intelligence': 1, 'thankes': 2, 'deere': 5, 'expence': 1, 'heerein': 1, 'meane': 5, 'enrich': 1, 'paine': 2, 'thither': 1, 'backe': 10, 'quince': 15, 'carpenter': 1, 'snug': 6, 'ioyner': 5, 'bottome': 15, 'weauer': 3, 'flute': 5, 'bellowesmender': 3, 'snout': 6, 'tinker': 3, 'starueling': 5, 'taylor': 2, 'quin': 26, 'company': 5, 'bot': 35, 'call': 10, 'generally': 1, 'scrip': 1, 'qui': 2, 'scrowle': 2, 'name': 14, 'play': 34, 'enterlude': 1, 'dutches': 1, 'wedding': 2, 'first': 9, 'peter': 10, 'treats': 1, 'read': 2, 'names': 1, 'actors': 4, 'point': 2, 'most': 20, 'lamentable': 1, 'comedy': 3, 'cruell': 3, 'pyramus': 11, 'thisbie': 13, 'very': 8, 'peece': 1, 'worke': 4, 'assure': 2, 'merry': 2, 'masters': 7, 'spread': 1, 'answere': 4, 'nick': 1, 'ready': 5, 'part': 14, 'proceed': 3, 'nicke': 1, 'set': 8, 'louer': 8, 'tyrant': 2, 'kills': 1, 'gallantly': 1, 'aske': 2, 'performing': 1, 'audience': 1, 'stormes': 1, 'condole': 1, 'measure': 3, 'chiefe': 1, 'humour': 1, 'ercles': 2, 'rarely': 1, 'teare': 2, 'cat': 2, 'make': 36, 'split': 1, 'raging': 1, 'rocks': 1, 'shiuering': 1, 'shocks': 1, 'break': 1, 'locks': 1, 'prison': 1, 'phibbus': 1, 'carre': 1, 'shine': 6, 'farre': 6, 'marre': 1, 'foolish': 3, 'fates': 3, 'lofty': 1, 'players': 1, 'vaine': 5, 'tyrants': 1, 'condoling': 1, 'francis': 1, 'flu': 1, 'flut': 2, 'wandring': 3, 'knight': 4, 'lady': 9, 'nay': 9, 'faith': 5, 'woman': 4, 'beard': 7, 'comming': 4, 'thats': 1, 'maske': 2, 'speake': 27, 'small': 3, 'hide': 4, 'monstrous': 3, 'little': 11, 'thisne': 2, 'ah': 2, 'deare': 10, 'thisby': 22, 'qu': 7, 'robin': 13, 'star': 3, 'thisbies': 8, 'mother': 3, 'tom': 1, 'snowt': 4, 'self': 1, 'snugge': 1, 'lyons': 3, 'hope': 3, 'fitted': 2, 'lions': 4, 'written': 4, 'studie': 1, 'doe': 47, 'extemporie': 1, 'nothing': 13, 'roaring': 1, 'lyon': 15, 'roare': 7, 'terribly': 1, 'fright': 3, 'dutchesse': 1, 'ladies': 11, 'shrike': 1, 'enough': 11, 'hang': 6, 'us': 1, 'mothers': 2, 'graunt': 1, 'wittes': 1, 'discretion': 6, 'aggrauate': 1, 'gently': 2, 'sucking': 1, 'doue': 4, 'twere': 2, 'nightingale': 1, 'piramus': 37, 'sweetfacd': 1, 'proper': 1, 'summers': 2, 'louely': 7, 'gentlemanlike': 1, 'therfore': 1, 'needs': 3, 'vndertake': 1, 'discharge': 2, 'strawcolour': 1, 'orange': 1, 'tawnie': 1, 'purple': 4, 'graine': 1, 'frenchcrowne': 1, 'colourd': 1, 'perfect': 3, 'yellow': 4, 'french': 1, 'crownes': 2, 'barefacd': 1, 'parts': 3, 'intreat': 1, 'request': 2, 'con': 1, 'meet': 5, 'palace': 2, 'mile': 1, 'rehearse': 5, 'citie': 1, 'shalbe': 1, 'dogd': 1, 'deuises': 1, 'knowne': 3, 'draw': 5, 'bil': 1, 'properties': 1, 'wants': 1, 'faile': 2, 'bottom': 2, 'obscenely': 1, 'couragiously': 1, 'paines': 1, 'dukes': 1, 'oake': 1, 'hold': 7, 'cut': 4, 'bowstrings': 1, 'secundus': 1, 'fairie': 5, 'dore': 1, 'goodfellow': 3, 'rob': 16, 'wander': 2, 'fai': 3, 'ouer': 6, 'hil': 2, 'dale': 2, 'bush': 8, 'briar': 1, 'parke': 1, 'flood': 2, 'euerie': 4, 'swifter': 4, 'y': 5, 'moons': 1, 'sphere': 1, 'serue': 3, 'fairy': 18, 'dew': 6, 'orbs': 1, 'green': 1, 'cowslips': 2, 'tall': 3, 'pensioners': 1, 'bee': 2, 'gold': 2, 'coats': 2, 'spots': 1, 'those': 7, 'rubies': 1, 'fauors': 1, 'freckles': 1, 'sauors': 3, 'drops': 1, 'farewell': 1, 'lob': 1, 'spirits': 4, 'gon': 1, 'elues': 4, 'anon': 5, 'king': 8, 'reuels': 4, 'heed': 1, 'oberon': 11, 'passing': 1, 'fell': 6, 'wrath': 1, 'attendant': 1, 'indian': 3, 'had': 17, 'changeling': 3, 'iealous': 2, 'traine': 5, 'trace': 1, 'forrests': 1, 'wilde': 4, 'perforce': 4, 'withholds': 1, 'loued': 1, 'flowers': 6, 'makes': 6, 'ioy': 8, 'groue': 5, 'fountaine': 2, 'cleere': 1, 'spangled': 1, 'starlight': 1, 'sheene': 1, 'square': 1, 'feare': 17, 'creepe': 3, 'acorne': 2, 'cups': 1, 'mistake': 2, 'shape': 3, 'quite': 4, 'shrewd': 2, 'knauish': 2, 'cald': 1, 'frights': 1, 'maidens': 3, 'villagree': 1, 'skim': 1, 'milke': 2, 'sometimes': 1, 'labour': 1, 'querne': 1, 'bootlesse': 2, 'breathlesse': 1, 'huswife': 1, 'cherne': 1, 'sometime': 10, 'drinke': 1, 'beare': 10, 'barme': 1, 'misleade': 1, 'nightwanderers': 1, 'laughing': 1, 'harme': 6, 'hobgoblin': 1, 'pucke': 13, 'speakst': 1, 'aright': 1, 'merrie': 2, 'wanderer': 2, 'iest': 4, 'smile': 1, 'fat': 1, 'beanfed': 1, 'horse': 5, 'beguile': 2, 'neighing': 1, 'likenesse': 2, 'silly': 1, 'foale': 1, 'lurke': 1, 'gossips': 1, 'bole': 1, 'roasted': 1, 'crab': 1, 'drinkes': 1, 'lips': 5, 'bob': 1, 'withered': 1, 'dewlop': 1, 'poure': 1, 'ale': 1, 'wisest': 1, 'telling': 2, 'saddest': 1, 'threefoot': 1, 'stoole': 1, 'mistaketh': 1, 'slip': 2, 'bum': 1, 'topples': 1, 'tailour': 1, 'cries': 2, 'fals': 3, 'coffe': 1, 'whole': 2, 'quire': 1, 'hips': 1, 'loffe': 1, 'waxen': 2, 'neeze': 1, 'merrier': 1, 'wasted': 2, 'roome': 1, 'fair': 1, 'mistris': 3, 'gone': 16, 'fairies': 11, 'doore': 2, 'hers': 2, 'ob': 25, 'ill': 3, 'met': 5, 'proud': 3, 'tytania': 4, 'skip': 1, 'hence': 10, 'forsworne': 1, 'bed': 12, 'companie': 4, 'tarrie': 1, 'rash': 1, 'wanton': 3, 'wast': 4, 'land': 5, 'corin': 1, 'sate': 1, 'playing': 2, 'pipes': 1, 'corne': 2, 'versing': 1, 'amorous': 1, 'phillida': 1, 'farthest': 1, 'steepe': 1, 'india': 1, 'forsooth': 3, 'bouncing': 1, 'amazon': 1, 'buskind': 1, 'mistresse': 3, 'warrior': 1, 'wedded': 2, 'prosperitie': 1, 'canst': 2, 'thus': 21, 'shame': 2, 'glance': 2, 'credite': 1, 'knowing': 1, 'didst': 3, 'leade': 4, 'glimmering': 3, 'peregenia': 1, 'rauished': 1, 'eagles': 1, 'breake': 6, 'ariadne': 1, 'antiopa': 1, 'que': 1, 'forgeries': 1, 'iealousie': 2, 'since': 7, 'middle': 1, 'spring': 2, 'forrest': 1, 'mead': 1, 'paued': 1, 'rushie': 1, 'brooke': 1, 'beached': 1, 'margent': 1, 'sea': 3, 'dance': 5, 'ringlets': 1, 'whistling': 1, 'winde': 6, 'braules': 1, 'disturbd': 1, 'sport': 11, 'windes': 1, 'piping': 1, 'reuenge': 2, 'suckd': 1, 'contagious': 1, 'fogges': 1, 'falling': 1, 'petty': 1, 'riuer': 1, 'ouerborne': 1, 'continents': 1, 'oxe': 2, 'stretchd': 1, 'ploughman': 2, 'lost': 3, 'sweat': 1, 'rotted': 1, 'attaind': 1, 'fold': 1, 'empty': 1, 'drowned': 1, 'field': 4, 'crowes': 1, 'fatted': 1, 'murrion': 1, 'flocke': 1, 'nine': 1, 'mens': 1, 'morris': 1, 'fild': 1, 'mud': 1, 'queint': 2, 'mazes': 1, 'lacke': 2, 'tread': 2, 'vndistinguishable': 2, 'humane': 3, 'mortals': 3, 'winter': 2, 'hymne': 1, 'caroll': 1, 'blest': 2, 'gouernesse': 1, 'floods': 1, 'anger': 1, 'washes': 1, 'aire': 3, 'rheumaticke': 1, 'diseases': 1, 'abound': 1, 'distemperature': 1, 'seasons': 1, 'alter': 2, 'hoared': 1, 'headed': 1, 'frosts': 1, 'fall': 4, 'fresh': 4, 'lap': 1, 'crimson': 1, 'hyems': 1, 'chinne': 1, 'icie': 1, 'crowne': 1, 'odorous': 1, 'chaplet': 1, 'sommer': 2, 'mockry': 1, 'childing': 1, 'autumne': 1, 'angry': 2, 'change': 4, 'wonted': 2, 'liueries': 1, 'mazed': 1, 'increase': 1, 'knowes': 2, 'progeny': 1, 'euills': 1, 'debate': 1, 'dissention': 1, 'parents': 1, 'originall': 1, 'ober': 3, 'amend': 2, 'lies': 4, 'titania': 5, 'henchman': 1, 'buyes': 1, 'votresse': 2, 'order': 1, 'spiced': 1, 'gossipt': 1, 'side': 4, 'sat': 3, 'neptunes': 1, 'sands': 1, 'marking': 1, 'th': 1, 'embarked': 1, 'traders': 1, 'laught': 1, 'sailes': 1, 'conceiue': 2, 'big': 1, 'bellied': 1, 'pretty': 3, 'swimming': 1, 'gate': 4, 'following': 4, 'wombe': 1, 'rich': 4, 'squire': 1, 'imitate': 1, 'fetch': 5, 'returne': 1, 'voyage': 1, 'merchandize': 1, 'mortall': 4, 'sake': 6, 'reare': 1, 'intend': 2, 'perchance': 3, 'after': 4, 'patiently': 1, 'round': 3, 'shun': 1, 'spare': 1, 'haunts': 1, 'kingdome': 1, 'chide': 3, 'longer': 3, 'wel': 3, 'shalt': 7, 'torment': 1, 'iniury': 2, 'hither': 6, 'remembrest': 1, 'promontory': 1, 'mearemaide': 1, 'dolphins': 1, 'vttering': 1, 'dulcet': 1, 'harmonious': 1, 'breath': 5, 'rude': 3, 'grew': 2, 'ciuill': 2, 'song': 5, 'starres': 1, 'shot': 1, 'madly': 3, 'spheares': 1, 'seamaids': 1, 'musicke': 9, 'puc': 1, 'remember': 1, 'couldst': 1, 'flying': 1, 'betweene': 3, 'armd': 1, 'aime': 1, 'tooke': 2, 'vestall': 1, 'throned': 1, 'west': 1, 'loosd': 1, 'loueshaft': 1, 'smartly': 1, 'pierce': 1, 'hundred': 1, 'thousand': 1, 'hearts': 4, 'might': 7, 'young': 1, 'fiery': 1, 'shaft': 1, 'quencht': 1, 'chaste': 1, 'beames': 4, 'imperiall': 1, 'passed': 1, 'meditation': 1, 'fancy': 3, 'free': 1, 'markt': 1, 'bolt': 1, 'westerne': 2, 'flower': 7, 'milkewhite': 1, 'wound': 3, 'idlenesse': 1, 'hearb': 1, 'shewd': 1, 'iuyce': 5, 'sleeping': 8, 'eyelids': 1, 'laid': 2, 'dote': 3, 'creature': 1, 'sees': 4, 'hearbe': 3, 'leuiathan': 1, 'swim': 1, 'put': 4, 'girdle': 1, 'about': 7, 'forty': 1, 'minutes': 2, 'hauing': 1, 'watch': 1, 'asleepe': 6, 'drop': 1, 'liquor': 2, 'thing': 12, 'waking': 3, 'wolfe': 2, 'bull': 1, 'medling': 1, 'monkey': 1, 'busie': 1, 'ape': 1, 'shee': 3, 'charme': 4, 'off': 9, 'page': 1, 'who': 11, 'inuisible': 2, 'ouerheare': 1, 'conference': 2, 'deme': 5, 'stayeth': 1, 'toldst': 1, 'get': 8, 'hardhearted': 1, 'adamant': 1, 'iron': 2, 'steele': 1, 'entice': 1, 'plainest': 1, 'truth': 8, 'euen': 5, 'spaniell': 2, 'beat': 1, 'fawne': 1, 'vse': 4, 'spurne': 3, 'strike': 5, 'neglect': 1, 'vnworthy': 1, 'worser': 1, 'vsed': 1, 'dogge': 1, 'tempt': 1, 'hatred': 2, 'sicke': 3, 'impeach': 1, 'modesty': 4, 'citty': 1, 'commit': 1, 'hands': 7, 'trust': 5, 'opportunity': 1, 'desert': 1, 'worth': 1, 'virginity': 1, 'vertue': 2, 'thinke': 14, 'worlds': 1, 'alone': 6, 'brakes': 1, 'mercy': 2, 'beasts': 3, 'wildest': 2, 'runne': 4, 'story': 2, 'changd': 2, 'apollo': 1, 'flies': 2, 'daphne': 1, 'holds': 3, 'chase': 1, 'pursues': 2, 'griffin': 1, 'milde': 2, 'hinde': 1, 'speed': 1, 'tyger': 1, 'cowardise': 1, 'valour': 1, 'demet': 1, 'questions': 1, 'beleeue': 5, 'mischiefe': 2, 'temple': 4, 'fye': 1, 'wrongs': 1, 'scandall': 1, 'sexe': 2, 'fight': 2, 'wooe': 5, 'hand': 10, 'fare': 3, 'nymph': 1, 'welcome': 4, 'puck': 10, 'banke': 2, 'blowes': 1, 'oxslips': 1, 'nodding': 1, 'violet': 1, 'ouercannoped': 1, 'luscious': 1, 'woodbine': 2, 'muske': 3, 'eglantine': 1, 'sleepes': 2, 'luld': 1, 'dances': 2, 'delight': 4, 'snake': 1, 'throwes': 1, 'enammeld': 1, 'skinne': 1, 'weed': 1, 'wide': 2, 'rap': 1, 'streake': 1, 'hatefull': 3, 'fantasies': 1, 'seek': 1, 'disdainefull': 1, 'annoint': 1, 'espies': 1, 'garments': 2, 'effect': 2, 'care': 2, 'proue': 5, 'fond': 4, 'cocke': 2, 'crow': 2, 'pu': 1, 'seruant': 1, 'queen': 2, 'roundell': 1, 'third': 1, 'minute': 1, 'kill': 9, 'cankers': 1, 'reremise': 1, 'leathern': 1, 'coates': 1, 'clamorous': 1, 'owle': 1, 'nightly': 2, 'hoots': 1, 'wonders': 2, 'sing': 10, 'offices': 1, 'snakes': 1, 'double': 4, 'thorny': 1, 'hedgehogges': 1, 'newts': 1, 'wormes': 1, 'wrong': 4, 'neere': 11, 'philomele': 2, 'lullaby': 4, 'lulla': 4, 'spell': 1, 'nye': 2, '2fairy': 1, 'weauing': 1, 'spiders': 1, 'legd': 1, 'spinners': 1, 'beetles': 1, 'blacke': 5, 'approach': 4, 'worme': 2, 'snayle': 1, 'offence': 1, 'melody': 1, 'c': 1, '1fairy': 1, 'aloofe': 1, 'centinell': 1, 'seest': 3, 'dost': 5, 'wake': 6, 'languish': 1, 'ounce': 1, 'catte': 1, 'pard': 1, 'boare': 1, 'bristled': 1, 'wakst': 5, 'vile': 6, 'lisander': 1, 'lis': 7, 'woods': 1, 'troth': 5, 'forgot': 3, 'weell': 2, 'tarry': 1, 'finde': 12, 'turfe': 1, 'pillow': 1, 'two': 19, 'lie': 4, 'further': 5, 'sence': 1, 'innocence': 2, 'takes': 3, 'meaning': 1, 'yours': 3, 'knit': 3, 'interchanged': 1, 'oath': 5, 'bedroome': 1, 'deny': 1, 'lying': 1, 'riddles': 1, 'prettily': 1, 'beshrew': 2, 'manners': 2, 'pride': 1, 'meant': 1, 'lied': 1, 'friend': 4, 'courtesie': 3, 'separation': 1, 'becomes': 2, 'vertuous': 2, 'batchelour': 1, 'distant': 1, 'nere': 1, 'end': 6, 'amen': 2, 'prayer': 2, 'loyalty': 1, 'sleepe': 18, 'halfe': 4, 'wish': 3, 'wishers': 1, 'prest': 1, 'forest': 1, 'approue': 1, 'force': 4, 'stirring': 1, 'nigh': 1, 'silence': 6, 'weedes': 1, 'weare': 2, 'despised': 2, 'danke': 1, 'durty': 1, 'ground': 7, 'durst': 2, 'lackeloue': 1, 'killcurtesie': 1, 'churle': 1, 'throw': 1, 'owe': 2, 'forbid': 2, 'seate': 1, 'eyelid': 1, 'running': 1, 'though': 11, 'de': 4, 'charge': 1, 'haunt': 1, 'wilt': 7, 'darkling': 1, 'perill': 3, 'chace': 1, 'lesser': 1, 'wheresoere': 1, 'attractiue': 1, 'came': 10, 'salt': 2, 'oftner': 1, 'washt': 1, 'vgly': 1, 'maruaile': 1, 'monster': 2, 'wicked': 2, 'dissembling': 1, 'compare': 3, 'sphery': 1, 'deade': 1, 'bloud': 3, 'sir': 5, 'transparent': 1, 'nature': 2, 'shewes': 1, 'perish': 1, 'content': 4, 'repent': 2, 'tedious': 5, 'spent': 2, 'rauen': 1, 'reason': 8, 'swayd': 1, 'saies': 4, 'growing': 1, 'ripe': 3, 'vntill': 2, 'season': 1, 'touching': 1, 'skill': 2, 'marshall': 1, 'leades': 1, 'orelooke': 1, 'stories': 1, 'richest': 1, 'booke': 1, 'wherefore': 5, 'keene': 3, 'mockery': 1, 'borne': 2, 'deserue': 2, 'scorne': 8, 'ist': 3, 'flout': 2, 'insufficiency': 1, 'goodsooth': 1, 'disdainfull': 1, 'manner': 1, 'gentlenesse': 1, 'refusd': 1, 'abusd': 1, 'maist': 1, 'surfeit': 2, 'sweetest': 1, 'deepest': 1, 'loathing': 1, 'stomacke': 1, 'brings': 1, 'heresies': 1, 'hated': 4, 'deceiue': 1, 'heresie': 1, 'powers': 1, 'addresse': 1, 'honour': 1, 'helpe': 5, 'plucke': 2, 'crawling': 1, 'serpent': 4, 'brest': 2, 'pitty': 3, 'quake': 2, 'methought': 6, 'eate': 2, 'smiling': 1, 'prey': 1, 'remooud': 1, 'hearing': 3, 'alacke': 4, 'almost': 2, 'perceiue': 4, 'tertius': 1, 'clownes': 2, 'pat': 3, 'heres': 1, 'maruailous': 1, 'conuenient': 1, 'rehearsall': 1, 'plot': 1, 'stage': 1, 'brake': 4, 'tyring': 1, 'action': 2, 'saist': 1, 'bully': 2, 'please': 4, 'abide': 4, 'berlaken': 1, 'parlous': 1, 'killing': 1, 'done': 4, 'whit': 1, 'deuice': 2, 'write': 2, 'prologue': 8, 'seeme': 7, 'swords': 1, 'killd': 2, 'indeede': 2, 'better': 4, 'assurance': 1, 'eight': 3, 'sixe': 1, 'afeard': 2, 'consider': 2, 'shield': 3, 'among': 2, 'dreadfull': 1, 'fearefull': 2, 'foule': 2, 'liuing': 1, 'wee': 6, 'necke': 1, 'saying': 1, 'defect': 1, 'tremble': 2, 'indeed': 2, 'plainly': 1, 'hard': 2, 'chamber': 4, 'sn': 3, 'calender': 2, 'almanack': 1, 'mooneshine': 11, 'yes': 2, 'casement': 2, 'open': 1, 'thorns': 1, 'lanthorne': 7, 'present': 6, 'person': 2, 'wall': 31, 'talke': 1, 'chinke': 4, 'plaster': 1, 'lome': 1, 'rough': 3, 'cast': 1, 'signifie': 1, 'fingers': 2, 'cranny': 2, 'whisper': 4, 'sit': 2, 'begin': 4, 'spoken': 1, 'speech': 2, 'cue': 4, 'hempen': 1, 'homespuns': 1, 'swaggering': 1, 'cradle': 1, 'faierie': 1, 'toward': 1, 'auditor': 1, 'actor': 1, 'perhaps': 2, 'cause': 3, 'pir': 11, 'odious': 1, 'odours': 3, 'dearest': 1, 'harke': 2, 'while': 10, 'stranger': 1, 'plaid': 4, 'pet': 4, 'vnderstand': 2, 'goes': 4, 'noyse': 2, 'thys': 2, 'radiant': 1, 'lilly': 2, 'white': 3, 'hue': 2, 'colour': 1, 'red': 3, 'triumphant': 1, 'bryer': 2, 'brisky': 1, 'iuuenall': 1, 'eke': 1, 'iew': 1, 'truest': 3, 'tyre': 3, 'ninnies': 3, 'toombe': 3, 'ninus': 2, 'cues': 1, 'past': 4, 'thine': 6, 'hanted': 1, 'flye': 3, 'puk': 1, 'bogge': 1, 'hound': 2, 'hogge': 1, 'headlesse': 1, 'neigh': 1, 'barke': 1, 'grunt': 1, 'rore': 1, 'burne': 1, 'hog': 1, 'asse': 7, 'knauery': 2, 'assehead': 1, 'owne': 9, 'blesse': 6, 'walke': 1, 'afraid': 2, 'woosell': 1, 'hew': 1, 'orengetawny': 1, 'bill': 1, 'throstle': 1, 'note': 4, 'wren': 1, 'quill': 1, 'tyta': 5, 'angell': 1, 'wakes': 2, 'flowry': 2, 'finch': 1, 'sparrow': 1, 'plainsong': 1, 'cuckow': 2, 'gray': 2, 'many': 5, 'marke': 4, 'dares': 3, 'wit': 4, 'bird': 3, 'cry': 4, 'enamored': 1, 'view': 2, 'enthralled': 1, 'vertues': 1, 'moue': 1, 'methinkes': 5, 'together': 6, 'nowadayes': 1, 'pittie': 5, 'honest': 3, 'neighbours': 2, 'gleeke': 1, 'occasion': 1, 'wise': 1, 'beautifull': 1, 'neither': 1, 'remaine': 4, 'common': 2, 'rate': 1, 'summer': 1, 'tend': 1, 'state': 1, 'attend': 2, 'iewels': 1, 'pressed': 1, 'purge': 1, 'grossenesse': 1, 'airie': 1, 'peaseblossome': 5, 'cobweb': 6, 'moth': 2, 'mustardseede': 3, 'tita': 11, 'curteous': 1, 'hop': 3, 'walkes': 2, 'gambole': 1, 'feede': 1, 'apricocks': 1, 'dewberries': 1, 'grapes': 1, 'figs': 1, 'mulberries': 1, 'honiebags': 1, 'humble': 1, 'bees': 1, 'nighttapers': 1, 'crop': 1, 'thighes': 1, 'light': 9, 'fierieglowwormes': 1, 'arise': 2, 'butterflies': 1, 'fan': 1, 'moonebeames': 1, 'nod': 1, 'curtesies': 1, '1fai': 1, '2fai': 1, '3fai': 1, 'worships': 2, 'hartily': 1, 'cob': 2, 'acquaintance': 3, 'finger': 1, 'pease': 3, 'blossome': 2, 'commend': 1, 'squash': 1, 'peascod': 1, 'mus': 3, 'peas': 2, 'mustard': 1, 'seede': 1, 'cowardly': 1, 'gyantlike': 1, 'beefe': 1, 'deuoured': 1, 'kindred': 1, 'water': 2, 'waite': 2, 'lead': 3, 'bower': 3, 'methinks': 2, 'watrie': 1, 'weepes': 1, 'weepe': 2, 'lamenting': 1, 'enforced': 1, 'chastitie': 1, 'tye': 1, 'silently': 1, 'pharies': 1, 'solus': 1, 'wonder': 7, 'awakt': 1, 'extremitie': 1, 'messenger': 1, 'mad': 4, 'nightrule': 1, 'haunted': 1, 'close': 2, 'consecrated': 1, 'dull': 1, 'hower': 1, 'crew': 1, 'patches': 1, 'mechanicals': 1, 'bread': 1, 'stals': 1, 'intended': 1, 'shallowest': 1, 'thickskin': 1, 'sort': 5, 'presented': 1, 'forsooke': 1, 'scene': 2, 'entred': 1, 'aduantage': 1, 'asses': 2, 'nole': 1, 'fixed': 1, 'answered': 1, 'mimmick': 1, 'spie': 1, 'wildegeese': 1, 'creeping': 1, 'fowler': 1, 'russedpated': 1, 'choughes': 1, 'rising': 1, 'cawing': 1, 'guns': 1, 'report': 2, 'seuer': 1, 'sweepe': 2, 'skye': 1, 'fellowes': 1, 'stampe': 1, 'murther': 1, 'cals': 2, 'sense': 3, 'weake': 3, 'feares': 2, 'senslesse': 1, 'briars': 2, 'thornes': 1, 'apparell': 2, 'snatch': 1, 'sleeues': 1, 'hats': 1, 'yeelders': 1, 'led': 1, 'distracted': 1, 'left': 6, 'moment': 1, 'passe': 3, 'waked': 1, 'straightway': 1, 'loud': 6, 'deuise': 1, 'lacht': 1, 'athenians': 2, 'bid': 4, 'finisht': 1, 'wakt': 1, 'eyde': 1, 'rebuke': 1, 'bitter': 4, 'foe': 1, 'worse': 3, 'curse': 2, 'slaine': 3, 'oreshooes': 1, 'plunge': 1, 'sunne': 2, 'stollen': 1, 'soone': 3, 'bord': 1, 'center': 1, 'displease': 1, 'brothers': 1, 'noonetide': 1, 'thantipodes': 1, 'murdred': 1, 'murtherer': 1, 'dead': 13, 'grim': 2, 'murderer': 2, 'pierst': 1, 'stearne': 1, 'cruelty': 1, 'cleare': 1, 'yonder': 4, 'spheare': 1, 'ide': 1, 'carkasse': 1, 'hounds': 5, 'dog': 4, 'cur': 1, 'driust': 1, 'bounds': 1, 'henceforth': 1, 'numbred': 1, 'braue': 1, 'tutch': 1, 'adder': 3, 'doubler': 1, 'stung': 1, 'spend': 1, 'passion': 4, 'misprisd': 1, 'mood': 1, 'guiltie': 1, 'lysanders': 3, 'fierce': 3, 'sorrowes': 2, 'heauinesse': 1, 'heauier': 1, 'debt': 1, 'bankrout': 1, 'sorrow': 1, 'slight': 1, 'pay': 1, 'tender': 4, 'mistaken': 1, 'misprision': 1, 'ensue': 1, 'fate': 1, 'orerules': 1, 'million': 1, 'confounding': 1, 'cheere': 2, 'costs': 1, 'illusion': 1, 'tartars': 1, 'bowe': 1, 'hit': 1, 'archery': 1, 'sinke': 1, 'apple': 1, 'espie': 1, 'gloriously': 1, 'sky': 2, 'remedy': 2, 'captaine': 1, 'band': 1, 'mistooke': 2, 'pleading': 1, 'fee': 1, 'pageant': 1, 'fooles': 2, 'aside': 2, 'preposterously': 1, 'think': 1, 'scorn': 1, 'derision': 4, 'natiuity': 1, 'appeares': 2, 'bearing': 1, 'badge': 1, 'aduance': 1, 'kils': 1, 'diuelish': 1, 'holy': 1, 'fray': 3, 'weigh': 3, 'scales': 1, 'tales': 1, 'swore': 1, 'awa': 1, 'goddesse': 2, 'nimph': 2, 'diuine': 2, 'christall': 1, 'muddy': 1, 'show': 4, 'kissing': 1, 'cherries': 1, 'tempting': 1, 'pure': 2, 'congealed': 1, 'taurus': 1, 'snow': 3, 'fand': 1, 'easterne': 2, 'turnes': 3, 'holdst': 1, 'kisse': 4, 'princesse': 1, 'seale': 1, 'blisse': 2, 'merriment': 1, 'knew': 1, 'curtesie': 1, 'ioyne': 2, 'mocke': 3, 'superpraise': 1, 'sure': 2, 'riuals': 3, 'trim': 1, 'exploit': 1, 'manly': 1, 'enterprize': 2, 'coniure': 1, 'maids': 1, 'offend': 3, 'extort': 1, 'lysa': 1, 'vnkind': 1, 'bequeath': 1, 'mockers': 1, 'idle': 3, 'breth': 1, 'keep': 1, 'guestwise': 1, 'soiournd': 1, 'home': 3, 'returnd': 1, 'disparage': 1, 'lest': 1, 'dark': 1, 'function': 1, 'apprehension': 1, 'wherein': 1, 'impaire': 1, 'seeing': 1, 'paies': 1, 'recompence': 1, 'found': 3, 'thanke': 2, 'brought': 1, 'vnkindly': 1, 'lysan': 1, 'presse': 2, 'bide': 1, 'engilds': 1, 'yon': 1, 'fierie': 2, 'oes': 1, 'seekst': 1, 'bare': 1, 'loe': 1, 'confederacy': 1, 'conioynd': 1, 'three': 9, 'fashion': 1, 'iniurous': 1, 'vngratefull': 1, 'maid': 1, 'conspird': 1, 'contriud': 1, 'baite': 1, 'shard': 1, 'sisters': 2, 'houres': 3, 'chid': 2, 'hasty': 1, 'footed': 1, 'parting': 2, 'schooledaies': 1, 'friendship': 1, 'childhood': 1, 'artificiall': 1, 'gods': 3, 'needles': 1, 'created': 1, 'sampler': 1, 'sitting': 1, 'cushion': 1, 'warbling': 2, 'sides': 1, 'voices': 1, 'incorporate': 1, 'cherry': 3, 'seeming': 2, 'parted': 3, 'vnion': 1, 'partition': 2, 'berries': 1, 'molded': 1, 'stem': 1, 'bodies': 2, 'heraldry': 1, 'crowned': 1, 'crest': 1, 'rent': 1, 'asunder': 1, 'scorning': 1, 'friendly': 1, 'tis': 5, 'maidenly': 1, 'feele': 1, 'iniurie': 1, 'amazed': 1, 'passionate': 1, 'seemes': 3, 'praise': 2, 'foote': 1, 'rare': 2, 'precious': 1, 'celestiall': 1, 'speakes': 1, 'hates': 1, 'denie': 1, 'setting': 1, 'hung': 3, 'fortunate': 2, 'miserable': 1, 'vnloud': 1, 'despise': 1, 'perseuer': 1, 'counterfeit': 2, 'sad': 4, 'mouthes': 1, 'winke': 1, 'each': 7, 'carried': 1, 'chronicled': 1, 'argument': 1, 'ye': 1, 'partly': 1, 'absence': 1, 'remedie': 2, 'excuse': 3, 'excellent': 2, 'entreate': 2, 'compell': 2, 'threats': 1, 'strength': 1, 'weak': 1, 'withdraw': 1, 'quick': 1, 'whereto': 1, 'tends': 1, 'ethiope': 1, 'loose': 2, 'tame': 1, 'bur': 1, 'shake': 1, 'growne': 2, 'tawny': 1, 'tartar': 1, 'loathed': 1, 'medicine': 1, 'poison': 1, 'sooth': 1, 'hurt': 2, 'although': 1, 'greater': 1, 'newes': 1, 'earnest': 1, 'doubt': 4, 'truer': 1, 'iugler': 1, 'canker': 1, 'theefe': 1, 'fine': 4, 'yfaith': 1, 'touch': 1, 'bashfulnesse': 1, 'impatient': 1, 'answers': 1, 'fie': 2, 'puppet': 2, 'statures': 1, 'vrgd': 1, 'height': 2, 'personage': 2, 'preuaild': 1, 'esteeme': 2, 'dwarfish': 1, 'low': 5, 'maypole': 1, 'nailes': 2, 'reach': 1, 'gentlemen': 1, 'curst': 4, 'gift': 1, 'shrewishnesse': 1, 'cowardize': 1, 'lower': 2, 'match': 1, 'euermore': 2, 'counsels': 1, 'wronged': 1, 'saue': 1, 'told': 6, 'stealth': 2, 'followed': 5, 'threatned': 1, 'quiet': 1, 'simple': 2, 'hinders': 1, 'behinde': 4, 'shes': 1, 'vixen': 1, 'went': 1, 'schoole': 1, 'suffer': 1, 'dwarfe': 1, 'minimus': 1, 'hindring': 1, 'knotgrasse': 1, 'bead': 1, 'officious': 1, 'behalfe': 1, 'scornes': 1, 'seruices': 1, 'shew': 5, 'darst': 3, 'try': 2, 'cheeke': 1, 'iowle': 1, 'coyle': 1, 'quicker': 1, 'legs': 3, 'negligence': 1, 'mistakst': 1, 'committst': 1, 'knaueries': 1, 'willingly': 1, 'shadowes': 3, 'blamelesse': 1, 'proues': 1, 'nointed': 1, 'glad': 1, 'iangling': 1, 'hie': 1, 'ouercast': 1, 'starrie': 1, 'welkin': 1, 'couer': 2, 'drooping': 1, 'fogge': 1, 'acheron': 1, 'testie': 1, 'astray': 1, 'frame': 2, 'raile': 1, 'browes': 1, 'deathcounterfeiting': 1, 'leaden': 1, 'battiewings': 1, 'crush': 2, 'propertie': 1, 'error': 2, 'eiebals': 1, 'role': 1, 'fruitless': 1, 'vision': 2, 'wend': 1, 'date': 1, 'whiles': 1, 'affaire': 1, 'charmed': 1, 'release': 2, 'monsters': 1, 'peace': 2, 'nightswift': 1, 'dragons': 1, 'clouds': 2, 'shines': 2, 'auroras': 1, 'harbinger': 1, 'ghosts': 1, 'troope': 1, 'churchyards': 1, 'damned': 1, 'crossewaies': 1, 'flouds': 1, 'buriall': 1, 'alreadie': 1, 'wormie': 1, 'least': 2, 'shames': 1, 'wilfully': 1, 'exile': 1, 'consort': 1, 'browd': 1, 'mornings': 1, 'oft': 1, 'forrester': 3, 'groues': 2, 'opening': 1, 'neptune': 1, 'streames': 1, 'withstanding': 1, 'delay': 2, 'feard': 1, 'goblin': 1, 'villaine': 2, 'drawne': 1, 'readie': 1, 'straight': 3, 'plainer': 1, 'runaway': 1, 'coward': 3, 'fled': 3, 'bragging': 1, 'stars': 1, 'bushes': 1, 'lookst': 1, 'wars': 1, 'recreant': 1, 'whip': 1, 'rod': 1, 'defild': 1, 'ro': 1, 'manhood': 1, 'hes': 1, 'lighter': 1, 'heeld': 1, 'faster': 1, 'shifting': 2, 'places': 2, 'fallen': 1, 'darke': 1, 'vneuen': 1, 'down': 1, 'ho': 5, 'comst': 1, 'wot': 2, 'runst': 1, 'mockst': 1, 'buy': 1, 'daylight': 2, 'faintnesse': 1, 'constraineth': 1, 'length': 1, 'visited': 1, 'weary': 2, 'abate': 1, 'comforts': 1, 'east': 1, 'detest': 1, 'shuts': 1, 'kindes': 1, 'lad': 1, 'females': 1, 'wearie': 2, 'woe': 2, 'bedabbled': 1, 'torne': 1, 'crawle': 1, 'pace': 1, 'heauens': 1, 'apply': 1, 'takst': 1, 'former': 1, 'country': 1, 'prouerb': 1, 'showne': 1, 'iacke': 1, 'iill': 1, 'nought': 2, 'mare': 1, 'act': 1, 'quartus': 1, 'clowne': 3, 'amiable': 1, 'cheekes': 2, 'coy': 1, 'sticke': 1, 'sleeke': 1, 'smoothe': 1, 'large': 2, 'eares': 2, 'clow': 4, 'wheres': 2, 'scratch': 3, 'whers': 1, 'mounsieuer': 1, 'mounsieur': 9, 'mounsier': 1, 'weapons': 1, 'hipt': 1, 'humblebee': 1, 'top': 2, 'thistle': 1, 'hony': 2, 'bag': 2, 'fret': 1, 'loth': 1, 'ouerflowne': 1, 'honybag': 1, 'signiour': 1, 'mustardseed': 2, 'clo': 3, 'neafe': 1, 'help': 1, 'caualery': 1, 'barbers': 1, 'maruellous': 1, 'hairy': 2, 'tickle': 1, 'reasonable': 1, 'tongs': 2, 'bones': 1, 'rurall': 1, 'desirest': 1, 'eat': 1, 'pecke': 1, 'prouender': 1, 'munch': 1, 'dry': 1, 'oates': 1, 'bottle': 1, 'hay': 3, 'fellow': 2, 'venturous': 1, 'squirrels': 1, 'hoard': 1, 'nuts': 1, 'clown': 1, 'handfull': 1, 'dried': 1, 'people': 1, 'exposition': 1, 'arms': 1, 'alwaies': 1, 'honisuckle': 1, 'entwist': 1, 'female': 1, 'iuy': 1, 'enrings': 1, 'barky': 1, 'elme': 1, 'dotage': 1, 'meeting': 1, 'late': 2, 'seeking': 1, 'sauours': 1, 'foole': 2, 'vpbraid': 1, 'temples': 1, 'rounded': 1, 'coronet': 1, 'fragrant': 1, 'somtime': 1, 'swell': 1, 'orient': 1, 'pearles': 1, 'flouriets': 1, 'disgrace': 1, 'bewaile': 1, 'pleasure': 2, 'taunted': 1, 'termes': 1, 'begd': 1, 'gaue': 1, 'sent': 3, 'vndoe': 1, 'imperfection': 1, 'transformed': 1, 'scalpe': 1, 'swaine': 1, 'awaking': 1, 'repaire': 1, 'accidents': 1, 'dians': 1, 'bud': 1, 'visions': 2, 'enamoured': 1, 'loath': 2, 'musick': 3, 'charmeth': 1, 'peepe': 1, 'rocke': 1, 'whereon': 1, 'sleepers': 2, 'amity': 1, 'solemnly': 1, 'triumphantly': 1, 'posterity': 1, 'paires': 1, 'faithfull': 1, 'iollity': 1, 'morning': 3, 'trip': 2, 'shade': 2, 'globe': 1, 'compasse': 1, 'wandering': 1, 'hornes': 5, 'thes': 16, 'obseruation': 1, 'performd': 1, 'vaward': 1, 'vncouple': 1, 'valley': 1, 'dispatch': 1, 'mountains': 1, 'musicall': 2, 'eccho': 1, 'coniunction': 1, 'hercules': 2, 'cadmus': 1, 'creete': 2, 'bayed': 1, 'sparta': 2, 'gallant': 1, 'chiding': 1, 'besides': 1, 'skies': 1, 'fountaines': 1, 'region': 1, 'mutuall': 1, 'discord': 2, 'thunder': 1, 'bred': 1, 'spartan': 1, 'flewd': 1, 'sanded': 1, 'heads': 1, 'crooke': 1, 'kneed': 1, 'dewlapt': 1, 'thessalian': 1, 'buls': 1, 'pursuit': 1, 'matchd': 1, 'mouth': 2, 'bels': 1, 'hallowed': 2, 'cheerd': 1, 'horne': 1, 'thessaly': 1, 'iudge': 1, 'soft': 1, 'nimphs': 1, 'olde': 1, 'early': 1, 'obserue': 1, 'intent': 3, 'solemnity': 2, 'answer': 2, 'huntsmen': 1, 'shout': 1, 'start': 1, 'saint': 1, 'valentine': 1, 'birds': 1, 'couple': 1, 'riuall': 1, 'enemies': 1, 'concord': 2, 'enmity': 1, 'reply': 1, 'amazedly': 1, 'bethinke': 1, 'have': 1, 'thereby': 1, 'defeated': 1, 'wife': 2, 'purpose': 1, 'furie': 1, 'melted': 1, 'seems': 1, 'remembrance': 2, 'gaude': 1, 'childehood': 1, 'doat': 1, 'obiect': 1, 'betrothd': 1, 'sickenesse': 1, 'food': 1, 'health': 1, 'naturall': 1, 'fortunately': 1, 'discourse': 4, 'ouerbeare': 1, 'couples': 2, 'eternally': 1, 'worne': 2, 'purposd': 1, 'hunting': 1, 'feast': 1, 'solemnitie': 1, 'lords': 3, 'mountaines': 1, 'turned': 1, 'iewell': 1, 'lets': 2, 'recount': 1, 'hey': 1, 'expound': 1, 'patchd': 1, 'offer': 1, 'seen': 1, 'able': 2, 'ballet': 1, 'called': 1, 'bottomes': 2, 'latter': 1, 'peraduenture': 1, 'staru': 1, 'transported': 1, 'mard': 1, 'forward': 2, 'possible': 1, 'simply': 1, 'handycraft': 1, 'paramour': 2, 'paragon': 1, 'married': 1, 'bin': 1, 'sixepence': 1, 'during': 1, 'scaped': 1, 'sixpence': 3, 'hangd': 1, 'deserued': 1, 'lads': 1, 'couragious': 1, 'ask': 1, 'dined': 1, 'strings': 1, 'beards': 1, 'ribbands': 1, 'pumps': 1, 'presently': 1, 'preferred': 1, 'cleane': 1, 'linnen': 1, 'playes': 1, 'lion': 14, 'paire': 1, 'clawes': 1, 'onions': 1, 'garlicke': 1, 'vtter': 1, 'quintus': 1, 'anticke': 1, 'fables': 1, 'toyes': 1, 'seething': 1, 'braines': 1, 'shaping': 1, 'phantasies': 1, 'apprehend': 2, 'coole': 1, 'comprehends': 2, 'lunaticke': 1, 'poet': 1, 'imagination': 5, 'compact': 1, 'diuels': 1, 'vaste': 1, 'franticke': 1, 'helens': 1, 'brow': 1, 'egipt': 1, 'poets': 2, 'frenzy': 1, 'rolling': 1, 'forms': 1, 'vnknowne': 1, 'pen': 1, 'shapes': 1, 'locall': 1, 'habitation': 1, 'tricks': 1, 'bringer': 1, 'imagining': 1, 'howe': 1, 'easie': 1, 'supposd': 1, 'storie': 1, 'minds': 1, 'transfigurd': 1, 'witnesseth': 1, 'than': 1, 'images': 1, 'constancie': 1, 'howsoeuer': 1, 'admirable': 1, 'dayes': 1, 'accompany': 1, 'royall': 1, 'boord': 1, 'maskes': 1, 'age': 1, 'between': 3, 'supper': 1, 'bedtime': 1, 'vsuall': 1, 'manager': 1, 'ease': 1, 'anguish': 1, 'torturing': 1, 'mighty': 1, 'abridgement': 1, 'euening': 1, 'lazie': 1, 'breefe': 4, 'sports': 1, 'rife': 1, 'highnesse': 1, 'battell': 1, 'centaurs': 1, 'eunuch': 1, 'harpe': 1, 'weel': 1, 'glory': 1, 'kinsman': 1, 'riot': 1, 'tipsie': 1, 'bachanals': 1, 'tearing': 1, 'thracian': 1, 'singer': 1, 'rage': 2, 'thebes': 1, 'last': 1, 'conqueror': 1, 'muses': 1, 'mourning': 1, 'learning': 1, 'deceast': 1, 'beggerie': 1, 'satire': 1, 'criticall': 1, 'sorting': 1, 'ceremonie': 1, 'tragicall': 3, 'hot': 1, 'ice': 1, 'wondrous': 1, 'ten': 2, 'apt': 1, 'player': 1, 'therein': 1, 'saw': 2, 'rehearst': 1, 'laughter': 1, 'shed': 1, 'handed': 1, 'labourd': 1, 'toyled': 1, 'vnbreathed': 1, 'memories': 1, 'vnless': 1, 'intents': 1, 'extreamely': 1, 'stretched': 1, 'cond': 1, 'seruice': 2, 'amisse': 1, 'simplenesse': 1, 'duty': 4, 'wretchednesse': 1, 'orecharged': 1, 'perishing': 1, 'kinder': 1, 'clearkes': 1, 'purposed': 1, 'greete': 1, 'premeditated': 1, 'welcomes': 1, 'shiuer': 1, 'periods': 1, 'midst': 1, 'sentences': 1, 'throttle': 1, 'practizd': 1, 'accent': 1, 'conclusion': 1, 'dumbly': 1, 'paying': 1, 'pickt': 1, 'ratling': 1, 'saucy': 1, 'audacious': 1, 'eloquence': 1, 'tonguetide': 1, 'simplicity': 1, 'capacity': 1, 'addrest': 1, 'flor': 1, 'trum': 1, 'pro': 1, 'beginning': 1, 'despight': 1, 'minding': 1, 'points': 1, 'rid': 1, 'colt': 1, 'stop': 1, 'morall': 2, 'recorder': 1, 'gouernment': 1, 'tangled': 1, 'chaine': 1, 'impaired': 1, 'disordered': 1, 'tawyer': 1, 'trumpet': 1, 'prol': 1, 'gentles': 2, 'plaine': 1, 'lyme': 1, 'roughcast': 2, 'sunder': 1, 'walls': 1, 'chink': 1, 'poor': 1, 'presenteth': 1, 'grizly': 1, 'beast': 3, 'hight': 1, 'trusty': 3, 'scarre': 2, 'affright': 1, 'mantle': 3, 'bloody': 2, 'staine': 1, 'findes': 2, 'whereat': 1, 'blade': 3, 'blamefull': 1, 'brauely': 1, 'broacht': 1, 'boiling': 1, 'bloudy': 1, 'breast': 1, 'tarrying': 1, 'mulberry': 1, 'dagger': 1, 'drew': 1, 'died': 1, 'twaine': 1, 'interlude': 1, 'crannied': 1, 'hole': 3, 'secretly': 1, 'loame': 1, 'stone': 1, 'sinister': 1, 'fearfull': 1, 'lime': 2, 'wittiest': 1, 'blinke': 1, 'eine': 1, 'courteous': 1, 'ioue': 1, 'stones': 3, 'deceiuing': 2, 'sensible': 1, 'spy': 2, 'mones': 1, 'kist': 1, 'pyra': 1, 'limander': 1, 'shafalus': 2, 'procrus': 2, 'wals': 2, 'tombe': 3, 'tide': 2, 'discharged': 1, 'du': 12, 'wilfull': 1, 'warning': 1, 'dut': 7, 'silliest': 1, 'stuffe': 1, 'kind': 1, 'theirs': 1, 'duk': 3, 'imagine': 1, 'com': 1, 'harts': 1, 'smallest': 1, 'mouse': 2, 'creepes': 1, 'floore': 1, 'dam': 1, 'strife': 1, 'verie': 3, 'conscience': 1, 'fox': 3, 'valor': 3, 'goose': 3, 'carrie': 2, 'carries': 2, 'hearken': 1, 'horned': 2, 'crescent': 1, 'circumference': 1, 'ith': 2, 'greatest': 1, 'els': 1, 'candle': 1, 'already': 2, 'snuffe': 1, 'smal': 1, 'wane': 1, 'roares': 1, 'runs': 1, 'roard': 1, 'shone': 1, 'mouzd': 1, 'vanisht': 1, 'pyr': 1, 'thank': 1, 'sunny': 1, 'shining': 1, 'glittering': 1, 'dreadful': 1, 'dole': 1, 'dainty': 1, 'ducke': 1, 'staind': 1, 'approch': 1, 'furies': 1, 'thred': 2, 'thrum': 1, 'quaile': 1, 'conclude': 1, 'quell': 1, 'deflourd': 1, 'fairest': 1, 'dame': 1, 'liud': 1, 'liked': 1, 'confound': 1, 'pap': 2, 'ace': 2, 'lesse': 1, 'surgeon': 1, 'recouer': 1, 'starrelight': 1, 'ends': 2, 'ballance': 1, 'spyed': 1, 'videlicit': 1, 'dumbe': 1, 'nose': 1, 'cowslip': 1, 'mone': 1, 'leekes': 1, 'gore': 1, 'shore': 1, 'sheeres': 1, 'silke': 1, 'imbrue': 1, 'burie': 1, 'epilogue': 3, 'bergomask': 1, 'plaiers': 1, 'need': 1, 'blamed': 1, 'writ': 1, 'garter': 1, 'tragedy': 1, 'truely': 1, 'notably': 1, 'dischargd': 1, 'burgomaske': 1, 'twelue': 1, 'outsleepe': 1, 'ouerwatcht': 1, 'palpable': 1, 'grosse': 1, 'heauy': 2, 'fortnight': 1, 'iollitie': 1, 'hungry': 1, 'rores': 1, 'beholds': 1, 'whilest': 1, 'snores': 1, 'taske': 1, 'foredone': 1, 'brands': 1, 'glow': 1, 'whilst': 1, 'scritchowle': 1, 'scritching': 1, 'puts': 1, 'wretch': 1, 'shrowd': 1, 'graues': 1, 'gaping': 1, 'spright': 2, 'churchway': 1, 'paths': 1, 'glide': 1, 'triple': 1, 'hecates': 1, 'teame': 1, 'darkenesse': 1, 'frollicke': 1, 'disturbe': 1, 'broome': 1, 'sweep': 1, 'dust': 1, 'drowsie': 1, 'fier': 1, 'elfe': 1, 'brier': 1, 'ditty': 1, 'trippinglie': 1, 'roate': 1, 'stray': 1, 'bridebed': 1, 'issue': 2, 'create': 1, 'louing': 1, 'blots': 1, 'natures': 1, 'mole': 1, 'harelip': 1, 'mark': 1, 'prodigious': 1, 'natiuitie': 1, 'children': 1, 'consecrate': 1, 'seuerall': 1, 'pallace': 1, 'safety': 1, 'owner': 1, 'offended': 1, 'mended': 1, 'slumbred': 1, 'theame': 1, 'yeelding': 1, 'reprehend': 1, 'mend': 1, 'vnearned': 1, 'scape': 1, 'serpents': 1, 'amends': 2, 'lyar': 1, 'restore': 1, 'finis': 1}
In [ ]: