diff --git a/.idea/LDA.iml b/.idea/LDA.iml
index 128a3ba..58a552b 100644
--- a/.idea/LDA.iml
+++ b/.idea/LDA.iml
@@ -6,5 +6,6 @@
+
\ No newline at end of file
diff --git a/.idea/modules.xml b/.idea/modules.xml
index 7744afe..56921a6 100644
--- a/.idea/modules.xml
+++ b/.idea/modules.xml
@@ -5,6 +5,7 @@
+
diff --git a/.idea/workspace.xml b/.idea/workspace.xml
index 04957bb..9905f64 100644
--- a/.idea/workspace.xml
+++ b/.idea/workspace.xml
@@ -2,7 +2,6 @@
-
@@ -23,7 +22,7 @@
-
+
@@ -43,43 +42,23 @@
-
-
+
+
-
-
+
+
-
+
-
-
+
+
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
+
+
@@ -565,9 +544,9 @@
-
+
-
+
@@ -704,13 +683,6 @@
-
-
-
-
-
-
-
@@ -922,20 +894,6 @@
-
-
-
-
-
-
-
-
-
-
-
-
-
-
@@ -943,32 +901,6 @@
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
@@ -985,11 +917,63 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
-
-
-
+
+
+
+
+
diff --git a/StopWords.pyc b/StopWords.pyc
new file mode 100644
index 0000000..6e0c121
Binary files /dev/null and b/StopWords.pyc differ
diff --git a/TwitterRank.py b/TwitterRank.py
index b09871e..4d2942a 100644
--- a/TwitterRank.py
+++ b/TwitterRank.py
@@ -6,6 +6,7 @@ import lda
import numpy as np
import re
import StopWords
+import scipy.stats
stop_word_list = StopWords.stop_word_list
@@ -20,16 +21,15 @@ def text_parse(big_string):
return [tok.lower() for tok in list_of_tokens if len(tok) > 2]
-def create_vocab_list(data_set):
+def create_vocab_list():
"""
- 提取出一系列文章出现过的所有词汇
- :param data_set:列表,每个元素也是列表,表示一篇文章,文章列表由单词组成
- :return:列表,表示这些文章出现过的所有词汇,每个元素是一个词汇
+ 获得词汇表
+ :return:列表,每个元素是一个词汇
"""
- vocab_set = set([])
- for document in data_set:
- vocab_set = vocab_set | set(document)
- return list(vocab_set)
+ vocab_list = []
+ with open('dict.txt') as dict:
+ vocab_list = [word.lower().strip() for word in dict if (word.lower().strip() + ' ' not in stop_word_list)]
+ return vocab_list
def normalize(mat):
@@ -56,13 +56,16 @@ def get_sim(t, i, j, row_normalized_dt):
'''
获得sim(i,j)
'''
- sim = 1.0 - abs(row_normalized_dt[i][t] - row_normalized_dt[j][t])
+ # sim = 1.0 - abs(row_normalized_dt[i][t] - row_normalized_dt[j][t])
+ pk = [row_normalized_dt[i][t]]
+ qk = [row_normalized_dt[j][t]]
+ sim = (scipy.stats.entropy(pk, qk) + scipy.stats.entropy(qk, pk)) / 2
return sim
def get_Pt(t, samples, tweets_list, friends_tweets_list, row_normalized_dt, relationship):
'''
- 获得Pt,Pt(i,j)表示i关注j,在主题t下i受到j影响的概率
+ 获得Pt,Pt[i][j]表示i关注j,在主题t下i受到j影响的概率
'''
Pt = []
for i in xrange(samples):
@@ -80,16 +83,28 @@ def get_Pt(t, samples, tweets_list, friends_tweets_list, row_normalized_dt, rela
return Pt
-def get_TRt(gamma, Pt, Et):
+def get_TRt(gamma, Pt, Et, iter=1000, tolerance=1e-16):
'''
获得TRt,在t topic下每个用户的影响力矩阵
+ :param gamma: 获得 TRt 的公式中的调节参数
+ :param Pt: Pt 矩阵,Pt[i][j]表示i关注j,在主题t下i受到j影响的概率
+ :param Et: Et 矩阵,Et[i]代表用户 i 对主题 t 的关注度,已经归一化,所有元素相加为1
+ :param iter: 最大迭代数
+ :param tolerance: TRt迭代后 与迭代前欧氏距离小于tolerance时停止迭代
+ :return: TRt,TRt[i]代表在主题 t 下用户 i 的影响力
'''
TRt = np.mat(Et).transpose()
- iter = 0
+ old_TRt = TRt
+ i = 0
# np.linalg.norm(old_TRt,new_TRt)
- while iter < 100:
+ while i < iter:
TRt = gamma * (np.dot(np.mat(Pt), TRt)) + (1 - gamma) * np.mat(Et).transpose()
- iter += 1
+ euclidean_dis = np.linalg.norm(TRt - old_TRt)
+ # print 'dis', dis
+ if euclidean_dis < tolerance:
+ break
+ old_TRt = TRt
+ i += 1
return TRt
@@ -112,14 +127,19 @@ def get_feature_matrix(doc_list, vocab_list):
"""
获得每篇文档的特征矩阵,每个词作为一个特征
:param doc_list: list,每个元素为一篇文档
- :param vocab_list: list,表示这些文章出现过的所有词汇,每个元素是一个词汇
+ :param vocab_list: list,词汇表,每个元素是一个词汇
:return: i行j列list,i为样本数,j为特征数,feature_matrix_ij表示第i个样本中特征j出现的次数
"""
feature_matrix = []
+ # word_index 为字典,每个 key 为单词,value 为该单词在 vocab_list 中的下标
+ word_index = {}
+ for i in xrange(len(vocab_list)):
+ word_index[vocab_list[i]] = i
for doc in doc_list:
- temp = []
- for vocab in vocab_list:
- temp.append(doc.count(vocab))
+ temp = [0 for i in xrange(len(vocab_list))]
+ for word in doc:
+ if word in word_index:
+ temp[word_index[word]] += 1
feature_matrix.append(temp)
return feature_matrix
@@ -180,7 +200,8 @@ def get_user_list():
return user
-def get_TR(topics, samples, tweets_list, friends_tweets_list, row_normalized_dt, col_normalized_dt, relationship):
+def get_TR(topics, samples, tweets_list, friends_tweets_list, row_normalized_dt, col_normalized_dt, relationship,
+ gamma=0.2, tolerance=1e-16):
"""
获取 TR 矩阵,代表每个主题下每个用户的影响力
:param topics: 主题数
@@ -190,13 +211,15 @@ def get_TR(topics, samples, tweets_list, friends_tweets_list, row_normalized_dt,
:param row_normalized_dt: dt 的行归一化矩阵
:param col_normalized_dt: dt 的列归一化矩阵
:param relationship: i行j列,relationship[i][j]=1表示j关注i
+ :param gamma: 获得 TRt 的公式中调节参数
+ :param tolerance: TRt迭代后 与迭代前欧氏距离小于tolerance时停止迭代
:return: list,TR[i][j]为第 i 个主题下用户 j 的影响力
"""
TR = []
for i in xrange(topics):
Pt = get_Pt(i, samples, tweets_list, friends_tweets_list, row_normalized_dt, relationship)
Et = col_normalized_dt[i]
- TR.append(np.array(get_TRt(0.5, Pt, Et)).reshape(-1, ).tolist())
+ TR.append(np.array(get_TRt(gamma, Pt, Et, tolerance)).reshape(-1, ).tolist())
return TR
@@ -226,7 +249,7 @@ def get_lda_model(samples, topics, n_iter):
vocab_list,列表,表示这些文档出现过的所有词汇,每个元素是一个词汇
"""
doc_list = get_doc_list(samples)
- vocab_list = create_vocab_list(doc_list)
+ vocab_list = create_vocab_list()
feature_matrix = get_feature_matrix(doc_list, vocab_list)
model = lda.LDA(n_topics=topics, n_iter=n_iter)
model.fit(np.array(feature_matrix))
@@ -246,12 +269,14 @@ def print_topics(model, vocab_list, n_top_words=5):
print('Topic {}: {}'.format(i + 1, ' '.join(topic_words)))
-def get_TR_using_DT(dt, samples, topics=5):
+def get_TR_using_DT(dt, samples, topics=5, gamma=0.2, tolerance=1e-16):
"""
已知 DT 矩阵得到 TR 矩阵
:param dt: dt 矩阵代表文档的主题分布,dt[i][j]代表文档 i 中属于主题 j 的比重
:param samples: 文档数
:param topics: 主题数
+ :param gamma: 获得 TRt 的公式中调节参数
+ :param tolerance: TRt迭代后 与迭代前欧氏距离小于tolerance时停止迭代
:return TR: list,TR[i][j]为第 i 个主题下用户 j 的影响力
:return TR_sum: list,有 i 个元素,TR_sum[i]为用户 i 在所有主题下影响力之和
"""
@@ -263,7 +288,8 @@ def get_TR_using_DT(dt, samples, topics=5):
relationship = get_relationship(samples)
friends_tweets_list = get_friends_tweets_list(samples, relationship, tweets_list)
user = get_user_list()
- TR = get_TR(topics, samples, tweets_list, friends_tweets_list, row_normalized_dt, col_normalized_dt, relationship)
+ TR = get_TR(topics, samples, tweets_list, friends_tweets_list, row_normalized_dt, col_normalized_dt, relationship,
+ gamma, tolerance)
for i in xrange(topics):
print TR[i]
print user[TR[i].index(max(TR[i]))]
@@ -281,18 +307,21 @@ def get_doc_topic_distribution_using_lda_model(model, feature_matrix):
return model.transform(np.array(feature_matrix), max_iter=100, tol=0)
-def using_lda_model_test_other_data(topics=3, n_iter=100, num_of_train_data=50, num_of_test_data=20):
+def using_lda_model_test_other_data(topics=5, n_iter=100, num_of_train_data=10, num_of_test_data=5, gamma=0.2,
+ tolerance=1e-16):
"""
训练 LDA 模型然后用训练好的 LDA 模型得到新文档的主题然后找到在该文档所对应的主题中最有影响力的用户
:param topics: LDA 主题数
:param n_iter: LDA 模型训练迭代数
:param num_of_train_data: 训练集数据量
:param num_of_test_data: 测试集数据量
+ :param gamma: 获得 TRt 的公式中调节参数
+ :param tolerance: TRt迭代后 与迭代前欧氏距离小于tolerance时停止迭代
"""
model, vocab_list = get_lda_model(samples=num_of_train_data, topics=topics, n_iter=n_iter)
dt = model.doc_topic_
print_topics(model, vocab_list, n_top_words=5)
- TR, TR_sum = get_TR_using_DT(dt, samples=num_of_train_data, topics=topics)
+ TR, TR_sum = get_TR_using_DT(dt, samples=num_of_train_data, topics=topics, gamma=gamma, tolerance=tolerance)
doc_list = get_doc_list(samples=num_of_test_data)
feature_matrix = get_feature_matrix(doc_list, vocab_list)
dt = get_doc_topic_distribution_using_lda_model(model, feature_matrix)
@@ -303,13 +332,22 @@ def using_lda_model_test_other_data(topics=3, n_iter=100, num_of_train_data=50,
print user[i], user[list(doc).index(max(doc))]
-def twitter_rank(topics=5, n_iter=100, samples=30):
+def twitter_rank(topics=5, n_iter=100, samples=10, gamma=0.2, tolerance=1e-16):
+ """
+ 对文档做twitter rank
+ :param topics: 主题数
+ :param n_iter: 迭代数
+ :param samples: 文档数
+ :param gamma: 获得 TRt 的公式中调节参数
+ :param tolerance: TRt迭代后 与迭代前欧氏距离小于tolerance时停止迭代
+ :return:
+ """
model, vocab_list = get_lda_model(samples, topics, n_iter)
# topic_word为i行j列array,i为主题数,j为特征数,topic_word_ij表示第i个主题中特征j出现的比例
print_topics(model, vocab_list, n_top_words=5)
# dt 矩阵代表文档的主题分布,dt[i][j]代表文档 i 中属于主题 j 的比重
dt = np.mat(model.doc_topic_)
- TR, TR_sum = get_TR_using_DT(dt, samples, topics)
+ TR, TR_sum = get_TR_using_DT(dt, samples, topics, gamma, tolerance)
def main():
diff --git a/dict.txt b/dict.txt
new file mode 100755
index 0000000..4d344ba
--- /dev/null
+++ b/dict.txt
@@ -0,0 +1,6618 @@
+a
+aaronson
+abandon
+abbas
+abbreviation
+abdominal
+abela
+abernethy
+abides
+able
+abolishing
+abortionists
+about
+abraham
+abridge
+absences
+absolved
+abstinent
+abundantly
+aca
+accedes
+accentuating
+accept
+accident
+accommodated
+accompany
+accomplishment
+accountancy
+accrue
+accuride
+acero
+aches
+achord
+acker's
+ackroyd
+acquaint
+acquit
+acronym
+across
+activate
+actor's
+actually
+acumen
+adachi
+adami
+adaptec
+addeo
+addison
+addy
+adelsberger
+adham
+adirondack
+adjuncts
+adley
+admirable
+admits
+adolf
+adorabelle
+adrenaline
+adult
+advantage
+adversaries
+advice
+advil
+advised
+advocate
+aerien
+aeronautical
+aesthete
+affairs
+affectively
+affirmations
+affluent
+afghanistan's
+africa
+after
+aftereffect
+aga
+again
+against
+agers'
+age's
+aggregates
+agility
+agnella
+agonizes
+agreed
+agreeing
+agreement
+agrippa
+aguilera
+ahern
+ahmanson
+aichi
+aikey
+ailing
+aimee
+air
+airbags
+aired
+airington
+airmen
+airtouch
+aitken
+akashi
+akihito
+al
+alaine
+alanna
+alaskan
+albany's
+alberta
+albion
+alcantara
+alcoholic
+alderidge
+aldrin
+aleksander
+alessandrini
+alexandre
+alfavilli
+algar
+algorithm
+alicea
+aligns
+alistair
+alkema
+all
+allaying
+allays
+alleghany
+allen
+allergist
+allgemeine
+allin
+allocate
+allotrope
+allsbrook
+allured
+almaguer
+almond
+aloka
+alpaca
+alpharel
+alsbrook
+also
+altaic
+altering
+althouse
+altom
+alum
+alvarado
+alvita
+alzado
+am
+amakudari
+amanpour's
+amateurish
+ambac
+ambiguities
+ambrogio
+ambushes
+ameline
+ament
+americar
+amero
+amezquita
+amidships
+amish
+ammons
+among
+amoolya
+amoskeag's
+amphibious
+amply
+amsden
+amused
+an
+anable
+anagram
+analyticity
+anarchy
+anatomist
+anchors
+and
+anderberg
+andiron
+andreano
+andress
+andrist
+anemia
+ang
+angelina
+angelucci
+angle
+angola's
+angrily
+angry
+angular
+animal
+animals
+animation
+anjelica
+annabel
+annese
+annotated
+annual
+anointed
+anonymity
+another
+ansa's
+ansgar's
+answered
+ant
+ante
+antes
+anthropologists
+anticipated
+antifraud
+antione
+antisense
+antlers
+antoniou
+antunes
+anyone
+aortic
+apatite
+aphids
+aplace
+apolline
+apostle
+apparel
+appeasing
+appert
+appleby
+application
+apportioned
+apprehend
+approached
+appropriated
+approximates
+apt
+aquatic
+arabia
+araiza
+arapaho
+arbitragers'
+arboleda
+arcane
+archard
+archibald
+archly
+ardath
+ardor
+are
+area
+arena's
+aretta
+argo's
+argument
+arias's
+aristede
+arkadelphia
+arlena
+armadillos
+armchairs
+armetta
+armond
+army
+arney
+arnstein
+aronson
+arraigned
+arreguin
+arrive
+arrupe
+arteaga
+arthurian
+artino
+arts
+arvay
+arzt
+as
+asbridge
+asche
+ash
+ashamed
+ashey
+ashton's
+aside
+ask
+asked
+asking
+aspartame
+aspirations
+assails
+assemblage
+assertions
+assign
+associate
+assumption
+asteroids
+astound
+astrologers
+astroturf
+at
+atalaya
+aten
+athenians
+atkin
+atlas's
+atop
+attaching
+attack
+attard
+attends
+attie
+attractive
+atx
+aucott
+audible
+audition
+aue
+augmented
+augustyn
+aungst
+ausburn
+austerely
+austrians
+author's
+autism
+autographs
+automobiles
+autos
+availabilities
+avasso
+avenged
+averill
+aviall
+avionics
+avoided
+awacs
+away
+awtrey
+axles
+aycock
+aylsworth
+ayyash
+azhar's
+b
+baatz
+babe
+babita
+babysat
+bacharach
+bacigalupi
+back
+backer's
+backlist
+backslash
+backwash
+bad
+badalamenti
+badgley
+badly
+baehr
+bagdikian
+baggs
+baha'is
+bahraini
+bailer
+bailyn
+baisley
+bakelman
+bakos
+balart
+balcony
+baldini's
+baldyga
+balinese
+ball
+balle
+ballin
+ballow
+balmorals
+balter
+baluja
+bame
+banco
+bandages
+bandoliers
+banfield
+bangladeshi
+bank
+banking
+bank's
+bankshare
+banoun
+bantz
+baptiste
+baranowski
+barbaric
+barbells
+barber
+barbers
+barbieri
+barcelona
+barden
+barely
+barenboim's
+bargar
+barinco
+barkeley
+barlett
+barndt
+barnish
+baronet
+barraged
+barrera
+barrientez
+barro
+barsh
+bartender
+bartkus
+bartol
+bartram
+basayev
+basements
+basic
+basix
+basner
+bassham
+bastien
+batavia
+bath
+bathes
+batik
+battalions
+batterymarch
+battlegrounds
+baucom
+baugus
+baumholder
+bavarian
+bayar
+bayley
+bayreuth
+bazinet
+be
+beaches
+beagen
+beam's
+bear
+bearded
+bearss
+beatles'
+beauchene
+beautiful
+bebe
+became
+because
+becht
+beckie
+beckum
+become
+bedbug
+bedgood
+bedoya
+beedy
+beeler
+beery
+bee's
+befalto
+began
+begat
+beggars
+beginners
+beguiled
+begun
+behest
+beholden
+beidleman
+beilman
+beiter
+belabors
+belcourt
+belgard
+belies
+believed
+belk
+bellas
+belli
+bellm
+bellucci
+belonging
+belth
+belyea
+bemuse
+benares
+bence
+bender's
+benedick
+benefiel
+benevides
+beni
+benke
+bennigan's
+bensalem
+bentivegna
+benyamin
+beran
+bercor
+beret
+berger
+bergmann
+beringer
+berkley
+berlin
+bermudez
+bernardo's
+bernhard
+bernstein's
+berrien
+bert
+bertil
+bertrand
+besaw
+beske
+besso
+best
+bestwick
+bethea
+betsch
+better
+betters
+between
+bevalaqua
+bevilacqua
+beyer
+bhatia
+bialkin
+biba
+bibliography
+bickerton
+bicycling
+biderman
+biehle
+bielski
+bierly
+bifocal
+big
+biggie
+bigsby
+bikin
+bilek
+billard
+billinger
+billow
+bilton
+binders
+bingham
+bins
+biofeedback
+biomaterial
+bios
+biotechnology
+birchard
+birdlife
+birkes
+biron
+bis
+bisexual
+bisnow
+bisuteki
+bit
+bittenbender
+bitumen
+bizarre
+blackberries
+blackhawk
+blackmun's
+blackwell
+blain
+blakenship
+blanch
+blandly
+blanking
+blaser
+blastoff
+blauvelt
+bleached
+blecker
+blemishes
+blethen
+blinder's
+bliss
+blizard
+blockage
+blokes
+bloodgood
+bloodsworth
+bloopers
+blowe
+bludgeon
+bluest
+blumenfeld
+blunting
+bluster
+board
+boast
+boats
+bobbitt
+bobrowski
+bochram
+bodenhamer
+bodhisatta
+bodnar
+body
+boege
+boeke
+boese
+bogar
+boggan
+bogs
+bohlander
+bohnet
+boiling
+bojenka
+bolda
+boler
+bolivia
+bollin
+bolshoi's
+bolyard
+bombed
+bonadio
+bondaged
+boneless
+bongiorno
+bonior
+bonnevilles
+bonum
+booed
+booking
+bookshop
+booming
+boon
+boorishness
+boothby
+booze
+borba
+border's
+boren
+borgstrom
+borne
+boroughs
+borrower
+borth
+boschee
+bosler
+bossed
+bostic
+boteler
+both
+botkin
+bottle
+bottrell
+bough
+boulder
+bounced
+bouquets
+bournewood
+boutilier
+bovee
+bowe
+bowl
+bownds
+boxers
+boycotts
+boykins
+boyum
+bra
+bracelets
+brackens
+braddy
+bradsher
+bragan
+brahmadatta
+braids
+brainwashed
+bralley
+bramlette
+brancheau
+brandenburger
+brandon's
+branislov
+branscum
+brasch
+brasserie
+bratwurst
+brause
+brawling
+brazen
+breached
+breaker
+brean
+breaths
+breda
+breese
+breeze
+breininger
+bremmer
+brenna
+brescia
+brest
+brevig
+breyer's
+bribed
+brickley
+bridesmaid's
+bridgett
+briefings
+brigandi
+brighton
+brimhall
+bring
+brings
+brinser
+briseno's
+bristow
+britsch
+brizzi
+broadcasters'
+broadsided
+broce
+brocklin
+broderick
+broe
+broken-wind
+bromide
+bronfmans
+brooded
+brookins
+broomfield
+brossette
+brothers
+brott
+brought
+brousset
+brownies
+browsed
+bruce
+brueggemann
+bruin
+brumley
+bruneau
+brunick
+brunswick's
+brushfires
+brutalities
+bryans
+bryson
+bubka
+buchalter
+buchi's
+buckel
+bucklin
+buczek
+buddie
+budick
+budz
+buell
+bufano
+buffington
+bugeyed
+buhl
+building's
+builds
+bula
+bulimia
+bulldozing
+bullinger
+bullwinkle
+bumble
+bumpy
+bundeswehr
+bungert
+bunny
+buonicontis
+burbach
+burckhardt
+burdon
+burford
+burgett
+burgomaster's
+buries
+burkholder
+burlew
+burnaby
+burningham
+burp
+burritt
+burson
+bury
+busche
+bushell
+business'
+buskirk
+bussing
+busts
+but
+buteau
+buts
+butterick
+buttons
+buus
+buzbee
+by
+byard
+byland
+byrd
+byun
+c1
+cabbie
+cable
+cabooses
+caccamo
+cadam
+cadets
+cadwallader
+cafetizer
+cagney
+cain
+cake
+calamities
+calcote
+caldrello
+calfed
+calif.
+calix
+callaway
+called
+callie
+calls
+calms
+calumny
+calvinist
+camber
+camcorder
+came
+camero
+cammermeyer
+campanale
+campgrounds
+campuzano
+can
+canadian
+canavan
+cancilla
+candidacy
+candlish
+cangiano
+cannady
+cannibals
+cannot
+canoeing
+canstar
+cantley
+canupp
+capable
+capel's
+capitalism's
+capitulation
+capozzoli
+cappy's
+capstick
+captured
+caracci
+caravella
+carbonara
+carburetor
+carden
+cardinals'
+cardoza
+carefree
+caress
+caribbean
+caring
+carlini
+carlow
+carl's
+carmack
+carmine
+carnegie
+caro
+carolus
+carp
+carpino
+carreira
+carrico
+carrino
+carruth
+carry
+carrying
+cart
+cartilage
+cartusciello
+carves
+casagrande
+cascades'
+case
+cases
+cashier
+casimiro
+caspers
+cassedy
+cassie
+castaldi
+castellucci
+casting
+castles
+castrates
+caswell
+catalina
+catamount
+catcalls
+catch
+categorized
+catharine
+cathey
+cato
+cattle
+caudle
+caught
+causation
+causing
+cautious
+cavanah
+caverns
+cawthon
+cazenove
+ceaser
+ceci
+cedes
+celanese
+celeron
+cell
+cellstar
+cement
+censoring
+centeno
+centimes
+centralizing
+centuries
+cerasoli
+cerino
+cerska
+certain
+certainly
+cerus
+cesena
+cha-chas
+chadli
+chagnon
+chairing
+chakradhara
+chalfin
+chaloupka
+chambon
+championships
+chandelier
+changers
+chanting
+chapin
+chapters
+charboneau
+chargit
+charle
+charlotte
+charnley
+charting
+chaska
+chatichai
+chatterton's
+chauncey
+chavitz
+cheapest
+chechnya's
+checkout
+cheer
+cheesiest
+chell
+chemie
+cheng-chung
+chern
+cherry
+chesebrough
+chester
+cheves
+chewing
+chiappone
+chicanos
+chided
+chiggers
+childhood
+children
+chiles's
+chime
+chinen
+chipcom
+chirco
+chisman
+chiusano
+chlorofluorocarbons
+choice
+choicer
+cholet
+choose
+choper
+chordates
+choruses
+chriboniko
+christchurch
+christianna
+christmases
+chrobak
+chronicling
+chseing
+chuckled
+chummy
+churchgoers
+chute
+ciano
+cicco
+cieslak
+cilento
+cinch
+cinematography
+ciolek
+circuit's
+circumscribe
+ciriello
+cisneros
+citibank
+citrine
+city
+ciudad
+claar
+claiborne
+clamen
+clanging
+clar
+clarification
+clark
+clashes
+classifications
+claudie
+clavette
+clayey
+cleanliness
+clearest
+cleek
+clement
+clendenen
+clerk
+clevite
+clients'
+climatic
+climbed
+climbing
+cline
+clink
+clippinger
+clockers
+clomipramine
+clos
+closson
+cloth
+clothes
+clotted
+cloverleaf
+clubbed
+clum
+clusters
+clutch
+cmx
+coagulating
+coast's
+coatney
+cobbins
+cobleigh
+coccaro
+cocked
+cockroft
+cocuzza
+codesa
+coehlo
+coffaro
+cofounder
+coggins
+cohan
+cohorts
+coincidences
+coke's
+colas
+cold
+coleen
+colfer
+colla
+collarbone
+collecting
+colleges
+colli
+collins
+colloquium
+colmer
+colonialism
+coloradans
+coloroll
+coltec
+columbo
+coma
+combed
+comcast's
+come
+comedy
+comes
+comfinance
+comfortable
+comfortably
+coming
+comino
+commanding
+commendable
+commercebancorp
+commingling
+commit
+commitment
+commonality
+communication's
+communize
+companion
+comparisons
+compelling
+competing
+complacency
+completed
+complications
+composer's
+comprehending
+compromiser
+compumat
+computerland's
+con
+concatenate
+conceived
+concentrated
+concert
+conciliation
+concomitant
+concussions
+condie
+condominiums
+conducted
+coney
+conferences
+confided
+confines
+conflict
+confront
+congeal
+congratulations
+congresswoman
+conjugal
+conklin
+connecter
+connerly
+connors
+conquest's
+cons
+consecutively
+conservatism
+considerations
+consolata
+consoling
+consonants
+conspiracies
+constabulary
+constipated
+constrained
+constructively
+consult
+consultative
+consulting
+consummation
+containing
+contemporaneous
+contentious
+continent
+continued
+continues
+contraception
+contradiction
+contreras
+control
+controllable
+convalescent
+convergence
+convertibility
+conville
+coo
+cookingham
+cool
+coolidge
+coonradt
+cooperrider
+coote
+copelin
+coplen
+copperhead
+coprocessor
+copywrite
+corbell
+corday
+cordoba
+corella
+corinna
+corkwood
+corn
+cornell
+cornforth
+cornwall's
+corp.
+corpsman
+corrections
+correspondence
+corroborate
+corruption
+corsini
+cortina
+cory
+cosi
+cosmopulos
+costabile
+coster
+costumes
+cotnoir
+cotto
+couches
+could
+coulee
+counihan
+counter
+counterfeit
+counterparts
+counterweight
+coupes
+courant
+courtaulds
+courtright
+cousteau
+covel
+covering
+covets
+covino
+cowdery
+cowley
+coxen
+coziness
+cracchiolo
+crader
+craggs
+cramblit
+crane
+cranmore
+crash's
+crave
+crawls
+craziness
+crear
+creatologist
+creatures
+creditbank
+creedon
+cregan
+crenelate
+cresci
+crests
+crewmen
+cried
+crigger
+criminalization
+cringes
+crises
+criss
+cristobel
+criticizes
+cro
+croc
+crock
+crocodile
+crocodile's
+croitzer
+crone
+crook
+crooklyn's
+cropsey
+cross
+crossbones
+crossman
+croswell
+crout
+crowing
+crown
+crowther's
+crudele
+cruising
+crump
+crusades
+crutcher
+crye
+crystallographer
+cubbies
+cuccio
+cudney
+cuhney
+cullens
+cullom
+cult's
+culver
+cummington
+cunneen
+cupit
+curbelo
+curiel
+curls
+curreri
+cursing
+curtner
+curve
+cushioned
+custard
+cusumano
+cut
+cuticle
+cutshaw
+cwik
+cybill
+cyclosporine
+cynical
+cyprus
+cytoplasmic
+czechoslovakia's
+dabbs
+dacunha
+dady
+dagata
+dah
+dahmen
+dail
+daily
+daisey
+dalal
+dalfonso
+dalley
+dalto
+damaged
+damascus's
+d'amato
+damico
+damned
+damps
+dancer's
+dances
+dane's
+dangled
+danielson
+danna
+dansforth's
+danvers
+dapp
+dardick
+darity
+darlings
+darrah
+darth
+dascenzo
+dashwood
+datametrics
+dato
+dauenhauer
+daum
+davee
+davidson
+davox
+dawson's
+day
+dayley
+dazzled
+deader
+deafness
+dealing
+deangelis
+dear
+deas
+death
+deavila
+debaters
+debenture
+deboard
+debraudwick
+debts
+decade's
+decapitation
+decease
+deceived
+decency
+dechene
+decimating
+deckman
+declerque
+decomposed
+decoration
+decrane
+decurtis
+dedrick
+deeds
+deep
+deepened
+deetz
+defeating
+defendants
+deferment
+deficit's
+deflate
+deforestation
+defrees
+degarmo
+degidio
+degrave
+dehaas
+dehydrate
+deinking
+dejager
+deklerk's
+delaine
+delarosa
+delawarians
+delcine
+deleo
+delgaudio
+deliberations
+delillo
+delist
+dellapenna
+delmed's
+delorenzo
+delpino
+deltadromeus
+delusion
+demagogues
+demaree
+demattia
+demented
+demi's
+demise
+democrat's
+demolish
+demonstration
+demotion
+demyan
+denboer
+dengue
+deniro
+denmark
+denny
+denouncing
+dentin
+denuclearization
+deo
+department's
+dependencies
+depinto
+depner
+deposition
+deprecate
+depression
+depue
+derchin
+derflinger
+derivation
+dermody
+deroy
+deruko
+desantis
+desch
+desecrations
+deserves
+designates
+desirability
+desire
+desktops
+despaired
+despotism
+destination
+desultory
+detectable
+deteriorates
+deterministic
+detloff
+detractor
+detty
+deutschemark
+devaluing
+developed
+devera
+devices
+devil
+devinney
+devolved
+devouring
+dewberry
+dewitz
+deyo
+dhole
+dhoosaraka
+diagnoses
+dialects
+diamonds
+dian
+diaries
+diatribes
+diblasi
+dicesare
+dickensheets
+dickmeyer
+dictatorial
+didion's
+die
+died
+diefendorf
+dienst
+dietel
+dietzler
+differentiates
+difiore
+digestion
+digit
+digregorio
+dilation
+diligence
+dillin
+diltiazem
+dimario
+dimercurio
+dimitroff
+dimsdale
+dinesh
+dingy
+dinosaur
+dioguardi
+dipaolo
+dipped
+directions
+dirge
+dis-
+disagree
+disappeared
+disarray
+disbelieving
+discharge
+disclaims
+disconnecting
+discounting
+discredits
+discussing
+disenfranchised
+disgraceful
+dishes
+disillusionment
+disintegrated
+disliking
+dismays
+disobedience
+disparage
+dispelling
+dispirited
+dispose
+disputing
+disrespecting
+dissembling
+dissinger
+dissymmetric
+distillate
+distinguish
+distressed
+districts
+ditching
+dittmann
+divas
+diversification
+divestiture
+divining
+divorcee
+dizzy
+do
+doanna
+doble
+doby
+docket
+doctorates
+dodd
+dodson
+doersam
+does
+d'oeuvre
+doggerel
+doheny
+doings
+dole's
+doll
+dollop
+domagalski
+domek
+domestic
+domina
+domini
+dominus
+donahoe
+donates
+doner
+donkey
+donkeys
+donkey's
+donkeys
+donlon
+donny
+don't
+dont
+donuts'
+dooms
+doornail
+dorais
+dorette
+dorion
+dornan
+dorrell
+dortmund
+dosier
+dotan
+doub
+doubtfires
+dougher
+dour
+dovetailed
+dowels
+downer
+downpayment
+downstate
+dowty
+dqalpha
+dracula
+dragged
+drain
+dramatization
+draping
+drawdown
+dreading
+drechsler
+drench
+dressed
+drew
+drews
+driever
+drifted
+drina's
+drink
+driskell
+drobny
+dromon
+dropouts
+droves
+drucker
+druidism
+drunk
+dry
+dryers
+duals
+duberstein
+dubow
+duce
+ducker
+duda
+dudman
+duensing
+duffell
+dug
+duhart
+dukes
+duling
+dumaine
+dumler
+dumpty
+dundee
+dunk
+dunlay
+duns
+duped
+dupont
+duramed
+duree
+duris
+durrance
+dushane
+dusza
+dutton
+dwarfed
+dwelling
+dwindle
+dyatron
+dyk
+dynamics
+dynasty
+dysfunctional
+e
+eagerness
+eamer
+earlier
+earlier's
+earney
+ears
+earth
+earthy
+east
+easterwood
+easudes
+eat
+eaux
+ebbing
+ebersold
+ebullient
+echlin's
+eckenfelder
+eckley
+ecological
+economize
+ecstasy
+ecumena
+edds
+edenton
+edgewise
+edifice
+edition's
+edleman
+edmonson
+edris
+edward's
+eelpouts
+effervescent
+effort
+effrontery
+egelston
+eggplant
+ego
+ehinger
+ehret
+eichenbaum
+eickholt
+eightfold
+eiley
+eisaman
+eisenhower
+eissler
+eke
+ela
+elastomer
+elbowing
+elders
+eldin
+electability
+electrical
+electrocardiograms
+electron
+elegance
+elephant
+elephants
+elfie
+elia
+eliminating
+elites
+elkins
+ellenberg
+ellesmere
+ellinwood
+ellsberg's
+elmootazbellah
+eloquent
+else
+elser
+eltzroth
+elvington
+elysium
+emancipate
+embarking
+embellishing
+embler
+embrace
+embraced
+embroider
+emdr
+emerges
+emig
+emily's
+emler
+emmett
+emotionally
+emphatically
+employer's
+empted
+emulate
+enamel
+encephalitis
+enclaves
+encounters
+encyclical
+end
+endearment
+endicott
+endorsed
+)end-parentheses
+endres
+enemy's
+enfinger
+engagements
+engelman
+engineered
+engles
+engulf
+enitt
+enjoy
+enjoying
+enlighten
+enmity
+enough
+enqueso
+enro
+ensey
+ensnarled
+entangled
+enter
+enterprises
+enthusiasm
+entitlements
+entrant
+entrepreneurialism
+enumerated
+environment's
+envoy
+eos's
+epidemiologists
+episteme
+epochs
+eproms
+equanimity
+equion
+equivalence
+eras
+erby
+ergle
+ericson
+erk
+erman
+ernst
+eroticism
+errors
+eruption
+escalated
+escape
+escaped
+escapes
+eschmann
+esh
+esme
+esperanto
+espresso
+esse
+esson
+estee
+estevez
+estrada
+etc
+ethelinda
+ethics
+ethos
+ettie
+euchred
+eulogize
+euro
+euromark
+europium
+ev
+evaluated
+evangi
+eve
+even
+evenson
+everette
+evermore
+every
+everything
+everything's
+evildoers
+evokes
+ewell
+exacerbating
+exalts
+exasperations
+excel's
+excerpts
+excitable
+exclusion
+excruciating
+executioner's
+exempted
+exfoliate
+exhibitor
+exigent
+exile
+exist
+exline
+expanded
+expectations
+expendable
+experience
+experimentation
+expiry
+explain
+exploitative
+explosivos
+exposition
+expressions
+extended
+extermination
+extorted
+extra
+extraneous
+extremely
+exudes
+eye
+eyedropper
+eyes'
+eyton
+fab
+fabricate
+facchini
+facie
+facteau
+faculties
+faeth
+fahlman
+failed
+failla
+failure
+fairbank
+fairlawn
+faison
+falardeau
+faler
+fallacious
+falls
+faltering
+familiar
+familiarity
+family
+fanatics
+fanger
+fanta
+fanueil
+far
+farben
+farhat
+farler
+farming
+farnham
+farrand
+farrowing
+fasciano
+fason
+fastidious
+fath
+father
+fatima
+faucet
+faulkner's
+fausett
+favata
+faw
+fayed
+feagin
+fears
+feaster
+features
+fedak
+federate
+fedler
+feed
+feeding
+feeds
+feeling
+feet
+feig
+feinberg
+felbatol
+feldspar
+feliz
+fell
+fellman
+fels
+female
+female's
+fend
+fenjves
+fensterstock
+ferd
+ferguson
+fern
+fero
+ferre
+ferri
+ferrofluidic
+fertile
+feshbach
+festivity
+fetner
+fetz
+feverfew
+fiasco
+fibroids
+fickett
+fiddlers
+fiduciares
+fielded
+fierman
+fifths
+fig
+fight
+fighter's
+figura
+fila
+filets
+filipovic
+fill
+filley
+filmless
+filtration
+finamore
+finanza
+findings
+fine
+fines
+fingerprinting
+fink
+finlandization
+finnigan
+fiore
+firearms
+firefight
+fireside
+firma
+first
+firstier
+fischman
+fishell
+fiske's
+fitak
+fittings
+fitzroy
+fixed
+flabbergasted
+flags
+flamboyance
+flan
+flannery
+flashdance
+flaten
+flattering
+flavor
+fleagle
+fled
+fleenor
+fleishman
+flesh
+fleshed
+flexes
+flied
+flinchum
+flippen
+floated
+flood
+flopping
+flores
+florist
+flounders
+flowery
+fluegge
+flume
+fluorine
+flutter
+flyway
+focus
+fogelman
+foiled
+foley
+folkrock
+follmer
+followed
+following
+folwell
+fondling
+fonte
+food
+fooks
+fool
+foolish
+foot
+football's
+footpath
+for
+forand
+forced
+forearm
+forefather
+foreman
+foreshadows
+forest
+foretold
+forgery
+forget
+forgoes
+forklift
+forman
+formidably
+forney
+forsee
+forsythe
+fortification
+fortresses
+forwarding
+fossen
+fotopoulos
+foundation's
+four
+fourman
+foutch
+foxholes
+frable
+fragile
+fraim
+frame
+framers'
+frames
+franceschi
+franchising
+franckowiak
+frankiewicz
+frank's
+frannie
+frap
+fraternal
+frausto
+freaking
+freddy's
+frediani
+freeburn
+freel
+freemyer
+freewing
+freier
+freitas
+frenzel
+frescoes
+fresh
+freshwater
+freundlich
+fribourg
+fridrich
+friedley
+friend
+friendliest
+friends
+frigate's
+fringe
+frisky
+fritzi
+froese
+from
+froman
+frontal
+frostban
+frozen
+fruit
+fruitless
+fruits
+fruth
+fuchs
+fuelled
+fugues
+fujis
+fulani
+full
+fully
+fume
+functionary
+fundraiser
+funke
+fuquay
+furious
+furnish
+furse
+fury
+fussing
+futuristic
+gabel
+gabriella
+gaddum
+gaebel
+gage
+gahn
+gainey
+gal
+galasso
+galen
+galie
+gallagher
+galleon
+galligan
+galloped
+galoshes
+galvez
+gamble
+gamelin
+gammage
+ganda
+gange
+ganges
+ganley
+gantos
+garabedian
+garbe
+gardea
+gardner
+garger
+garlan
+garn
+garo
+garret
+garritano
+garst
+gartside
+gascon
+gaskey
+gasps
+gaston
+gateley
+gatien
+gattuso
+gaudin
+gauguin
+gauntt
+gave
+gavel
+gawne
+gaymon
+gazelles
+gearey
+gecko
+geers
+gehm
+geidel
+geisler
+gelber
+gelman
+gemma
+genders
+generale
+generation
+genet
+genie
+genocidal
+genske
+gentlemen
+gently
+genuinely
+geographic's
+geopolitic
+georgian
+gephardt's
+gerashchenko
+geren
+gering
+germania
+gerner
+gerrity
+gerstenberger
+gervasio
+gestate
+get
+gettel
+getting
+geva
+ghastliness
+ghorbanifar
+giacometti
+giancana
+gianotti
+gibbins
+giboney
+giegerich
+gieser
+giftware
+gigantic
+gignoux
+gilbo
+gildner
+gillam
+gillette
+gillingham
+gilman
+gimme
+gingerich
+ginsberg
+giorgi
+giraldo
+girl
+girozentrale
+gismondi
+gitto
+give
+givebacks
+given
+gizzard
+gladden
+gladstones
+glandon
+glasgow
+glasses
+glaude
+gleacher
+gleghorn
+glenn
+glicksman
+glinski
+gloat
+globs
+gloomily
+glory
+glow
+glues
+glycerol
+gnarled
+go
+gob
+goblin
+go-cart
+god
+godbout
+godines
+godsend
+goehner
+goertz
+goffin
+goh
+going
+golab
+goldblatt
+goldfeder
+goldmine
+goldstone
+golfarb
+golle
+gombar
+gondola
+gonsalez
+good
+goodfella
+good-heartedly
+goodlett
+goodrick
+goodyear's
+goosby
+goralski
+gordji
+gorgone
+gorney
+gorum
+gospels
+goswick
+gott
+gotwalt
+gould's
+gouveia
+governors
+gowing
+grabber
+grace
+graciousness
+gradison
+graeber
+grafts
+grall
+grammophon
+grancare
+grandfather
+grandmaison
+grandstand
+granite
+grantree
+grapeshot
+grasped
+grass
+grassley
+grating
+gravano
+graveyard
+gravois
+grazed
+great
+greatest
+greear
+greed
+green
+greenback's
+greenfell
+greenlees
+greenspan's
+greet
+gregor
+greinke
+grenier
+grete
+grew
+grewell
+gridlock
+grief
+griese
+griffee
+griggy
+grimace
+grimwood
+griner
+grips
+griswold
+groan
+groden
+grohs
+groner
+groover
+grosjean
+grossnickle
+groundhog
+groupies
+grovers
+grua
+grudzien
+grumbine
+grundig
+grupe
+grzywacz
+g.'s
+guandjo
+guaranties
+guardino
+guatemalans
+guckert
+guercio
+guerrini
+guevara
+guiana
+guido
+guileless
+guillotine
+guinn
+guiterrez
+gulick
+gullion
+gumbs
+gunatilake
+gunfighting
+gunnels
+gunslinger
+gurian
+guru
+gusman
+gusting
+gutierez
+gutters
+guyon
+guzzo
+gyi
+gynex
+gyroscope
+haake
+haberer
+habitation
+hackberry
+hackmann
+had
+hade
+haeberle
+haff
+hagan
+hager
+haggling
+hah
+hail
+hainey
+hairline
+haizlip
+halama
+haldan
+halfhill
+halla
+hallford
+hallow
+hallums
+halpert
+halts
+hamanaka
+hamburg
+hamitic
+hammas'
+hammered
+hammerstein
+hamper
+hamsphire
+hanback
+handclasp
+handford
+handke
+handover
+hands
+handwriting
+hanged
+hanging
+hanifin
+hankla
+hannay
+hannold
+hansbury
+hanssen
+hao
+happened
+happens
+happily
+happy
+harangue
+harbeson
+harcrow
+hardenbrook
+hardiman
+hardship
+harem
+harig
+harkless
+harling
+harming
+harms
+haro
+harpold
+harrelson
+harrison
+harsha
+harter
+hartlaub
+hartsell
+hartzel
+harvey's
+has
+hasch
+hasher
+hasler
+hassey
+hastie
+hatcheries
+hathcock
+hattersley
+haufer
+haulers
+haunt
+hausch
+hautala
+have
+haven't
+haverfield
+havlik
+hawkbill's
+hawley's
+haydon
+haymarket
+hayward's
+hazen
+he
+head
+headaches
+headley
+headrick
+heads
+heagy
+healthsouth
+hearers
+heart
+heartbeats
+hearts
+heart's
+hearts
+heartwise
+heatherington
+heavier
+hebenstreit
+heckard
+hectares
+hedgepeth
+hedstrom
+heed
+heemstra
+heffley
+hegeman
+hehman
+heideman
+heiges
+heilig
+heindel
+heinlein
+heinzelman
+heisler
+hejna
+heldreth
+helget
+helke
+heller's
+helma
+helmont
+help
+helpful
+helps
+helvey
+heming
+hemmerle
+hemorrhage
+hen
+hendra
+henehan
+henkin
+henner
+henpecked
+henry's
+henton
+hepper
+her
+herbalist
+herbivore
+herdman
+here
+hereafter
+herewith
+herm
+herminie
+hernon
+heroux
+herrington's
+herself
+herter
+herzberger
+hesitating
+hession
+heterosexuals
+hetzel
+hevey
+hexachlorophene
+heymann
+hiatt
+hibma
+hickok
+hides
+hietpas
+higham
+highlighting
+higinbotham
+hiland
+hildegard
+hiley
+hillas
+hillhaven
+hillside
+hilt
+him
+himalayas
+himmelfarb
+himself
+hindering
+hine
+hinkel
+hinshaw
+hipbone
+hippopotamus
+hiring
+hirschfield
+his
+hisao
+hissing
+hitachi
+hitman
+hix
+hoaxes
+hobdy
+hoch
+hockett
+hodgdon
+hodsdon
+hoeing
+hoeppner
+hoffart
+hofland
+hogenson
+hogue
+hoisington
+holbein
+holderbank
+holdridge
+holidays
+hollands
+hollering
+hollingshead
+hollow's
+holmen
+holsclaw
+holtan
+holtzer
+holzer
+homburg
+home
+homefront
+homeowners
+homesteaded
+homeward
+hominid
+homosexuality
+hondurans
+honey
+honeymoon
+honnold
+honors
+hoof
+hook
+hoole
+hoosiers
+hope's
+hopkin's
+hoppy
+horch
+horizontally
+hornbeak
+hornets
+horrell
+horseflesh
+horsley
+horwath
+ho's
+hosing
+hospital's
+hostel
+hotaling
+hotlines
+houchens
+houghton's
+hourly
+housekeepers
+houska
+hovda
+hovis
+how
+howdyshell
+however
+howitzer
+howtek
+hrdlicka
+hua
+hubby
+huch
+hud
+hudman
+huegel
+hufbauer
+hufnagle
+hughart
+hugoton
+huizinga
+huling
+huls
+humanly
+human's
+hume
+humiston
+humpal
+hunan
+hungarian
+hunger
+hunky
+hunting
+hupe
+hurley
+hursh
+husar
+husband
+husks
+hustad
+hutcheson
+hutu's
+hwan's
+hybl's
+hydrants
+hydrogenating
+hydroxides
+hymas
+hyogo
+hypermarkets
+hypnotism's
+hypothesis
+hysterical
+i
+iacobucci
+iannone
+ibis
+icefish
+icon
+idea
+idealism
+identifies
+idioms
+idola
+if
+ifil
+ignatia
+ignored
+igo
+ijaz
+ilbo
+illegality
+illness
+illusory
+ilyaronoff
+imam
+imbued
+imler
+immerse
+immorality
+immunizes
+impacts
+impassion
+impeded
+imperial
+impersonators
+implemented
+imploring
+impose
+impossible
+impoverishment
+impressively
+improve
+impulses
+in
+inabinet
+inadvertence
+inaugurates
+incant
+ince
+inches
+incident
+incite
+inclusive
+incompetently
+inconvenience
+increasing
+incubator
+indebted
+indemnify
+index's
+indic
+indigenous
+indispensable
+individuals'
+induced
+industri
+industrious
+ineptly
+inexorable
+infantile
+infects
+infidelity
+infirm
+inflator
+influx
+informed
+infrequency
+ing
+ingested
+ingoglia
+inhabitants
+inheritor
+iniki
+iniziativa
+injured
+injuries
+injury
+inlow
+innermost
+innovated
+inoperable
+inquisition
+insecticide
+inset
+inside
+insinuating
+insolvencies
+inspire
+instantaneously
+instantly
+instead
+institute
+instone
+instruments'
+insulting
+insurrection
+integrator
+intelligent
+intelligentsia
+intention
+interbank
+interchange
+intercurrent
+interfaces
+intergroup's
+interlocked
+intermediate
+intern
+internee
+interpret
+interrogate
+intersected
+intertribal
+interviewee
+intimates
+into
+intoxicate
+intrepid
+introduction
+intuit
+invalid
+inventive
+invest
+investiture
+invirase
+invite
+invoking
+iodides
+iorio
+ipsen
+iras
+irian
+irma's
+irony
+irremediable
+irrigation
+irwin
+is
+isay
+isgur
+ishtar
+islands
+isola
+isotoner
+issam
+istat
+it
+italiano
+itemizer
+its
+ittner
+ivatans
+ivy
+izard
+jab
+jacinta
+jackal
+jackalthat
+jack-fruit
+jacki's
+jacksons
+jacoboski
+jacquez
+jaffar
+jagow
+jaime
+jakubowicz
+jamerson's
+jamroz
+jane
+jani
+janitorial
+janos
+jansma
+japanese
+jared
+jarriel
+jasko
+jauch
+jawbone
+jaynes
+jeanbaptiste
+jech
+jefferey
+jeffs
+jelly's
+jenks
+jenrette
+jerabek
+jerked
+jerrome
+jess
+jests
+jetstream
+jewelers
+jeyaretnam
+jicha
+jillson
+jines
+jitterbug
+joaquin
+jocelyn
+joe's
+joggers
+johnathon
+johnstown
+jojola
+joliet
+jonas
+jonothan
+jordans
+josepha
+jospin
+jourdan
+journey
+journeys
+joyce
+ju
+jude
+judicial
+juergen
+juice
+julia's
+julson
+jumping
+jun
+junger
+junker
+juntunen
+jurica
+jury
+just
+justifying
+juul
+kaatz
+kackley
+kady
+kage
+kahr's
+kaisertech's
+kalbach
+kalinski
+kalliel
+kaltenbacher
+kamen
+kammeyer
+kamrath
+kane's
+kanji
+kansans'
+kaolin
+kapp
+karachi
+karalakesara
+karalamukha
+karatz
+karenina
+karlik
+karol
+karraker
+karvonen
+kashiwagi
+kasmer
+kassebaum
+kastler
+katha
+katmandu
+katyushas
+kaufhold
+kavner
+kayaks
+kazan
+kea
+kearn
+keats
+keef
+keen
+keep
+keese
+kehl
+keillor's
+keiter
+keleher
+kelley's
+kellys
+keltz
+kemp's
+kempton
+kenealy
+kennan
+kennerson
+kentner
+keogh
+kept
+keratin
+kerin
+kernes
+kerry
+kerwen
+kessle
+ketcherside
+kettell
+kevex
+keyes'
+keyword
+khanna
+khrushchev
+kibler
+kidder
+kids
+kielley
+kies
+kigale
+kila
+kilen
+kill
+killed
+killey
+killing
+killough
+kilpatrick
+kimberly's
+kimmell
+kimura
+kindall
+kindly
+kindred
+kinds
+king
+kingdom
+kingdon
+kingsbury
+kingship
+kinker
+kinnell
+kinsler
+kinzlmaier
+kirby
+kirk's
+kirkum
+kirst
+kisco
+kissane
+kit
+kites
+kittler
+kiwis
+klaiber
+klase
+kleck
+kleiner
+kleman
+klerk's
+klima
+klingenberg
+klippel
+klontz
+klotzbach
+klunk
+knaak
+knauer
+kneece
+knicely
+knifed
+knipl
+knives
+knocked
+knockout
+knost
+know
+knowledgeably
+knust
+kobes
+kocher
+kodiak
+koenig
+koetje
+kohan
+kohnen
+kokan's
+kolarik
+kolker
+kolokoff
+komarik's
+kon
+konig
+kontras
+koolhaas
+kooyman
+kopke
+koprowski
+korean
+korn
+kort
+kosar
+kosinski
+kosnovsky's
+kostmayer
+kotila
+kountz
+kovaleski
+kowalkowski
+kozinski
+krabbenhoft
+krahn
+kramme
+krasner
+krauskopf
+kray
+kreher
+kreiter
+krenke
+kretschmar
+kriegel
+kringley
+kristi's
+kroc
+krogman
+kronenberg
+krout
+krul
+krus
+krysiak
+kubic
+kucera
+kudlow
+kuenzel
+kuhnert
+kulaga
+kullman
+kumquat
+kunka
+kuow
+kurek
+kurokawa
+kusa
+kutchna
+kuzara
+kwang
+kwong
+kyo
+kyung
+laabs
+labate
+laberge
+laborers
+labriola
+labuja
+lacerate
+lacina
+lacombe
+lactating
+ladehoff
+laduca
+lafer
+lafoe
+lafuente
+lagle
+lahaye
+laidlaw
+lajeune
+lake
+lakewood
+lalli
+lamarche
+lambakarna
+lamberson
+lambright
+lameta
+lamm
+lamoreux
+lampkins
+lampson
+lancet
+land
+lande
+landforms
+landler's
+landover
+landsbergis
+landy
+langel
+langhoff
+langseth
+laningham
+lannom
+lansing
+lanvin
+laparoscopic
+lapine
+lapps
+laramore
+large
+larissa
+larochelle
+larrow
+las
+lash
+lasko
+lassman
+latendresse
+later
+lathon
+lat-lon
+latner
+lattanzio
+laub
+lauderbaugh
+laughinghouse
+launchers
+laure
+laurey
+laut
+lavatories
+laverty
+lavoie
+lawing
+lawnsdale
+lawther
+layah
+layoffs
+lazear
+le
+leaders'
+leads
+leafy
+leal
+leann
+leapt
+learned
+learner
+leaseway's
+leathers
+leave
+leavins
+lebert
+lecates
+leclercq
+lectures
+ledger
+leed
+leeser
+lefevre
+left
+left-wingers
+legalese
+legendary
+leghorn
+legislators'
+legroom
+lehn
+leibler
+leiderman
+leilia
+leiphart
+leisy
+lekberg
+lemberg
+lemma
+lemp
+lenders'
+lengthways
+lenita
+lenore
+lentzsch
+leonard's
+leonore
+lepere
+lerach
+lesage
+lesley
+lessin
+let
+leto
+let's
+lets
+letting
+leupold
+levchenko
+levenhagen
+levesque
+levinsky
+levity
+lewicki
+lexicographer
+leysen's
+liane
+liberalism's
+liberia's
+libraries
+licences
+lichtenberger
+licon
+liebelt
+liederman
+liese
+life
+lifelike
+lifo
+ligands
+lightfast
+lightship
+like
+likened
+lilco's
+lille
+lilt
+limbrick
+limitless
+linage
+lindaman
+lindenbaum
+lindow
+linear's
+liners'
+lingle
+link's
+linnell
+linsky
+liomine
+lion
+lion's
+lions
+lipide
+lipper
+lipshie
+liquidate
+liro
+lishman
+listed
+listen
+lit
+literary
+lithuanians
+litten
+little
+littman
+litzinger
+live
+lived
+liverman
+lives
+living
+livingroom
+lizard's
+llosa
+loaf
+loaves
+lobel
+lobules
+locating
+locke-ober
+lockley
+lococo
+lodestone
+loehmann's
+loewy
+log
+logical
+logsdon
+loiacano
+lolita
+lomba
+londono
+long
+longan
+longhouse
+longing
+longnecker
+longtin
+loo
+look
+looming
+loosen
+lopeman
+lora
+lord
+lore
+lorenza
+lorimar
+lorson
+loses
+lost
+lotion
+lotus
+loudly
+louie
+lourdes
+lovan
+love
+lover's
+lovins
+low
+lowensky
+lowrance
+loyally
+loyd
+lsd
+lubbers
+lubricate
+lucco
+lucido
+luckett
+luczak
+ludlum
+luebke
+lueth
+lugers
+lui
+lukavizta
+lull
+lumbert
+lumm
+lunar
+lundborg
+lunged
+lupa
+luque
+lure
+lurleen
+lusitania's
+luten
+luttwak
+luyster
+lyda
+lykins
+lynchings
+lynott
+lyricism
+lytton
+'m
+ma'am
+mabie
+macaques
+macchi
+maceda
+mach
+machination
+machtley
+macklem
+mack's
+maclellan
+macoute
+mactaggart
+madan
+maddux
+made
+madere
+madmen
+madril
+maes
+magar
+magellanic
+magicians
+maglica
+magnesium
+magnificently
+magoon
+mahaffey
+mahayana
+mahmood
+mai
+maile
+maimed
+mainor
+maiorano
+majchrzak
+majored
+make
+makeover
+makoto
+maladroit
+malary
+malcolmson
+malenfant
+malibu
+malinowski
+mallery
+mallon
+malnutrition
+malta
+malvern
+mamis
+man
+manafort
+manage
+manama
+mancillas
+mandatory
+mandhara
+mandharaka
+mandracchia
+maneuvered
+mangano
+mangled
+mango
+mangoes
+manhattan
+manifestations
+manipulating
+mankiewicz
+mannen
+mannino
+manring
+mansueto
+mantles
+manufactures
+many
+manzanares
+mapi's
+maracle
+maras
+marble's
+marcela
+marchant
+marchini
+marciniak
+marcoses'
+maready
+margaret
+marginalization
+margrave
+marianna
+marigold
+marine's
+mario's
+marjy
+market
+markets
+marko
+markups
+marlene
+marmion
+maroney
+marque
+marriages
+marry
+marrying
+marseilles
+marshland
+marszalek
+marter
+martinec
+martion
+martyre
+marvela
+mary
+marzette
+masayoshi
+mascots
+masi
+masochism
+massachusetts'
+massenet's
+massman
+master
+mastercard's
+masterworks
+mastronardi
+matalin
+matchmaking
+mate
+materialized
+matheis
+mathew
+mathy
+mato
+matsapa
+matta
+matthea
+mattila
+matty
+matuszak
+mauer
+maund
+mauritania
+mauzy
+max
+maximize
+maxx
+may
+mayda
+mayhem
+mayoralty
+maze
+mazzanti
+mazzuca
+mcallister
+mcaulay
+mcbroom
+mccalip
+mccan
+mccarney
+mccartt
+mccay
+mcclave
+mcclimans
+mccoin
+mcconaghy
+mccord
+mccowin
+mccreedy
+mccubbins
+mccumber
+mcdavitt
+mcdonnel's
+mceachern
+mcelroy
+mcevers
+mcfarren
+mcgaha
+mcgaughy
+mcgill
+mcgivney
+mcgols
+mcgray
+mcguigan
+mchugh
+mcinvale
+mckeehan
+mckenna
+mckibbon
+mckinstry
+mclamb
+mclellan
+mcmahill
+mcmeen
+mcmorris
+mcnalley
+mcneeley
+mcnicholas
+mcpeak
+mcquain
+mcrae
+mcsweeney
+mcwatters
+me
+meader
+meal
+meals
+means
+measurement
+mebane
+mechem
+medallions
+medellin
+median
+medications
+mediplex
+medley
+meecham
+meester
+meet
+megace
+megaquest's
+mehan
+mehnert
+meigher
+meints
+meitz
+melanesians
+melchiorre
+melgaard
+melissa's
+melley
+mellott
+melone
+meltzer
+membranous
+memorialize
+menacingly
+mended
+mendonca
+mengers
+mennan's
+mensah
+mentioned
+menzie
+mercator
+mercies
+merely
+merida
+meritocracy
+merle
+meroney
+merriott
+mertes
+mesaba
+meshes
+mesons
+messer
+messman
+met
+meta
+metallo
+metastasize
+metered
+methodist
+metoyer
+metroplex
+metze
+mew
+meyerowitz
+mhoon
+micciche
+michalik
+micheli
+michigan's
+mickie
+microbilt
+microelectronic
+micron's
+microscopy
+midas
+middlesex
+midi's
+midsection
+midwest's
+mieno
+might've
+migrant
+mihelich
+mikesh
+mikulak
+milazzo
+mildred
+milhorn
+militarized
+milko
+milledge
+millibar
+millin
+millner
+milonas
+miltonic
+mimnaugh
+minced
+mindedness
+minefield
+minerals
+minges
+minicars
+minimizes
+minister
+ministers
+minkel
+minnick
+minorca
+minsky
+minturn
+miot
+mirage
+mires
+mirth
+misappropriate
+miscayuna
+miscible
+misdiagnose
+miserable
+misfit
+mishear
+misinterpreted
+misleads
+misprice
+misrule
+missing
+mission
+missionary
+misspoke
+mistaken
+mistaking
+misters
+mists
+mitchelson
+mitigating
+mitsuru
+mitton
+mixtures
+mizelle
+mnookin
+mobbs
+mobley
+mochizuki
+modeling
+modernist
+modica
+modulated
+moerbe
+moga
+mohammad
+mohrman
+mojave
+moldavia
+molen
+molinar
+mollified
+molpus
+momayez
+mona's
+monastic
+monde
+monetarism
+money
+moneyweek
+mongoloid
+moninger
+monkey
+monkeys
+monmouth's
+monolingual
+monopolized
+monrovia
+monster
+monsters
+montanan
+montefiore
+monter
+month
+montpelier
+monzert
+moondreamers
+moore's
+moosa
+moralist
+morasses
+more
+moren
+morgan
+morial
+moris
+mormons
+morovcic
+morrell
+morrisville's
+mor's
+mortell
+mortimer
+mosbrucker
+mosey
+mosle
+mosses
+mota
+mothers
+motivation
+motorcar
+mots
+motz
+mounce
+mountjoy
+mouser
+moutse
+move
+moviemakers
+mowry
+mozambican
+mrazik
+muavenet
+much
+mucosa
+muds
+muffins
+muggings
+muhs
+mulanax
+mulhall
+mullany
+mulling
+multicolor
+multimate
+multiplies
+mulvey
+mummified
+muncie
+mungin
+munn
+muntz
+muraoka
+murderers
+murillo
+murphree
+murtagh
+muscato
+musgrave's
+musically
+musketeer
+mussels
+must
+mustard
+mutating
+mutinous
+mutzman
+my
+myer
+myopia
+myrrh
+mystified
+nabors
+nacy's
+nadolski
+nagele
+naidoo
+naive
+nakao
+nala
+nam
+name
+named
+nan
+nankai
+nantz
+napoles
+naramore
+narda
+narramore
+narum
+nashashibi
+nast
+natasha
+nation
+nationhood
+natsios
+nature
+naturedly
+nauseate
+navarro
+navistar
+nazarian
+nealey
+near
+nearly
+neary
+nebula
+necessary
+necklacing
+nederland
+needle
+needs
+neely
+negative
+negotiable
+negs
+neighbor's
+neiman
+nelda
+nelon
+nemos
+neophyte
+nephrosis
+nero's
+nesler's
+nestle's
+netherlandic
+nettie
+netzel
+neugebauer
+neupogen
+neurosurgeons
+neutrino
+nevels
+never
+nevertheless
+nevius
+new
+newark's
+newby
+newfoundland
+newlyn
+news
+newsmaker
+newsreels
+news's
+newton
+neyens
+niagara's
+nicaraguans
+nice
+nicholes
+nickerson
+nickolson
+nicolaus
+nicols
+niebur
+nield
+nier
+nigg
+nightline
+nihart
+nikko
+nilles
+ninagawa
+ninjas
+nippondenso
+nishiyama
+nit
+nitroglycerine
+nivens
+no
+noaa
+noblesse
+nobody
+nocella
+noell
+noiman
+nolde
+nolo
+nominates
+nonagricultural
+noncombatants
+nondirect
+nonfat
+nonmanagement
+nonprescription
+nonruling
+nontraditional
+noon
+norberto
+nordica
+noreiga
+norilsk
+norman
+norquist
+north
+northern
+northway
+norwegians
+nosiness
+not
+not;
+notation
+nothdurft
+noticed
+notify
+noun
+novametrix
+noverco
+novosti
+now
+nowlan
+n.s
+nu
+nucleus
+nugan
+nulph
+numerical
+nunn
+nurnberger
+nuss
+nutrients
+nuzzi
+nyers
+nymphomaniacs
+o
+oakley's
+oates
+obedience
+obermaier
+obispo
+objects
+oblander
+oblivion
+obscene
+observatory's
+obstacle
+obtained
+ocanas
+occlusion
+occurring
+ochre
+o'connor
+octave
+oddballs
+odekirk
+odier
+odor
+oehmens
+oetting
+of
+off
+offenses
+offered
+officeholder
+offing
+oftener
+oglesbee
+oh
+ohanian
+ohler
+ohr
+oily
+okay
+o'keeffe's
+okinawans
+okura
+olberding
+old
+oldie
+olefin
+olestra
+oliphant
+olivetti's
+olmert
+olsten
+olympics
+omega
+omnibus
+on
+onassis'
+once
+one
+oneyear
+only
+onofrio
+onthe
+onto
+ooze
+opel
+operated
+opheim
+opinionated
+oppler
+opposition's
+optek
+option
+or
+ora
+orangina
+orbis
+orchestrating
+orders
+oregano
+orestes
+organized
+orielle
+originations
+orkney
+orlowski
+ornda
+oropeza
+orrell
+ort
+orthodoxy
+orvin
+osama
+oscillates
+oshawa
+oslo
+osred
+ostendorf
+osterkamp
+ostracism
+osullivan
+o'sullivan
+other
+others
+otherwise
+ottaway
+otts
+ought
+our
+ourada
+out
+outboard's
+outdoor
+outfoxed
+outlasted
+outlook
+outperformance
+outraging
+outsiders'
+outstripped
+outwitted
+ovalle
+over
+overarching
+overcapacity
+overdamping
+overeat
+overfill
+overhaul
+overland
+overlords
+overplay
+overqualified
+override
+oversees
+overslept
+overstock
+overtime
+overvalued
+ovex
+owen
+own
+ownership
+oxidant
+oxymoron
+ozbun
+pacella
+pacificare
+packages
+pact
+paddy
+pads
+pagar
+paging
+paille
+paintbrush
+paiz
+palaces
+palazzi
+palese
+palla
+palmatier
+palmolive
+palpably
+pamour
+panam
+panda
+pandava
+panel
+panful
+panicking
+panning
+pantalone
+pantomime
+paolini
+paparazzi
+paperless
+pappa
+parachute
+paradoxically
+parallels
+paramore
+paratrooper
+parde
+parella
+parga
+parishioner
+parkersburg
+parlance
+parlor
+parness
+parramore
+parrotta
+parsons
+partiality
+particulates
+partner's
+parvin
+pascual
+paso's
+passanisi
+passersby
+password
+past
+pastimes
+paszkiewicz
+patchwork
+paternity
+pathogens
+patinkin
+patrice
+patristic
+patsies
+pattin
+paule
+paulos
+pavarotti
+pavlak
+paw
+pawlak
+pawtuxet
+payer's
+payola
+peace
+peaceful
+peafowl
+pearl
+pearls
+peasants
+pecan
+peco
+pedaling
+pedestrians
+pedro
+peeling
+peetz
+peglow
+peixoto
+pelczar
+pelland
+pellum
+pelvis
+penalized
+pendergast
+penetrating
+peninsular
+pennants
+pennington
+penoyer
+pentagon
+pentrust
+people
+peoria's
+peppering
+percent
+percival
+peregrine
+perfecta
+performer
+perillo
+peripheral
+perishes
+perkins
+perlow
+permissions
+pernod's
+perpetrator
+perra
+perrino
+perschbacher
+per-se
+pershings
+personable
+personnel
+pertain
+perusal
+perverting
+pesky
+pestilence
+petering
+petipa
+petra
+petrich
+petrochemical
+petrone
+petru
+petter
+pettingill
+pevehouse
+pezzella
+pfenninger
+pfund
+phar
+pharmacy
+phegley
+pheromones
+philanthropists
+philip's
+phillie
+philomena
+phlogopite
+phonetically
+photo
+photographer's
+phrase
+physically
+pia
+pic
+piccirillo
+picked
+picketing
+pickren
+picton
+piece
+pieced
+pieces
+piela
+pierman
+pietermaritzburg
+pigeon
+pigmied
+piland
+pilger
+pillager's
+pillsbury's
+pimm's
+pinching
+piner
+pink
+pinkwater
+pinochet's
+pinta
+pious
+piping
+pirate's
+pirro
+pissed
+pitcher
+pitkin
+pittman
+pius
+pizzano
+place
+placing
+plack
+plainer
+plambeck
+plan
+planetarium
+plantain
+plascencia
+plastics
+platinum's
+platypus
+playcount
+playroom
+pleaded
+pleasant
+please
+plebeians
+plenum's
+plex
+plight
+plisetskaya
+ploss
+plots
+plowden
+plue
+plumley
+plunged
+plunker
+plutonian
+p.m.
+po
+pock
+pod's
+podunk
+poets
+pohle
+point
+pointed
+pointing
+poke
+poland
+polaski
+polgar
+policyholder
+polish
+politicized
+poll
+pollination
+polluted
+polson
+polyconomics
+polymer
+polysar
+pomerantz
+pomplun
+ponderosa
+pontiac's
+pontoons
+pooled
+poor
+poorhouse
+popeyes
+poppe
+popularity
+porath
+porgy
+porridge
+portec's
+portfolio's
+porto
+posa
+positioning
+possess
+postal's
+posthumously
+postponed
+potable
+potenza
+potshot
+potvin
+poulton
+pouring
+powder
+powerful
+powerhouse
+pox
+practical
+pragmatists
+pranger
+prause
+prayed
+preacher
+precariously
+precinct
+precocious
+predawn
+predicted
+predominated
+preexists
+preferred
+preiss
+prelude
+premiership
+preoccupations
+prepared
+prepay
+presages
+prescribers
+presence
+preservationists
+presidentially
+pressed
+pressurize
+prestwood
+pretend
+pretty
+preventatives
+preway
+price's
+priddy
+priestess
+primal
+primes
+princely
+prindiville
+printmaker
+priority
+pristine
+privatizations
+probes
+problem
+problems
+proceed
+prochnow
+procreation
+prodigiously
+productivity
+professionals
+profiling
+profusion
+programmatic
+prohibiting
+projectors
+prolonged
+promised
+promote
+promus
+proofing
+propellers
+prophets
+proposing
+propst
+pro's
+prosecuted
+proske
+prospers
+protean
+protect
+protest
+protested
+proto-stirrup
+protz
+proven
+provider
+provisions
+prowling
+prudential
+pruneau
+prussian
+psalter
+psychiatrist
+psychopath
+ptyon
+publicity
+pucci
+pudgy
+puffer's
+puig
+pulled
+pulp
+puma
+punched
+puneet
+punish
+puns
+puppy
+purdy
+pure
+purifiers
+purloin
+purposes
+pursuit
+pusey
+pussycat
+putted
+puzzlemaster
+pylons
+pyroxene
+qiao
+quadra
+quake
+qualifies
+quantifiable
+quarles
+quarterman
+quaternary
+queau
+queensland
+quenzer
+questionable
+?question-mark
+quibbles
+quiet
+quietly
+quilici
+quina's
+quinones
+quinton
+quiros
+quizzed
+quoting
+qureshey
+rabbani
+rabin
+racal
+rach
+racioppi
+raconteur
+radbourn
+radha
+radically
+radishes
+radomski
+raetz
+raffle
+rage
+ragonese
+rahman's
+raikes
+rails
+raindrop
+rainmaker
+raisins
+raked
+raktamukha
+rales's
+rama
+ramada
+rambo
+ramlow
+rampey
+ramstein
+ran
+ranchland
+randle
+ranft
+ranked
+ransacking
+rantz
+raphel
+rappahannock
+raptors
+rascal
+raskin
+raspy
+rate
+rathert
+rational
+ratliffe
+rattner
+rauh
+ravages
+raves
+rawles
+rayburn
+raymund
+raz
+reabsorb
+reach
+reached
+reactivity
+readiness
+ready
+reaffirming
+realestate
+realised
+realizing
+really
+reames
+reapportionment
+rears
+reason
+reassert
+reassures
+reay
+rebellion's
+reborn
+rebukes
+recant
+recasting
+receptacle
+recession's
+recipe's
+recitatives
+reclaimer
+recognizes
+recommited
+reconnect
+reconvened
+recouped
+recriminations
+rectifying
+recyclables
+redco
+redecorating
+redenbaugh
+redgrave
+redirecting
+redlinger
+redoubt
+redstone's
+reebok's
+reeking
+reenacts
+reevaluated
+refer
+reffitt
+refiners'
+reflections
+reformatory
+refresh
+refuge
+refusenik
+regally
+regards
+regeneron
+regimented
+registrant
+regrettable
+regulator
+rehashing
+rehiring
+reiche
+reichmuth
+reifel
+reiland
+reimposing
+reine
+reinhard
+reinspections
+reinterpret
+reinvigorated
+reisman
+reiterating
+rejections
+rekindling
+relatives
+relativistic
+relegate
+reliant
+religious
+relocate
+remains
+remarried
+remembers
+reminisce
+remmers
+remoulded
+remus
+renault's
+renditions
+renewal
+renko
+renominated
+rensch
+renton
+reoffering
+repackages
+repatriate
+repeating
+repetti
+replays
+replied
+replying
+reposition
+representative's
+reprinted
+reprogramming
+repudiate
+requa
+request
+reregulate
+rescinding
+researchers'
+resent
+reservoir
+residence
+resignees
+resist
+resner
+resonates
+respectably
+respondents
+ressel
+restaurateurs
+restorative
+restricts
+result
+resumed
+ret
+retaking
+retests
+retirees'
+retractable
+retrenchments
+retrograde
+returned
+returnees
+reunited
+rev
+revelation
+reverberates
+reverser
+reviews
+revitalization
+revolt
+revolving
+rewire
+rexon
+reynolds'
+rhapsody
+rheumatism
+rhizoidal
+rhodium
+rhymer
+ribar
+rican
+richelson
+richman
+rich's
+rickels
+ricks
+riddick
+ridge
+ridicule
+ridinger
+riedel
+riek
+riesen
+riffs
+riggan
+right
+rightwing
+right-wingers
+rihn
+rillette
+rinas
+ring
+ringleaders
+rinker
+riordan
+ripe
+ripke
+ripple
+rishel
+risley
+rita
+rittenberg
+ritzenthaler
+rivenburg
+river
+rives
+rizer
+roadcap
+roams
+rob
+robbery
+roberson
+robidoux
+robitussin
+robusta
+rocha
+rock-and-roll
+rockett
+rockport
+rodden
+rodent
+rodin
+rodriques
+roehl
+roese
+rogal
+rogin
+rohland
+rohrer
+rojo
+rolex
+roller
+rollison
+rom
+romanian
+romanticized
+romina
+ronalda
+ronna
+rookard
+rooney's
+roots
+rorie
+rosalyn's
+rosberg
+rose-apple
+rosekrans
+rosenau
+rosener
+rosentreter
+rosiak
+rosneft
+rossetto
+rostad
+rota
+rothacker
+rothmeier
+rototill
+rotund
+roughnecks
+roundhead
+rouser
+routinely
+rovner
+rowes
+rowsey
+royall
+royle
+rozman
+rubbed
+rubenfeld
+rubinson
+ruchti
+rudderless
+rudge
+rudnick
+rueff
+rufe
+rufina
+ruggles
+ruin
+ruis
+rulison
+rumbold
+rumney
+run
+run-down
+rungs
+running
+runs
+rupiah
+rusch
+rushton
+russets
+russum
+ruta
+rutkoski
+rutzen
+ryall
+ryckman
+rylan
+ryser
+saal
+sabatista
+sabia
+sabres
+sachs
+sacrament
+sad
+sadat
+sadeh-koniecpol
+sadye
+safeguarded
+saffran
+sagas
+sahara
+said
+sail
+sailboats
+saints
+sake
+sala
+salami
+saldivar
+salesmen
+saling
+sallee
+salmon
+salopek
+salton
+salvadore
+salvi
+salzer
+samaritan
+samerol
+samojlik
+samplings
+samuela
+sanches
+sandage
+sanded
+sandi
+sandness
+sandstorm
+sang-gon
+sanker
+sanso
+santaniello
+santino
+santucci
+sapienza
+sarandon
+sara's
+sardella
+sargent
+sarma's
+sarmento
+sars
+sasha
+sasso
+sat
+sater
+satisfied
+saturday
+sauder
+saulters
+sauseda
+savaiko
+savell
+savings'
+savona
+saw
+sawdy
+saxena
+say
+sayers
+saying
+scaccia
+scalded
+scallon
+scammers
+scanland
+scapegoats
+scare
+scarf
+scarpone
+scattershot
+sceptre
+schacht
+schaffer
+schaner
+scharnhorst
+schaumburg
+scheer
+scheiderer
+schellinger
+schenkel
+schermer
+scheuring
+schiefer
+schiffler
+schilz
+schiro
+schlake
+schlein
+schlie
+schlotzhauer
+schmeichel
+schmidtke
+schmuck
+schneck
+schneller
+schnur
+schoendorf
+schoenwald
+scholes
+schone
+schooley
+schopf
+schraeder
+schreier
+schriner
+schroyer
+schucker
+schuhmann
+schulten
+schuneman
+schutzman
+schwandt
+schwebach
+schweitzer
+schwerner
+scialdone
+scientifics
+sciortino
+scoff
+sconc
+scooped
+scopolamine
+scorn
+scots
+scouring
+scowled
+scraping
+screamingly
+screwball
+scrimmage
+scrivens
+scrubbing
+scudder
+sculpts
+scythian
+sea
+seabrook
+seager
+seal's
+seamans
+seaq
+search
+searls
+seashore
+seasonings
+seavey
+sebek
+sechrest
+second
+secondly
+secretiveness
+secular
+seda
+sediment
+seducing
+see
+see;
+seedling
+seeker's
+seeman
+seen
+seethe
+seger
+segreto
+seide
+seigal
+seiple
+seixas
+selberg
+selena
+self-deliverance
+self-sufficiency
+selikoff
+sellen
+sells
+selwin
+semester
+semifinal
+semiotic
+semple
+senders
+senile
+sensation
+sense
+sensibilities
+sensuous
+sentry
+sepe
+septimus
+sequin
+serb
+serenading
+sergey
+serious
+serlo
+serpico
+servan
+servant
+servants
+served
+services'
+sesno
+set
+sethi
+settlements
+seven
+severely
+seville
+sexier
+seyfarth
+sha'ath
+shad
+shadow
+shafran
+shaikh
+shaking
+shall
+shalnev
+shameless
+shand
+shankaracharya
+shankland
+shaped
+sharbono
+shared
+shareware
+sharman
+sharpness
+shasta
+shaulis
+shawl
+shcherbitsky
+she
+shearing
+sheckler
+sheely
+sheffer
+sheilds
+shell
+shelman
+shenandoah
+shephard
+sheraton's
+sheriffs'
+sherri's
+sheth
+shibanna
+shies
+shigeru
+shimabukuro
+shimon
+shingledecker
+shiny
+shipment
+shipwash
+shirin
+shishido
+shlaes
+shockley
+shoes
+sholtis
+shoot
+shoplifting
+shoreham
+shortcoming
+shortlived
+shotgun
+should
+shoupe
+show
+showalter
+showing
+shreck
+shri
+shrink
+shrubbery
+shucked
+shufro
+shuman
+shupp
+shuttered
+shyne
+sibilla
+sickels
+siddell
+side
+sidelines
+sidetrack
+sidra
+siefert's
+siegman
+sieminski
+sievers
+sigfreda
+sigler
+signatory
+signpost
+silajdzic
+silent
+silkey
+silly
+silsby
+silverio
+silvi
+simeon
+simione
+simo
+simonsen
+simply
+simultaneously
+sin
+sindoni
+singer's
+single
+singly
+sinister
+sink
+sinko
+sinuses
+sips
+sir
+sirko
+siska
+sisterhood
+sit
+sitko
+sitting
+situation's
+sivy
+sizeable
+sjostrom
+skated
+skeletons
+sketchbooks
+skidded
+skillfully
+skinheads
+skipper's
+skittish
+skonieczny
+skulls
+skylight
+slaby
+slagter
+slanting
+slatkin
+slavery
+slaying
+sleekest
+sleeve
+slew
+slifer
+slimp
+slippers
+sloan's
+slogans
+sloppiness
+slovacek
+slowest
+sluggishly
+slurry
+smacks
+smaller
+smaltz
+smattering
+smelly
+smigel
+smirnova
+smithsonian
+smoker's
+smolik
+smothering
+smugly
+snackwells
+snap
+snarled
+sneaking
+sneezes
+snider
+snipped
+snippets
+snooks
+snowballed
+snowman
+snugging
+so
+soar
+sobering
+sobriquet
+socialists'
+sociology
+sodecom
+soens
+softdrink
+soggy
+sojka
+soland
+soldiers'
+solicitation
+solidly
+soliz
+solomon's
+soluble
+soma
+some
+someone
+somewhere
+sonchez
+songwriting
+sonnets
+sonya
+soots
+sopko
+sorci
+sorkin
+sorrowing
+sorry
+sosna
+soucie
+soundbite
+sourby
+southall
+southern
+southernnet's
+southwest's
+soviet-union
+sowell
+soza
+spaceships
+spadoni
+spalding
+spanier
+sparano
+spare
+sparks
+spasso
+spavo
+speaks
+special
+speciality
+specify
+specthrie
+speculation
+speedily
+speight
+speltz
+spend
+spent
+spetsnaz
+spicer
+spiegler
+spigner
+spillover
+spinfizz
+spiraled
+spit
+spiwak
+spliced
+spoerl
+spoke
+spokespersons
+sponsoring
+spoons
+sporting
+spot
+spotless
+spracklen
+sprawled
+spreen
+springfield's
+sprinters
+sprouting
+spunk
+spurt
+squad
+squashy
+squeamishness
+squire
+srebrenica
+staab
+stabilizes
+stacie
+stadtlander
+stagecoach
+stagnated
+stailey
+stake-out
+stalinist
+stallion
+stamant
+stampeding
+stances
+stand
+standardized
+standing
+standoff
+stangel
+stank
+stanphill
+stanzas
+staplers
+starchlike
+staring
+starling
+stars
+started
+startups
+starve
+stassi
+staters
+stationed
+stats
+stauber
+stave
+stayton
+stead
+steal
+stear
+stecker
+steelers
+steenrod
+stef
+steffek
+stegemeier
+steidtmann
+steinbeck's
+steinhardt's
+steinroe
+stelljes
+stemmed
+stenciling
+stenson
+stepdaughters
+stephenville
+stepsisters
+sterilization
+sterne
+stetler
+stevedore
+stewardesses
+stickels
+sticks
+stief
+stiffener
+stigma
+stillinger
+stimpson
+stinel
+stinks
+stires
+stitz
+st_john
+stockbrokers'
+stockholm's
+stocky
+stoessel
+stoically
+stoler
+stoltzman
+stonecypher
+stones
+stoney
+stopgap
+storagetek
+stores'
+storr
+story
+stotler
+stove
+strader
+straightened
+strandberg
+strangler
+strassner
+strathman
+straum
+strayed
+streb
+strege
+strengthened
+stretcher
+strickling
+strifes
+strike
+stringent
+stripper
+strock
+strole
+strommen
+strong
+strothers
+structural
+strut
+stubble
+studdard
+studnicka
+stuffing
+stumbled
+stunning
+sturc
+sturdy
+sturrock
+stuyvesant
+stymies
+suazo
+subcompact
+subdues
+subjugated
+submersed
+subplots
+subscription
+subsidized
+substituted
+subtly
+subvert
+successors
+suchy
+sudanese
+sudler
+suffering
+suffern
+suffragists
+suggests
+suicide
+suire
+suitable
+sukarno
+sulfide
+sullivan's
+sulzer
+sumlin
+summerford
+summoned
+sundahl
+sundial
+sungroup
+sunpoint
+sun's
+sunsweet's
+superamerica
+superconductors
+superfund
+superlative
+superpremium
+superstructure
+supper
+supplies
+suppressant
+surat's
+surfacing
+surgically
+surpasses
+surrendered
+surveillance
+survivors
+susman
+suspicious
+susy
+sutro
+suvarnasiddhi
+suzuki
+swabs
+swalley
+swanee
+swapes
+swartout
+swath
+swearengin
+sweaty
+sweeps
+sweet
+sweetness
+swem
+swiatkowski
+swihart
+swindler
+swint
+switaj
+swofford
+swordlike
+swum
+sycamore
+syllables
+symantec
+symington
+symphonic
+synbiotics
+syndicator
+synopsis
+syphilis
+system's
+szalay
+szilard
+tabitha
+tabloids
+tacitly
+tackle
+tactful
+tadpole
+tagalog
+tahmassebi
+tainer
+tajik
+take
+taken
+taketa
+taking
+talavera
+taligent
+talladega
+tallon
+tamales
+tamburri
+tammy
+tanartkit
+tangentially
+tani
+tannahill
+tantalizingly
+taormina
+tapings
+taranto
+targeting
+tarnoff's
+tarry
+tarzan's
+tasmanian
+tasting
+tatro
+taube
+taussig
+tavoulareas
+taxi
+tayman
+teachings
+teams
+tease
+tebeau
+technicolor
+technomic
+teddie
+teel
+teer
+tegtmeyer
+teicholz
+telaction
+telecommuting
+telegram
+telenet
+telequest
+telettra
+telfair
+tell
+tello
+tells
+temblors
+temperatures
+temporal
+temptation
+tenable
+tendering
+teng-wen
+tennis's
+tentacles
+tepper
+teresi
+termer
+terns
+terrebonne
+terrington
+terrorizes
+tesh
+tessman
+testily
+tether
+tetterton
+texaco
+textile
+thad
+thaler
+thanking
+that
+thatcher's
+that's
+the
+theatergoer
+thefts
+their
+thelma's
+them
+then
+theodore
+theorist
+there
+therefore
+thermal
+thesaurus
+they
+thibadeau
+thickly
+thiery
+thingy
+think
+thiokol's
+this
+this'
+thomas
+thompson
+thordia
+thornbury
+thorns
+thoroughly
+thought
+thoughtfully
+thousand
+threadfin
+three
+thresh
+thrilled
+thrive
+throngs
+through
+throughout
+throws
+thuma
+thunderbolt
+thurman
+thwarted
+tiano
+tic
+tickled
+tidings
+tienanmen
+tiffin
+tightens
+tilbury
+tillman
+timberlands
+time
+timeplex
+timm
+timpani
+tindle
+tinkerers
+tinsley
+tipperary
+tiptoe
+tiring
+tissues
+titled
+tjaden
+t-lam
+to
+tobacco's
+tocci
+todisco
+tofu
+toivonen
+toland
+told
+toles
+tolls
+tomaselli
+tomayko
+tomich
+tompson
+tones
+tongs
+tonkovich
+tonya's
+too
+toolmakers
+toothless
+topel
+topper
+tops
+toran
+torgeson
+tormenting
+torn
+torpedoed
+torrenzano
+tortillas
+tory
+tosses
+totally
+totals
+totton
+toughed
+touretzky
+tousley
+towards
+towboat
+town
+townsley
+toyama
+tozzi
+tracie
+tractors
+trades
+trafford
+trailer
+trains
+trammel
+tranches
+transamerica
+transcontinental
+transfered
+transfusion
+transitions
+transmittal
+transpires
+transracial
+tranzonic
+trashy
+trautwein
+travels
+trawick
+treadmills
+treason
+treatable
+tree
+trees
+treetop
+treiber
+tremble
+trenchard
+trentman
+trethewey
+trezza
+tribal
+tribunals
+trickel
+tricksters
+tried
+trigo
+trimetrexate
+trinova
+tripling
+trisha's
+triumphal
+trizec's
+trojan
+troncoso
+tropical
+trotten
+trouble
+trouncing
+trowel
+truchan
+trudged
+true
+truffaut
+trumbull
+trunks
+trustcorp
+trusted
+truth
+truxal
+trying
+trzeciak
+tsingtao
+tubbs
+tucked
+tuesday's
+tugwell
+tullis
+tumbling
+tunafish
+tunicate
+tupa
+turbines
+turco
+turkington
+turnbow
+turnover
+turrentine
+tuscany
+tutko
+tuxford
+tweak
+twentysomething
+twine
+twist
+two
+twonshein
+tyer
+tyner
+typhus
+tyre
+uber
+udverhye
+uganda
+uhle
+ul
+ulitsa
+ulrich
+ultranationalists
+umberto
+umpteen
+unable
+unacceptably
+unallocate
+unapologetic
+unavailability
+unbending
+unbutton
+uncharacteristically
+uncle
+uncoiled
+unconditional
+unconventional
+uncritically
+under
+underachiever
+undercurrents
+underfoot
+underlie
+underpants
+underpriced
+underserved
+understood
+undervalue
+underwriters'
+undiluted
+undone
+uneconomic
+unequal
+unexploded
+unfettered
+unformed
+unglamorous
+unhesitatingly
+unicycles
+unilateralism
+uninformative
+uninviting
+unisom
+unitel
+universes
+unknown
+unload
+unmentioned
+unobtainable
+unparalleled
+unpressurized
+unquestionable
+unreasonable
+unreliability
+unroll
+unscramble
+unshackle
+unspecified
+unsuccessful
+unsympathetic
+untiedt
+untruthful
+unwashed
+unworkable
+up
+upcoming
+upheld
+upmarket
+upon
+uprooting
+upstream
+ural
+urbanites
+uresti
+urias
+urologists
+ursy
+us
+used
+useless
+using
+utecht
+utke
+uttered
+utzinger
+v.
+vacaville
+vaclav
+vagelos
+vainly
+valdivia
+valentin
+valery
+valiquette
+vallette
+valor
+valuing
+vanacore
+vanbergen
+vancouver's
+vandehey
+vanderbilt
+vanderlinden
+vanderwal
+vandewalker
+vandyne
+vangel
+vanhoose
+vanishing
+vanmaanen
+vannortwick
+vanquish
+vanslooten
+vanuatu
+vanwhy
+vaporized
+vari
+varina
+varnes
+vary
+vaske
+vast
+vaughn's
+vazquez
+veda
+vegesna
+vehicles'
+velakowski
+vellucci
+vempala
+vendor's
+vengeful
+vent
+ventresca
+venus
+verbiage
+verdicts
+verges
+verifies
+verily
+vermilion
+vernier
+verret
+versions
+vertucci
+very
+vessel's
+vesuvius
+vetsch
+viable
+viau
+vicariously
+vick
+victim's
+victorious
+videophone
+vieira
+vies
+viewpoints
+vigliotti
+vikings
+villagers
+villar
+villines
+vinci
+vingmed
+vint
+violators
+vipont
+virgilio
+virologist
+visa
+visibly
+visor
+vitale
+vito
+vitulli
+vividness
+vlad's
+vocaltec
+voelz
+vohs
+voinovich
+volcker's
+volksbank
+volney
+voluntarism
+vonallmen
+vonruden
+vornado
+votaw
+vow
+voynavich
+vsel
+vultures
+waas
+wack
+waddle
+wads
+wagaman
+waging
+wah
+waif
+waisner
+waiting
+waitzkin
+waking
+walczyk
+walding
+waldrup
+walizer
+walkout
+walle
+walling
+wallsend
+walsh
+waltman
+wambolt
+wanders
+wangler
+want
+wanta
+warburg
+wardlow
+warford
+warm
+warn
+warned
+warns
+warrick
+warthen
+was
+wash
+washerman
+washoe
+wasp
+wastebaskets
+watchers
+water
+waterfall
+watermen
+watford
+wattenbarger
+wave
+waxman
+way
+ways
+we
+weak
+weakland
+weapons'
+weather's
+weatherstone
+weave
+weaver
+weaver's
+weaving
+webbs
+weckesser
+wedgewood
+weeding
+weeds
+weeks
+wegman
+wehrman
+weidenbach
+weighing
+weight
+weikel
+weinbaum
+weinreich
+weirdness
+weisenberger
+weisse
+weizman
+welders
+well
+wellbrock
+wellner
+welterweight
+wenda
+weng
+wensberg
+went
+werber
+were
+werne
+wertheimer
+wesler
+wessling
+westbrooks
+westerfield
+westervelt
+westlund
+westridge
+wetherly
+wetzler
+weylin
+whaling
+what
+whatley
+wheelbarrows
+wheezes
+when
+where
+whereupon
+wherever
+which
+whicker
+while
+whiners
+whipsaw
+whiskeys
+whiston
+whitehair
+whitener
+whitfill
+whitmire
+whittenburg
+whizzes
+who
+whole
+wholesaler
+whoosh
+whose
+why
+wiant
+wick
+wicklander
+wide
+widell
+widmar
+wiebold
+wiedmeyer
+wien
+wiesbaden
+wife
+wigen
+wigle
+wiland
+wilczek
+wild
+wildes
+wileen
+wilhelm
+wilkens
+will
+willabelle
+willen
+willhoite
+willinger
+willow
+wilmette
+wilthew
+wimmer
+winbush
+winder
+windmiller
+windt
+winer
+wingers
+wininger
+winnable
+winnowed
+winsor
+wintertime
+wiped
+wiring
+wise
+wisecrack
+wished
+wisniewski
+wisz
+wit
+with
+withdrawal
+withholds
+without
+witnesses
+wits
+wittig
+witz
+wnek
+woelfel
+wojahn
+wola
+wolfenschmidt
+wolgemuth
+wollman
+wolven
+woman
+women
+wondra
+won't
+wood
+woodby
+wooden
+woodhams
+woodmac
+woods
+woodson
+wool
+woolman
+wooten
+word
+wordstar
+workgroup
+workroom
+worldly
+worn
+worship
+worthier
+wotton
+would
+wozniak
+wrapping
+wrench
+wrights
+writedown
+wrona
+wrye
+wunder
+wurzer
+wyden
+wyles
+wynona
+x.
+xerox
+xinhua
+xylophone
+yachtsman
+yadava
+yahoo
+yaksha
+yamagata
+yan
+yank
+yanofsky
+yard
+yarosh
+yasunori
+yawns
+yeakey
+yearly
+yeatts
+yell
+yeltsin's
+yerby
+yesteryear
+yield
+ynjiun
+yoest
+yokley
+yonder
+yorba
+yoshiaki
+you
+young
+younge
+younkin
+your
+yourself
+youtsey
+yuck
+yudhishtira
+yukon
+yuppies
+yutzy
+zabows
+zachman
+zaftig's
+zahniser
+zajdel
+zaley's
+zamora
+zangari
+zapatista
+zarate
+zartman
+zawacki
+zealand
+zeckendorf
+zeh
+zeiner
+zele
+zellerbach
+zemeckis
+zenith
+zepeda
+zeros
+zhao
+zickefoose
+ziemer
+zigler
+zillions
+zimny
+zinn
+zipfel
+zircons
+ziyad
+zoeller
+zolp
+zooms
+zoss
+zucchini
+zuganov's
+zummo
+zurich's
+zwicky
+zyuganov's
\ No newline at end of file