Sentiment analysis with TFLearn

In this notebook, we'll continue Andrew Trask's work by building a network for sentiment analysis on the movie review data. Instead of a network written with Numpy, we'll be using TFLearn, a high-level library built on top of TensorFlow. TFLearn makes it simpler to build networks just by defining the layers. It takes care of most of the details for you.

We'll start off by importing all the modules we'll need, then load and prepare the data.

In [1]:
import pandas as pd
import numpy as np
import tensorflow as tf
import tflearn
from tflearn.data_utils import to_categorical

Preparing the data

Following along with Andrew, our goal here is to convert our reviews into word vectors. The word vectors will have elements representing words in the total vocabulary. If the second position represents the word 'the', for each review we'll count up the number of times 'the' appears in the text and set the second position to that count. I'll show you examples as we build the input data from the reviews data. Check out Andrew's notebook and video for more about this.

Read the data

Use the pandas library to read the reviews and postive/negative labels from comma-separated files. The data we're using has already been preprocessed a bit and we know it uses only lower case characters. If we were working from raw data, where we didn't know it was all lower case, we would want to add a step here to convert it. That's so we treat different variations of the same word, like The, the, and THE, all the same way.

In [2]:
reviews = pd.read_csv('reviews.txt', header=None)
labels = pd.read_csv('labels.txt', header=None)

Counting word frequency

To start off we'll need to count how often each word appears in the data. We'll use this count to create a vocabulary we'll use to encode the review data. This resulting count is known as a bag of words. We'll use it to select our vocabulary and build the word vectors. You should have seen how to do this in Andrew's lesson. Try to implement it here using the Counter class.

Exercise: Create the bag of words from the reviews data and assign it to total_counts. The reviews are stores in the reviews Pandas DataFrame. If you want the reviews as a Numpy array, use reviews.values. You can iterate through the rows in the DataFrame with for idx, row in reviews.iterrows(): (documentation). When you break up the reviews into words, use .split(' ') instead of .split() so your results match ours.

In [6]:
from collections import Counter
total_counts = Counter()
#iterrows:Iterate over DataFrame rows as (index, Series) pairs.
for _, row in reviews.iterrows():
    #update:Elements are counted from an iterable or added-in from another mapping (or counter)
    total_counts.update(row[0].split(' '))
print("Total words in data set: ", len(total_counts))
Total words in data set:  74074

Let's keep the first 10000 most frequent words. As Andrew noted, most of the words in the vocabulary are rarely used so they will have little effect on our predictions. Below, we'll sort vocab by the count value and keep the 10000 most frequent words.

In [7]:
vocab = sorted(total_counts, key=total_counts.get, reverse=True)[:10000]
print(vocab[:60])
['', 'the', '.', 'and', 'a', 'of', 'to', 'is', 'br', 'it', 'in', 'i', 'this', 'that', 's', 'was', 'as', 'for', 'with', 'movie', 'but', 'film', 'you', 'on', 't', 'not', 'he', 'are', 'his', 'have', 'be', 'one', 'all', 'at', 'they', 'by', 'an', 'who', 'so', 'from', 'like', 'there', 'her', 'or', 'just', 'about', 'out', 'if', 'has', 'what', 'some', 'good', 'can', 'more', 'she', 'when', 'very', 'up', 'time', 'no']
In [9]:
vocab2=total_counts.most_common(10000)
print(vocab2)
[('', 1111930), ('the', 336713), ('.', 327192), ('and', 164107), ('a', 163009), ('of', 145864), ('to', 135720), ('is', 107328), ('br', 101872), ('it', 96352), ('in', 93968), ('i', 87623), ('this', 76000), ('that', 73245), ('s', 65361), ('was', 48208), ('as', 46933), ('for', 44343), ('with', 44125), ('movie', 44039), ('but', 42603), ('film', 40155), ('you', 34230), ('on', 34200), ('t', 34081), ('not', 30626), ('he', 30138), ('are', 29430), ('his', 29374), ('have', 27731), ('be', 26957), ('one', 26789), ('all', 23978), ('at', 23513), ('they', 22906), ('by', 22546), ('an', 21560), ('who', 21433), ('so', 20617), ('from', 20498), ('like', 20276), ('there', 18832), ('her', 18421), ('or', 18004), ('just', 17771), ('about', 17374), ('out', 17113), ('if', 16803), ('has', 16790), ('what', 16159), ('some', 15747), ('good', 15143), ('can', 14654), ('more', 14251), ('she', 14223), ('when', 14182), ('very', 14069), ('up', 13291), ('time', 12724), ('no', 12717), ('even', 12651), ('my', 12503), ('would', 12436), ('which', 12047), ('story', 11988), ('only', 11918), ('really', 11738), ('see', 11478), ('their', 11385), ('had', 11290), ('we', 10859), ('were', 10783), ('me', 10773), ('well', 10659), ('than', 9919), ('much', 9763), ('get', 9309), ('bad', 9308), ('been', 9289), ('people', 9285), ('will', 9211), ('do', 9177), ('other', 9163), ('also', 9158), ('into', 9111), ('first', 9061), ('great', 9059), ('because', 9045), ('how', 8901), ('him', 8876), ('don', 8804), ('most', 8783), ('made', 8364), ('its', 8277), ('then', 8119), ('way', 8025), ('make', 8025), ('them', 7970), ('could', 7923), ('too', 7833), ('movies', 7666), ('any', 7660), ('after', 7638), ('think', 7298), ('characters', 7160), ('character', 7020), ('watch', 6974), ('two', 6906), ('films', 6890), ('seen', 6679), ('many', 6675), ('life', 6628), ('being', 6610), ('plot', 6586), ('acting', 6493), ('never', 6485), ('love', 6453), ('little', 6437), ('best', 6413), ('where', 6392), ('over', 6333), ('did', 6296), ('show', 6294), ('know', 6167), ('off', 6030), ('ever', 5997), ('man', 5976), ('does', 5940), ('here', 5767), ('better', 5739), ('your', 5686), ('end', 5650), ('still', 5623), ('these', 5418), ('say', 5396), ('scene', 5383), ('why', 5318), ('while', 5317), ('scenes', 5212), ('go', 5157), ('ve', 5136), ('such', 5134), ('something', 5077), ('should', 5041), ('m', 4998), ('back', 4971), ('through', 4969), ('real', 4738), ('those', 4697), ('watching', 4606), ('now', 4605), ('though', 4566), ('doesn', 4536), ('thing', 4528), ('old', 4526), ('years', 4517), ('re', 4504), ('actors', 4484), ('director', 4445), ('work', 4373), ('another', 4329), ('before', 4324), ('didn', 4318), ('new', 4312), ('nothing', 4290), ('funny', 4289), ('actually', 4239), ('makes', 4204), ('look', 4147), ('find', 4132), ('going', 4102), ('few', 4076), ('same', 4053), ('part', 4040), ('again', 4007), ('lot', 3979), ('every', 3979), ('world', 3833), ('cast', 3827), ('us', 3790), ('quite', 3739), ('down', 3728), ('want', 3703), ('things', 3688), ('pretty', 3664), ('young', 3660), ('seems', 3619), ('around', 3617), ('horror', 3591), ('got', 3587), ('however', 3535), ('fact', 3523), ('take', 3509), ('big', 3477), ('enough', 3452), ('long', 3451), ('thought', 3437), ('series', 3416), ('both', 3406), ('between', 3390), ('may', 3387), ('give', 3376), ('original', 3376), ('action', 3355), ('own', 3349), ('right', 3313), ('without', 3266), ('must', 3250), ('comedy', 3246), ('always', 3239), ('times', 3238), ('point', 3224), ('gets', 3204), ('family', 3202), ('role', 3189), ('come', 3189), ('isn', 3177), ('saw', 3167), ('almost', 3140), ('interesting', 3129), ('least', 3113), ('done', 3096), ('whole', 3078), ('d', 3077), ('bit', 3055), ('music', 3054), ('guy', 3035), ('script', 3028), ('far', 2977), ('making', 2960), ('minutes', 2953), ('feel', 2951), ('anything', 2949), ('last', 2933), ('might', 2918), ('since', 2907), ('performance', 2896), ('ll', 2893), ('girl', 2853), ('probably', 2842), ('am', 2807), ('woman', 2795), ('kind', 2783), ('tv', 2782), ('away', 2775), ('yet', 2752), ('day', 2746), ('rather', 2734), ('worst', 2732), ('fun', 2693), ('sure', 2686), ('hard', 2668), ('anyone', 2632), ('played', 2588), ('each', 2580), ('found', 2573), ('having', 2546), ('although', 2537), ('especially', 2535), ('our', 2510), ('course', 2506), ('believe', 2505), ('screen', 2493), ('comes', 2484), ('looking', 2483), ('trying', 2473), ('set', 2454), ('goes', 2442), ('book', 2420), ('looks', 2413), ('place', 2411), ('actor', 2388), ('different', 2382), ('put', 2381), ('money', 2361), ('year', 2361), ('ending', 2357), ('dvd', 2345), ('maybe', 2341), ('let', 2339), ('someone', 2337), ('true', 2333), ('once', 2329), ('sense', 2326), ('everything', 2325), ('reason', 2323), ('wasn', 2308), ('shows', 2307), ('three', 2295), ('worth', 2278), ('job', 2277), ('main', 2264), ('together', 2243), ('play', 2238), ('watched', 2236), ('american', 2228), ('everyone', 2223), ('plays', 2213), ('john', 2208), ('effects', 2204), ('later', 2199), ('audience', 2198), ('said', 2196), ('takes', 2192), ('instead', 2190), ('house', 2185), ('beautiful', 2176), ('seem', 2175), ('night', 2165), ('high', 2161), ('himself', 2159), ('version', 2157), ('wife', 2140), ('during', 2130), ('left', 2125), ('father', 2121), ('special', 2113), ('seeing', 2099), ('half', 2094), ('star', 2083), ('excellent', 2071), ('war', 2051), ('shot', 2051), ('idea', 2043), ('black', 2034), ('nice', 2012), ('less', 2001), ('else', 2000), ('mind', 1995), ('simply', 1965), ('read', 1964), ('second', 1962), ('fan', 1911), ('men', 1909), ('death', 1907), ('hollywood', 1906), ('poor', 1897), ('help', 1896), ('completely', 1889), ('used', 1879), ('dead', 1877), ('home', 1877), ('line', 1868), ('either', 1866), ('short', 1866), ('given', 1848), ('top', 1848), ('kids', 1843), ('budget', 1836), ('try', 1831), ('classic', 1829), ('wrong', 1823), ('performances', 1821), ('women', 1816), ('enjoy', 1812), ('boring', 1811), ('need', 1807), ('use', 1804), ('rest', 1803), ('low', 1799), ('friends', 1791), ('production', 1790), ('full', 1779), ('camera', 1777), ('until', 1776), ('along', 1775), ('truly', 1743), ('video', 1731), ('awful', 1725), ('couple', 1718), ('tell', 1718), ('next', 1717), ('remember', 1702), ('stupid', 1701), ('start', 1700), ('stars', 1697), ('perhaps', 1684), ('sex', 1684), ('mean', 1683), ('won', 1679), ('came', 1673), ('recommend', 1668), ('moments', 1665), ('school', 1659), ('episode', 1658), ('wonderful', 1658), ('small', 1646), ('face', 1645), ('understand', 1644), ('terrible', 1638), ('playing', 1633), ('getting', 1627), ('written', 1616), ('early', 1605), ('name', 1604), ('doing', 1603), ('style', 1601), ('often', 1601), ('keep', 1601), ('perfect', 1598), ('human', 1596), ('others', 1595), ('person', 1595), ('definitely', 1580), ('gives', 1577), ('itself', 1562), ('boy', 1560), ('lines', 1553), ('live', 1552), ('lost', 1552), ('become', 1543), ('dialogue', 1542), ('head', 1541), ('piece', 1537), ('finally', 1536), ('case', 1533), ('yes', 1532), ('felt', 1528), ('mother', 1523), ('supposed', 1516), ('liked', 1516), ('children', 1509), ('title', 1497), ('couldn', 1493), ('cinema', 1493), ('white', 1491), ('absolutely', 1485), ('picture', 1484), ('against', 1477), ('sort', 1472), ('worse', 1469), ('went', 1463), ('certainly', 1463), ('entire', 1461), ('waste', 1457), ('killer', 1455), ('problem', 1450), ('oh', 1449), ('mr', 1448), ('hope', 1447), ('evil', 1446), ('entertaining', 1443), ('friend', 1442), ('overall', 1437), ('called', 1433), ('based', 1431), ('loved', 1428), ('fans', 1421), ('several', 1420), ('drama', 1411), ('beginning', 1401), ('lives', 1393), ('care', 1385), ('direction', 1385), ('already', 1381), ('dark', 1381), ('becomes', 1380), ('laugh', 1375), ('example', 1371), ('under', 1368), ('despite', 1364), ('seemed', 1363), ('throughout', 1361), ('turn', 1359), ('son', 1356), ('unfortunately', 1353), ('wanted', 1352), ('michael', 1333), ('history', 1331), ('heart', 1328), ('final', 1327), ('fine', 1324), ('child', 1324), ('amazing', 1320), ('sound', 1320), ('guess', 1311), ('lead', 1310), ('humor', 1309), ('totally', 1307), ('writing', 1304), ('guys', 1303), ('quality', 1301), ('close', 1296), ('art', 1289), ('wants', 1288), ('game', 1283), ('behind', 1279), ('works', 1279), ('town', 1278), ('side', 1276), ('tries', 1274), ('days', 1268), ('past', 1263), ('viewer', 1262), ('able', 1259), ('flick', 1258), ('hand', 1257), ('genre', 1255), ('turns', 1251), ('act', 1251), ('enjoyed', 1246), ('today', 1245), ('kill', 1234), ('favorite', 1232), ('car', 1224), ('soon', 1223), ('starts', 1220), ('run', 1219), ('actress', 1219), ('sometimes', 1218), ('eyes', 1217), ('gave', 1217), ('b', 1212), ('girls', 1211), ('late', 1211), ('etc', 1210), ('god', 1208), ('directed', 1204), ('horrible', 1201), ('kid', 1200), ('city', 1197), ('brilliant', 1196), ('parts', 1191), ('hour', 1187), ('blood', 1186), ('self', 1185), ('themselves', 1184), ('stories', 1180), ('thinking', 1179), ('expect', 1178), ('stuff', 1174), ('obviously', 1163), ('decent', 1157), ('voice', 1156), ('writer', 1152), ('highly', 1148), ('fight', 1148), ('myself', 1147), ('feeling', 1145), ('daughter', 1138), ('slow', 1132), ('except', 1130), ('matter', 1127), ('type', 1125), ('age', 1119), ('anyway', 1117), ('roles', 1113), ('moment', 1112), ('killed', 1111), ('heard', 1111), ('says', 1110), ('leave', 1106), ('brother', 1105), ('took', 1100), ('strong', 1098), ('police', 1097), ('cannot', 1097), ('violence', 1092), ('hit', 1087), ('stop', 1084), ('happens', 1081), ('known', 1079), ('particularly', 1078), ('involved', 1077), ('happened', 1076), ('chance', 1069), ('extremely', 1069), ('james', 1068), ('obvious', 1066), ('living', 1063), ('told', 1063), ('murder', 1063), ('coming', 1062), ('alone', 1061), ('experience', 1059), ('lack', 1058), ('hero', 1055), ('wouldn', 1054), ('including', 1052), ('attempt', 1050), ('please', 1047), ('happen', 1044), ('gore', 1043), ('crap', 1039), ('wonder', 1038), ('cut', 1035), ('complete', 1034), ('group', 1034), ('interest', 1033), ('ago', 1033), ('none', 1030), ('score', 1030), ('husband', 1026), ('save', 1023), ('david', 1023), ('hell', 1023), ('simple', 1022), ('ok', 1018), ('looked', 1010), ('song', 1008), ('career', 1007), ('number', 1006), ('seriously', 1001), ('possible', 1000), ('annoying', 998), ('sad', 996), ('exactly', 995), ('shown', 994), ('king', 993), ('musical', 992), ('running', 992), ('serious', 989), ('yourself', 989), ('scary', 988), ('taken', 987), ('reality', 987), ('released', 986), ('whose', 986), ('english', 985), ('cinematography', 985), ('ends', 984), ('hours', 983), ('usually', 981), ('opening', 979), ('jokes', 976), ('light', 976), ('hilarious', 972), ('cool', 971), ('across', 971), ('body', 970), ('somewhat', 966), ('happy', 965), ('ridiculous', 965), ('relationship', 965), ('usual', 965), ('view', 964), ('started', 963), ('level', 963), ('change', 961), ('opinion', 959), ('novel', 957), ('wish', 957), ('middle', 956), ('talking', 955), ('taking', 955), ('documentary', 953), ('ones', 952), ('robert', 951), ('order', 949), ('shots', 948), ('finds', 948), ('power', 947), ('female', 946), ('saying', 946), ('huge', 945), ('room', 944), ('mostly', 940), ('episodes', 939), ('country', 934), ('five', 933), ('talent', 933), ('important', 931), ('rating', 930), ('modern', 929), ('earth', 928), ('word', 927), ('strange', 927), ('major', 927), ('turned', 925), ('call', 923), ('jack', 922), ('apparently', 918), ('single', 918), ('disappointed', 917), ('events', 911), ('four', 911), ('due', 909), ('songs', 908), ('basically', 906), ('attention', 905), ('television', 903), ('knows', 901), ('comic', 901), ('non', 899), ('supporting', 899), ('future', 899), ('clearly', 899), ('knew', 898), ('british', 898), ('fast', 897), ('thriller', 897), ('paul', 897), ('class', 893), ('easily', 892), ('cheap', 892), ('silly', 889), ('problems', 887), ('aren', 886), ('words', 884), ('miss', 882), ('tells', 881), ('entertainment', 879), ('local', 877), ('rock', 875), ('sequence', 875), ('bring', 869), ('beyond', 866), ('george', 864), ('straight', 864), ('oscar', 861), ('upon', 859), ('o', 859), ('whether', 856), ('romantic', 856), ('moving', 854), ('predictable', 854), ('similar', 852), ('sets', 852), ('eye', 851), ('review', 851), ('falls', 851), ('mystery', 850), ('lady', 848), ('richard', 846), ('enjoyable', 842), ('talk', 842), ('appears', 841), ('needs', 841), ('giving', 839), ('within', 832), ('message', 829), ('theater', 828), ('ten', 828), ('animation', 826), ('team', 824), ('near', 824), ('above', 819), ('sequel', 818), ('red', 818), ('sister', 818), ('dull', 816), ('theme', 816), ('nearly', 815), ('stand', 815), ('lee', 814), ('bunch', 813), ('points', 812), ('mention', 811), ('herself', 810), ('york', 810), ('feels', 810), ('add', 810), ('haven', 809), ('release', 807), ('ways', 804), ('storyline', 804), ('easy', 802), ('surprised', 802), ('using', 801), ('named', 800), ('fantastic', 797), ('lots', 796), ('begins', 796), ('working', 794), ('die', 794), ('actual', 793), ('effort', 792), ('feature', 791), ('minute', 789), ('tale', 789), ('french', 789), ('hate', 788), ('follow', 787), ('stay', 787), ('clear', 786), ('viewers', 786), ('tom', 784), ('elements', 783), ('among', 782), ('comments', 779), ('typical', 778), ('avoid', 775), ('editing', 775), ('showing', 775), ('tried', 773), ('season', 773), ('famous', 772), ('sorry', 771), ('fall', 770), ('dialog', 769), ('check', 769), ('peter', 768), ('period', 767), ('form', 765), ('certain', 765), ('buy', 764), ('filmed', 764), ('general', 764), ('soundtrack', 764), ('parents', 763), ('weak', 762), ('means', 761), ('material', 761), ('figure', 758), ('realistic', 758), ('doubt', 757), ('crime', 757), ('somehow', 757), ('space', 755), ('disney', 754), ('gone', 754), ('kept', 750), ('viewing', 750), ('leads', 749), ('th', 745), ('greatest', 745), ('dance', 744), ('lame', 742), ('suspense', 741), ('zombie', 740), ('third', 738), ('brought', 737), ('imagine', 736), ('atmosphere', 735), ('hear', 734), ('whatever', 732), ('particular', 730), ('de', 729), ('america', 728), ('sequences', 727), ('move', 726), ('indeed', 722), ('rent', 721), ('average', 720), ('learn', 720), ('eventually', 720), ('wait', 719), ('forget', 718), ('reviews', 718), ('deal', 717), ('note', 717), ('japanese', 716), ('surprise', 715), ('poorly', 714), ('stage', 714), ('sexual', 714), ('okay', 713), ('premise', 712), ('believable', 711), ('sit', 710), ('possibly', 709), ('nature', 709), ('subject', 709), ('decided', 705), ('expected', 704), ('dr', 700), ('truth', 700), ('imdb', 700), ('street', 699), ('free', 697), ('became', 697), ('screenplay', 695), ('difficult', 695), ('romance', 694), ('killing', 694), ('baby', 692), ('joe', 691), ('dog', 688), ('nor', 686), ('hot', 686), ('question', 685), ('reading', 685), ('leaves', 683), ('needed', 683), ('begin', 678), ('meets', 677), ('directors', 676), ('society', 676), ('unless', 675), ('credits', 673), ('superb', 671), ('shame', 671), ('otherwise', 671), ('write', 670), ('situation', 669), ('meet', 668), ('dramatic', 667), ('male', 666), ('memorable', 666), ('open', 665), ('weird', 663), ('earlier', 663), ('dream', 663), ('badly', 663), ('writers', 663), ('fi', 661), ('forced', 661), ('acted', 660), ('sci', 658), ('emotional', 657), ('laughs', 657), ('jane', 657), ('crazy', 657), ('older', 656), ('monster', 655), ('beauty', 655), ('realize', 654), ('comment', 653), ('deep', 652), ('forward', 651), ('footage', 651), ('interested', 651), ('fantasy', 648), ('ask', 648), ('plus', 645), ('mark', 645), ('sounds', 645), ('whom', 645), ('directing', 644), ('development', 642), ('keeps', 642), ('features', 642), ('mess', 641), ('quickly', 639), ('air', 639), ('creepy', 638), ('box', 638), ('perfectly', 637), ('towards', 637), ('girlfriend', 637), ('worked', 635), ('setting', 634), ('unique', 634), ('cheesy', 634), ('effect', 633), ('hands', 632), ('plenty', 632), ('total', 632), ('bill', 632), ('result', 631), ('previous', 630), ('brings', 630), ('fire', 630), ('personal', 629), ('incredibly', 628), ('rate', 626), ('business', 625), ('doctor', 624), ('joke', 624), ('casting', 623), ('return', 623), ('christmas', 623), ('apart', 623), ('e', 622), ('leading', 622), ('admit', 621), ('cop', 620), ('appear', 620), ('powerful', 620), ('background', 619), ('boys', 618), ('ben', 617), ('present', 616), ('meant', 615), ('battle', 614), ('era', 614), ('telling', 614), ('hardly', 613), ('break', 613), ('potential', 612), ('create', 612), ('masterpiece', 612), ('secret', 611), ('pay', 610), ('political', 609), ('gay', 608), ('fighting', 607), ('dumb', 607), ('fails', 606), ('twist', 606), ('various', 604), ('co', 602), ('portrayed', 601), ('villain', 600), ('inside', 600), ('western', 599), ('outside', 598), ('nudity', 598), ('william', 596), ('reasons', 596), ('front', 595), ('ideas', 595), ('missing', 594), ('match', 594), ('deserves', 591), ('married', 590), ('expecting', 588), ('rich', 587), ('fairly', 587), ('talented', 586), ('list', 586), ('success', 585), ('unlike', 584), ('scott', 584), ('manages', 583), ('attempts', 583), ('remake', 583), ('odd', 582), ('social', 582), ('cute', 582), ('recently', 579), ('flat', 577), ('spoilers', 577), ('further', 576), ('c', 576), ('copy', 576), ('wrote', 574), ('sadly', 574), ('agree', 572), ('cold', 571), ('sweet', 571), ('crew', 569), ('plain', 568), ('office', 568), ('mary', 567), ('following', 566), ('filmmakers', 566), ('missed', 565), ('mentioned', 564), ('public', 564), ('gun', 563), ('incredible', 563), ('pure', 562), ('wasted', 560), ('brothers', 557), ('large', 556), ('ended', 556), ('revenge', 555), ('caught', 555), ('produced', 555), ('members', 552), ('filled', 551), ('pace', 551), ('la', 551), ('party', 550), ('popular', 550), ('science', 549), ('waiting', 549), ('water', 547), ('cat', 547), ('decides', 546), ('cartoon', 545), ('hold', 545), ('considering', 544), ('spirit', 544), ('created', 542), ('tension', 542), ('slightly', 541), ('uses', 540), ('convincing', 539), ('fear', 539), ('familiar', 538), ('compared', 538), ('suddenly', 538), ('escape', 537), ('spent', 537), ('neither', 537), ('sees', 537), ('island', 536), ('intelligent', 535), ('cause', 535), ('state', 533), ('clever', 533), ('entirely', 532), ('language', 531), ('dancing', 531), ('credit', 530), ('kills', 530), ('choice', 530), ('moves', 530), ('bored', 530), ('band', 529), ('century', 528), ('laughing', 528), ('cover', 526), ('italian', 526), ('value', 525), ('violent', 523), ('visual', 523), ('successful', 523), ('tony', 523), ('trouble', 522), ('speak', 522), ('ultimately', 521), ('concept', 520), ('basic', 520), ('singing', 520), ('store', 519), ('positive', 518), ('studio', 517), ('zombies', 517), ('animated', 516), ('german', 516), ('company', 515), ('exciting', 515), ('biggest', 515), ('force', 514), ('runs', 513), ('consider', 513), ('died', 512), ('effective', 512), ('recent', 511), ('control', 511), ('walk', 511), ('adult', 511), ('depth', 511), ('former', 510), ('adventure', 510), ('common', 509), ('amusing', 509), ('focus', 508), ('law', 508), ('spend', 508), ('portrayal', 508), ('appreciate', 507), ('rated', 506), ('hair', 505), ('books', 505), ('pointless', 505), ('trash', 504), ('solid', 503), ('younger', 503), ('planet', 502), ('super', 500), ('impressive', 500), ('tone', 500), ('respect', 499), ('mad', 499), ('bizarre', 499), ('follows', 498), ('college', 496), ('culture', 495), ('van', 495), ('amount', 495), ('prison', 493), ('impossible', 493), ('smith', 493), ('heavy', 492), ('trip', 492), ('win', 491), ('producers', 491), ('project', 491), ('weren', 491), ('dad', 491), ('slasher', 491), ('chemistry', 490), ('makers', 490), ('showed', 489), ('conclusion', 489), ('fit', 489), ('recommended', 489), ('sick', 487), ('situations', 487), ('jim', 487), ('u', 485), ('accent', 485), ('awesome', 485), ('starring', 485), ('disturbing', 485), ('steve', 484), ('changed', 484), ('ghost', 484), ('considered', 484), ('failed', 483), ('somewhere', 483), ('cult', 483), ('post', 483), ('decide', 482), ('barely', 482), ('leaving', 481), ('honest', 481), ('questions', 479), ('tough', 479), ('shooting', 479), ('anti', 479), ('longer', 477), ('audiences', 477), ('fiction', 476), ('west', 476), ('brain', 475), ('aside', 474), ('fake', 474), ('touch', 473), ('meaning', 473), ('thanks', 472), ('south', 472), ('charming', 471), ('images', 471), ('computer', 470), ('magic', 469), ('stewart', 468), ('ex', 468), ('stick', 468), ('generally', 468), ('literally', 468), ('pathetic', 468), ('values', 467), ('surprisingly', 466), ('likes', 466), ('alive', 465), ('involving', 465), ('natural', 463), ('camp', 463), ('immediately', 462), ('yeah', 462), ('military', 462), ('harry', 461), ('shoot', 460), ('grade', 460), ('london', 460), ('garbage', 460), ('detective', 460), ('week', 459), ('bought', 458), ('frank', 458), ('normal', 457), ('sam', 456), ('fair', 455), ('honestly', 455), ('aspect', 455), ('master', 454), ('army', 454), ('pictures', 454), ('ability', 454), ('adaptation', 454), ('utterly', 454), ('genius', 453), ('nobody', 452), ('pick', 452), ('appearance', 451), ('sitting', 451), ('explain', 451), ('motion', 450), ('glad', 450), ('attack', 449), ('standard', 449), ('appeal', 448), ('drive', 448), ('catch', 447), ('personally', 446), ('knowing', 446), ('sexy', 445), ('nowhere', 443), ('channel', 442), ('rare', 442), ('humour', 441), ('edge', 441), ('thank', 440), ('added', 440), ('charlie', 439), ('silent', 439), ('journey', 439), ('walking', 439), ('purpose', 439), ('remains', 439), ('comedies', 439), ('chase', 438), ('twists', 437), ('taste', 437), ('thinks', 437), ('loud', 437), ('naked', 437), ('producer', 437), ('beautifully', 436), ('date', 435), ('road', 435), ('unbelievable', 435), ('touching', 435), ('subtle', 435), ('dreams', 435), ('terms', 433), ('terrific', 433), ('club', 432), ('mood', 432), ('equally', 432), ('wow', 432), ('door', 432), ('wild', 432), ('blue', 431), ('kelly', 430), ('drawn', 430), ('batman', 428), ('complex', 427), ('g', 427), ('key', 426), ('mistake', 426), ('fully', 426), ('managed', 425), ('lovely', 424), ('narrative', 424), ('laughable', 424), ('pieces', 424), ('bottom', 423), ('themes', 423), ('government', 423), ('likely', 422), ('vampire', 421), ('gang', 421), ('climax', 421), ('chris', 421), ('plan', 421), ('soldiers', 421), ('soul', 420), ('f', 420), ('disappointing', 420), ('pass', 420), ('excuse', 419), ('noir', 419), ('award', 419), ('issues', 419), ('justice', 418), ('outstanding', 418), ('marriage', 417), ('painful', 417), ('surely', 417), ('constantly', 416), ('innocent', 416), ('victim', 416), ('thus', 416), ('boss', 416), ('costumes', 415), ('presented', 415), ('christopher', 414), ('ride', 413), ('slowly', 412), ('cinematic', 412), ('train', 411), ('central', 411), ('hey', 411), ('contains', 411), ('everybody', 411), ('finish', 411), ('places', 410), ('besides', 410), ('presence', 410), ('manner', 410), ('spoiler', 410), ('details', 410), ('thrown', 409), ('charles', 408), ('historical', 408), ('animals', 408), ('r', 408), ('photography', 407), ('hoping', 407), ('charm', 407), ('stunning', 407), ('henry', 407), ('scenery', 407), ('indian', 406), ('church', 406), ('jones', 406), ('smart', 406), ('paris', 405), ('speaking', 405), ('mysterious', 405), ('impression', 405), ('disappointment', 404), ('developed', 404), ('green', 404), ('loves', 404), ('expectations', 404), ('allen', 404), ('numbers', 403), ('drug', 403), ('color', 402), ('throw', 401), ('exception', 401), ('woods', 400), ('ahead', 400), ('double', 400), ('minor', 400), ('festival', 399), ('cry', 399), ('track', 399), ('critics', 398), ('stands', 398), ('aspects', 398), ('boyfriend', 398), ('million', 397), ('lover', 397), ('suppose', 397), ('hotel', 397), ('emotion', 396), ('bother', 396), ('opera', 396), ('building', 395), ('sent', 395), ('brief', 395), ('feelings', 395), ('acts', 394), ('filming', 393), ('support', 393), ('mainly', 393), ('serial', 393), ('opportunity', 393), ('bruce', 393), ('element', 392), ('forever', 392), ('student', 392), ('names', 391), ('held', 391), ('page', 390), ('fascinating', 390), ('emotions', 389), ('k', 388), ('available', 388), ('intended', 388), ('twice', 387), ('dies', 386), ('j', 386), ('bar', 386), ('changes', 386), ('born', 385), ('compelling', 385), ('shock', 385), ('bed', 384), ('six', 384), ('zero', 384), ('falling', 383), ('likable', 383), ('happening', 383), ('lived', 382), ('hurt', 382), ('tired', 380), ('puts', 380), ('jerry', 379), ('image', 379), ('giant', 379), ('pain', 379), ('spot', 379), ('offer', 378), ('thats', 378), ('st', 378), ('confused', 377), ('suggest', 377), ('ray', 377), ('trailer', 377), ('victims', 377), ('include', 376), ('adults', 376), ('al', 376), ('fresh', 376), ('difference', 376), ('billy', 375), ('impact', 374), ('summer', 374), ('alien', 373), ('followed', 373), ('arthur', 373), ('step', 373), ('christian', 373), ('event', 373), ('fellow', 372), ('hasn', 372), ('park', 371), ('appeared', 371), ('sub', 371), ('approach', 371), ('system', 370), ('gorgeous', 369), ('putting', 369), ('laughed', 368), ('mix', 368), ('actresses', 368), ('confusing', 367), ('murders', 367), ('martin', 367), ('share', 367), ('notice', 367), ('mom', 366), ('moral', 366), ('content', 366), ('direct', 366), ('mediocre', 366), ('porn', 366), ('supposedly', 365), ('race', 365), ('rape', 365), ('americans', 365), ('lacks', 365), ('holes', 365), ('flaws', 364), ('wall', 364), ('creative', 362), ('tragedy', 362), ('land', 362), ('l', 362), ('latter', 362), ('worthy', 362), ('clich', 361), ('gem', 361), ('lighting', 361), ('relationships', 361), ('agent', 361), ('students', 361), ('random', 360), ('helps', 360), ('answer', 360), ('thin', 360), ('merely', 359), ('wondering', 359), ('funniest', 359), ('proves', 359), ('ii', 359), ('wise', 358), ('seven', 358), ('paid', 358), ('finding', 358), ('flying', 357), ('flicks', 357), ('damn', 357), ('hospital', 357), ('imagination', 356), ('childhood', 356), ('delivers', 356), ('stone', 356), ('davis', 355), ('ugly', 354), ('x', 354), ('standards', 354), ('beat', 354), ('forgotten', 354), ('ground', 353), ('attractive', 353), ('count', 352), ('negative', 352), ('absolute', 352), ('impressed', 352), ('brian', 352), ('jean', 351), ('alan', 351), ('extreme', 351), ('ms', 350), ('seconds', 350), ('provides', 350), ('thoroughly', 350), ('stuck', 350), ('lord', 349), ('seemingly', 348), ('becoming', 348), ('tragic', 348), ('winning', 348), ('soldier', 347), ('inspired', 347), ('reminded', 347), ('ship', 347), ('queen', 347), ('addition', 347), ('folks', 347), ('affair', 346), ('fell', 346), ('offers', 346), ('lose', 345), ('faces', 345), ('industry', 345), ('williams', 344), ('intense', 344), ('turning', 344), ('detail', 343), ('afraid', 343), ('collection', 343), ('animal', 342), ('design', 342), ('nasty', 342), ('pull', 342), ('hidden', 342), ('teen', 340), ('fashion', 340), ('games', 340), ('bond', 340), ('creature', 339), ('jackson', 339), ('castle', 339), ('artistic', 339), ('shocking', 339), ('apartment', 339), ('quick', 339), ('shouldn', 338), ('roll', 338), ('personality', 338), ('area', 337), ('chinese', 337), ('scientist', 337), ('rented', 337), ('adds', 337), ('location', 337), ('lets', 337), ('fox', 336), ('dirty', 336), ('ready', 336), ('states', 336), ('length', 336), ('angry', 336), ('uncle', 335), ('therefore', 335), ('professional', 335), ('information', 335), ('filmmaker', 334), ('food', 333), ('anymore', 333), ('mouth', 332), ('wars', 332), ('artist', 331), ('news', 331), ('jason', 331), ('listen', 331), ('wooden', 330), ('describe', 330), ('danny', 330), ('picked', 330), ('led', 330), ('favourite', 329), ('deliver', 329), ('grace', 328), ('asks', 328), ('martial', 328), ('onto', 328), ('clothes', 328), ('struggle', 327), ('intelligence', 327), ('member', 327), ('wearing', 326), ('ed', 326), ('carry', 326), ('captain', 326), ('stephen', 326), ('redeeming', 326), ('criminal', 326), ('allowed', 325), ('cross', 325), ('compare', 325), ('teenage', 325), ('sleep', 325), ('drugs', 325), ('desperate', 324), ('necessary', 324), ('machine', 324), ('tears', 324), ('helped', 324), ('rip', 324), ('cgi', 324), ('wonderfully', 324), ('plane', 322), ('witch', 322), ('moved', 322), ('sight', 322), ('phone', 321), ('sky', 321), ('station', 321), ('trust', 321), ('deeply', 321), ('willing', 320), ('whatsoever', 320), ('heaven', 320), ('disaster', 320), ('includes', 320), ('treat', 320), ('andy', 319), ('humans', 319), ('theatre', 319), ('mid', 319), ('began', 319), ('nightmare', 318), ('accident', 318), ('commentary', 318), ('heroes', 318), ('epic', 318), ('build', 318), ('energy', 317), ('powers', 317), ('pop', 317), ('realized', 317), ('loving', 316), ('pre', 316), ('suicide', 316), ('comedic', 315), ('taylor', 315), ('rarely', 315), ('extra', 315), ('douglas', 315), ('teacher', 314), ('independent', 314), ('devil', 314), ('dying', 314), ('introduced', 313), ('johnny', 312), ('superior', 312), ('engaging', 312), ('actions', 311), ('ring', 311), ('suit', 311), ('warning', 311), ('anybody', 310), ('religious', 310), ('unusual', 310), ('arts', 310), ('eddie', 310), ('remarkable', 309), ('mental', 309), ('tim', 309), ('apparent', 309), ('pleasure', 309), ('superman', 308), ('allow', 308), ('p', 308), ('continue', 307), ('returns', 307), ('physical', 307), ('unnecessary', 307), ('watchable', 307), ('grand', 307), ('absurd', 306), ('memory', 306), ('keaton', 306), ('technical', 305), ('wedding', 305), ('provide', 305), ('england', 305), ('skip', 304), ('anywhere', 304), ('ford', 304), ('scared', 304), ('vision', 304), ('normally', 304), ('media', 304), ('desire', 304), ('adam', 303), ('limited', 303), ('fred', 303), ('brutal', 303), ('jr', 302), ('finished', 302), ('russian', 302), ('bloody', 302), ('joan', 302), ('surprising', 302), ('cops', 301), ('process', 301), ('kate', 301), ('suspect', 301), ('intriguing', 301), ('player', 300), ('holds', 300), ('prince', 300), ('exist', 300), ('pilot', 300), ('legend', 300), ('torture', 300), ('jump', 300), ('accept', 300), ('jeff', 300), ('nicely', 299), ('somebody', 299), ('hitler', 299), ('twenty', 299), ('horse', 298), ('paced', 298), ('growing', 298), ('wanting', 298), ('search', 298), ('reminds', 297), ('academy', 297), ('soft', 297), ('faith', 297), ('hated', 296), ('passion', 296), ('according', 296), ('shakespeare', 296), ('gold', 296), ('pacing', 296), ('cage', 296), ('clichs', 296), ('moon', 296), ('dick', 295), ('ladies', 295), ('asked', 295), ('price', 295), ('ill', 294), ('bits', 294), ('dressed', 293), ('nick', 293), ('sat', 293), ('joy', 293), ('japan', 292), ('drunk', 292), ('tarzan', 291), ('lies', 291), ('dangerous', 291), ('constant', 291), ('deserved', 291), ('lovers', 291), ('smile', 290), ('blame', 290), ('community', 290), ('heroine', 290), ('explanation', 290), ('heads', 290), ('field', 290), ('originally', 290), ('ball', 290), ('n', 290), ('freddy', 289), ('instance', 289), ('kevin', 289), ('river', 289), ('higher', 289), ('ann', 288), ('jesus', 288), ('candy', 288), ('mixed', 287), ('nonsense', 287), ('capture', 287), ('met', 287), ('issue', 287), ('deserve', 287), ('unknown', 286), ('players', 286), ('gotten', 286), ('fights', 285), ('explained', 285), ('plots', 285), ('toward', 285), ('fail', 285), ('soap', 285), ('quiet', 284), ('creating', 284), ('radio', 284), ('record', 284), ('accurate', 284), ('knowledge', 284), ('friendship', 283), ('starting', 283), ('vhs', 283), ('guns', 283), ('european', 283), ('humanity', 282), ('whilst', 282), ('mike', 282), ('ice', 282), ('floor', 281), ('spanish', 281), ('fu', 281), ('sucks', 281), ('wide', 281), ('hadn', 281), ('officer', 280), ('cable', 280), ('memories', 279), ('cars', 279), ('judge', 279), ('realism', 279), ('loose', 278), ('finest', 278), ('eating', 278), ('lynch', 278), ('broken', 278), ('villains', 278), ('featuring', 277), ('lacking', 277), ('partner', 277), ('aware', 277), ('gene', 277), ('monsters', 277), ('keeping', 276), ('saved', 276), ('responsible', 276), ('saving', 276), ('lewis', 276), ('santa', 276), ('kinda', 275), ('fat', 275), ('below', 275), ('empty', 275), ('understanding', 275), ('treated', 275), ('eat', 275), ('rubbish', 275), ('mine', 275), ('youth', 275), ('terribly', 274), ('results', 274), ('morgan', 274), ('bland', 274), ('cuts', 274), ('jimmy', 274), ('pulled', 274), ('author', 274), ('delightful', 274), ('wind', 274), ('sign', 274), ('singer', 274), ('witty', 273), ('hopes', 273), ('bright', 273), ('conflict', 273), ('vs', 273), ('months', 272), ('forces', 272), ('simon', 272), ('included', 272), ('hits', 272), ('noticed', 272), ('brown', 272), ('manage', 272), ('werewolf', 272), ('washington', 272), ('screaming', 271), ('gary', 271), ('wood', 271), ('loss', 271), ('sing', 271), ('fate', 270), ('numerous', 270), ('whenever', 270), ('private', 270), ('driving', 270), ('blonde', 270), ('kong', 270), ('concerned', 269), ('pretentious', 269), ('streets', 269), ('dealing', 268), ('ordinary', 268), ('scream', 268), ('bigger', 268), ('talents', 268), ('v', 267), ('naturally', 267), ('dated', 267), ('ass', 267), ('eric', 267), ('finale', 267), ('skills', 267), ('discovered', 267), ('unfunny', 267), ('reviewers', 267), ('psychological', 266), ('regular', 266), ('international', 266), ('ups', 266), ('bob', 266), ('discover', 266), ('perspective', 266), ('morning', 266), ('opposite', 266), ('kick', 265), ('prove', 265), ('bank', 265), ('portray', 264), ('sea', 264), ('albert', 264), ('humorous', 263), ('visit', 263), ('owner', 263), ('shop', 263), ('locations', 263), ('loses', 263), ('anthony', 263), ('luck', 262), ('edited', 262), ('gags', 262), ('curious', 262), ('dan', 262), ('grant', 262), ('sean', 262), ('received', 262), ('mission', 262), ('blind', 262), ('behavior', 261), ('continues', 261), ('captured', 261), ('magnificent', 261), ('satire', 261), ('context', 260), ('mrs', 260), ('golden', 260), ('calls', 260), ('debut', 260), ('survive', 260), ('miles', 260), ('murdered', 260), ('howard', 260), ('visually', 259), ('breaks', 259), ('cameo', 259), ('foot', 259), ('core', 259), ('existence', 259), ('opens', 259), ('jennifer', 259), ('shallow', 259), ('advice', 259), ('gangster', 259), ('traditional', 258), ('connection', 258), ('corny', 258), ('remembered', 258), ('luke', 258), ('buddy', 258), ('lucky', 258), ('deals', 258), ('current', 257), ('window', 257), ('revealed', 257), ('essentially', 257), ('occasionally', 256), ('trek', 256), ('frankly', 256), ('genuine', 256), ('lesson', 256), ('identity', 256), ('harris', 256), ('national', 255), ('african', 255), ('stock', 255), ('decade', 255), ('dimensional', 255), ('village', 255), ('thomas', 254), ('efforts', 254), ('learned', 254), ('anne', 254), ('segment', 254), ('h', 253), ('marie', 253), ('boat', 253), ('versions', 253), ('program', 253), ('visuals', 252), ('formula', 252), ('allows', 252), ('grown', 252), ('rob', 252), ('develop', 252), ('anna', 251), ('references', 251), ('welles', 251), ('sucked', 251), ('genuinely', 251), ('unexpected', 250), ('desert', 250), ('comparison', 250), ('lake', 250), ('favor', 250), ('board', 250), ('study', 250), ('logic', 250), ('suffering', 250), ('bear', 250), ('grew', 250), ('proved', 249), ('overly', 249), ('meanwhile', 249), ('standing', 249), ('reaction', 249), ('ages', 249), ('speed', 249), ('president', 249), ('psycho', 248), ('spectacular', 248), ('robin', 248), ('leader', 248), ('brilliantly', 248), ('sudden', 248), ('ultimate', 248), ('awkward', 248), ('parody', 247), ('reach', 247), ('types', 247), ('flesh', 247), ('vampires', 247), ('sheer', 247), ('unable', 247), ('failure', 247), ('steal', 247), ('killers', 246), ('sake', 246), ('passed', 246), ('travel', 246), ('stereotypes', 246), ('evening', 246), ('frame', 246), ('gordon', 245), ('sinatra', 245), ('creates', 245), ('technology', 245), ('awards', 245), ('drew', 245), ('strength', 245), ('rose', 244), ('halloween', 244), ('round', 244), ('bet', 244), ('site', 244), ('sheriff', 244), ('barbara', 243), ('delivered', 243), ('hill', 243), ('parker', 243), ('broadway', 243), ('laughter', 243), ('clean', 243), ('kung', 243), ('freedom', 242), ('crappy', 242), ('relief', 242), ('steven', 241), ('executed', 241), ('insane', 241), ('model', 241), ('gonna', 241), ('emotionally', 241), ('pair', 241), ('fault', 240), ('flashbacks', 240), ('anime', 240), ('painfully', 240), ('dreadful', 240), ('woody', 240), ('decision', 240), ('reviewer', 240), ('discovers', 240), ('utter', 240), ('families', 239), ('commercial', 239), ('graphic', 239), ('driven', 239), ('hunter', 239), ('majority', 238), ('protagonist', 238), ('religion', 238), ('ran', 238), ('code', 238), ('native', 238), ('built', 237), ('asian', 237), ('entertained', 237), ('caused', 237), ('meeting', 237), ('bomb', 237), ('seasons', 237), ('foreign', 237), ('gratuitous', 237), ('attitude', 237), ('individual', 237), ('daniel', 237), ('nevertheless', 236), ('wayne', 236), ('underrated', 236), ('feet', 236), ('test', 236), ('vehicle', 236), ('cash', 236), ('victor', 236), ('rise', 235), ('generation', 235), ('relate', 235), ('endless', 235), ('obsessed', 235), ('levels', 235), ('treatment', 235), ('france', 234), ('practically', 234), ('gory', 234), ('range', 234), ('costs', 234), ('tape', 234), ('wit', 234), ('pleasant', 234), ('aged', 233), ('classics', 233), ('cinderella', 233), ('victoria', 233), ('described', 233), ('chick', 233), ('ancient', 233), ('chosen', 232), ('sell', 232), ('joseph', 232), ('fly', 232), ('seat', 232), ('winner', 232), ('product', 232), ('center', 232), ('exploitation', 232), ('jackie', 232), ('fill', 231), ('irritating', 231), ('hearing', 231), ('alex', 231), ('rules', 231), ('send', 231), ('angel', 231), ('combination', 231), ('breaking', 231), ('rescue', 231), ('stopped', 230), ('uk', 230), ('excited', 230), ('dry', 230), ('chief', 230), ('produce', 229), ('proper', 229), ('theaters', 229), ('assume', 229), ('portrays', 229), ('pity', 229), ('fame', 229), ('sympathetic', 229), ('haunting', 229), ('cares', 228), ('asking', 228), ('sports', 228), ('believes', 228), ('theatrical', 228), ('roy', 228), ('capable', 228), ('handsome', 228), ('w', 228), ('choose', 227), ('ruined', 227), ('moore', 227), ('largely', 227), ('safe', 227), ('portraying', 227), ('germany', 227), ('nancy', 227), ('warm', 227), ('contrived', 227), ('unrealistic', 226), ('recall', 226), ('embarrassing', 226), ('crowd', 226), ('extras', 226), ('learns', 226), ('depressing', 226), ('paper', 226), ('par', 226), ('priest', 226), ('canadian', 226), ('marry', 226), ('appealing', 225), ('dubbed', 225), ('cant', 225), ('matt', 225), ('louis', 225), ('facts', 224), ('ryan', 224), ('matters', 224), ('contrast', 224), ('sequels', 224), ('hearted', 224), ('clue', 224), ('involves', 224), ('grow', 224), ('patrick', 223), ('correct', 223), ('costume', 223), ('evidence', 223), ('claim', 222), ('nominated', 222), ('research', 222), ('hunt', 222), ('vote', 222), ('walter', 222), ('mask', 222), ('heck', 222), ('anderson', 222), ('teenager', 222), ('strongly', 222), ('disgusting', 221), ('football', 221), ('hall', 221), ('appropriate', 221), ('losing', 220), ('lousy', 220), ('oliver', 220), ('saturday', 220), ('eight', 220), ('talks', 220), ('excitement', 220), ('cost', 220), ('thoughts', 219), ('promise', 219), ('substance', 219), ('destroy', 219), ('fool', 219), ('scare', 219), ('tedious', 218), ('voices', 218), ('training', 218), ('com', 218), ('market', 218), ('naive', 218), ('circumstances', 218), ('factor', 218), ('teenagers', 217), ('robot', 217), ('bodies', 217), ('haunted', 217), ('universal', 217), ('europe', 217), ('amateurish', 216), ('trilogy', 216), ('captures', 216), ('united', 216), ('convinced', 216), ('satisfying', 216), ('bringing', 216), ('amateur', 215), ('creatures', 215), ('tend', 215), ('baseball', 215), ('max', 215), ('fits', 215), ('hanging', 215), ('hopefully', 214), ('virtually', 214), ('fairy', 214), ('rental', 214), ('tiny', 214), ('danger', 214), ('spoil', 214), ('welcome', 214), ('lower', 214), ('asleep', 214), ('horribly', 214), ('powell', 213), ('reporter', 213), ('walks', 213), ('murphy', 213), ('insult', 213), ('north', 213), ('relatively', 213), ('che', 213), ('mini', 213), ('till', 213), ('skin', 212), ('cowboy', 212), ('africa', 212), ('steals', 212), ('covered', 212), ('hat', 212), ('continuity', 212), ('unlikely', 211), ('contemporary', 211), ('drag', 211), ('offensive', 211), ('category', 211), ('influence', 211), ('fare', 210), ('hide', 210), ('lawyer', 210), ('scale', 210), ('semi', 210), ('target', 210), ('handled', 210), ('texas', 210), ('depicted', 210), ('witness', 210), ('cutting', 210), ('viewed', 210), ('inner', 210), ('remain', 209), ('unfortunate', 209), ('kim', 209), ('holding', 209), ('service', 209), ('hitchcock', 209), ('shocked', 209), ('initial', 209), ('politics', 208), ('surreal', 208), ('professor', 208), ('believed', 208), ('russell', 208), ('provided', 207), ('movement', 207), ('qualities', 207), ('section', 207), ('presents', 207), ('pile', 207), ('weekend', 207), ('sisters', 207), ('promising', 207), ('designed', 206), ('angles', 206), ('australian', 206), ('columbo', 206), ('sharp', 206), ('closer', 206), ('refreshing', 206), ('structure', 206), ('source', 206), ('peace', 206), ('touches', 206), ('liners', 206), ('forgettable', 205), ('display', 205), ('deaths', 205), ('makeup', 205), ('cartoons', 205), ('spy', 205), ('lesbian', 205), ('claims', 205), ('drop', 205), ('chan', 205), ('plans', 204), ('edward', 204), ('faced', 204), ('degree', 204), ('repeated', 204), ('adventures', 204), ('clark', 204), ('surprises', 204), ('caine', 204), ('previously', 204), ('accents', 203), ('focused', 203), ('weeks', 203), ('propaganda', 203), ('serves', 203), ('enemy', 203), ('roger', 203), ('ruin', 203), ('treasure', 202), ('pacino', 202), ('prime', 202), ('related', 202), ('highlight', 202), ('brave', 202), ('speaks', 202), ('supernatural', 202), ('emma', 202), ('chose', 202), ('mainstream', 202), ('blow', 202), ('whoever', 202), ('granted', 201), ('rain', 201), ('deadly', 201), ('erotic', 201), ('routine', 201), ('crash', 201), ('suffers', 201), ('veteran', 201), ('latest', 201), ('print', 200), ('speech', 200), ('dollars', 200), ('wilson', 200), ('experiences', 200), ('mistakes', 200), ('accidentally', 200), ('invisible', 200), ('alice', 200), ('harsh', 200), ('twisted', 199), ('aliens', 199), ('realizes', 199), ('uninteresting', 199), ('dogs', 199), ('mgm', 199), ('teens', 199), ('sympathy', 199), ('colors', 199), ('notch', 199), ('friday', 198), ('nude', 198), ('ted', 198), ('draw', 198), ('combined', 198), ('guilty', 198), ('security', 198), ('convince', 197), ('terror', 197), ('struggling', 197), ('universe', 197), ('matrix', 197), ('princess', 197), ('dozen', 197), ('path', 197), ('gritty', 196), ('mountain', 196), ('blah', 196), ('birth', 196), ('enter', 196), ('atrocious', 196), ('appreciated', 196), ('walked', 195), ('recognize', 195), ('irish', 195), ('committed', 195), ('gas', 195), ('sword', 195), ('driver', 195), ('frightening', 195), ('technically', 195), ('sarah', 194), ('sun', 194), ('aka', 194), ('magical', 194), ('changing', 194), ('lugosi', 194), ('friendly', 193), ('pitt', 193), ('directly', 193), ('court', 193), ('department', 193), ('explains', 193), ('darkness', 193), ('false', 193), ('occasional', 193), ('legendary', 192), ('massive', 192), ('experienced', 192), ('surface', 192), ('featured', 192), ('suspenseful', 192), ('variety', 192), ('performed', 192), ('abuse', 192), ('prior', 192), ('vietnam', 192), ('anger', 192), ('paint', 192), ('demons', 192), ('narration', 192), ('theory', 192), ('offered', 192), ('donald', 191), ('subtitles', 191), ('hong', 191), ('johnson', 191), ('reputation', 191), ('figures', 191), ('crying', 191), ('sullivan', 191), ('forest', 191), ('passing', 191), ('kinds', 191), ('beach', 191), ('multiple', 190), ('junk', 190), ('un', 190), ('nazi', 190), ('bourne', 190), ('bbc', 190), ('everywhere', 190), ('titanic', 190), ('statement', 190), ('forth', 190), ('required', 190), ('sunday', 190), ('sorts', 190), ('network', 190), ('california', 189), ('rachel', 189), ('china', 189), ('exact', 189), ('urban', 189), ('melodrama', 189), ('express', 189), ('remotely', 189), ('grave', 189), ('regret', 189), ('metal', 189), ('conversation', 189), ('execution', 189), ('reveal', 189), ('stolen', 189), ('scares', 189), ('julia', 188), ('freeman', 188), ('spends', 188), ('lonely', 188), ('grim', 188), ('hired', 188), ('dean', 188), ('revolution', 188), ('fictional', 188), ('rule', 188), ('proud', 188), ('downright', 188), ('san', 188), ('jon', 188), ('placed', 188), ('trapped', 188), ('belief', 188), ('hoffman', 188), ('jungle', 188), ('blockbuster', 187), ('bothered', 187), ('listening', 187), ('abandoned', 187), ('crude', 187), ('worthwhile', 187), ('bus', 187), ('insight', 187), ('afternoon', 187), ('effectively', 187), ('beast', 187), ('figured', 187), ('dragon', 186), ('happiness', 186), ('unconvincing', 186), ('nation', 186), ('lisa', 186), ('jobs', 186), ('susan', 186), ('lifetime', 186), ('favorites', 186), ('account', 186), ('wear', 186), ('branagh', 186), ('rough', 186), ('idiot', 185), ('imagery', 185), ('mexico', 185), ('foster', 185), ('rings', 185), ('minds', 185), ('alright', 185), ('angle', 185), ('buying', 184), ('blown', 184), ('paying', 184), ('von', 184), ('pulls', 184), ('rights', 184), ('cultural', 184), ('ha', 184), ('reveals', 183), ('ron', 183), ('mexican', 183), ('productions', 183), ('quest', 183), ('demon', 183), ('sir', 183), ('dude', 183), ('rolling', 183), ('scenario', 183), ('delivery', 183), ('larry', 183), ('amazed', 183), ('starred', 183), ('significant', 182), ('thankfully', 182), ('handed', 182), ('stays', 182), ('stayed', 182), ('status', 182), ('artists', 182), ('tight', 182), ('mature', 182), ('christ', 182), ('ned', 182), ('shadow', 182), ('views', 182), ('focuses', 182), ('bore', 181), ('sensitive', 181), ('mere', 181), ('indie', 181), ('lights', 181), ('ghosts', 181), ('dress', 181), ('con', 181), ('interview', 181), ('hip', 181), ('device', 181), ('table', 181), ('teeth', 181), ('studios', 181), ('cruel', 181), ('examples', 181), ('india', 180), ('gross', 180), ('heavily', 180), ('burns', 180), ('clichd', 180), ('skill', 180), ('suffer', 180), ('mst', 180), ('necessarily', 180), ('sidney', 179), ('sleeping', 179), ('campy', 179), ('format', 179), ('achieve', 179), ('murderer', 179), ('bound', 179), ('position', 179), ('seek', 179), ('spite', 179), ('understood', 179), ('closing', 178), ('fabulous', 178), ('forgot', 178), ('faithful', 178), ('destroyed', 178), ('midnight', 178), ('beloved', 178), ('hardy', 178), ('initially', 178), ('complicated', 178), ('summary', 178), ('desperately', 178), ('pregnant', 177), ('stereotypical', 177), ('facial', 177), ('wing', 177), ('deeper', 177), ('breath', 177), ('racist', 177), ('renting', 177), ('ignore', 177), ('warner', 177), ('flight', 177), ('decades', 177), ('calling', 176), ('ludicrous', 176), ('raw', 176), ('dennis', 176), ('helping', 176), ('cell', 176), ('lincoln', 176), ('slapstick', 176), ('intellectual', 176), ('fourth', 176), ('flashback', 176), ('league', 176), ('answers', 176), ('expert', 175), ('environment', 175), ('musicals', 175), ('reminiscent', 175), ('prefer', 175), ('cabin', 175), ('drinking', 175), ('sounded', 175), ('maria', 175), ('suck', 175), ('buck', 175), ('disbelief', 175), ('inept', 175), ('brad', 175), ('encounter', 175), ('tree', 175), ('arms', 175), ('learning', 175), ('elizabeth', 175), ('description', 175), ('critical', 175), ('ain', 174), ('sandler', 174), ('settings', 174), ('task', 174), ('quirky', 174), ('amazingly', 174), ('truck', 174), ('regarding', 174), ('mildly', 174), ('criminals', 174), ('julie', 174), ('greater', 174), ('underground', 174), ('daughters', 174), ('extraordinary', 173), ('leslie', 173), ('punch', 173), ('criticism', 173), ('turkey', 173), ('wave', 173), ('storytelling', 173), ('aunt', 173), ('warned', 173), ('screening', 173), ('honor', 173), ('claire', 173), ('funnier', 173), ('throwing', 173), ('halfway', 173), ('base', 173), ('depiction', 172), ('michelle', 172), ('notorious', 172), ('entertain', 172), ('praise', 172), ('jail', 172), ('spoof', 171), ('titles', 171), ('kiss', 171), ('comical', 171), ('choices', 171), ('extent', 171), ('trick', 171), ('prepared', 171), ('originality', 171), ('convey', 171), ('expression', 171), ('touched', 170), ('jessica', 170), ('east', 170), ('lane', 170), ('raised', 170), ('rogers', 170), ('experiment', 170), ('basis', 169), ('chilling', 169), ('dollar', 169), ('picks', 169), ('brooks', 169), ('bollywood', 169), ('via', 169), ('purely', 169), ('spoken', 169), ('headed', 169), ('timing', 169), ('graphics', 169), ('mirror', 169), ('miller', 169), ('toy', 169), ('inspiration', 169), ('bat', 168), ('notable', 168), ('charge', 168), ('stanley', 168), ('lazy', 168), ('novels', 168), ('introduction', 168), ('breathtaking', 168), ('weapons', 168), ('shut', 168), ('mouse', 168), ('crafted', 167), ('term', 167), ('maker', 167), ('stomach', 167), ('guard', 167), ('everyday', 167), ('lie', 167), ('succeeds', 167), ('strangely', 167), ('blair', 167), ('handle', 167), ('nowadays', 167), ('burt', 167), ('join', 167), ('locked', 167), ('serve', 167), ('properly', 167), ('throws', 167), ('authentic', 166), ('lion', 166), ('ratings', 166), ('reference', 166), ('causes', 166), ('laura', 166), ('pet', 166), ('provoking', 166), ('wears', 166), ('cooper', 166), ('sitcom', 166), ('adding', 166), ('regard', 166), ('caring', 166), ('lesser', 165), ('protect', 165), ('workers', 165), ('tales', 165), ('tracy', 165), ('challenge', 165), ('fallen', 165), ('carrying', 165), ('usa', 164), ('bitter', 164), ('determined', 164), ('amongst', 164), ('established', 164), ('westerns', 164), ('sleazy', 164), ('daily', 164), ('southern', 164), ('obnoxious', 164), ('jewish', 164), ('wins', 164), ('raise', 164), ('nonetheless', 164), ('embarrassed', 163), ('holmes', 163), ('sinister', 163), ('bettie', 163), ('carried', 163), ('alas', 163), ('carries', 163), ('reed', 163), ('confusion', 163), ('escapes', 163), ('cases', 163), ('attempting', 163), ('remote', 163), ('gruesome', 163), ('minded', 162), ('navy', 162), ('replaced', 162), ('hole', 162), ('essential', 162), ('ironic', 162), ('enjoying', 162), ('mass', 162), ('sold', 162), ('arrives', 162), ('obsession', 162), ('clips', 162), ('interpretation', 162), ('hood', 162), ('risk', 162), ('needless', 162), ('tradition', 162), ('madness', 162), ('inspector', 162), ('seeking', 161), ('angels', 161), ('nine', 161), ('carpenter', 161), ('philip', 161), ('existent', 161), ('per', 161), ('screenwriter', 161), ('balance', 161), ('rival', 161), ('busy', 161), ('stanwyck', 161), ('successfully', 161), ('exists', 161), ('goofy', 161), ('mansion', 161), ('retarded', 161), ('flow', 161), ('intentions', 161), ('marvelous', 160), ('attacked', 160), ('jake', 160), ('laid', 160), ('mentally', 160), ('legs', 160), ('jumps', 160), ('lucy', 160), ('presentation', 160), ('oddly', 160), ('sutherland', 160), ('cook', 159), ('fortunately', 159), ('brando', 159), ('vacation', 159), ('comedian', 159), ('horrific', 159), ('shower', 159), ('em', 159), ('shape', 159), ('manager', 159), ('jay', 159), ('topic', 159), ('upper', 158), ('wanna', 158), ('stupidity', 158), ('thief', 158), ('interviews', 158), ('served', 158), ('intensity', 158), ('attacks', 158), ('cheese', 158), ('text', 158), ('patient', 158), ('grey', 158), ('stops', 158), ('stylish', 158), ('ashamed', 157), ('frequently', 157), ('delight', 157), ('sin', 157), ('matthau', 157), ('glass', 157), ('personalities', 157), ('wwii', 157), ('packed', 157), ('remind', 157), ('mob', 157), ('sides', 157), ('fish', 157), ('tongue', 157), ('chair', 157), ('bridge', 157), ('albeit', 157), ('thrilling', 157), ('bo', 156), ('sum', 156), ('poignant', 156), ('seagal', 156), ('contain', 156), ('suspects', 156), ('flawed', 156), ('pitch', 155), ('widmark', 155), ('stranger', 155), ('rochester', 155), ('riding', 155), ('bette', 155), ('internet', 155), ('baker', 155), ('expressions', 155), ('drives', 155), ('opened', 155), ('hence', 155), ('struggles', 155), ('dinner', 154), ('wishes', 154), ('tour', 154), ('torn', 154), ('upset', 154), ('franchise', 154), ('adapted', 154), ('greatly', 154), ('overcome', 154), ('credibility', 154), ('spielberg', 154), ('mindless', 154), ('cynical', 154), ('refuses', 154), ('elvis', 154), ('innocence', 154), ('revolves', 154), ('pool', 153), ('racism', 153), ('warn', 153), ('hills', 153), ('fbi', 153), ('elvira', 153), ('wealthy', 153), ('lessons', 153), ('credible', 153), ('corner', 153), ('dubbing', 153), ('advantage', 153), ('noble', 153), ('italy', 153), ('thousands', 153), ('storm', 153), ('catholic', 153), ('burton', 152), ('broke', 152), ('snow', 152), ('trite', 152), ('nelson', 152), ('spin', 152), ('tense', 152), ('helen', 152), ('pack', 152), ('dentist', 152), ('controversial', 152), ('arm', 152), ('crisis', 152), ('happily', 152), ('bugs', 152), ('streisand', 152), ('alike', 151), ('derek', 151), ('guessing', 151), ('physically', 151), ('hundreds', 151), ('carter', 151), ('contact', 151), ('medical', 151), ('thrillers', 151), ('andrews', 151), ('reunion', 151), ('trial', 151), ('countries', 151), ('pride', 151), ('performers', 150), ('gripping', 150), ('succeed', 150), ('card', 150), ('sexuality', 150), ('suffered', 150), ('technique', 150), ('chaplin', 150), ('perform', 150), ('dislike', 150), ('bag', 150), ('enjoyment', 150), ('wasting', 150), ('sings', 149), ('dancer', 149), ('hundred', 149), ('flash', 149), ('uncomfortable', 149), ('britain', 149), ('sons', 149), ('shines', 149), ('separate', 149), ('tied', 149), ('neat', 149), ('ourselves', 149), ('glimpse', 149), ('millions', 149), ('whereas', 149), ('ensemble', 149), ('weapon', 148), ('kurt', 148), ('courage', 148), ('virgin', 148), ('hint', 148), ('month', 148), ('holiday', 148), ('drink', 148), ('infamous', 148), ('atmospheric', 148), ('proof', 148), ('shorts', 148), ('karloff', 148), ('plastic', 148), ('assistant', 148), ('exceptional', 148), ('irony', 148), ('scripts', 147), ('cube', 147), ('andrew', 147), ('cousin', 147), ('knife', 147), ('oscars', 147), ('flynn', 147), ('ralph', 147), ('curse', 147), ('glory', 147), ('searching', 147), ('connected', 147), ('dear', 146), ('lying', 146), ('ad', 146), ('letting', 146), ('protagonists', 146), ('sentimental', 146), ('nose', 146), ('plague', 146), ('steps', 146), ('aired', 146), ('cameos', 146), ('host', 146), ('pg', 146), ('massacre', 145), ('meaningful', 145), ('quote', 145), ('suggests', 145), ('nd', 145), ('arnold', 145), ('zone', 145), ('thousand', 145), ('chasing', 145), ('vincent', 145), ('horses', 145), ('portrait', 145), ('hamlet', 145), ('tune', 145), ('idiotic', 145), ('troubled', 145), ('entry', 145), ('burning', 144), ('stan', 144), ('split', 144), ('worlds', 144), ('consists', 144), ('accepted', 144), ('stretch', 144), ('stealing', 144), ('noted', 144), ('perfection', 144), ('boll', 144), ('hoped', 144), ('fortune', 144), ('colorful', 144), ('hiding', 144), ('develops', 144), ('unforgettable', 144), ('lovable', 144), ('gain', 143), ('attraction', 143), ('redemption', 143), ('larger', 143), ('equal', 143), ('neighborhood', 143), ('saves', 143), ('lucas', 143), ('miscast', 143), ('annoyed', 143), ('basement', 143), ('chuck', 143), ('concert', 143), ('spots', 143), ('hang', 143), ('guts', 143), ('hunting', 143), ('chases', 143), ('condition', 143), ('strip', 143), ('glover', 142), ('guilt', 142), ('walken', 142), ('belongs', 142), ('factory', 142), ('pro', 142), ('roberts', 142), ('repeat', 142), ('pat', 142), ('curtis', 142), ('dig', 142), ('object', 142), ('dialogs', 142), ('catherine', 142), ('dorothy', 142), ('worry', 142), ('destruction', 142), ('shoots', 142), ('terrifying', 142), ('oil', 142), ('thirty', 141), ('appearing', 141), ('neck', 141), ('pie', 141), ('eerie', 141), ('boredom', 141), ('denzel', 141), ('hudson', 141), ('homeless', 140), ('gag', 140), ('scientists', 140), ('wake', 140), ('multi', 140), ('competent', 140), ('hanks', 140), ('dramas', 140), ('bears', 140), ('segments', 140), ('ultra', 140), ('encounters', 140), ('shark', 140), ('trade', 140), ('flaw', 140), ('library', 140), ('eva', 140), ('imaginative', 140), ('expensive', 140), ('closely', 140), ('civil', 140), ('concerns', 140), ('checking', 139), ('complaint', 139), ('hooked', 139), ('knock', 139), ('virus', 139), ('crimes', 139), ('silver', 139), ('lloyd', 139), ('solve', 139), ('elsewhere', 139), ('sends', 139), ('endearing', 139), ('neighbor', 139), ('stunts', 139), ('achieved', 139), ('letter', 139), ('profound', 139), ('loser', 139), ('canada', 139), ('rush', 139), ('essence', 138), ('colour', 138), ('rushed', 138), ('rocks', 138), ('jeremy', 138), ('ripped', 138), ('appearances', 138), ('charisma', 138), ('winter', 138), ('fashioned', 138), ('dragged', 138), ('bobby', 138), ('eastwood', 138), ('incoherent', 138), ('tear', 138), ('beating', 138), ('carol', 138), ('tribute', 138), ('secretary', 138), ('dare', 138), ('doc', 137), ('health', 137), ('dealt', 137), ('believing', 137), ('birthday', 137), ('striking', 137), ('slight', 137), ('cusack', 137), ('noise', 137), ('fitting', 137), ('hitting', 137), ('weight', 137), ('huh', 137), ('teach', 137), ('goal', 137), ('spell', 137), ('fest', 137), ('tricks', 137), ('dawn', 136), ('stunt', 136), ('painting', 136), ('bush', 136), ('scooby', 136), ('heston', 136), ('attempted', 136), ('techniques', 136), ('countless', 136), ('magazine', 136), ('tea', 136), ('gothic', 136), ('videos', 136), ('thumbs', 136), ('briefly', 136), ('battles', 136), ('bride', 136), ('iii', 135), ('hearts', 135), ('sexually', 135), ('brand', 135), ('charismatic', 135), ('ritter', 135), ('specific', 135), ('kane', 135), ('sally', 135), ('covers', 135), ('pointed', 135), ('strikes', 135), ('unintentionally', 135), ('inspiring', 135), ('neil', 134), ('godfather', 134), ('mild', 134), ('surrounding', 134), ('carefully', 134), ('admittedly', 134), ('barry', 134), ('reactions', 134), ('hype', 134), ('importance', 134), ('grows', 134), ('smoking', 134), ('surrounded', 134), ('horrendous', 134), ('bible', 134), ('jerk', 134), ('spending', 133), ('tons', 133), ('homage', 133), ('spike', 133), ('stronger', 133), ('relevant', 133), ('revelation', 133), ('kicks', 133), ('stood', 133), ('eyed', 133), ('chances', 133), ('shall', 133), ('guest', 133), ('fired', 133), ('poverty', 133), ('walls', 133), ('corrupt', 133), ('comics', 133), ('enters', 132), ('stiff', 132), ('monkey', 132), ('le', 132), ('astaire', 132), ('medium', 132), ('row', 132), ('represents', 132), ('executive', 132), ('attached', 132), ('stated', 132), ('lily', 132), ('miike', 132), ('intention', 132), ('duke', 132), ('killings', 132), ('cox', 132), ('easier', 132), ('ian', 132), ('dropped', 131), ('requires', 131), ('lab', 131), ('inevitable', 131), ('carrey', 131), ('messages', 131), ('cardboard', 131), ('mafia', 131), ('exercise', 131), ('performing', 131), ('cole', 131), ('strike', 131), ('increasingly', 131), ('associated', 131), ('forgive', 131), ('university', 131), ('occurs', 131), ('disagree', 131), ('projects', 131), ('korean', 131), ('gift', 131), ('identify', 130), ('acceptable', 130), ('jesse', 130), ('bakshi', 130), ('drags', 130), ('typically', 130), ('nights', 130), ('kubrick', 130), ('resolution', 130), ('luckily', 130), ('silence', 130), ('reynolds', 130), ('dawson', 130), ('toilet', 130), ('contract', 130), ('brilliance', 129), ('strictly', 129), ('creation', 129), ('hire', 129), ('selling', 129), ('vague', 129), ('savage', 129), ('shining', 129), ('sophisticated', 129), ('fisher', 129), ('thrills', 129), ('davies', 129), ('gotta', 129), ('nuclear', 129), ('depression', 129), ('investigation', 129), ('worker', 129), ('union', 128), ('heat', 128), ('disease', 128), ('breasts', 128), ('beings', 128), ('estate', 128), ('joey', 128), ('smooth', 128), ('cruise', 128), ('instantly', 128), ('rex', 128), ('useless', 128), ('fifteen', 128), ('allowing', 128), ('insulting', 128), ('struck', 128), ('overlooked', 128), ('jamie', 128), ('satan', 128), ('brosnan', 128), ('ego', 128), ('continued', 128), ('sacrifice', 127), ('handful', 127), ('tremendous', 127), ('norman', 127), ('competition', 127), ('afterwards', 127), ('spirited', 127), ('presumably', 127), ('commit', 127), ('press', 127), ('wreck', 127), ('pushed', 127), ('partly', 127), ('burn', 127), ('kidnapped', 127), ('grandmother', 127), ('digital', 127), ('creators', 127), ('pleased', 127), ('importantly', 127), ('meat', 127), ('persona', 127), ('evident', 127), ('realise', 126), ('australia', 126), ('photographed', 126), ('arrested', 126), ('boxing', 126), ('menacing', 126), ('superbly', 126), ('wondered', 126), ('conspiracy', 126), ('ambitious', 126), ('ward', 126), ('threatening', 126), ('aforementioned', 126), ('buried', 126), ('talked', 126), ('fears', 126), ('raped', 126), ('kudos', 126), ('worthless', 126), ('relative', 126), ('individuals', 126), ('ho', 126), ('returning', 126), ('shy', 125), ('size', 125), ('guide', 125), ('jet', 125), ('samurai', 125), ('listed', 125), ('diamond', 125), ('citizen', 125), ('highlights', 125), ('frustrated', 125), ('corpse', 125), ('spiritual', 125), ('abc', 125), ('nurse', 125), ('mitchell', 125), ('wonders', 125), ('drivel', 125), ('flawless', 125), ('appalling', 125), ('twin', 125), ('regardless', 125), ('doors', 125), ('jumping', 125), ('pleasantly', 124), ('miserably', 124), ('empire', 124), ('horrors', 124), ('distant', 124), ('mann', 124), ('lou', 124), ('beaten', 124), ('bucks', 124), ('critic', 124), ('fatal', 124), ('string', 124), ('generous', 124), ('achievement', 124), ('admire', 124), ('narrator', 124), ('border', 124), ('planning', 124), ('curiosity', 124), ('spooky', 124), ('piano', 124), ('trap', 124), ('rap', 124), ('outrageous', 124), ('push', 124), ('spring', 124), ('bullets', 124), ('cup', 124), ('characterization', 124), ('cagney', 124), ('accomplished', 124), ('ticket', 124), ('ironically', 123), ('francisco', 123), ('picking', 123), ('perry', 123), ('prevent', 123), ('cia', 123), ('temple', 123), ('mile', 123), ('territory', 123), ('splendid', 123), ('accused', 123), ('spoiled', 123), ('goldberg', 123), ('repetitive', 123), ('butt', 123), ('notes', 123), ('consequences', 123), ('attracted', 123), ('beer', 123), ('uninspired', 123), ('ken', 123), ('clues', 123), ('shortly', 122), ('gandhi', 122), ('throat', 122), ('motivation', 122), ('logical', 122), ('chain', 122), ('response', 122), ('blank', 122), ('alexander', 122), ('emily', 122), ('indians', 122), ('revealing', 122), ('opposed', 122), ('morality', 122), ('melodramatic', 122), ('dire', 122), ('slap', 122), ('farce', 122), ('blows', 122), ('watches', 122), ('root', 122), ('slightest', 122), ('psychiatrist', 122), ('craig', 122), ('souls', 122), ('falk', 122), ('mate', 122), ('modesty', 122), ('blob', 122), ('turner', 122), ('ellen', 122), ('liberal', 121), ('manhattan', 121), ('duo', 121), ('cared', 121), ('suits', 121), ('wells', 121), ('doo', 121), ('fay', 121), ('shoes', 121), ('convoluted', 121), ('ruth', 121), ('precious', 121), ('directorial', 121), ('gray', 121), ('laurel', 121), ('los', 121), ('hatred', 121), ('pulling', 121), ('installment', 121), ('lacked', 121), ('jealous', 121), ('subsequent', 121), ('subplot', 121), ('timeless', 121), ('wes', 121), ('cameron', 121), ('tall', 121), ('documentaries', 121), ('felix', 121), ('forbidden', 120), ('aimed', 120), ('intrigued', 120), ('wolf', 120), ('sole', 120), ('marks', 120), ('conceived', 120), ('progress', 120), ('psychotic', 120), ('remaining', 120), ('dracula', 120), ('overdone', 120), ('warrior', 120), ('exaggerated', 120), ('futuristic', 120), ('poster', 120), ('titled', 120), ('editor', 120), ('fx', 120), ('ignored', 120), ('restaurant', 119), ('superhero', 119), ('repeatedly', 119), ('ah', 119), ('obscure', 119), ('notably', 119), ('explicit', 119), ('parent', 119), ('tunes', 119), ('bug', 119), ('reasonably', 119), ('mel', 119), ('smoke', 119), ('elderly', 119), ('minimal', 119), ('paulie', 119), ('failing', 119), ('disc', 119), ('captivating', 119), ('bleak', 119), ('scientific', 119), ('drunken', 119), ('fancy', 119), ('dont', 118), ('argument', 118), ('rid', 118), ('distance', 118), ('outcome', 118), ('wicked', 118), ('kitchen', 118), ('soviet', 118), ('glenn', 118), ('loosely', 118), ('craven', 118), ('idiots', 118), ('photographer', 118), ('gradually', 118), ('draws', 118), ('verhoeven', 118), ('explore', 118), ('scripted', 118), ('pushing', 118), ('providing', 118), ('dignity', 118), ('reduced', 118), ('timothy', 118), ('elaborate', 118), ('misses', 118), ('shirt', 118), ('discussion', 118), ('giallo', 118), ('slave', 117), ('carrie', 117), ('sunshine', 117), ('exposed', 117), ('childish', 117), ('sloppy', 117), ('connect', 117), ('darker', 117), ('eve', 117), ('worried', 117), ('hysterical', 117), ('dave', 117), ('shadows', 117), ('romero', 117), ('walker', 117), ('stiller', 117), ('definite', 117), ('returned', 117), ('translation', 117), ('cried', 117), ('screams', 117), ('reasonable', 117), ('freak', 117), ('intent', 117), ('warren', 117), ('annie', 117), ('sticks', 117), ('kenneth', 117), ('wannabe', 117), ('unbelievably', 116), ('unbearable', 116), ('fever', 116), ('gentle', 116), ('areas', 116), ('danes', 116), ('yesterday', 116), ('brazil', 116), ('absence', 116), ('panic', 116), ('wallace', 116), ('whale', 116), ('thick', 116), ('vicious', 116), ('purple', 116), ('threat', 116), ('discovery', 116), ('folk', 116), ('birds', 116), ('contrary', 116), ('imagined', 116), ('tortured', 116), ('horrid', 116), ('load', 116), ('commercials', 116), ('differences', 115), ('farm', 115), ('twelve', 115), ('concerning', 115), ('mildred', 115), ('landscape', 115), ('prom', 115), ('ireland', 115), ('eyre', 115), ('stole', 115), ('matthew', 115), ('extended', 115), ('karen', 115), ('choreography', 115), ('improved', 115), ('tap', 115), ('complain', 115), ('movements', 115), ('im', 115), ('arrive', 115), ('dancers', 115), ('broad', 115), ('incident', 115), ('donna', 115), ('heroic', 115), ('rd', 115), ('reached', 115), ('bare', 114), ('bone', 114), ('drawing', 114), ('bite', 114), ('builds', 114), ('existed', 114), ('kirk', 114), ('nazis', 114), ('symbolism', 114), ('styles', 114), ('involvement', 114), ('bathroom', 114), ('overrated', 114), ('burned', 114), ('broadcast', 114), ('displays', 114), ('web', 114), ('rambo', 114), ('ought', 114), ('margaret', 114), ('triumph', 114), ('daring', 114), ('anyways', 114), ('cheek', 114), ('altman', 114), ('occurred', 114), ('block', 113), ('hamilton', 113), ('holy', 113), ('nicholson', 113), ('audio', 113), ('beatty', 113), ('newspaper', 113), ('hollow', 113), ('blend', 113), ('genres', 113), ('ranks', 113), ('demands', 113), ('swear', 113), ('currently', 113), ('machines', 113), ('apes', 113), ('antics', 113), ('recognized', 113), ('kapoor', 113), ('fulci', 113), ('contained', 113), ('greek', 113), ('resembles', 113), ('tommy', 113), ('affected', 113), ('craft', 113), ('bird', 113), ('population', 113), ('secrets', 113), ('superficial', 112), ('adequate', 112), ('pseudo', 112), ('occur', 112), ('trio', 112), ('sadistic', 112), ('proceedings', 112), ('hugh', 112), ('harder', 112), ('enjoys', 112), ('bell', 112), ('receive', 112), ('leg', 112), ('seventies', 112), ('neo', 112), ('swedish', 112), ('merit', 112), ('altogether', 112), ('investigate', 112), ('argue', 112), ('explosion', 112), ('pretend', 112), ('journalist', 112), ('dynamic', 112), ('threw', 112), ('cliff', 112), ('sadness', 112), ('todd', 112), ('ridiculously', 112), ('website', 112), ('aging', 111), ('thugs', 111), ('selfish', 111), ('thrill', 111), ('voight', 111), ('robots', 111), ('hammer', 111), ('leonard', 111), ('suited', 111), ('madonna', 111), ('fighter', 111), ('terry', 111), ('dinosaurs', 111), ('foul', 111), ('tame', 111), ('fonda', 111), ('rage', 111), ('synopsis', 111), ('li', 111), ('composed', 111), ('atlantis', 111), ('lawrence', 111), ('cameras', 111), ('pulp', 111), ('staged', 111), ('popcorn', 111), ('beats', 111), ('snake', 110), ('ease', 110), ('prostitute', 110), ('comfortable', 110), ('escaped', 110), ('clothing', 110), ('gadget', 110), ('rural', 110), ('unpleasant', 110), ('lit', 110), ('blake', 110), ('mountains', 110), ('clint', 110), ('cats', 110), ('juvenile', 110), ('dialogues', 110), ('engaged', 110), ('innovative', 110), ('conversations', 110), ('brady', 109), ('odds', 109), ('coherent', 109), ('jazz', 109), ('nearby', 109), ('bin', 109), ('offering', 109), ('brains', 109), ('orders', 109), ('lemmon', 109), ('versus', 109), ('murderous', 109), ('warming', 109), ('carl', 109), ('buddies', 109), ('bullet', 109), ('cuba', 109), ('overwhelming', 109), ('philosophy', 109), ('edie', 109), ('conventional', 109), ('combat', 109), ('shine', 109), ('vivid', 109), ('lol', 109), ('eccentric', 109), ('wealth', 109), ('grab', 109), ('staff', 109), ('garden', 109), ('intrigue', 109), ('devoted', 109), ('kidding', 109), ('lips', 109), ('centered', 109), ('staying', 109), ('rat', 108), ('waters', 108), ('palma', 108), ('explosions', 108), ('deliberately', 108), ('blowing', 108), ('liking', 108), ('meaningless', 108), ('detailed', 108), ('flop', 108), ('disturbed', 108), ('cringe', 108), ('producing', 108), ('unintentional', 108), ('bang', 108), ('abilities', 108), ('mummy', 108), ('banned', 108), ('possessed', 108), ('implausible', 108), ('sport', 108), ('removed', 108), ('hbo', 108), ('lust', 108), ('mistaken', 108), ('damage', 108), ('errors', 108), ('groups', 108), ('react', 108), ('cary', 108), ('ginger', 107), ('kennedy', 107), ('florida', 107), ('clown', 107), ('causing', 107), ('spare', 107), ('olivier', 107), ('daddy', 107), ('careers', 107), ('unwatchable', 107), ('resemblance', 107), ('jeffrey', 107), ('holly', 107), ('defeat', 107), ('nightmares', 107), ('bedroom', 107), ('influenced', 107), ('explaining', 107), ('dating', 107), ('subjects', 107), ('undoubtedly', 107), ('toys', 107), ('harvey', 107), ('distracting', 107), ('mickey', 107), ('ingredients', 107), ('officers', 107), ('uneven', 107), ('relies', 107), ('roman', 107), ('celluloid', 107), ('masters', 107), ('possibility', 107), ('classes', 106), ('primary', 106), ('funeral', 106), ('occasion', 106), ('clumsy', 106), ('furthermore', 106), ('pays', 106), ('divorce', 106), ('scheme', 106), ('explored', 106), ('punk', 106), ('catches', 106), ('colonel', 106), ('official', 106), ('duty', 106), ('signs', 106), ('coffee', 106), ('succeeded', 106), ('crack', 106), ('polanski', 106), ('satisfied', 106), ('yellow', 106), ('politically', 106), ('survival', 106), ('aid', 106), ('discuss', 106), ('goodness', 106), ('focusing', 106), ('highest', 106), ('passes', 106), ('chaos', 105), ('models', 105), ('generic', 105), ('spirits', 105), ('brooklyn', 105), ('houses', 105), ('wont', 105), ('ape', 105), ('sentence', 105), ('smaller', 105), ('maggie', 105), ('tracks', 105), ('rick', 105), ('mysteries', 105), ('backdrop', 105), ('props', 105), ('winters', 105), ('travels', 105), ('trees', 105), ('sidekick', 105), ('secondly', 105), ('remarkably', 105), ('wives', 105), ('flies', 105), ('hank', 105), ('linda', 105), ('hal', 105), ('widow', 105), ('awake', 105), ('financial', 105), ('devoid', 104), ('mill', 104), ('impress', 104), ('principal', 104), ('outer', 104), ('hart', 104), ('recorded', 104), ('settle', 104), ('afford', 104), ('destiny', 104), ('amy', 104), ('instant', 104), ('surviving', 104), ('streep', 104), ('primarily', 104), ('ties', 104), ('hates', 104), ('consistently', 104), ('doll', 104), ('beneath', 104), ('doomed', 104), ('blatant', 104), ('portion', 104), ('exotic', 104), ('godzilla', 104), ('desperation', 104), ('notion', 104), ('glorious', 104), ('decisions', 104), ('measure', 104), ('unfolds', 104), ('dutch', 104), ('offended', 104), ('endings', 104), ('lifestyle', 104), ('companion', 104), ('lyrics', 104), ('enterprise', 104), ('fetched', 103), ('directs', 103), ('et', 103), ('revolutionary', 103), ('montage', 103), ('ocean', 103), ('cheating', 103), ('closet', 103), ('terrorist', 103), ('ideal', 103), ('shirley', 103), ('garbo', 103), ('diane', 103), ('represent', 103), ('enemies', 103), ('celebrity', 103), ('hideous', 103), ('grinch', 103), ('circle', 103), ('method', 103), ('frustration', 103), ('pan', 103), ('countryside', 103), ('dozens', 103), ('rebel', 103), ('motives', 103), ('shelf', 103), ('communist', 103), ('wrestling', 103), ('forty', 103), ('mixture', 103), ('performer', 103), ('ya', 103), ('enormous', 103), ('hints', 103), ('surfing', 102), ('griffith', 102), ('pig', 102), ('stinker', 102), ('bold', 102), ('immensely', 102), ('coach', 102), ('user', 102), ('judging', 102), ('avoided', 102), ('hardcore', 102), ('describes', 102), ('winds', 102), ('disjointed', 102), ('developing', 102), ('crush', 102), ('subtlety', 102), ('macy', 102), ('rocket', 102), ('trailers', 102), ('z', 102), ('traveling', 102), ('reaches', 102), ('tie', 102), ('painted', 102), ('urge', 102), ('uwe', 102), ('homer', 102), ('fond', 102), ('dances', 102), ('relations', 102), ('drops', 102), ('topless', 102), ('akshay', 102), ('buff', 102), ('rank', 102), ('stellar', 102), ('march', 102), ('tender', 101), ('cure', 101), ('authority', 101), ('niro', 101), ('outfit', 101), ('april', 101), ('saga', 101), ('emphasis', 101), ('awe', 101), ('adorable', 101), ('disappear', 101), ('amanda', 101), ('backgrounds', 101), ('specifically', 101), ('survivors', 101), ('seed', 101), ('senseless', 101), ('soccer', 101), ('ruthless', 101), ('benefit', 101), ('cinematographer', 101), ('eighties', 101), ('hartley', 101), ('peoples', 101), ('planned', 101), ('angeles', 101), ('matches', 101), ('blew', 101), ('simplistic', 101), ('melting', 101), ('diana', 101), ('oz', 101), ('advance', 101), ('practice', 101), ('corruption', 100), ('faster', 100), ('pot', 100), ('claimed', 100), ('loads', 100), ('babe', 100), ('link', 100), ('commented', 100), ('loyal', 100), ('fix', 100), ('shaw', 100), ('forms', 100), ('vast', 100), ('transformation', 100), ('lumet', 100), ('solo', 100), ('miserable', 100), ('splatter', 100), ('menace', 100), ('earned', 100), ('judy', 100), ('blues', 100), ('elephant', 99), ('lena', 99), ('riveting', 99), ('hurts', 99), ('khan', 99), ('interaction', 99), ('arrogant', 99), ('philosophical', 99), ('ears', 99), ('dedicated', 99), ('guessed', 99), ('illogical', 99), ('passionate', 99), ('disappeared', 99), ('trashy', 99), ('endure', 99), ('mario', 99), ('rooms', 99), ('choreographed', 99), ('command', 99), ('sellers', 99), ('hook', 99), ('chorus', 99), ('lasted', 99), ('depressed', 99), ('dinosaur', 99), ('involve', 99), ('introduces', 99), ('jonathan', 99), ('racial', 99), ('unsettling', 99), ('honesty', 99), ('limits', 99), ('tag', 99), ('bull', 99), ('cards', 99), ('weakest', 99), ('displayed', 99), ('nomination', 98), ('disappoint', 98), ('similarities', 98), ('wore', 98), ('stress', 98), ('hopper', 98), ('stereotype', 98), ('monkeys', 98), ('hung', 98), ('adams', 98), ('quotes', 98), ('scarecrow', 98), ('berlin', 98), ('chased', 98), ('formulaic', 98), ('buffs', 98), ('justify', 98), ('kicked', 98), ('safety', 98), ('wendy', 98), ('cake', 98), ('moody', 98), ('cave', 98), ('similarly', 98), ('nail', 98), ('represented', 98), ('abysmal', 98), ('possibilities', 98), ('porno', 98), ('charlotte', 98), ('sandra', 98), ('thoughtful', 98), ('realizing', 98), ('isolated', 98), ('grandfather', 98), ('morris', 98), ('macarthur', 98), ('domino', 98), ('franco', 98), ('voiced', 98), ('severe', 98), ('trained', 97), ('sounding', 97), ('blond', 97), ('inventive', 97), ('education', 97), ('swimming', 97), ('considerable', 97), ('dalton', 97), ('snl', 97), ('cd', 97), ('myers', 97), ('q', 97), ('christy', 97), ('scope', 97), ('treats', 97), ('faults', 97), ('promised', 97), ('nostalgic', 97), ('concern', 97), ('grasp', 97), ('tad', 97), ('leo', 97), ('cliche', 97), ('helicopter', 97), ('switch', 97), ('nervous', 97), ('stinks', 97), ('improve', 97), ('solely', 97), ('campbell', 97), ('bonus', 97), ('finger', 97), ('thru', 97), ('emperor', 97), ('preview', 97), ('understandable', 97), ('ignorant', 96), ('poetic', 96), ('bergman', 96), ('dolls', 96), ('button', 96), ('downhill', 96), ('agrees', 96), ('dub', 96), ('report', 96), ('facing', 96), ('lately', 96), ('hyde', 96), ('laws', 96), ('chess', 96), ('wet', 96), ('aids', 96), ('orson', 96), ('museum', 96), ('comparing', 96), ('mayor', 96), ('alert', 96), ('embarrassment', 96), ('del', 96), ('horrifying', 96), ('kyle', 96), ('species', 96), ('corporate', 96), ('consistent', 96), ('purchase', 96), ('clock', 96), ('cg', 96), ('waited', 95), ('hop', 95), ('armed', 95), ('stooges', 95), ('pretending', 95), ('blade', 95), ('unhappy', 95), ('photos', 95), ('plant', 95), ('roth', 95), ('edgar', 95), ('rotten', 95), ('kingdom', 95), ('conservative', 95), ('reaching', 95), ('mall', 95), ('letters', 95), ('ruby', 95), ('motivations', 95), ('boot', 95), ('wizard', 95), ('montana', 95), ('defend', 95), ('shake', 95), ('wished', 95), ('amitabh', 95), ('steel', 95), ('taught', 95), ('transfer', 95), ('constructed', 95), ('simpson', 95), ('vegas', 95), ('tonight', 95), ('prize', 95), ('confidence', 95), ('shelley', 95), ('fooled', 95), ('inane', 95), ('ollie', 95), ('sits', 95), ('behave', 94), ('eager', 94), ('iron', 94), ('ballet', 94), ('staring', 94), ('timon', 94), ('vengeance', 94), ('artificial', 94), ('inferior', 94), ('stevens', 94), ('connery', 94), ('agents', 94), ('buildings', 94), ('delivering', 94), ('namely', 94), ('dickens', 94), ('useful', 94), ('gangsters', 94), ('virginia', 94), ('gundam', 94), ('jenny', 94), ('bela', 94), ('carradine', 94), ('dixon', 94), ('pearl', 94), ('blunt', 94), ('sappy', 94), ('miracle', 94), ('pants', 94), ('crocodile', 94), ('relation', 94), ('cleverly', 94), ('destroying', 94), ('paltrow', 94), ('global', 94), ('humble', 94), ('latin', 94), ('raising', 94), ('closest', 94), ('combine', 94), ('suitable', 94), ('writes', 94), ('wound', 94), ('airplane', 93), ('paranoia', 93), ('elegant', 93), ('sirk', 93), ('valuable', 93), ('arrived', 93), ('airport', 93), ('lay', 93), ('iran', 93), ('waves', 93), ('conflicts', 93), ('pokemon', 93), ('september', 93), ('scrooge', 93), ('tiresome', 93), ('affect', 93), ('square', 93), ('alcoholic', 93), ('boom', 93), ('slick', 93), ('mars', 93), ('stilted', 93), ('engage', 93), ('convincingly', 93), ('bands', 93), ('robinson', 93), ('chest', 93), ('couples', 93), ('reads', 93), ('mm', 93), ('climactic', 93), ('scottish', 93), ('maintain', 93), ('secretly', 93), ('civilization', 93), ('robbery', 92), ('ethan', 92), ('whats', 92), ('willis', 92), ('wrapped', 92), ('catching', 92), ('witches', 92), ('spock', 92), ('lundgren', 92), ('lowest', 92), ('cheated', 92), ('gerard', 92), ('frankenstein', 92), ('chicago', 92), ('access', 92), ('poetry', 92), ('beliefs', 92), ('reflect', 92), ('richardson', 92), ('christians', 92), ('nicholas', 92), ('creator', 92), ('balls', 92), ('kicking', 92), ('bath', 92), ('yelling', 92), ('exploration', 92), ('jumped', 92), ('closed', 92), ('misery', 92), ('greedy', 91), ('sue', 91), ('pal', 91), ('raymond', 91), ('germans', 91), ('simplicity', 91), ('guarantee', 91), ('spoke', 91), ('centers', 91), ('questionable', 91), ('potentially', 91), ('min', 91), ('nostalgia', 91), ('literature', 91), ('abusive', 91), ('spread', 91), ('catchy', 91), ('junior', 91), ('richards', 91), ('messed', 91), ('remarks', 91), ('construction', 91), ('firstly', 91), ('progresses', 91), ('survived', 91), ('vulnerable', 91), ('taxi', 91), ('francis', 91), ('dust', 91), ('scores', 91), ('designs', 91), ('advertising', 91), ('invasion', 91), ('creep', 91), ('plight', 91), ('transition', 91), ('desired', 91), ('bottle', 91), ('operation', 90), ('vaguely', 90), ('joined', 90), ('recognition', 90), ('experiments', 90), ('louise', 90), ('copies', 90), ('bacall', 90), ('vice', 90), ('homosexual', 90), ('mail', 90), ('amounts', 90), ('illegal', 90), ('hello', 90), ('y', 90), ('eaten', 90), ('wandering', 90), ('complexity', 90), ('brutally', 90), ('gender', 90), ('arguably', 90), ('rubber', 90), ('showcase', 90), ('inappropriate', 90), ('june', 90), ('careful', 90), ('alongside', 90), ('hunters', 90), ('acid', 90), ('purchased', 90), ('persons', 90), ('understated', 90), ('rendition', 90), ('lengthy', 90), ('advise', 90), ('kay', 90), ('intentionally', 90), ('attitudes', 90), ('frankie', 90), ('depicts', 90), ('jaw', 90), ('gabriel', 90), ('restored', 90), ('demand', 90), ('advanced', 90), ('doom', 90), ('attorney', 89), ('opinions', 89), ('incomprehensible', 89), ('betty', 89), ('twilight', 89), ('online', 89), ('phantom', 89), ('neighbors', 89), ('ashley', 89), ('descent', 89), ('parallel', 89), ('resources', 89), ('wisdom', 89), ('illness', 89), ('likewise', 89), ('visits', 89), ('unit', 89), ('grayson', 89), ('intimate', 89), ('stallone', 89), ('visible', 89), ('patients', 89), ('molly', 89), ('mankind', 89), ('drake', 89), ('relatives', 89), ('signed', 89), ('edition', 89), ('prisoners', 89), ('newly', 89), ('witnesses', 89), ('matched', 89), ('resort', 89), ('terrorists', 89), ('chicks', 89), ('marty', 89), ('bay', 89), ('capital', 89), ('pops', 89), ('demented', 89), ('farrell', 89), ('rising', 89), ('troops', 89), ('floating', 89), ('justin', 89), ('biko', 89), ('slaughter', 89), ('prisoner', 89), ('witnessed', 88), ('suspicious', 88), ('viewings', 88), ('alternate', 88), ('manipulative', 88), ('carell', 88), ('tiger', 88), ('ensues', 88), ('agreed', 88), ('austen', 88), ('appreciation', 88), ('fascinated', 88), ('cities', 88), ('ridden', 88), ('basketball', 88), ('chapter', 88), ('mistress', 88), ('responsibility', 88), ('reel', 88), ('tomatoes', 88), ('worn', 88), ('nuts', 88), ('lively', 88), ('losers', 88), ('accompanied', 88), ('assault', 88), ('en', 88), ('capturing', 88), ('proceeds', 88), ('challenging', 88), ('keith', 88), ('damon', 88), ('solution', 88), ('barrymore', 88), ('antwone', 88), ('dreary', 88), ('pit', 88), ('rabbit', 88), ('analysis', 88), ('classical', 88), ('compelled', 87), ('incompetent', 87), ('widely', 87), ('defined', 87), ('earl', 87), ('arrival', 87), ('frequent', 87), ('counter', 87), ('mighty', 87), ('jaws', 87), ('owen', 87), ('sink', 87), ('butler', 87), ('wrap', 87), ('royal', 87), ('rats', 87), ('masterful', 87), ('belushi', 87), ('satisfy', 87), ('property', 87), ('lone', 87), ('subplots', 87), ('excessive', 87), ('spider', 87), ('equivalent', 87), ('legal', 87), ('parties', 87), ('feed', 87), ('alison', 87), ('randy', 87), ('plausible', 87), ('overacting', 87), ('othello', 87), ('rooney', 87), ('stale', 87), ('smiling', 87), ('psychic', 86), ('photo', 86), ('walsh', 86), ('dropping', 86), ('ninja', 86), ('rukh', 86), ('graham', 86), ('der', 86), ('exceptionally', 86), ('nyc', 86), ('domestic', 86), ('bargain', 86), ('calm', 86), ('channels', 86), ('historically', 86), ('priceless', 86), ('julian', 86), ('landscapes', 86), ('defense', 86), ('reid', 86), ('ear', 86), ('enthusiasm', 86), ('warmth', 86), ('tooth', 86), ('mtv', 86), ('waitress', 86), ('mundane', 86), ('novak', 86), ('crucial', 86), ('marion', 86), ('rangers', 86), ('serving', 86), ('tends', 86), ('dressing', 86), ('despair', 86), ('seeks', 86), ('rocky', 86), ('sincere', 86), ('greed', 86), ('hilariously', 86), ('overlook', 86), ('imitation', 85), ('chooses', 85), ('zizek', 85), ('alfred', 85), ('improvement', 85), ('opportunities', 85), ('muslim', 85), ('survivor', 85), ('willie', 85), ('omen', 85), ('watson', 85), ('irrelevant', 85), ('masterpieces', 85), ('heights', 85), ('belong', 85), ('recording', 85), ('angela', 85), ('poem', 85), ('assassin', 85), ('pamela', 85), ('orleans', 85), ('fianc', 85), ('pursuit', 85), ('creativity', 85), ('specially', 85), ('wishing', 85), ('carla', 85), ('orange', 85), ('instinct', 85), ('cassidy', 85), ('bumbling', 85), ('randomly', 85), ('resident', 85), ('ww', 85), ('abraham', 85), ('pink', 85), ('loaded', 85), ('monk', 85), ('iraq', 85), ('methods', 85), ('israel', 85), ('mechanical', 85), ('fed', 85), ('dolph', 85), ('prequel', 85), ('spain', 85), ('generated', 85), ('polished', 85), ('thompson', 85), ('mentioning', 85), ('gentleman', 84), ('dana', 84), ('elm', 84), ('borrowed', 84), ('caliber', 84), ('showdown', 84), ('empathy', 84), ('cannibal', 84), ('mentions', 84), ('wounded', 84), ('introduce', 84), ('map', 84), ('simmons', 84), ('household', 84), ('palace', 84), ('nephew', 84), ('resist', 84), ('suspend', 84), ('scotland', 84), ('album', 84), ('sneak', 84), ('feminist', 84), ('punishment', 84), ('fido', 84), ('promises', 84), ('equipment', 84), ('damme', 84), ('minimum', 84), ('wacky', 84), ('hippie', 84), ('ham', 84), ('alcohol', 84), ('awfully', 84), ('troubles', 84), ('maid', 84), ('icon', 84), ('phony', 84), ('nerd', 84), ('distinct', 84), ('unreal', 84), ('ruins', 84), ('meryl', 84), ('brenda', 84), ('tribe', 84), ('performs', 84), ('sabrina', 84), ('suffice', 84), ('purposes', 84), ('whoopi', 84), ('marketing', 84), ('gifted', 84), ('deaf', 83), ('clip', 83), ('greg', 83), ('expressed', 83), ('stretched', 83), ('moronic', 83), ('popularity', 83), ('miyazaki', 83), ('unaware', 83), ('definition', 83), ('bud', 83), ('absent', 83), ('rolled', 83), ('kissing', 83), ('stargate', 83), ('les', 83), ('ustinov', 83), ('darren', 83), ('educational', 83), ('soderbergh', 83), ('spacey', 83), ('swim', 83), ('masses', 83), ('testament', 83), ('fury', 83), ('pin', 83), ('sixties', 83), ('contest', 83), ('maniac', 83), ('kurosawa', 83), ('respected', 83), ('mclaglen', 83), ('unoriginal', 83), ('furious', 83), ('attend', 83), ('receives', 83), ('crystal', 83), ('quinn', 83), ('assigned', 83), ('inducing', 83), ('businessman', 83), ('trail', 83), ('quit', 83), ('eastern', 83), ('activities', 83), ('championship', 83), ('peters', 83), ('dimension', 83), ('petty', 83), ('ramones', 83), ('travesty', 83), ('unseen', 83), ('josh', 83), ('eugene', 83), ('dud', 83), ('fuller', 83), ('valley', 82), ('package', 82), ('dee', 82), ('shed', 82), ('stunned', 82), ('roots', 82), ('nonsensical', 82), ('buffalo', 82), ('integrity', 82), ('pierce', 82), ('deceased', 82), ('tarantino', 82), ('tech', 82), ('sissy', 82), ('assumed', 82), ('ross', 82), ('antonioni', 82), ('resulting', 82), ('deniro', 82), ('correctly', 82), ('nathan', 82), ('retired', 82), ('doubts', 82), ('warriors', 82), ('yard', 82), ('firm', 82), ('composer', 82), ('edgy', 82), ('underlying', 82), ('depicting', 82), ('wholly', 82), ('laughably', 82), ('teaching', 82), ('distribution', 82), ('inevitably', 82), ('exposure', 82), ('unpredictable', 82), ('nicole', 82), ('austin', 82), ('crawford', 82), ('interests', 82), ('hopeless', 82), ('biography', 82), ('din', 82), ('rave', 82), ('patience', 81), ('strangers', 81), ('leon', 81), ('expedition', 81), ('compassion', 81), ('reflection', 81), ('fought', 81), ('joel', 81), ('accuracy', 81), ('romp', 81), ('trademark', 81), ('wang', 81), ('landing', 81), ('directions', 81), ('metaphor', 81), ('shanghai', 81), ('suggested', 81), ('alec', 81), ('dreck', 81), ('puppet', 81), ('brutality', 81), ('buster', 81), ('greatness', 81), ('confess', 81), ('merits', 81), ('murray', 81), ('supported', 81), ('twins', 81), ('sid', 81), ('uplifting', 81), ('unfair', 80), ('exchange', 80), ('companies', 80), ('slice', 80), ('adaptations', 80), ('conditions', 80), ('passable', 80), ('legacy', 80), ('claus', 80), ('tank', 80), ('pressure', 80), ('shaky', 80), ('phil', 80), ('pete', 80), ('harm', 80), ('significance', 80), ('rita', 80), ('invented', 80), ('comfort', 80), ('generations', 80), ('woo', 80), ('technicolor', 80), ('grabs', 80), ('loyalty', 80), ('baldwin', 80), ('peak', 80), ('immediate', 80), ('victory', 80), ('preston', 80), ('chicken', 80), ('femme', 80), ('reader', 80), ('indulgent', 80), ('stuart', 80), ('robbins', 80), ('wilderness', 80), ('glasses', 80), ('marshall', 80), ('seldom', 80), ('checked', 80), ('coast', 80), ('malone', 80), ('kumar', 80), ('resemble', 80), ('files', 80), ('valentine', 80), ('demise', 79), ('rises', 79), ('milk', 79), ('conscious', 79), ('russia', 79), ('frustrating', 79), ('lackluster', 79), ('andre', 79), ('inability', 79), ('hawke', 79), ('experimental', 79), ('senses', 79), ('ships', 79), ('tacky', 79), ('marc', 79), ('disliked', 79), ('examination', 79), ('confrontation', 79), ('raines', 79), ('fields', 79), ('da', 79), ('christianity', 79), ('spark', 79), ('tube', 79), ('cracking', 79), ('palance', 79), ('millionaire', 79), ('grief', 79), ('vulgar', 79), ('crazed', 79), ('boyle', 79), ('respectively', 79), ('subjected', 79), ('astonishing', 79), ('fathers', 79), ('blast', 79), ('singers', 79), ('ps', 79), ('vance', 79), ('newman', 79), ('stack', 79), ('alicia', 79), ('billed', 79), ('masks', 79), ('wretched', 79), ('ambiguous', 79), ('logan', 79), ('husbands', 79), ('downey', 79), ('objective', 79), ('gregory', 79), ('unexpectedly', 79), ('hears', 78), ('shoulders', 78), ('wwe', 78), ('fishing', 78), ('ordered', 78), ('sentiment', 78), ('basinger', 78), ('rates', 78), ('sharon', 78), ('stumbled', 78), ('difficulties', 78), ('desires', 78), ('bunny', 78), ('frightened', 78), ('fascination', 78), ('replace', 78), ('skull', 78), ('kolchak', 78), ('simultaneously', 78), ('poison', 78), ('tastes', 78), ('flair', 78), ('bridget', 78), ('remained', 78), ('prey', 78), ('deranged', 78), ('gather', 78), ('females', 78), ('karl', 78), ('parade', 78), ('infected', 78), ('relax', 78), ('cream', 78), ('addicted', 78), ('sopranos', 78), ('amused', 78), ('sunny', 78), ('dysfunctional', 78), ('sentinel', 78), ('alternative', 78), ('premiere', 78), ('tripe', 78), ('kansas', 78), ('refused', 78), ('sugar', 78), ('foxx', 78), ('require', 77), ('raises', 77), ('paradise', 77), ('hungry', 77), ('amusement', 77), ('presenting', 77), ('rifle', 77), ('musician', 77), ('comedians', 77), ('caricatures', 77), ('noises', 77), ('pun', 77), ('wildly', 77), ('abused', 77), ('lands', 77), ('sung', 77), ('fifty', 77), ('function', 77), ('appropriately', 77), ('rude', 77), ('bacon', 77), ('joins', 77), ('cannon', 77), ('phrase', 77), ('silliness', 77), ('grotesque', 77), ('teachers', 77), ('lock', 77), ('fingers', 77), ('wagner', 77), ('primitive', 77), ('precisely', 77), ('fog', 77), ('filling', 77), ('wakes', 77), ('agenda', 77), ('awhile', 77), ('musicians', 77), ('remakes', 77), ('minus', 77), ('favour', 77), ('ish', 77), ('paramount', 77), ('underneath', 77), ('challenged', 77), ('framed', 77), ('interactions', 77), ('accomplish', 77), ('complaints', 77), ('items', 77), ('exposition', 77), ('choppy', 76), ('babies', 76), ('iv', 76), ('visiting', 76), ('dirt', 76), ('literary', 76), ('tomorrow', 76), ('absurdity', 76), ('murdering', 76), ('loneliness', 76), ('straightforward', 76), ('sums', 76), ('penn', 76), ('misleading', 76), ('unfold', 76), ('knight', 76), ('policeman', 76), ('aspiring', 76), ('knocked', 76), ('servant', 76), ('discovering', 76), ('credited', 76), ('leigh', 76), ('clarke', 76), ('duvall', 76), ('edit', 76), ('quietly', 76), ('complaining', 76), ('weakness', 76), ('electric', 76), ('region', 76), ('unlikable', 76), ('teaches', 76), ('saint', 76), ('curly', 76), ('muddled', 76), ('roof', 76), ('hopkins', 76), ('coincidence', 76), ('roommate', 76), ('celebration', 76), ('designer', 76), ('riot', 76), ('prepare', 76), ('hackneyed', 76), ('posey', 76), ('fantasies', 76), ('asylum', 76), ('posters', 76), ('esther', 76), ('charged', 76), ('beverly', 76), ('conscience', 76), ('releases', 76), ('chavez', 76), ('adolescent', 76), ('stark', 76), ('breed', 76), ('pitiful', 76), ('shoulder', 75), ('ethnic', 75), ('industrial', 75), ('adopted', 75), ('bread', 75), ('mode', 75), ('active', 75), ('acclaimed', 75), ('nemesis', 75), ('rely', 75), ('nolan', 75), ('shared', 75), ('reign', 75), ('moreover', 75), ('swing', 75), ('heartfelt', 75), ('citizens', 75), ('occasions', 75), ('haired', 75), ('preposterous', 75), ('roller', 75), ('provocative', 75), ('tierney', 75), ('realised', 75), ('lindsay', 75), ('profanity', 75), ('inexplicably', 75), ('el', 75), ('biased', 75), ('automatically', 75), ('trend', 75), ('quaid', 75), ('blacks', 75), ('penny', 75), ('dresses', 75), ('shoddy', 75), ('amazon', 75), ('ratso', 75), ('conviction', 75), ('behaviour', 75), ('cattle', 75), ('attenborough', 75), ('imaginable', 75), ('bernard', 75), ('objects', 75), ('invites', 75), ('encourage', 75), ('handling', 75), ('boxer', 75), ('springer', 75), ('cue', 75), ('laurence', 75), ('dose', 75), ('cancer', 75), ('visited', 75), ('devices', 75), ('mccoy', 75), ('heartbreaking', 74), ('vader', 74), ('secondary', 74), ('skits', 74), ('guitar', 74), ('er', 74), ('nut', 74), ('controlled', 74), ('beatles', 74), ('rosemary', 74), ('yeti', 74), ('canyon', 74), ('poe', 74), ('hughes', 74), ('sketch', 74), ('translated', 74), ('option', 74), ('chills', 74), ('ladder', 74), ('uncut', 74), ('tracking', 74), ('tyler', 74), ('hopelessly', 74), ('additional', 74), ('heist', 74), ('ignorance', 74), ('counts', 74), ('outfits', 74), ('rod', 74), ('tasteless', 74), ('bye', 74), ('freaks', 74), ('positively', 74), ('squad', 74), ('regarded', 74), ('naughty', 74), ('paxton', 74), ('hk', 74), ('referred', 74), ('accepts', 74), ('refer', 73), ('labor', 73), ('abrupt', 73), ('jews', 73), ('challenges', 73), ('historic', 73), ('screens', 73), ('corpses', 73), ('martha', 73), ('gambling', 73), ('chainsaw', 73), ('daniels', 73), ('gillian', 73), ('admirable', 73), ('kitty', 73), ('suspension', 73), ('affection', 73), ('youngest', 73), ('morbid', 73), ('muppet', 73), ('fade', 73), ('respective', 73), ('insurance', 73), ('lip', 73), ('kline', 73), ('deserted', 73), ('gina', 73), ('bow', 73), ('realm', 73), ('lush', 73), ('peck', 73), ('betrayal', 73), ('darn', 73), ('severely', 73), ('nod', 73), ('jess', 73), ('rejected', 73), ('brendan', 73), ('renaissance', 73), ('backs', 73), ('bronson', 73), ('recommendation', 73), ('coaster', 73), ('bike', 73), ('glowing', 73), ('minister', 73), ('patricia', 73), ('meg', 73), ('bitch', 73), ('outs', 73), ('preminger', 73), ('pages', 73), ('chuckle', 73), ('christine', 73), ('lester', 72), ('fist', 72), ('aim', 72), ('gal', 72), ('barrel', 72), ('filler', 72), ('selection', 72), ('lois', 72), ('conventions', 72), ('reluctant', 72), ('praised', 72), ('evidently', 72), ('ta', 72), ('invited', 72), ('farmer', 72), ('psychology', 72), ('thread', 72), ('sassy', 72), ('hyped', 72), ('sooner', 72), ('rome', 72), ('shares', 72), ('disappears', 72), ('address', 72), ('artsy', 72), ('circus', 72), ('kidman', 72), ('eternal', 72), ('indication', 72), ('hammy', 72), ('mayhem', 72), ('fontaine', 72), ('sympathize', 72), ('guests', 72), ('underworld', 72), ('wilder', 72), ('tail', 72), ('inconsistent', 72), ('guaranteed', 72), ('hepburn', 72), ('anticipation', 72), ('deleted', 72), ('prejudice', 72), ('scorsese', 71), ('dates', 71), ('beside', 71), ('affairs', 71), ('fluff', 71), ('weaknesses', 71), ('iconic', 71), ('net', 71), ('previews', 71), ('fifties', 71), ('angst', 71), ('nails', 71), ('insipid', 71), ('reeves', 71), ('tenant', 71), ('hack', 71), ('oldest', 71), ('investigating', 71), ('stages', 71), ('muppets', 71), ('uh', 71), ('nicolas', 71), ('reflects', 71), ('www', 71), ('shades', 71), ('heading', 71), ('housewife', 71), ('visions', 71), ('outing', 71), ('tip', 71), ('popping', 71), ('gere', 71), ('banal', 71), ('gut', 71), ('misguided', 71), ('venture', 71), ('cope', 71), ('burst', 71), ('acceptance', 71), ('macho', 71), ('overlong', 71), ('conveys', 71), ('receiving', 71), ('threatens', 71), ('grudge', 71), ('stopping', 71), ('stalker', 71), ('boston', 71), ('depending', 71), ('trivia', 71), ('soup', 71), ('bent', 71), ('bros', 71), ('filth', 71), ('posted', 71), ('promote', 71), ('snakes', 71), ('behold', 71), ('steady', 71), ('agency', 71), ('sox', 71), ('drove', 71), ('marvel', 71), ('cruelty', 71), ('bully', 71), ('harmless', 71), ('obligatory', 70), ('schlock', 70), ('runner', 70), ('entitled', 70), ('denis', 70), ('pole', 70), ('triple', 70), ('firing', 70), ('completed', 70), ('remade', 70), ('connections', 70), ('widescreen', 70), ('gear', 70), ('alvin', 70), ('studies', 70), ('exceptions', 70), ('portrayals', 70), ('campaign', 70), ('vein', 70), ('absorbed', 70), ('lifted', 70), ('explores', 70), ('beware', 70), ('harold', 70), ('confident', 70), ('records', 70), ('demonstrates', 70), ('locals', 70), ('rhythm', 70), ('ants', 70), ('commander', 70), ('preachy', 70), ('employed', 70), ('zombi', 70), ('naschy', 70), ('cushing', 70), ('cassavetes', 70), ('unexplained', 70), ('grainy', 70), ('morally', 70), ('route', 70), ('steele', 70), ('strongest', 70), ('difficulty', 70), ('disguise', 70), ('understands', 70), ('nolte', 70), ('terrified', 70), ('hokey', 70), ('emerges', 70), ('yawn', 70), ('studying', 70), ('representation', 69), ('sending', 69), ('assuming', 69), ('recycled', 69), ('unrelated', 69), ('rounded', 69), ('paintings', 69), ('predict', 69), ('slimy', 69), ('ariel', 69), ('suitably', 69), ('height', 69), ('stores', 69), ('prominent', 69), ('partners', 69), ('comparisons', 69), ('couch', 69), ('assured', 69), ('mothers', 69), ('melody', 69), ('disgusted', 69), ('danish', 69), ('shortcomings', 69), ('gate', 69), ('communicate', 69), ('interestingly', 69), ('champion', 69), ('bitten', 69), ('ebert', 69), ('phenomenon', 69), ('raj', 69), ('recognizable', 69), ('physics', 69), ('conclude', 69), ('despicable', 69), ('rapist', 69), ('spinal', 69), ('someday', 69), ('mentality', 69), ('attract', 69), ('insists', 69), ('clueless', 69), ('vital', 69), ('duck', 69), ('zane', 69), ('hapless', 69), ('mol', 69), ('hara', 69), ('cohen', 69), ('wings', 69), ('offs', 69), ('redeem', 69), ('pounds', 69), ('politician', 69), ('stairs', 69), ('repeating', 69), ('clan', 69), ('legends', 69), ('flashy', 69), ('casual', 69), ('norm', 68), ('http', 68), ('cher', 68), ('independence', 68), ('considerably', 68), ('scoop', 68), ('screw', 68), ('clad', 68), ('doctors', 68), ('loretta', 68), ('eats', 68), ('phillip', 68), ('garner', 68), ('gems', 68), ('tunnel', 68), ('dylan', 68), ('globe', 68), ('melissa', 68), ('europa', 68), ('carey', 68), ('wig', 68), ('rendered', 68), ('genie', 68), ('coup', 68), ('corbett', 68), ('kathryn', 68), ('defeated', 68), ('heartwarming', 68), ('limit', 68), ('claustrophobic', 68), ('flowers', 68), ('pickford', 68), ('jordan', 68), ('tempted', 68), ('timberlake', 68), ('feeding', 68), ('marlon', 68), ('charms', 68), ('neill', 68), ('pleasing', 68), ('claiming', 68), ('ingenious', 68), ('ace', 68), ('shouting', 68), ('vibrant', 68), ('mins', 68), ('cookie', 68), ('phillips', 68), ('elite', 68), ('corman', 68), ('colin', 68), ('forcing', 68), ('discussing', 68), ('eternity', 68), ('info', 68), ('delicate', 68), ('inexplicable', 68), ('marries', 68), ('shopping', 68), ('guinness', 68), ('lukas', 68), ('befriends', 68), ('deserving', 67), ('anton', 67), ('uma', 67), ('wire', 67), ('bridges', 67), ('screwed', 67), ('surgery', 67), ('lift', 67), ('ritchie', 67), ('salt', 67), ('inhabitants', 67), ('winchester', 67), ('bondage', 67), ('wendigo', 67), ('toronto', 67), ('transformed', 67), ('georges', 67), ('belt', 67), ('ton', 67), ('election', 67), ('symbolic', 67), ('christie', 67), ('weather', 67), ('organized', 67), ('towers', 67), ('backwards', 67), ('strings', 67), ('traffic', 67), ('static', 67), ('hilarity', 67), ('rope', 67), ('item', 67), ('vanessa', 67), ('claude', 67), ('glamorous', 67), ('incidentally', 67), ('publicity', 67), ('sharing', 67), ('depends', 67), ('harrison', 67), ('shaking', 67), ('immature', 67), ('institution', 67), ('mathieu', 67), ('blatantly', 67), ('pixar', 67), ('camcorder', 67), ('minority', 66), ('natives', 66), ('messy', 66), ('exploring', 66), ('affleck', 66), ('casts', 66), ('lasting', 66), ('authorities', 66), ('wax', 66), ('alley', 66), ('feat', 66), ('outdated', 66), ('excess', 66), ('dvds', 66), ('detectives', 66), ('leather', 66), ('assassination', 66), ('pc', 66), ('keen', 66), ('punches', 66), ('gunga', 66), ('spree', 66), ('id', 66), ('audrey', 66), ('destined', 66), ('partially', 66), ('boyer', 66), ('shorter', 66), ('frames', 66), ('debate', 66), ('swept', 66), ('stumbles', 66), ('concepts', 66), ('chamberlain', 66), ('remove', 66), ('bombs', 66), ('ambition', 66), ('nope', 66), ('differently', 66), ('knightley', 66), ('schools', 66), ('voted', 66), ('layers', 66), ('computers', 66), ('insightful', 66), ('goers', 66), ('programs', 66), ('departure', 66), ('vocal', 66), ('continually', 66), ('disorder', 66), ('oriented', 66), ('satirical', 66), ('thrilled', 66), ('coupled', 66), ('charlton', 66), ('bend', 66), ('mirrors', 66), ('mermaid', 66), ('damaged', 66), ('threatened', 66), ('dudley', 66), ('cheer', 66), ('smiles', 66), ('centre', 66), ('dandy', 66), ('breakfast', 66), ('hides', 65), ('mitch', 65), ('landed', 65), ('tara', 65), ('commenting', 65), ('carlito', 65), ('windows', 65), ('duration', 65), ('wanders', 65), ('braveheart', 65), ('sorely', 65), ('bates', 65), ('btw', 65), ('milo', 65), ('pacific', 65), ('niece', 65), ('mercy', 65), ('preferred', 65), ('inspire', 65), ('bars', 65), ('mannerisms', 65), ('deer', 65), ('profession', 65), ('bogus', 65), ('hum', 65), ('formed', 65), ('newer', 65), ('proving', 65), ('alexandre', 65), ('token', 65), ('moe', 65), ('trials', 65), ('triangle', 65), ('lifeless', 65), ('natalie', 65), ('accurately', 65), ('handles', 65), ('goldsworthy', 65), ('razor', 65), ('racing', 65), ('fishburne', 65), ('holocaust', 65), ('mon', 65), ('northern', 65), ('suggestion', 65), ('hangs', 65), ('uniformly', 65), ('trier', 65), ('fifth', 65), ('huston', 65), ('neurotic', 65), ('forgiven', 64), ('seeming', 64), ('kazan', 64), ('hulk', 64), ('tapes', 64), ('biblical', 64), ('sincerely', 64), ('evolution', 64), ('mutual', 64), ('clara', 64), ('audition', 64), ('predecessor', 64), ('helpful', 64), ('exquisite', 64), ('liu', 64), ('skit', 64), ('outright', 64), ('engrossing', 64), ('demonic', 64), ('creek', 64), ('insanity', 64), ('nations', 64), ('brooding', 64), ('buzz', 64), ('tops', 64), ('disastrous', 64), ('arc', 64), ('rear', 64), ('heels', 64), ('spies', 64), ('sleaze', 64), ('reliable', 64), ('errol', 64), ('jared', 64), ('eleven', 64), ('altered', 64), ('dj', 64), ('healthy', 64), ('myth', 64), ('bowl', 64), ('choosing', 64), ('cbs', 64), ('justified', 64), ('neatly', 64), ('ripping', 64), ('undead', 64), ('vile', 64), ('containing', 64), ('conrad', 64), ('nina', 64), ('firmly', 64), ('armstrong', 64), ('setup', 64), ('entered', 64), ('refuse', 64), ('mcqueen', 64), ('gilliam', 64), ('demanding', 64), ('speeches', 64), ('randolph', 64), ('earn', 64), ('ie', 64), ('wtf', 64), ('obtain', 64), ('gods', 64), ('elevator', 64), ('evelyn', 64), ('lex', 64), ('einstein', 64), ('cartoonish', 64), ('sleeps', 64), ('stare', 63), ('shepherd', 63), ('cerebral', 63), ('potter', 63), ('insights', 63), ('gable', 63), ('injured', 63), ('highway', 63), ('ol', 63), ('leaders', 63), ('helpless', 63), ('vain', 63), ('mason', 63), ('describing', 63), ('rooting', 63), ('subtly', 63), ('candidate', 63), ('radical', 63), ('dim', 63), ('guards', 63), ('statue', 63), ('preparing', 63), ('activity', 63), ('mesmerizing', 63), ('conan', 63), ('judd', 63), ('critique', 63), ('realities', 63), ('bsg', 63), ('grateful', 63), ('deliverance', 63), ('survives', 63), ('contempt', 63), ('tower', 63), ('paula', 63), ('casino', 63), ('luis', 63), ('kent', 63), ('label', 63), ('deny', 63), ('error', 63), ('shaped', 63), ('truman', 63), ('goldblum', 63), ('destroys', 63), ('cemetery', 63), ('owners', 63), ('disgrace', 63), ('cons', 63), ('lampoon', 63), ('seedy', 63), ('approaches', 63), ('educated', 63), ('joker', 63), ('walt', 63), ('topics', 63), ('bloom', 63), ('shell', 63), ('frontal', 63), ('sometime', 63), ('boasts', 63), ('restrained', 63), ('antonio', 63), ('salman', 63), ('poker', 63), ('rampage', 63), ('mixing', 63), ('hats', 63), ('emerge', 63), ('carmen', 63), ('bachelor', 63), ('miniseries', 63), ('boris', 63), ('artwork', 63), ('capote', 63), ('akin', 63), ('regards', 63), ('crossing', 63), ('startling', 63), ('sergeant', 63), ('homicide', 63), ('addict', 63), ('narrow', 62), ('modest', 62), ('thunderbirds', 62), ('contribution', 62), ('unlikeable', 62), ('nominations', 62), ('crashes', 62), ('ingrid', 62), ('photographs', 62), ('giants', 62), ('puppets', 62), ('refers', 62), ('disguised', 62), ('applaud', 62), ('rapidly', 62), ('disgust', 62), ('growth', 62), ('owes', 62), ('dazzling', 62), ('jill', 62), ('reeve', 62), ('masterfully', 62), ('lauren', 62), ('scarface', 62), ('monty', 62), ('hugely', 62), ('des', 62), ('coat', 62), ('hackman', 62), ('affects', 62), ('linear', 62), ('terminator', 62), ('jedi', 62), ('grounds', 62), ('masterson', 62), ('dubious', 62), ('corporation', 62), ('advertised', 62), ('compete', 62), ('hers', 62), ('cain', 62), ('rides', 62), ('banter', 62), ('bach', 62), ('bravo', 62), ('sg', 62), ('las', 62), ('weaker', 62), ('washed', 62), ('internal', 62), ('caricature', 62), ('freeze', 62), ('relentless', 62), ('miami', 62), ('homes', 62), ('inspirational', 62), ('repulsive', 62), ('votes', 62), ('tokyo', 62), ('vastly', 62), ('lean', 62), ('mum', 62), ('located', 62), ('wrenching', 62), ('cinemas', 62), ('jacket', 62), ('wardrobe', 62), ('bulk', 62), ('exploits', 62), ('scariest', 62), ('thirties', 62), ('origin', 62), ('gimmick', 62), ('sophie', 61), ('harlow', 61), ('se', 61), ('decline', 61), ('standout', 61), ('convinces', 61), ('abruptly', 61), ('cecil', 61), ('scifi', 61), ('detract', 61), ('vehicles', 61), ('lasts', 61), ('crosby', 61), ('corn', 61), ('perception', 61), ('missile', 61), ('gained', 61), ('undeniably', 61), ('christina', 61), ('painter', 61), ('chronicles', 61), ('stunningly', 61), ('wonderland', 61), ('sale', 61), ('limitations', 61), ('inaccurate', 61), ('soylent', 61), ('damned', 61), ('porter', 61), ('origins', 61), ('natured', 61), ('amrita', 61), ('strengths', 61), ('headache', 61), ('mitchum', 61), ('galaxy', 61), ('authenticity', 61), ('hi', 61), ('casper', 61), ('excellently', 61), ('beowulf', 61), ('sniper', 61), ('arab', 61), ('mabel', 61), ('males', 61), ('cents', 61), ('hires', 61), ('convicted', 61), ('swallow', 61), ('homosexuality', 61), ('youthful', 61), ('underwear', 61), ('macabre', 61), ('factors', 61), ('butcher', 61), ('expertly', 61), ('insults', 61), ('spine', 61), ('mates', 61), ('ally', 61), ('motive', 61), ('screenwriters', 61), ('dread', 61), ('reward', 61), ('youtube', 61), ('parsons', 61), ('unsuspecting', 61), ('continuing', 61), ('gates', 61), ('unsure', 61), ('bones', 61), ('earnest', 60), ('longest', 60), ('confronted', 60), ('unattractive', 60), ('published', 60), ('exterior', 60), ('toni', 60), ('yokai', 60), ('disabled', 60), ('judgment', 60), ('polly', 60), ('juliet', 60), ('salvation', 60), ('sinking', 60), ('teams', 60), ('dominated', 60), ('rookie', 60), ('promptly', 60), ('vividly', 60), ('fatale', 60), ('clash', 60), ('resolved', 60), ('underwater', 60), ('span', 60), ('puerto', 60), ('spit', 60), ('users', 60), ('colleagues', 60), ('definitive', 60), ('buys', 60), ('servants', 60), ('netflix', 60), ('cliches', 60), ('pray', 60), ('yep', 60), ('referring', 60), ('divorced', 60), ('misfortune', 60), ('lance', 60), ('entirety', 60), ('colours', 60), ('kinnear', 60), ('burke', 60), ('tossed', 60), ('cheadle', 60), ('implied', 60), ('mice', 60), ('repressed', 60), ('dealer', 60), ('unimaginative', 60), ('feast', 60), ('gypo', 60), ('owned', 60), ('mobile', 60), ('garland', 60), ('playboy', 60), ('residents', 60), ('lighter', 60), ('entering', 60), ('lennon', 60), ('jarring', 60), ('siblings', 60), ('literal', 60), ('wander', 60), ('enhanced', 60), ('bruno', 60), ('stalking', 60), ('pirate', 60), ('ronald', 60), ('supply', 60), ('witchcraft', 60), ('sgt', 60), ('slide', 60), ('energetic', 60), ('derivative', 60), ('magician', 60), ('endlessly', 60), ('mutant', 60), ('stardom', 60), ('lend', 60), ('confront', 60), ('accessible', 60), ('nerves', 60), ('delicious', 60), ('suburban', 60), ('uniform', 60), ('anil', 60), ('grass', 59), ('meandering', 59), ('devastating', 59), ('cyborg', 59), ('exit', 59), ('nbc', 59), ('identical', 59), ('imo', 59), ('belly', 59), ('tax', 59), ('anyhow', 59), ('estranged', 59), ('dilemma', 59), ('loy', 59), ('irene', 59), ('glued', 59), ('caron', 59), ('jodie', 59), ('syndrome', 59), ('astounding', 59), ('sized', 59), ('wounds', 59), ('tormented', 59), ('approaching', 59), ('erika', 59), ('drinks', 59), ('depict', 59), ('lola', 59), ('asia', 59), ('mama', 59), ('offbeat', 59), ('characteristics', 59), ('nerve', 59), ('sensible', 59), ('eventual', 59), ('readers', 59), ('bubble', 59), ('hindi', 59), ('harriet', 59), ('races', 59), ('cypher', 59), ('wong', 59), ('respectable', 59), ('victorian', 59), ('stranded', 59), ('filthy', 59), ('crisp', 59), ('principle', 59), ('interact', 59), ('blooded', 59), ('jules', 59), ('snuff', 59), ('cleaning', 59), ('pale', 59), ('expects', 59), ('improbable', 59), ('breathing', 59), ('bashing', 59), ('scratch', 59), ('dismal', 59), ('assembled', 59), ('biting', 59), ('severed', 59), ('foolish', 59), ('sticking', 59), ('inherent', 59), ('yours', 59), ('exorcist', 59), ('laurie', 59), ('habit', 59), ('separated', 59), ('dragons', 59), ('butch', 59), ('cries', 59), ('senior', 59), ('owns', 59), ('depths', 59), ('spencer', 59), ('minnelli', 58), ('lightning', 58), ('tool', 58), ('subway', 58), ('plotting', 58), ('miranda', 58), ('pumbaa', 58), ('demonstrate', 58), ('chopped', 58), ('possess', 58), ('stylized', 58), ('ugh', 58), ('escaping', 58), ('hippies', 58), ('wisely', 58), ('adore', 58), ('pegg', 58), ('noticeable', 58), ('classy', 58), ('enthusiastic', 58), ('axe', 58), ('answered', 58), ('esquire', 58), ('quentin', 58), ('incapable', 58), ('balanced', 58), ('promoted', 58), ('odyssey', 58), ('worms', 58), ('dustin', 58), ('expectation', 58), ('concentrate', 58), ('informed', 58), ('appeals', 58), ('sf', 58), ('passengers', 58), ('toby', 58), ('fragile', 58), ('exploit', 58), ('dump', 58), ('jan', 58), ('lo', 58), ('turd', 58), ('sublime', 58), ('breakdown', 58), ('filmmaking', 58), ('glaring', 58), ('judged', 58), ('conveyed', 58), ('barbra', 58), ('timmy', 58), ('cheaply', 58), ('connor', 58), ('thurman', 58), ('immortal', 58), ('flimsy', 58), ('reminder', 58), ('sand', 58), ('deanna', 58), ('pattern', 58), ('zorro', 58), ('decidedly', 58), ('clay', 58), ('pocket', 58), ('laden', 58), ('rider', 58), ('spectacle', 58), ('franklin', 58), ('budgets', 58), ('principals', 58), ('steam', 58), ('berkeley', 58), ('hayworth', 58), ('tremendously', 58), ('basket', 58), ('flashes', 58), ('isolation', 58), ('quarter', 58), ('troma', 58), ('psychopath', 58), ('nightclub', 58), ('werewolves', 58), ('sought', 58), ('packs', 58), ('numbing', 58), ('deliberate', 58), ('robertson', 57), ('debt', 57), ('revolt', 57), ('ensure', 57), ('excruciatingly', 57), ('pierre', 57), ('contribute', 57), ('outline', 57), ('experiencing', 57), ('quantum', 57), ('rescued', 57), ('absorbing', 57), ('intricate', 57), ('melvyn', 57), ('voyage', 57), ('moron', 57), ('karate', 57), ('colored', 57), ('pound', 57), ('attacking', 57), ('cunningham', 57), ('clone', 57), ('shepard', 57), ('reports', 57), ('cal', 57), ('collect', 57), ('gamera', 57), ('conveniently', 57), ('kidnapping', 57), ('sidewalk', 57), ('sentimentality', 57), ('addiction', 57), ('accounts', 57), ('vintage', 57), ('seymour', 57), ('spaghetti', 57), ('busey', 57), ('europeans', 57), ('accepting', 57), ('freaky', 57), ('gentlemen', 57), ('embrace', 57), ('copied', 57), ('fiance', 57), ('arguing', 57), ('selected', 57), ('celebrated', 57), ('stephanie', 57), ('divine', 57), ('cape', 57), ('downs', 57), ('rewarding', 57), ('messing', 57), ('sydney', 57), ('combines', 57), ('whiny', 57), ('ultimatum', 57), ('crown', 57), ('longing', 57), ('samantha', 57), ('romeo', 57), ('jealousy', 57), ('advised', 57), ('crippled', 57), ('expose', 57), ('goods', 57), ('pause', 57), ('ominous', 57), ('updated', 57), ('volume', 57), ('reviewing', 57), ('frontier', 57), ('destructive', 57), ('aggressive', 56), ('niven', 56), ('slip', 56), ('longoria', 56), ('sucker', 56), ('knocks', 56), ('august', 56), ('anticipated', 56), ('furniture', 56), ('horny', 56), ('immense', 56), ('goals', 56), ('collette', 56), ('jaded', 56), ('stella', 56), ('incorrect', 56), ('indiana', 56), ('fairbanks', 56), ('aussie', 56), ('cliffhanger', 56), ('establishment', 56), ('morals', 56), ('resulted', 56), ('adaption', 56), ('intentional', 56), ('jewel', 56), ('peaceful', 56), ('daisy', 56), ('switched', 56), ('fright', 56), ('pursue', 56), ('cutter', 56), ('bounty', 56), ('dame', 56), ('distract', 56), ('overblown', 56), ('deputy', 56), ('crashing', 56), ('turmoil', 56), ('dukes', 56), ('establish', 56), ('remembering', 56), ('whining', 56), ('aided', 56), ('taped', 56), ('tourist', 56), ('comprehend', 56), ('vince', 56), ('unsatisfying', 56), ('sanders', 56), ('jenna', 56), ('vanilla', 56), ('thieves', 56), ('suspected', 56), ('delighted', 56), ('arguments', 56), ('juliette', 56), ('ricky', 56), ('tendency', 56), ('grandma', 56), ('salesman', 56), ('sarcastic', 56), ('parallels', 56), ('fassbinder', 56), ('bikini', 56), ('stroke', 56), ('bachchan', 56), ('herman', 56), ('taboo', 56), ('chill', 56), ('rainy', 56), ('swearing', 56), ('jury', 56), ('arquette', 56), ('stones', 56), ('dashing', 56), ('inmates', 56), ('hadley', 56), ('theories', 56), ('havoc', 56), ('obsessive', 56), ('liam', 56), ('hannah', 56), ('fleshed', 56), ('carnage', 55), ('schneider', 55), ('jersey', 55), ('dramatically', 55), ('realization', 55), ('canceled', 55), ('debbie', 55), ('arrest', 55), ('morons', 55), ('collective', 55), ('mystical', 55), ('commitment', 55), ('papers', 55), ('stream', 55), ('clooney', 55), ('chiba', 55), ('afterward', 55), ('dumber', 55), ('wielding', 55), ('climb', 55), ('jacques', 55), ('vega', 55), ('sixth', 55), ('routines', 55), ('gilbert', 55), ('demille', 55), ('korea', 55), ('jolie', 55), ('herbert', 55), ('graveyard', 55), ('virtual', 55), ('fascist', 55), ('cultures', 55), ('rebellious', 55), ('rowlands', 55), ('hyper', 55), ('goodbye', 55), ('lavish', 55), ('avoiding', 55), ('trace', 55), ('arranged', 55), ('didnt', 55), ('serum', 55), ('demonstrated', 55), ('lethal', 55), ('clive', 55), ('angie', 55), ('traits', 55), ('ghetto', 55), ('peculiar', 55), ('shootout', 55), ('insomnia', 55), ('fills', 55), ('tolerable', 55), ('establishing', 55), ('brainless', 55), ('hybrid', 55), ('begging', 55), ('passage', 55), ('bogart', 55), ('sarandon', 55), ('wine', 55), ('overboard', 55), ('approached', 55), ('spice', 55), ('ae', 55), ('psychologist', 55), ('admired', 55), ('redundant', 55), ('aiming', 55), ('alleged', 55), ('polish', 55), ('mouthed', 55), ('gielgud', 55), ('rivers', 55), ('thelma', 55), ('slugs', 55), ('boiled', 55), ('puzzle', 55), ('apply', 55), ('mormon', 55), ('consideration', 55), ('define', 55), ('predictably', 55), ('backed', 55), ('adrian', 55), ('exploding', 55), ('optimistic', 55), ('subtext', 55), ('shift', 55), ('distress', 55), ('lang', 55), ('alter', 55), ('slaves', 55), ('wiped', 54), ('mythology', 54), ('mole', 54), ('shoe', 54), ('monologue', 54), ('arkin', 54), ('gibson', 54), ('sources', 54), ('seasoned', 54), ('populated', 54), ('pirates', 54), ('sunrise', 54), ('verdict', 54), ('marilyn', 54), ('lionel', 54), ('newcomer', 54), ('relentlessly', 54), ('whites', 54), ('diverse', 54), ('vanity', 54), ('colman', 54), ('mentor', 54), ('arriving', 54), ('respects', 54), ('reviewed', 54), ('kathy', 54), ('scored', 54), ('georgia', 54), ('sht', 54), ('leap', 54), ('strict', 54), ('tuned', 54), ('explodes', 54), ('enhance', 54), ('courtroom', 54), ('achieves', 54), ('owl', 54), ('medieval', 54), ('mouths', 54), ('hooper', 54), ('trains', 54), ('contributed', 54), ('exploited', 54), ('haines', 54), ('acquired', 54), ('smash', 54), ('skilled', 54), ('pedestrian', 54), ('hateful', 54), ('crosses', 54), ('ritual', 54), ('rea', 54), ('sickening', 54), ('phenomenal', 54), ('cuban', 54), ('chong', 54), ('slapped', 54), ('document', 54), ('excuses', 54), ('python', 54), ('madsen', 54), ('consciousness', 54), ('feminine', 54), ('settled', 54), ('anthology', 54), ('borders', 54), ('upside', 54), ('freaking', 54), ('fools', 54), ('anytime', 54), ('verbal', 54), ('poses', 54), ('sammo', 54), ('sang', 54), ('iturbi', 54), ('wheel', 54), ('distraction', 54), ('gershwin', 54), ('puppy', 54), ('insist', 54), ('olds', 54), ('remembers', 54), ('commits', 54), ('horrified', 54), ('pad', 54), ('lunch', 54), ('dahmer', 54), ('update', 54), ('elliott', 54), ('duel', 54), ('skinny', 54), ('wash', 53), ('awakening', 53), ('gooding', 53), ('serials', 53), ('professionals', 53), ('hooker', 53), ('nuances', 53), ('explosive', 53), ('themed', 53), ('cigarette', 53), ('instincts', 53), ('fluid', 53), ('penelope', 53), ('posing', 53), ('mortal', 53), ('olivia', 53), ('unsympathetic', 53), ('nun', 53), ('keys', 53), ('lucille', 53), ('sheen', 53), ('sundance', 53), ('sells', 53), ('expense', 53), ('covering', 53), ('attending', 53), ('suggesting', 53), ('circles', 53), ('seductive', 53), ('contestants', 53), ('defies', 53), ('possesses', 53), ('clerk', 53), ('drab', 53), ('satisfaction', 53), ('mysteriously', 53), ('pathos', 53), ('cooking', 53), ('wheelchair', 53), ('employee', 53), ('legitimate', 53), ('hoot', 53), ('meal', 53), ('martian', 53), ('predator', 53), ('foundation', 53), ('readily', 53), ('shockingly', 53), ('motorcycle', 53), ('symbol', 53), ('israeli', 53), ('guinea', 53), ('immigrant', 53), ('sailor', 53), ('ranch', 53), ('fried', 53), ('weary', 53), ('amidst', 53), ('laputa', 53), ('cliched', 53), ('dynamics', 53), ('delightfully', 53), ('invention', 53), ('forties', 53), ('novelty', 53), ('cannes', 53), ('lowe', 53), ('controlling', 53), ('flock', 53), ('romances', 53), ('otto', 53), ('possession', 53), ('mute', 53), ('planes', 53), ('republic', 53), ('fallon', 53), ('flower', 53), ('pushes', 53), ('meantime', 53), ('regularly', 53), ('bonnie', 53), ('beckinsale', 53), ('phase', 53), ('denise', 53), ('moss', 53), ('dillinger', 53), ('flavor', 53), ('encountered', 53), ('introducing', 53), ('doyle', 53), ('policy', 53), ('tactics', 53), ('coke', 53), ('deliciously', 53), ('pfeiffer', 53), ('feeble', 53), ('diary', 53), ('vomit', 53), ('ira', 53), ('psyche', 53), ('auto', 52), ('goldie', 52), ('targets', 52), ('inaccuracies', 52), ('darth', 52), ('creasy', 52), ('dumbest', 52), ('alot', 52), ('vera', 52), ('frog', 52), ('steer', 52), ('lends', 52), ('dumped', 52), ('arrow', 52), ('products', 52), ('gloria', 52), ('shifts', 52), ('intact', 52), ('produces', 52), ('pros', 52), ('beg', 52), ('centuries', 52), ('embarrassingly', 52), ('gwyneth', 52), ('pursued', 52), ('viewpoint', 52), ('additionally', 52), ('cindy', 52), ('forgetting', 52), ('starters', 52), ('idol', 52), ('kris', 52), ('motions', 52), ('cameraman', 52), ('biker', 52), ('wider', 52), ('economic', 52), ('consist', 52), ('convention', 52), ('attended', 52), ('neglected', 52), ('aftermath', 52), ('rapid', 52), ('deciding', 52), ('noteworthy', 52), ('excruciating', 52), ('void', 52), ('arty', 52), ('meteor', 52), ('reverse', 52), ('degrees', 52), ('deed', 52), ('fuzzy', 52), ('discussed', 52), ('um', 52), ('indifferent', 52), ('july', 52), ('debra', 52), ('medicine', 52), ('instances', 52), ('narrated', 52), ('assignment', 52), ('parking', 52), ('sondra', 52), ('tomei', 52), ('juan', 52), ('stern', 52), ('abandon', 52), ('wastes', 52), ('detroit', 52), ('agony', 52), ('rosario', 52), ('screwball', 52), ('unusually', 52), ('anxious', 52), ('tickets', 52), ('releasing', 52), ('swinging', 52), ('shah', 52), ('statements', 52), ('columbia', 52), ('fanatic', 52), ('tcm', 52), ('admitted', 52), ('tho', 52), ('truths', 52), ('ordeal', 52), ('followers', 52), ('intro', 51), ('begs', 51), ('artistry', 51), ('executives', 51), ('enigmatic', 51), ('fleet', 51), ('hostel', 51), ('abound', 51), ('flames', 51), ('phoenix', 51), ('graduate', 51), ('pains', 51), ('godard', 51), ('controversy', 51), ('northam', 51), ('begun', 51), ('greene', 51), ('soprano', 51), ('breast', 51), ('tomb', 51), ('rice', 51), ('macdonald', 51), ('edith', 51), ('manners', 51), ('crossed', 51), ('visconti', 51), ('daylight', 51), ('gallery', 51), ('ny', 51), ('goodman', 51), ('sarcasm', 51), ('unanswered', 51), ('sided', 51), ('eli', 51), ('meyer', 51), ('inclusion', 51), ('informative', 51), ('corey', 51), ('funding', 51), ('roughly', 51), ('wayans', 51), ('incidents', 51), ('edison', 51), ('consequently', 51), ('frantic', 51), ('dominic', 51), ('brow', 51), ('kidnap', 51), ('wright', 51), ('obstacles', 51), ('rejects', 51), ('casablanca', 51), ('geek', 51), ('rational', 51), ('snowman', 51), ('click', 51), ('criticize', 51), ('cycle', 51), ('originals', 51), ('cody', 51), ('flavia', 51), ('compliment', 51), ('scripting', 51), ('shaggy', 51), ('factual', 51), ('jose', 51), ('stabbed', 51), ('ambitions', 51), ('likeable', 51), ('mick', 51), ('slim', 51), ('cap', 51), ('distracted', 51), ('trigger', 51), ('galactica', 51), ('toned', 51), ('suspicion', 51), ('campus', 51), ('indicate', 51), ('snipes', 51), ('warns', 51), ('misunderstood', 51), ('simpsons', 51), ('invite', 51), ('ruining', 51), ('sentences', 51), ('coffin', 51), ('stating', 51), ('session', 51), ('grip', 51), ('muslims', 51), ('cab', 51), ('generate', 50), ('envy', 50), ('robbers', 50), ('denouement', 50), ('investigator', 50), ('coma', 50), ('stalked', 50), ('pointing', 50), ('pans', 50), ('relevance', 50), ('kathleen', 50), ('gap', 50), ('uniforms', 50), ('apple', 50), ('enchanted', 50), ('abortion', 50), ('combs', 50), ('convict', 50), ('playwright', 50), ('alliance', 50), ('sterling', 50), ('sly', 50), ('county', 50), ('paints', 50), ('sweden', 50), ('maureen', 50), ('duh', 50), ('guardian', 50), ('delirious', 50), ('intensely', 50), ('schedule', 50), ('stardust', 50), ('determination', 50), ('apt', 50), ('frances', 50), ('bosses', 50), ('vonnegut', 50), ('cow', 50), ('heath', 50), ('paranoid', 50), ('reiser', 50), ('hayes', 50), ('blamed', 50), ('dreamy', 50), ('redneck', 50), ('protest', 50), ('eagerly', 50), ('brat', 50), ('mccarthy', 50), ('consequence', 50), ('exclusively', 50), ('grabbed', 50), ('shore', 50), ('sweat', 50), ('hmmm', 50), ('mock', 50), ('replies', 50), ('rips', 50), ('surroundings', 50), ('festivals', 50), ('pen', 50), ('stink', 50), ('realistically', 50), ('relating', 50), ('foil', 50), ('varied', 50), ('fellini', 50), ('therapy', 50), ('momentum', 50), ('mandy', 50), ('rambling', 50), ('murky', 50), ('translate', 50), ('chamber', 50), ('stiles', 50), ('bait', 50), ('seats', 50), ('saloon', 50), ('antagonist', 50), ('depictions', 50), ('collins', 50), ('iranian', 50), ('beckham', 50), ('stance', 50), ('geisha', 50), ('uncanny', 50), ('plodding', 50), ('frozen', 50), ('destination', 50), ('johansson', 50), ('russo', 49), ('overs', 49), ('apocalyptic', 49), ('blaise', 49), ('brides', 49), ('bats', 49), ('natali', 49), ('rohmer', 49), ('sebastian', 49), ('services', 49), ('brett', 49), ('hmm', 49), ('lens', 49), ('curiously', 49), ('glimpses', 49), ('periods', 49), ('imaginary', 49), ('faux', 49), ('paths', 49), ('lopez', 49), ('sunset', 49), ('gackt', 49), ('rewarded', 49), ('scarlet', 49), ('talky', 49), ('participants', 49), ('linked', 49), ('sketches', 49), ('giovanna', 49), ('ignoring', 49), ('occult', 49), ('october', 49), ('revolving', 49), ('entrance', 49), ('gus', 49), ('traps', 49), ('sho', 49), ('rounds', 49), ('gestures', 49), ('composition', 49), ('dismiss', 49), ('midst', 49), ('sonny', 49), ('collector', 49), ('baron', 49), ('adele', 49), ('launch', 49), ('capacity', 49), ('dafoe', 49), ('isabelle', 49), ('randall', 49), ('warden', 49), ('precise', 49), ('gigantic', 49), ('injury', 49), ('sensibility', 49), ('myrtle', 49), ('bennett', 49), ('widowed', 49), ('resembling', 49), ('bleed', 49), ('hawn', 49), ('comeback', 49), ('shotgun', 49), ('handicapped', 49), ('politicians', 49), ('lurking', 49), ('barney', 49), ('phones', 49), ('battlestar', 49), ('hysterically', 49), ('resume', 49), ('necessity', 49), ('foremost', 49), ('resistance', 49), ('veterans', 49), ('fruit', 49), ('brooke', 49), ('lastly', 49), ('quasi', 49), ('du', 49), ('gaps', 49), ('slater', 49), ('replacement', 49), ('communication', 49), ('goat', 49), ('bauer', 49), ('rehash', 49), ('diner', 49), ('rupert', 49), ('scenarios', 49), ('omar', 49), ('finney', 49), ('ambiguity', 49), ('sights', 49), ('loren', 49), ('lunatic', 49), ('coburn', 49), ('glance', 49), ('characterisation', 49), ('feinstone', 49), ('parrot', 49), ('burnt', 49), ('awareness', 49), ('overbearing', 48), ('stake', 48), ('girlfriends', 48), ('sufficient', 48), ('epics', 48), ('ferrell', 48), ('jar', 48), ('locke', 48), ('studied', 48), ('whore', 48), ('nightmarish', 48), ('rodriguez', 48), ('safely', 48), ('cheers', 48), ('extensive', 48), ('prophecy', 48), ('pressed', 48), ('qualify', 48), ('reflected', 48), ('silverman', 48), ('brien', 48), ('offend', 48), ('smell', 48), ('angelina', 48), ('cena', 48), ('joking', 48), ('rolls', 48), ('platform', 48), ('marisa', 48), ('imagining', 48), ('bearing', 48), ('ample', 48), ('vignettes', 48), ('diego', 48), ('trauma', 48), ('benjamin', 48), ('biopic', 48), ('incest', 48), ('complications', 48), ('hostage', 48), ('existing', 48), ('targeted', 48), ('popped', 48), ('brent', 48), ('psychedelic', 48), ('grendel', 48), ('blandings', 48), ('apocalypse', 48), ('homicidal', 48), ('kells', 48), ('dynamite', 48), ('avid', 48), ('upcoming', 48), ('gloomy', 48), ('aaron', 48), ('misty', 48), ('pivotal', 48), ('unclear', 48), ('supreme', 48), ('gathering', 48), ('sparks', 48), ('slashers', 48), ('substantial', 48), ('ignores', 48), ('hines', 48), ('benefits', 48), ('je', 48), ('pilots', 48), ('martino', 48), ('applied', 48), ('voyager', 48), ('addressed', 48), ('fuel', 48), ('applies', 48), ('revival', 48), ('evans', 48), ('shin', 48), ('eh', 48), ('massey', 48), ('convent', 48), ('masked', 48), ('nuanced', 48), ('gosh', 48), ('blockbusters', 48), ('unstable', 48), ('iq', 48), ('shahid', 48), ('laboratory', 48), ('sins', 48), ('hating', 48), ('hinted', 48), ('haunt', 48), ('watcher', 48), ('stadium', 48), ('maintains', 48), ('kristofferson', 48), ('ins', 48), ('payoff', 48), ('jude', 48), ('anita', 48), ('jagger', 48), ('tightly', 48), ('olsen', 48), ('ajay', 48), ('characterizations', 48), ('meredith', 48), ('merry', 47), ('beard', 47), ('witnessing', 47), ('marcel', 47), ('boundaries', 47), ('nutshell', 47), ('upstairs', 47), ('marine', 47), ('outlandish', 47), ('weekly', 47), ('exploitative', 47), ('reunite', 47), ('resolve', 47), ('courtesy', 47), ('array', 47), ('baddies', 47), ('fart', 47), ('interior', 47), ('flag', 47), ('questioning', 47), ('turtle', 47), ('invested', 47), ('murderers', 47), ('repeats', 47), ('interviewed', 47), ('bernsen', 47), ('artemisia', 47), ('organization', 47), ('clunky', 47), ('engine', 47), ('boots', 47), ('brashear', 47), ('divided', 47), ('drowned', 47), ('assure', 47), ('coward', 47), ('doug', 47), ('visitor', 47), ('bias', 47), ('stereotyped', 47), ('madeleine', 47), ('observation', 47), ('mash', 47), ('pose', 47), ('valid', 47), ('thailand', 47), ('profile', 47), ('turkish', 47), ('observations', 47), ('choir', 47), ('tire', 47), ('enchanting', 47), ('boogie', 47), ('rourke', 47), ('plate', 47), ('disco', 47), ('reserved', 47), ('acknowledge', 47), ('skeptical', 47), ('diversity', 47), ('nauseating', 47), ('controls', 47), ('interpretations', 47), ('boo', 47), ('russ', 47), ('gorilla', 47), ('protection', 47), ('slower', 47), ('vivian', 47), ('pornography', 47), ('bonanza', 47), ('observe', 47), ('excellence', 47), ('versa', 47), ('novelist', 47), ('gannon', 47), ('announced', 47), ('caretaker', 47), ('orchestra', 47), ('interrupted', 47), ('collar', 47), ('unfolding', 47), ('rebels', 47), ('stations', 47), ('fortunate', 47), ('marked', 47), ('maximum', 47), ('peril', 47), ('candle', 47), ('mannered', 47), ('sour', 47), ('favourites', 47), ('aime', 47), ('sheets', 47), ('carlos', 47), ('frost', 47), ('stabbing', 47), ('relying', 47), ('phantasm', 47), ('ursula', 46), ('evokes', 46), ('harrowing', 46), ('inadvertently', 46), ('madison', 46), ('jackman', 46), ('deemed', 46), ('finishes', 46), ('trivial', 46), ('janet', 46), ('pecker', 46), ('thunder', 46), ('counting', 46), ('commendable', 46), ('sincerity', 46), ('nora', 46), ('obscurity', 46), ('ernie', 46), ('riff', 46), ('cedric', 46), ('famed', 46), ('chuckles', 46), ('entries', 46), ('gino', 46), ('smug', 46), ('accidental', 46), ('bonham', 46), ('criticized', 46), ('commanding', 46), ('understatement', 46), ('crushed', 46), ('neal', 46), ('spotlight', 46), ('arrogance', 46), ('reagan', 46), ('needing', 46), ('climbing', 46), ('guevara', 46), ('tones', 46), ('bust', 46), ('confined', 46), ('cocaine', 46), ('fundamental', 46), ('unnatural', 46), ('admits', 46), ('garfield', 46), ('displaying', 46), ('progressed', 46), ('chaotic', 46), ('inter', 46), ('bittersweet', 46), ('chandler', 46), ('customers', 46), ('colleague', 46), ('sholay', 46), ('similarity', 46), ('enduring', 46), ('samuel', 46), ('ninety', 46), ('rightly', 46), ('palm', 46), ('strung', 46), ('travis', 46), ('blazing', 46), ('realises', 46), ('seduce', 46), ('villainous', 46), ('scarecrows', 46), ('insert', 46), ('wrestler', 46), ('spade', 46), ('sara', 46), ('unappealing', 46), ('duchovny', 46), ('sheep', 46), ('landmark', 46), ('govinda', 46), ('portuguese', 46), ('projected', 46), ('sherlock', 46), ('magically', 46), ('thereby', 46), ('chew', 46), ('luzhin', 46), ('conductor', 46), ('monotonous', 46), ('peggy', 46), ('satanic', 46), ('daytime', 46), ('waking', 46), ('sanity', 46), ('manipulation', 46), ('chewing', 46), ('vargas', 46), ('somethings', 46), ('raging', 46), ('substitute', 46), ('shocks', 46), ('thrust', 46), ('unhinged', 46), ('ripoff', 46), ('slavery', 46), ('wartime', 46), ('preaching', 46), ('scarlett', 45), ('stumble', 45), ('tashan', 45), ('howling', 45), ('harron', 45), ('accompanying', 45), ('hobgoblins', 45), ('spoiling', 45), ('protective', 45), ('discipline', 45), ('wee', 45), ('participate', 45), ('myrna', 45), ('contestant', 45), ('forgets', 45), ('despise', 45), ('castro', 45), ('transparent', 45), ('egyptian', 45), ('clarity', 45), ('bert', 45), ('dallas', 45), ('layered', 45), ('district', 45), ('beers', 45), ('liotta', 45), ('reminding', 45), ('pizza', 45), ('shred', 45), ('achievements', 45), ('sitcoms', 45), ('deathtrap', 45), ('sophia', 45), ('deeds', 45), ('yell', 45), ('file', 45), ('camping', 45), ('hostile', 45), ('barker', 45), ('cancelled', 45), ('bean', 45), ('caprica', 45), ('understandably', 45), ('filmography', 45), ('jo', 45), ('charges', 45), ('dreaming', 45), ('burial', 45), ('kaufman', 45), ('seattle', 45), ('krueger', 45), ('shameless', 45), ('celebrities', 45), ('finishing', 45), ('dreyfuss', 45), ('forgiveness', 45), ('belle', 45), ('tits', 45), ('tide', 45), ('kirsten', 45), ('fetish', 45), ('characteristic', 45), ('traumatic', 45), ('climatic', 45), ('segal', 45), ('lara', 45), ('remark', 45), ('recover', 45), ('elsa', 45), ('crooks', 45), ('herd', 45), ('redford', 45), ('cheerful', 45), ('explode', 45), ('article', 45), ('laying', 45), ('flame', 45), ('motel', 45), ('scheming', 45), ('reluctantly', 45), ('wholesome', 45), ('stuffed', 45), ('atlantic', 45), ('takashi', 45), ('glossy', 45), ('subsequently', 45), ('comparable', 45), ('traditions', 45), ('serbian', 45), ('quintessential', 45), ('chloe', 45), ('incestuous', 45), ('ala', 45), ('voodoo', 45), ('eagle', 45), ('ram', 45), ('dangerously', 45), ('zodiac', 45), ('suzanne', 45), ('testing', 45), ('unfamiliar', 45), ('spontaneous', 45), ('aesthetic', 45), ('seth', 45), ('chip', 45), ('devotion', 45), ('rendering', 45), ('hardened', 45), ('perverted', 45), ('sylvia', 45), ('goings', 45), ('penned', 45), ('hugo', 45), ('convenient', 45), ('inserted', 44), ('ideals', 44), ('titular', 44), ('melancholy', 44), ('slut', 44), ('awry', 44), ('fraud', 44), ('sickness', 44), ('annoy', 44), ('unconventional', 44), ('juice', 44), ('oprah', 44), ('conclusions', 44), ('digging', 44), ('prop', 44), ('distributed', 44), ('constraints', 44), ('han', 44), ('pm', 44), ('cells', 44), ('shannon', 44), ('rampant', 44), ('senator', 44), ('license', 44), ('creations', 44), ('ruled', 44), ('faye', 44), ('defining', 44), ('monks', 44), ('sexist', 44), ('almighty', 44), ('faded', 44), ('cracks', 44), ('flip', 44), ('sheridan', 44), ('polar', 44), ('shameful', 44), ('holt', 44), ('lubitsch', 44), ('depardieu', 44), ('monroe', 44), ('miraculously', 44), ('admirer', 44), ('regime', 44), ('babes', 44), ('monica', 44), ('philo', 44), ('raunchy', 44), ('mamet', 44), ('warehouse', 44), ('flashing', 44), ('abundance', 44), ('melbourne', 44), ('informer', 44), ('kindly', 44), ('sack', 44), ('unnecessarily', 44), ('restraint', 44), ('excels', 44), ('preacher', 44), ('drowning', 44), ('meadows', 44), ('coolest', 44), ('val', 44), ('busby', 44), ('gena', 44), ('summed', 44), ('tools', 44), ('letdown', 44), ('flows', 44), ('bronte', 44), ('fades', 44), ('semblance', 44), ('espionage', 44), ('drift', 44), ('runaway', 44), ('jabba', 44), ('desk', 44), ('orphan', 44), ('hunted', 44), ('pia', 44), ('grin', 44), ('sales', 44), ('admission', 44), ('betrayed', 44), ('practical', 44), ('beforehand', 44), ('dragging', 44), ('grandpa', 44), ('ealing', 44), ('henchmen', 44), ('tess', 44), ('fritz', 44), ('implies', 44), ('pornographic', 44), ('imho', 44), ('infinitely', 44), ('sunk', 44), ('byron', 44), ('fires', 44), ('booth', 44), ('ernest', 44), ('wesley', 44), ('whimsical', 44), ('cheering', 44), ('captivated', 44), ('verge', 44), ('salvage', 44), ('taut', 44), ('oblivious', 44), ('redgrave', 44), ('proceed', 44), ('bloodbath', 44), ('surround', 44), ('temper', 44), ('joint', 44), ('affecting', 44), ('facility', 44), ('gypsy', 44), ('hallmark', 44), ('earliest', 44), ('raid', 44), ('gangs', 44), ('pee', 44), ('rebellion', 44), ('relaxed', 44), ('kinski', 44), ('considers', 44), ('programme', 43), ('lil', 43), ('spiral', 43), ('paycheck', 43), ('pitched', 43), ('dominate', 43), ('croc', 43), ('battlefield', 43), ('bout', 43), ('benny', 43), ('dwight', 43), ('motivated', 43), ('radiation', 43), ('norton', 43), ('arnie', 43), ('travolta', 43), ('switching', 43), ('submarine', 43), ('robbed', 43), ('superstar', 43), ('solved', 43), ('heap', 43), ('intend', 43), ('inclined', 43), ('ensue', 43), ('mud', 43), ('shrek', 43), ('sporting', 43), ('faint', 43), ('listened', 43), ('englund', 43), ('uneasy', 43), ('presidential', 43), ('committing', 43), ('theodore', 43), ('clouds', 43), ('irritated', 43), ('robotic', 43), ('fashions', 43), ('cheech', 43), ('adapt', 43), ('marvin', 43), ('spaceship', 43), ('censorship', 43), ('blondell', 43), ('sucking', 43), ('grease', 43), ('permanent', 43), ('demeanor', 43), ('snap', 43), ('ambiance', 43), ('hes', 43), ('gandolfini', 43), ('awaiting', 43), ('vapid', 43), ('deepest', 43), ('sixteen', 43), ('madman', 43), ('screened', 43), ('quaint', 43), ('failures', 43), ('unleashed', 43), ('caper', 43), ('sergio', 43), ('engineer', 43), ('reject', 43), ('criticisms', 43), ('avoids', 43), ('plug', 43), ('occupied', 43), ('upbeat', 43), ('crowe', 43), ('lindy', 43), ('dictator', 43), ('luc', 43), ('seuss', 43), ('remainder', 43), ('fiend', 43), ('toxic', 43), ('rivals', 43), ('zelah', 43), ('cloak', 43), ('assumes', 43), ('egypt', 43), ('pursuing', 43), ('chops', 43), ('edmund', 43), ('networks', 43), ('underdeveloped', 43), ('shirts', 43), ('sh', 43), ('martians', 43), ('detached', 43), ('sane', 43), ('searched', 43), ('complained', 43), ('liner', 43), ('automatic', 43), ('assistance', 43), ('overtones', 43), ('evoke', 43), ('coop', 43), ('macmurray', 43), ('compensate', 43), ('encouraged', 43), ('outrageously', 43), ('meek', 43), ('ghostly', 43), ('joining', 43), ('alarm', 43), ('vcr', 43), ('fodder', 43), ('colony', 43), ('gretchen', 43), ('aniston', 43), ('pauline', 43), ('borrow', 43), ('dunst', 43), ('buffy', 43), ('wherever', 43), ('mister', 43), ('payne', 43), ('variation', 43), ('mart', 43), ('hometown', 43), ('ghastly', 43), ('openly', 43), ('circa', 43), ('mustache', 42), ('cassie', 42), ('enormously', 42), ('crashed', 42), ('everett', 42), ('egg', 42), ('prostitutes', 42), ('forrest', 42), ('defending', 42), ('dante', 42), ('scratching', 42), ('surrender', 42), ('marijuana', 42), ('roach', 42), ('patty', 42), ('awarded', 42), ('surf', 42), ('policemen', 42), ('peers', 42), ('connie', 42), ('happenings', 42), ('myra', 42), ('data', 42), ('brit', 42), ('battling', 42), ('sections', 42), ('sober', 42), ('mega', 42), ('idealistic', 42), ('fairness', 42), ('confuse', 42), ('slam', 42), ('garage', 42), ('buttons', 42), ('investment', 42), ('whip', 42), ('loner', 42), ('knees', 42), ('vet', 42), ('farrah', 42), ('impending', 42), ('farnsworth', 42), ('clyde', 42), ('carpet', 42), ('peckinpah', 42), ('stoned', 42), ('disregard', 42), ('prone', 42), ('drum', 42), ('experts', 42), ('ninjas', 42), ('incidental', 42), ('revolver', 42), ('mira', 42), ('admiration', 42), ('pigs', 42), ('helmet', 42), ('transport', 42), ('poet', 42), ('fagin', 42), ('noting', 42), ('progression', 42), ('abomination', 42), ('mack', 42), ('boogeyman', 42), ('paz', 42), ('pretends', 42), ('prologue', 42), ('gig', 42), ('wu', 42), ('flowing', 42), ('disappearance', 42), ('sharks', 42), ('epitome', 42), ('vincenzo', 42), ('courageous', 42), ('dom', 42), ('distinction', 42), ('electronic', 42), ('principles', 42), ('atrocity', 42), ('avenge', 42), ('fitzgerald', 42), ('darkly', 42), ('sensual', 42), ('vaughn', 42), ('deck', 42), ('diving', 42), ('bartender', 42), ('dash', 42), ('stepmother', 42), ('edges', 42), ('suave', 42), ('notices', 42), ('mediocrity', 42), ('coppola', 42), ('brazilian', 42), ('britney', 42), ('hanzo', 42), ('dyke', 42), ('vigilante', 42), ('midget', 42), ('warrant', 42), ('offense', 42), ('badness', 42), ('dern', 42), ('nineties', 42), ('bodyguard', 42), ('client', 42), ('spoofs', 41), ('believability', 41), ('classmates', 41), ('reese', 41), ('celebrate', 41), ('prank', 41), ('knights', 41), ('cohesive', 41), ('forsythe', 41), ('effortlessly', 41), ('queens', 41), ('torment', 41), ('geoffrey', 41), ('closure', 41), ('socially', 41), ('framing', 41), ('kareena', 41), ('pickup', 41), ('elephants', 41), ('riders', 41), ('helena', 41), ('shatner', 41), ('marcus', 41), ('padding', 41), ('curtain', 41), ('wan', 41), ('parodies', 41), ('acclaim', 41), ('counterparts', 41), ('qualifies', 41), ('blames', 41), ('bleeding', 41), ('tackle', 41), ('palestinian', 41), ('labeled', 41), ('division', 41), ('ostensibly', 41), ('lin', 41), ('reported', 41), ('spelled', 41), ('lindsey', 41), ('ma', 41), ('beetle', 41), ('bart', 41), ('employees', 41), ('clinic', 41), ('alba', 41), ('symbols', 41), ('programming', 41), ('asset', 41), ('tacked', 41), ('ang', 41), ('mobster', 41), ('economy', 41), ('tended', 41), ('drawings', 41), ('managing', 41), ('grating', 41), ('manipulated', 41), ('brush', 41), ('shield', 41), ('pairing', 41), ('rodney', 41), ('secure', 41), ('damsel', 41), ('billing', 41), ('associate', 41), ('concentration', 41), ('distinctive', 41), ('outset', 41), ('december', 41), ('della', 41), ('maurice', 41), ('bimbo', 41), ('transforms', 41), ('influences', 41), ('respond', 41), ('tin', 41), ('vibe', 41), ('sync', 41), ('baked', 41), ('panahi', 41), ('boobs', 41), ('sandy', 41), ('liberty', 41), ('breathe', 41), ('barnes', 41), ('saints', 41), ('sinks', 41), ('dillon', 41), ('cursed', 41), ('weirdness', 41), ('categories', 41), ('budding', 41), ('timed', 41), ('bites', 41), ('harilal', 41), ('stab', 41), ('sammy', 41), ('irving', 41), ('banks', 41), ('worrying', 41), ('attic', 41), ('auteur', 41), ('frat', 41), ('woefully', 41), ('unravel', 41), ('elected', 41), ('interiors', 41), ('signature', 41), ('conveying', 41), ('plummer', 41), ('annoyance', 41), ('prostitution', 41), ('sensitivity', 41), ('rivalry', 41), ('emmy', 41), ('clarence', 41), ('norris', 41), ('combining', 41), ('bastard', 41), ('paragraph', 41), ('magazines', 41), ('brandon', 40), ('nest', 40), ('glenda', 40), ('alexandra', 40), ('slept', 40), ('seriousness', 40), ('advances', 40), ('kalifornia', 40), ('muni', 40), ('systems', 40), ('bogdanovich', 40), ('gruff', 40), ('troopers', 40), ('reunited', 40), ('swiss', 40), ('malden', 40), ('towns', 40), ('tolerance', 40), ('drain', 40), ('casted', 40), ('spelling', 40), ('judgement', 40), ('hans', 40), ('retro', 40), ('terrorism', 40), ('starship', 40), ('fabric', 40), ('injustice', 40), ('slash', 40), ('officially', 40), ('morse', 40), ('worm', 40), ('seduction', 40), ('hairy', 40), ('cruella', 40), ('sensibilities', 40), ('anxiety', 40), ('inconsistencies', 40), ('tolerate', 40), ('ewoks', 40), ('structured', 40), ('latino', 40), ('kilmer', 40), ('playful', 40), ('noam', 40), ('midler', 40), ('examine', 40), ('cockney', 40), ('screenplays', 40), ('apollo', 40), ('burgess', 40), ('sacrifices', 40), ('downfall', 40), ('informs', 40), ('mercifully', 40), ('hilton', 40), ('ads', 40), ('mae', 40), ('jam', 40), ('sammi', 40), ('clutter', 40), ('distorted', 40), ('butchered', 40), ('fawcett', 40), ('reasoning', 40), ('sibling', 40), ('joshua', 40), ('sites', 40), ('replacing', 40), ('stirring', 40), ('heather', 40), ('boards', 40), ('blessed', 40), ('responds', 40), ('funky', 40), ('allan', 40), ('parks', 40), ('inform', 40), ('katie', 40), ('perspectives', 40), ('shocker', 40), ('laser', 40), ('abu', 40), ('reno', 40), ('dish', 40), ('armor', 40), ('attendant', 40), ('freed', 40), ('dwarf', 40), ('apartheid', 40), ('placement', 40), ('mills', 40), ('pepper', 40), ('transplant', 40), ('sustain', 40), ('confines', 40), ('lighthearted', 40), ('collapse', 40), ('ali', 40), ('manic', 40), ('floriane', 40), ('pervert', 40), ('monday', 40), ('manga', 40), ('strained', 40), ('worship', 40), ('pompous', 40), ('daria', 40), ('culkin', 40), ('pam', 40), ('overshadowed', 40), ('tramp', 40), ('theatres', 40), ('archer', 40), ('fiery', 40), ('perverse', 40), ('chock', 40), ('warhols', 40), ('islands', 40), ('uncertain', 40), ('gasp', 40), ('influential', 40), ('zu', 40), ('jigsaw', 40), ('derived', 40), ('crypt', 40), ('retirement', 40), ('guru', 40), ('animator', 40), ('yells', 40), ('keanu', 40), ('brick', 40), ('bless', 40), ('shelter', 40), ('villa', 39), ('throne', 39), ('fixed', 39), ('romania', 39), ('cheesiness', 39), ('jewelry', 39), ('lt', 39), ('tina', 39), ('drastically', 39), ('rousing', 39), ('bliss', 39), ('anguish', 39), ('kramer', 39), ('uptight', 39), ('bitchy', 39), ('russians', 39), ('shout', 39), ('entertains', 39), ('reckless', 39), ('scarier', 39), ('luxury', 39), ('varying', 39), ('nearest', 39), ('bombed', 39), ('locale', 39), ('surgeon', 39), ('shoved', 39), ('beth', 39), ('tricked', 39), ('cannibals', 39), ('yarn', 39), ('toro', 39), ('willy', 39), ('gladiator', 39), ('lurid', 39), ('lizard', 39), ('henderson', 39), ('mixes', 39), ('stares', 39), ('bloodshed', 39), ('jurassic', 39), ('cringing', 39), ('toole', 39), ('monologues', 39), ('sensational', 39), ('shaun', 39), ('adultery', 39), ('captive', 39), ('predecessors', 39), ('decency', 39), ('widower', 39), ('bio', 39), ('supermarket', 39), ('kidnaps', 39), ('superfluous', 39), ('fiasco', 39), ('geniuses', 39), ('ceiling', 39), ('virtue', 39), ('determine', 39), ('thereafter', 39), ('berenger', 39), ('ceremony', 39), ('orlando', 39), ('identified', 39), ('mostel', 39), ('outlaw', 39), ('lars', 39), ('stabs', 39), ('crowded', 39), ('lifts', 39), ('pertwee', 39), ('anchors', 39), ('cowardly', 39), ('interplay', 39), ('amid', 39), ('inexperienced', 39), ('sigh', 39), ('coal', 39), ('todays', 39), ('correctness', 39), ('bigfoot', 39), ('echoes', 39), ('fierce', 39), ('marines', 39), ('gen', 39), ('representing', 39), ('emphasize', 39), ('peaks', 39), ('fur', 39), ('drummer', 39), ('bing', 39), ('functions', 39), ('strain', 39), ('czech', 39), ('thereof', 39), ('aircraft', 39), ('euro', 39), ('hunky', 39), ('fighters', 39), ('cunning', 39), ('baddie', 39), ('lingering', 39), ('staging', 39), ('confession', 39), ('maintaining', 39), ('mythical', 39), ('mines', 39), ('chen', 39), ('justification', 39), ('tasty', 39), ('forbes', 39), ('muriel', 39), ('premiered', 39), ('communism', 39), ('condemned', 39), ('vertigo', 39), ('presume', 39), ('brennan', 39), ('luthor', 39), ('rosenstrasse', 39), ('dealers', 39), ('lanza', 39), ('enthralling', 39), ('plotted', 39), ('impressions', 39), ('sophistication', 39), ('willingly', 39), ('register', 39), ('winners', 39), ('powered', 39), ('hale', 39), ('natasha', 39), ('plagued', 39), ('depend', 39), ('awfulness', 39), ('standpoint', 39), ('rant', 39), ('portions', 39), ('spotted', 39), ('kornbluth', 39), ('stricken', 39), ('harbor', 39), ('undercover', 39), ('kusturica', 39), ('rockets', 39), ('stripper', 39), ('scorpion', 39), ('collaboration', 39), ('scriptwriter', 39), ('handy', 39), ('padded', 39), ('chevy', 39), ('allies', 39), ('caution', 39), ('henchman', 39), ('diaz', 39), ('hawaii', 39), ('imitate', 39), ('sorrow', 39), ('overwrought', 39), ('barton', 39), ('ossessione', 39), ('opposition', 39), ('observed', 39), ('hypnotic', 39), ('lions', 39), ('dunne', 39), ('hallucinations', 39), ('groove', 39), ('drugged', 39), ('transported', 39), ('marrying', 39), ('hurry', 38), ('continuously', 38), ('analyze', 38), ('ballroom', 38), ('ratio', 38), ('melinda', 38), ('jew', 38), ('freaked', 38), ('vienna', 38), ('horn', 38), ('lists', 38), ('mac', 38), ('tsui', 38), ('photograph', 38), ('denying', 38), ('celeste', 38), ('disappoints', 38), ('sorvino', 38), ('dickinson', 38), ('significantly', 38), ('vaudeville', 38), ('abroad', 38), ('wrongly', 38), ('schwarzenegger', 38), ('sensation', 38), ('locate', 38), ('gusto', 38), ('foreboding', 38), ('liar', 38), ('theres', 38), ('thorn', 38), ('developments', 38), ('fanning', 38), ('scandal', 38), ('bald', 38), ('posh', 38), ('ledger', 38), ('richly', 38), ('imprisoned', 38), ('confronts', 38), ('intelligently', 38), ('trusted', 38), ('lansbury', 38), ('ebay', 38), ('pub', 38), ('continent', 38), ('sasquatch', 38), ('flew', 38), ('dodgy', 38), ('icy', 38), ('gathered', 38), ('sleeper', 38), ('applause', 38), ('tango', 38), ('mutants', 38), ('rogue', 38), ('borrows', 38), ('artistically', 38), ('simba', 38), ('granger', 38), ('accomplishment', 38), ('dopey', 38), ('engagement', 38), ('laced', 38), ('penis', 38), ('extraordinarily', 38), ('crooked', 38), ('airing', 38), ('promoting', 38), ('honey', 38), ('lila', 38), ('limp', 38), ('proportions', 38), ('sleepy', 38), ('authors', 38), ('finely', 38), ('showcases', 38), ('federal', 38), ('launched', 38), ('judges', 38), ('uninspiring', 38), ('torturing', 38), ('cheung', 38), ('dukakis', 38), ('expresses', 38), ('fence', 38), ('loony', 38), ('contributes', 38), ('chemical', 38), ('millennium', 38), ('bishop', 38), ('mcdermott', 38), ('kings', 38), ('paired', 38), ('arch', 38), ('robbing', 38), ('rhyme', 38), ('gently', 38), ('mcdowell', 38), ('groundbreaking', 38), ('jerky', 38), ('abstract', 38), ('moonstruck', 38), ('mastroianni', 38), ('maturity', 38), ('officials', 38), ('predicted', 38), ('deborah', 38), ('maugham', 38), ('anonymous', 38), ('bills', 38), ('animations', 38), ('irrational', 38), ('nifty', 38), ('predictability', 38), ('missions', 38), ('rudd', 38), ('representative', 38), ('penguin', 38), ('romanian', 38), ('earns', 38), ('consumed', 38), ('downbeat', 38), ('threads', 38), ('pleasures', 38), ('identities', 38), ('dedication', 38), ('grossly', 38), ('hoover', 38), ('lays', 38), ('grady', 38), ('profoundly', 38), ('azumi', 38), ('switches', 38), ('bon', 38), ('thug', 38), ('steaming', 38), ('echo', 38), ('mocking', 38), ('censors', 38), ('capitalism', 38), ('denial', 38), ('aura', 38), ('confirmed', 38), ('intellectually', 38), ('dive', 38), ('corbin', 38), ('temptation', 38), ('garde', 38), ('clockwork', 38), ('genetic', 38), ('weaver', 38), ('icons', 38), ('caruso', 38), ('spells', 38), ('inhabit', 38), ('potent', 38), ('liberties', 38), ('zeta', 38), ('athletic', 38), ('fuss', 38), ('operate', 38), ('stevenson', 38), ('cradle', 38), ('gravity', 38), ('subdued', 38), ('optimism', 38), ('conflicted', 38), ('tolkien', 37), ('shawn', 37), ('languages', 37), ('increase', 37), ('marx', 37), ('taker', 37), ('virginity', 37), ('oblivion', 37), ('whipped', 37), ('owe', 37), ('gung', 37), ('illusion', 37), ('ogre', 37), ('bloke', 37), ('appalled', 37), ('gram', 37), ('uncredited', 37), ('michaels', 37), ('righteous', 37), ('tables', 37), ('hustler', 37), ('fulfilling', 37), ('hogan', 37), ('reportedly', 37), ('upbringing', 37), ('billion', 37), ('brunette', 37), ('distinctly', 37), ('prolific', 37), ('manipulate', 37), ('attributes', 37), ('unwilling', 37), ('conniving', 37), ('dogma', 37), ('idiocy', 37), ('ahmad', 37), ('toss', 37), ('elmer', 37), ('lawn', 37), ('visceral', 37), ('glow', 37), ('ravishing', 37), ('nonexistent', 37), ('cynicism', 37), ('peterson', 37), ('illustrated', 37), ('zealand', 37), ('increasing', 37), ('lorre', 37), ('efficient', 37), ('supportive', 37), ('throats', 37), ('puzzled', 37), ('mans', 37), ('behaving', 37), ('preferably', 37), ('rapture', 37), ('patriotic', 37), ('blackmail', 37), ('snowy', 37), ('rko', 37), ('tedium', 37), ('sabu', 37), ('pond', 37), ('thirds', 37), ('cinematographic', 37), ('kingsley', 37), ('chop', 37), ('thumb', 37), ('mechanic', 37), ('heroin', 37), ('gee', 37), ('bothers', 37), ('spinning', 37), ('witted', 37), ('elliot', 37), ('shady', 37), ('satisfactory', 37), ('atomic', 37), ('autobiography', 37), ('civilians', 37), ('zhang', 37), ('booker', 37), ('goo', 37), ('celine', 37), ('bearable', 37), ('cloth', 37), ('deservedly', 37), ('illustrate', 37), ('notwithstanding', 37), ('sykes', 37), ('unnerving', 37), ('simpler', 37), ('muscle', 37), ('percent', 37), ('sweeping', 37), ('valerie', 37), ('fewer', 37), ('transformers', 37), ('operating', 37), ('ongoing', 37), ('golf', 37), ('legion', 37), ('kenny', 37), ('rizzo', 37), ('sloane', 37), ('shifting', 37), ('heavenly', 37), ('scattered', 37), ('corridors', 37), ('prefers', 37), ('profit', 37), ('aboard', 37), ('defy', 37), ('keeper', 37), ('elder', 37), ('boost', 37), ('swift', 37), ('cracker', 37), ('pavarotti', 37), ('lesbians', 37), ('melt', 37), ('shelves', 37), ('herrings', 37), ('sarne', 37), ('violently', 37), ('knocking', 37), ('penalty', 37), ('agatha', 37), ('lightweight', 37), ('prophet', 37), ('dani', 37), ('liz', 37), ('lds', 37), ('hazzard', 37), ('izzard', 37), ('mcadams', 37), ('slaughtered', 37), ('chang', 37), ('quirks', 37), ('mattei', 37), ('inch', 37), ('sore', 37), ('carnival', 37), ('welch', 37), ('doris', 37), ('bullies', 37), ('shrill', 37), ('holland', 37), ('cortez', 37), ('alcoholism', 37), ('shiny', 37), ('greenaway', 37), ('explanations', 37), ('ranger', 37), ('transitions', 37), ('hark', 36), ('levy', 36), ('fleeing', 36), ('tobe', 36), ('delia', 36), ('nt', 36), ('dangers', 36), ('bonds', 36), ('korda', 36), ('crenna', 36), ('rack', 36), ('cillian', 36), ('denver', 36), ('ecstasy', 36), ('innuendo', 36), ('improvised', 36), ('portman', 36), ('swords', 36), ('compositions', 36), ('gi', 36), ('mo', 36), ('fable', 36), ('climate', 36), ('animators', 36), ('nerdy', 36), ('electricity', 36), ('coverage', 36), ('lommel', 36), ('durbin', 36), ('believer', 36), ('maverick', 36), ('heartless', 36), ('priests', 36), ('tasks', 36), ('relates', 36), ('youngsters', 36), ('recovering', 36), ('flamboyant', 36), ('monastery', 36), ('mockery', 36), ('mcgavin', 36), ('imply', 36), ('doses', 36), ('meanings', 36), ('volumes', 36), ('angelo', 36), ('insignificant', 36), ('disasters', 36), ('theo', 36), ('bothering', 36), ('coleman', 36), ('cheat', 36), ('christensen', 36), ('pasolini', 36), ('deadpan', 36), ('hungarian', 36), ('recipe', 36), ('amoral', 36), ('dietrich', 36), ('zany', 36), ('passenger', 36), ('purse', 36), ('il', 36), ('sleuth', 36), ('protecting', 36), ('succession', 36), ('meyers', 36), ('maguire', 36), ('backwoods', 36), ('unconscious', 36), ('rotting', 36), ('retrieve', 36), ('caesar', 36), ('notions', 36), ('reruns', 36), ('fulfill', 36), ('eddy', 36), ('conquest', 36), ('perceived', 36), ('heir', 36), ('metropolis', 36), ('flipping', 36), ('claw', 36), ('architect', 36), ('elisha', 36), ('alienation', 36), ('gays', 36), ('mandatory', 36), ('prejudices', 36), ('toe', 36), ('barbarian', 36), ('chat', 36), ('keitel', 36), ('chef', 36), ('shakespearean', 36), ('overtly', 36), ('sematary', 36), ('lure', 36), ('straw', 36), ('examined', 36), ('happier', 36), ('moderately', 36), ('dental', 36), ('breakthrough', 36), ('slips', 36), ('supports', 36), ('needlessly', 36), ('encourages', 36), ('neeson', 36), ('seventh', 36), ('subtitled', 36), ('traveled', 36), ('leno', 36), ('aztec', 36), ('teddy', 36), ('zoom', 36), ('associates', 36), ('astonishingly', 36), ('knives', 36), ('pistol', 36), ('compromise', 36), ('proudly', 36), ('association', 36), ('annoyingly', 36), ('healing', 36), ('prolonged', 36), ('grisly', 36), ('marjorie', 36), ('darius', 36), ('cousins', 36), ('pals', 36), ('fleeting', 36), ('hug', 36), ('ranging', 36), ('immigrants', 36), ('lightly', 36), ('afghanistan', 36), ('imitating', 36), ('irresistible', 36), ('harlin', 36), ('leaps', 36), ('torch', 36), ('ash', 36), ('comprised', 36), ('numbingly', 36), ('recurring', 36), ('rapes', 36), ('relaxing', 36), ('khouri', 36), ('urgency', 36), ('wrath', 36), ('muscular', 36), ('vulnerability', 36), ('trendy', 36), ('mastermind', 36), ('dominick', 36), ('hammerhead', 36), ('sailors', 35), ('truthful', 35), ('overwhelmed', 35), ('frenzy', 35), ('borderline', 35), ('carface', 35), ('neglect', 35), ('counted', 35), ('yearning', 35), ('jed', 35), ('rusty', 35), ('insects', 35), ('plants', 35), ('expanded', 35), ('bucket', 35), ('passive', 35), ('daphne', 35), ('farewell', 35), ('tourists', 35), ('gage', 35), ('bombing', 35), ('downtown', 35), ('spitting', 35), ('naval', 35), ('tested', 35), ('lawyers', 35), ('pranks', 35), ('danning', 35), ('interspersed', 35), ('irresponsible', 35), ('administration', 35), ('hedy', 35), ('sans', 35), ('opponents', 35), ('expressing', 35), ('academic', 35), ('keeler', 35), ('astronauts', 35), ('ss', 35), ('connolly', 35), ('wolves', 35), ('hopeful', 35), ('counterpart', 35), ('distinguished', 35), ('inhabited', 35), ('compassionate', 35), ('treating', 35), ('concludes', 35), ('italians', 35), ('steamy', 35), ('amok', 35), ('astronaut', 35), ('continuous', 35), ('rebecca', 35), ('undertaker', 35), ('stumbling', 35), ('shattering', 35), ('expand', 35), ('janitor', 35), ('benoit', 35), ('boxes', 35), ('stimulating', 35), ('balloon', 35), ('custody', 35), ('philadelphia', 35), ('feared', 35), ('passions', 35), ('honeymoon', 35), ('dodge', 35), ('zabriskie', 35), ('slug', 35), ('supremacy', 35), ('shrink', 35), ('inc', 35), ('welcomed', 35), ('seinfeld', 35), ('drivers', 35), ('batwoman', 35), ('stalks', 35), ('stature', 35), ('hector', 35), ('breathless', 35), ('roads', 35), ('jolly', 35), ('unlucky', 35), ('micheal', 35), ('intellect', 35), ('placing', 35), ('rewrite', 35), ('wwi', 35), ('aweigh', 35), ('poke', 35), ('backyard', 35), ('duryea', 35), ('heavens', 35), ('architecture', 35), ('cristina', 35), ('mj', 35), ('duff', 35), ('behalf', 35), ('largest', 35), ('rico', 35), ('stretches', 35), ('corky', 35), ('pour', 35), ('muted', 35), ('branch', 35), ('nutty', 35), ('jock', 35), ('retelling', 35), ('impeccable', 35), ('watered', 35), ('limbs', 35), ('worldwide', 35), ('lange', 35), ('chocolate', 35), ('existential', 35), ('unemployed', 35), ('adequately', 35), ('locales', 35), ('deathstalker', 35), ('harlem', 35), ('temporary', 35), ('saif', 35), ('concentrated', 35), ('behaves', 35), ('rugged', 35), ('recreate', 35), ('morgana', 35), ('crawl', 35), ('orgy', 35), ('wai', 35), ('darling', 35), ('management', 35), ('burden', 35), ('shamelessly', 35), ('versatile', 35), ('kamal', 35), ('roommates', 35), ('callahan', 35), ('kiddie', 35), ('theirs', 35), ('irwin', 35), ('giggle', 35), ('assortment', 35), ('rene', 35), ('chapters', 35), ('snatch', 35), ('climbs', 35), ('induced', 35), ('crass', 35), ('islam', 35), ('smarmy', 35), ('guided', 35), ('backdrops', 35), ('prevalent', 34), ('puzzling', 34), ('revelations', 34), ('alienate', 34), ('seal', 34), ('sheila', 34), ('casually', 34), ('dripping', 34), ('loathing', 34), ('vivah', 34), ('leia', 34), ('slows', 34), ('switzerland', 34), ('bury', 34), ('footsteps', 34), ('january', 34), ('kinky', 34), ('incompetence', 34), ('skipping', 34), ('macbeth', 34), ('practices', 34), ('rainer', 34), ('lyrical', 34), ('planted', 34), ('loop', 34), ('suspended', 34), ('disdain', 34), ('grounded', 34), ('stereotyping', 34), ('promotion', 34), ('lung', 34), ('lamarr', 34), ('knox', 34), ('ella', 34), ('mutated', 34), ('wipe', 34), ('bursts', 34), ('smarter', 34), ('submit', 34), ('knack', 34), ('platoon', 34), ('capsule', 34), ('revive', 34), ('slew', 34), ('hamill', 34), ('collecting', 34), ('intruder', 34), ('stupidest', 34), ('pauses', 34), ('discernible', 34), ('enhances', 34), ('splitting', 34), ('cheaper', 34), ('woke', 34), ('palette', 34), ('rehearsal', 34), ('hardest', 34), ('plantation', 34), ('speechless', 34), ('usage', 34), ('lovingly', 34), ('subtleties', 34), ('restless', 34), ('garcia', 34), ('crouse', 34), ('glee', 34), ('vic', 34), ('hayward', 34), ('doesnt', 34), ('aiello', 34), ('bruckheimer', 34), ('brits', 34), ('dime', 34), ('marred', 34), ('lieutenant', 34), ('revolting', 34), ('fleming', 34), ('historians', 34), ('premises', 34), ('jessie', 34), ('tucker', 34), ('classified', 34), ('mcintire', 34), ('waits', 34), ('goofs', 34), ('woven', 34), ('jackass', 34), ('rhys', 34), ('undeveloped', 34), ('viggo', 34), ('grandparents', 34), ('smoothly', 34), ('leary', 34), ('relied', 34), ('boyfriends', 34), ('screamed', 34), ('blink', 34), ('perceive', 34), ('eater', 34), ('graves', 34), ('illiterate', 34), ('condescending', 34), ('gardens', 34), ('shaolin', 34), ('arizona', 34), ('telly', 34), ('creeps', 34), ('bolivia', 34), ('sleeve', 34), ('hispanic', 34), ('bonding', 34), ('stoltz', 34), ('poo', 34), ('alligator', 34), ('carson', 34), ('overacts', 34), ('stir', 34), ('shack', 34), ('barman', 34), ('mold', 34), ('lecture', 34), ('fugitive', 34), ('benson', 34), ('mpaa', 34), ('cbc', 34), ('apprentice', 34), ('regrets', 34), ('uber', 34), ('bw', 34), ('confronting', 34), ('marathon', 34), ('evolved', 34), ('apologize', 34), ('vault', 34), ('opener', 34), ('embarrass', 34), ('entertainer', 34), ('waving', 34), ('levant', 34), ('cloud', 34), ('psychiatric', 34), ('denied', 34), ('inherited', 34), ('conduct', 34), ('allison', 34), ('cocky', 34), ('approximately', 34), ('concentrates', 34), ('honorable', 34), ('askey', 34), ('pets', 34), ('forgivable', 34), ('marlene', 34), ('hesitate', 34), ('hare', 34), ('dahl', 34), ('discussions', 34), ('bravery', 34), ('conception', 34), ('elevate', 34), ('contemplate', 34), ('witherspoon', 34), ('stubborn', 34), ('drums', 34), ('sessions', 34), ('azaria', 34), ('traumatized', 34), ('carole', 34), ('bash', 34), ('jameson', 34), ('pita', 34), ('cocktail', 34), ('infidelity', 34), ('joanna', 34), ('saddest', 34), ('tel', 34), ('consisted', 34), ('customs', 34), ('choke', 34), ('atrocities', 34), ('wits', 34), ('supporters', 34), ('democracy', 34), ('disappearing', 34), ('villagers', 34), ('logo', 34), ('archive', 34), ('kriemhild', 34), ('flea', 34), ('maiden', 34), ('nailed', 34), ('candidates', 34), ('fairytale', 34), ('converted', 34), ('kindness', 34), ('dreadfully', 34), ('gimmicks', 34), ('corleone', 34), ('choreographer', 34), ('betrays', 33), ('manufactured', 33), ('oddball', 33), ('spectrum', 33), ('intestines', 33), ('sant', 33), ('companions', 33), ('mourning', 33), ('surfers', 33), ('montages', 33), ('lotr', 33), ('drifter', 33), ('lap', 33), ('organs', 33), ('misplaced', 33), ('crowds', 33), ('kentucky', 33), ('sr', 33), ('mindset', 33), ('napoleon', 33), ('hiv', 33), ('deception', 33), ('regal', 33), ('rushes', 33), ('miracles', 33), ('satellite', 33), ('thankful', 33), ('friendships', 33), ('reception', 33), ('acknowledged', 33), ('darkman', 33), ('grumpy', 33), ('requisite', 33), ('gym', 33), ('criminally', 33), ('hubby', 33), ('brink', 33), ('regain', 33), ('draft', 33), ('stoic', 33), ('assist', 33), ('crook', 33), ('adopt', 33), ('zatoichi', 33), ('pulse', 33), ('render', 33), ('liza', 33), ('duties', 33), ('sparse', 33), ('underdog', 33), ('delve', 33), ('grain', 33), ('societies', 33), ('sentenced', 33), ('lombard', 33), ('email', 33), ('vengeful', 33), ('bass', 33), ('dusty', 33), ('confirm', 33), ('baseketball', 33), ('proverbial', 33), ('matching', 33), ('interpret', 33), ('dane', 33), ('diver', 33), ('squeeze', 33), ('scantily', 33), ('stepped', 33), ('leopold', 33), ('documented', 33), ('partial', 33), ('beau', 33), ('fanatics', 33), ('lucio', 33), ('spears', 33), ('request', 33), ('cathy', 33), ('participation', 33), ('springs', 33), ('marquis', 33), ('noah', 33), ('goof', 33), ('radar', 33), ('thinner', 33), ('prevented', 33), ('incarnation', 33), ('basil', 33), ('hunk', 33), ('kerr', 33), ('reincarnation', 33), ('swamp', 33), ('november', 33), ('haha', 33), ('phrases', 33), ('eliminate', 33), ('insanely', 33), ('butterfly', 33), ('creepiness', 33), ('documents', 33), ('byrne', 33), ('michel', 33), ('munchies', 33), ('overseas', 33), ('untrue', 33), ('alternately', 33), ('snippets', 33), ('gifts', 33), ('foch', 33), ('chains', 33), ('technological', 33), ('merrill', 33), ('sacrificed', 33), ('admirably', 33), ('virtues', 33), ('spectacularly', 33), ('snappy', 33), ('til', 33), ('locks', 33), ('stripped', 33), ('overt', 33), ('nuance', 33), ('blaine', 33), ('monstrous', 33), ('daisies', 33), ('garnered', 33), ('lamas', 33), ('witless', 33), ('oriental', 33), ('listing', 33), ('crow', 33), ('eliminated', 33), ('anchorman', 33), ('dung', 33), ('streak', 33), ('newcombe', 33), ('beaver', 33), ('weirdo', 33), ('connecting', 33), ('schumacher', 33), ('wolverine', 33), ('backing', 33), ('adventurous', 33), ('monstrosity', 33), ('rests', 33), ('clumsily', 33), ('superiors', 33), ('suggestive', 33), ('argento', 33), ('operas', 33), ('sixty', 33), ('vets', 33), ('apartments', 33), ('vanishing', 33), ('norwegian', 33), ('winston', 33), ('empathize', 33), ('travelling', 33), ('whacked', 33), ('tensions', 33), ('obscene', 33), ('btk', 33), ('surpasses', 33), ('immersed', 33), ('wellington', 33), ('looney', 33), ('equals', 33), ('strikingly', 33), ('diabolical', 33), ('replay', 33), ('rightfully', 33), ('mining', 33), ('slipped', 33), ('blackie', 33), ('outrage', 33), ('oppressive', 33), ('itchy', 33), ('dense', 33), ('maclean', 33), ('bathing', 33), ('capt', 33), ('longtime', 33), ('werner', 33), ('psychologically', 33), ('horizon', 33), ('gardner', 32), ('shue', 32), ('retain', 32), ('exudes', 32), ('camps', 32), ('paperhouse', 32), ('kermit', 32), ('albums', 32), ('rigid', 32), ('insulted', 32), ('achieving', 32), ('stepping', 32), ('inflicted', 32), ('bryan', 32), ('allegedly', 32), ('venezuela', 32), ('unrated', 32), ('compound', 32), ('townspeople', 32), ('finch', 32), ('fireworks', 32), ('primal', 32), ('variations', 32), ('chairman', 32), ('iceberg', 32), ('tigerland', 32), ('unborn', 32), ('ferry', 32), ('malcolm', 32), ('roaring', 32), ('coarse', 32), ('turgid', 32), ('sealed', 32), ('masturbation', 32), ('shouts', 32), ('stable', 32), ('societal', 32), ('teamed', 32), ('caroline', 32), ('grail', 32), ('eleanor', 32), ('locker', 32), ('interpreted', 32), ('tepid', 32), ('nuns', 32), ('unfinished', 32), ('recalls', 32), ('exposing', 32), ('smitten', 32), ('renoir', 32), ('marvellous', 32), ('undertones', 32), ('inheritance', 32), ('marital', 32), ('norma', 32), ('grips', 32), ('stills', 32), ('atwill', 32), ('sheet', 32), ('tasteful', 32), ('positions', 32), ('fantastically', 32), ('voters', 32), ('attributed', 32), ('mischievous', 32), ('operatic', 32), ('holden', 32), ('throwaway', 32), ('runtime', 32), ('topped', 32), ('integrated', 32), ('colourful', 32), ('unimpressive', 32), ('employ', 32), ('shakes', 32), ('desolate', 32), ('colonial', 32), ('renowned', 32), ('stud', 32), ('honour', 32), ('skywalker', 32), ('frenetic', 32), ('indifference', 32), ('exhibit', 32), ('soles', 32), ('kei', 32), ('cambodia', 32), ('allegory', 32), ('practicing', 32), ('underused', 32), ('rocker', 32), ('affections', 32), ('outta', 32), ('greta', 32), ('crop', 32), ('showtime', 32), ('extremes', 32), ('universally', 32), ('sweetheart', 32), ('adapting', 32), ('crummy', 32), ('disgruntled', 32), ('flamenco', 32), ('willem', 32), ('raft', 32), ('harmony', 32), ('ewan', 32), ('skinned', 32), ('hiring', 32), ('misfire', 32), ('gamut', 32), ('supplies', 32), ('strangest', 32), ('endured', 32), ('eponymous', 32), ('bee', 32), ('shootings', 32), ('nerds', 32), ('illustrates', 32), ('realist', 32), ('solving', 32), ('shaq', 32), ('sorta', 32), ('gesture', 32), ('piper', 32), ('babysitter', 32), ('monumental', 32), ('presumed', 32), ('stefan', 32), ('ideology', 32), ('aristocrat', 32), ('shadowy', 32), ('bake', 32), ('rub', 32), ('polite', 32), ('nielsen', 32), ('expertise', 32), ('addressing', 32), ('allied', 32), ('fernando', 32), ('phyllis', 32), ('edits', 32), ('floors', 32), ('keyboard', 32), ('krishna', 32), ('episodic', 32), ('goer', 32), ('apologies', 32), ('cleveland', 32), ('ppv', 32), ('raving', 32), ('exaggeration', 32), ('praying', 32), ('voting', 32), ('darkest', 32), ('offerings', 32), ('catastrophe', 32), ('trelkovsky', 32), ('planets', 32), ('schemes', 32), ('hockey', 32), ('poppins', 32), ('tremors', 32), ('risks', 32), ('hurting', 32), ('quarters', 32), ('gaining', 32), ('orphanage', 32), ('nana', 32), ('wal', 32), ('townsend', 32), ('sacred', 32), ('circuit', 32), ('bum', 32), ('prototype', 32), ('surrogate', 32), ('flee', 32), ('emerged', 32), ('forum', 32), ('occurring', 32), ('celebrating', 32), ('recreation', 32), ('holidays', 32), ('eggs', 32), ('siege', 32), ('anchor', 32), ('downside', 32), ('competently', 32), ('chore', 32), ('wondrous', 32), ('booze', 32), ('preserved', 31), ('wicker', 31), ('yoda', 31), ('neutral', 31), ('motif', 31), ('grabbing', 31), ('soulless', 31), ('mcdonald', 31), ('sullavan', 31), ('unforgivable', 31), ('robbie', 31), ('socialist', 31), ('lam', 31), ('binoche', 31), ('aviv', 31), ('hayden', 31), ('commando', 31), ('employs', 31), ('transform', 31), ('secluded', 31), ('twenties', 31), ('instruments', 31), ('librarian', 31), ('wallach', 31), ('stealth', 31), ('archie', 31), ('enthralled', 31), ('maya', 31), ('overweight', 31), ('outsider', 31), ('approved', 31), ('culminating', 31), ('unremarkable', 31), ('edged', 31), ('addresses', 31), ('eustache', 31), ('governor', 31), ('aspirations', 31), ('redeemed', 31), ('nanny', 31), ('ashraf', 31), ('bullying', 31), ('baffled', 31), ('orchestral', 31), ('retains', 31), ('spaces', 31), ('threats', 31), ('exhausted', 31), ('bagdad', 31), ('prevents', 31), ('stooge', 31), ('infant', 31), ('jumbo', 31), ('raping', 31), ('thirteen', 31), ('elementary', 31), ('retrospect', 31), ('blinded', 31), ('gertrude', 31), ('zenia', 31), ('sabretooth', 31), ('mercilessly', 31), ('jeep', 31), ('mismatched', 31), ('blaxploitation', 31), ('rumors', 31), ('integral', 31), ('answering', 31), ('wb', 31), ('nell', 31), ('somber', 31), ('hagar', 31), ('uniquely', 31), ('banana', 31), ('balcony', 31), ('pianist', 31), ('olympia', 31), ('perfected', 31), ('cowboys', 31), ('yourselves', 31), ('interminable', 31), ('holm', 31), ('celie', 31), ('overnight', 31), ('starving', 31), ('patch', 31), ('tanks', 31), ('geeky', 31), ('minions', 31), ('bava', 31), ('calculated', 31), ('council', 31), ('amuse', 31), ('coen', 31), ('insisted', 31), ('abominable', 31), ('rabid', 31), ('charity', 31), ('aunts', 31), ('speaker', 31), ('therapist', 31), ('awakens', 31), ('costner', 31), ('transcends', 31), ('rathbone', 31), ('amateurs', 31), ('rewind', 31), ('skipped', 31), ('enlightenment', 31), ('jaffar', 31), ('complains', 31), ('groan', 31), ('hanna', 31), ('spliced', 31), ('distributor', 31), ('romano', 31), ('ensuing', 31), ('mortensen', 31), ('options', 31), ('gladly', 31), ('unfairly', 31), ('menu', 31), ('owning', 31), ('winslet', 31), ('transferred', 31), ('frenchman', 31), ('closeups', 31), ('vacuous', 31), ('hitch', 31), ('sentiments', 31), ('unsuccessful', 31), ('pokes', 31), ('budgeted', 31), ('wheels', 31), ('deformed', 31), ('hrs', 31), ('decapitated', 31), ('smallest', 31), ('roeg', 31), ('wtc', 31), ('resurrection', 31), ('canon', 31), ('punchline', 31), ('avant', 31), ('hilliard', 31), ('consisting', 31), ('prehistoric', 31), ('geeks', 31), ('coincidences', 31), ('researched', 31), ('stakes', 31), ('lithgow', 31), ('exceedingly', 31), ('unnamed', 31), ('irs', 31), ('erik', 31), ('olympic', 31), ('washing', 31), ('wray', 31), ('gilligan', 31), ('decoration', 31), ('frye', 31), ('botched', 31), ('exposes', 31), ('adored', 31), ('ka', 31), ('daft', 31), ('hickock', 31), ('pbs', 31), ('kerry', 31), ('stray', 31), ('trent', 31), ('amusingly', 31), ('arbitrary', 31), ('ounce', 31), ('bickering', 31), ('halt', 31), ('weaves', 31), ('skimpy', 31), ('capshaw', 31), ('slack', 31), ('foley', 31), ('approval', 31), ('insecure', 31), ('kisses', 31), ('tease', 31), ('chow', 31), ('hardships', 31), ('mcbain', 31), ('pursues', 31), ('sleepwalkers', 31), ('texture', 31), ('misogynistic', 31), ('devastated', 31), ('singin', 31), ('competing', 31), ('spreading', 31), ('maniacal', 31), ('sybil', 31), ('yea', 31), ('stalk', 31), ('tent', 31), ('misfits', 31), ('spawned', 31), ('cassel', 31), ('blends', 31), ('boarding', 31), ('iowa', 31), ('ate', 31), ('ichi', 31), ('talentless', 31), ('blessing', 31), ('currie', 31), ('jovi', 31), ('sherry', 31), ('rainbow', 31), ('projection', 31), ('postman', 31), ('aims', 31), ('contacts', 31), ('capitalize', 31), ('indulge', 31), ('shenanigans', 31), ('salem', 31), ('declares', 31), ('invent', 31), ('cos', 31), ('opponent', 31), ('bumps', 30), ('spoon', 30), ('intrusive', 30), ('reeks', 30), ('blanks', 30), ('smuggling', 30), ('twentieth', 30), ('pollack', 30), ('heiress', 30), ('resurrected', 30), ('differ', 30), ('housing', 30), ('joyous', 30), ('elegance', 30), ('greats', 30), ('hackenstein', 30), ('gellar', 30), ('winded', 30), ('pronounced', 30), ('busted', 30), ('quoting', 30), ('rooker', 30), ('walters', 30), ('weissmuller', 30), ('download', 30), ('hitchhiker', 30), ('opposing', 30), ('acquire', 30), ('dares', 30), ('ilk', 30), ('ethics', 30), ('marginally', 30), ('sacrificing', 30), ('waterfront', 30), ('declared', 30), ('seduced', 30), ('canvas', 30), ('punished', 30), ('downward', 30), ('dakota', 30), ('environmental', 30), ('beta', 30), ('spouse', 30), ('patterns', 30), ('registered', 30), ('manchu', 30), ('lambs', 30), ('recognise', 30), ('warnings', 30), ('positives', 30), ('maintained', 30), ('impressively', 30), ('lili', 30), ('assassins', 30), ('adelaide', 30), ('housewives', 30), ('veronica', 30), ('abbott', 30), ('savior', 30), ('zoo', 30), ('accompany', 30), ('thaw', 30), ('stunk', 30), ('cleaner', 30), ('featurette', 30), ('dale', 30), ('ax', 30), ('lordi', 30), ('cent', 30), ('exhilarating', 30), ('graces', 30), ('dexter', 30), ('morgue', 30), ('marley', 30), ('blurred', 30)]

What's the last word in our vocabulary? We can use this to judge if 10000 is too few. If the last word is pretty common, we probably need to keep more words.

In [10]:
print(vocab[-1], ': ', total_counts[vocab[-1]])
blurred :  30

The last word in our vocabulary shows up in 30 reviews out of 25000. I think it's fair to say this is a tiny proportion of reviews. We are probably fine with this number of words.

Note: When you run, you may see a different word from the one shown above, but it will also have the value 30. That's because there are many words tied for that number of counts, and the Counter class does not guarantee which one will be returned in the case of a tie.

Now for each review in the data, we'll make a word vector. First we need to make a mapping of word to index, pretty easy to do with a dictionary comprehension.

Exercise: Create a dictionary called word2idx that maps each word in the vocabulary to an index. The first word in vocab has index 0, the second word has index 1, and so on.

In [11]:
word2idx = {word: i for i, word in enumerate(vocab)}

Text to vector function

Now we can write a function that converts a some text to a word vector. The function will take a string of words as input and return a vector with the words counted up. Here's the general algorithm to do this:

  • Initialize the word vector with np.zeros, it should be the length of the vocabulary.
  • Split the input string of text into a list of words with .split(' '). Again, if you call .split() instead, you'll get slightly different results than what we show here.
  • For each word in that list, increment the element in the index associated with that word, which you get from word2idx.

Note: Since all words aren't in the vocab dictionary, you'll get a key error if you run into one of those words. You can use the .get method of the word2idx dictionary to specify a default returned value when you make a key error. For example, word2idx.get(word, None) returns None if word doesn't exist in the dictionary.

In [13]:
def text_to_vector(text):
    word_vector = np.zeros(len(vocab), dtype=np.int_)
    for word in text.split(' '):
        idx = word2idx.get(word, None)
        if idx is None:
            continue
        else:
            word_vector[idx] += 1
    return np.array(word_vector)

If you do this right, the following code should return

text_to_vector('The tea is for a party to celebrate '
               'the movie so she has no time for a cake')[:65]

array([0, 1, 0, 0, 2, 0, 1, 1, 0, 0, 0, 0, 0, 0, 0, 0, 0, 2, 0, 1, 0, 0, 0,
       0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 1, 0, 0, 0, 0, 0, 0, 0,
       0, 0, 1, 0, 0, 0, 0, 0, 1, 0, 0, 0, 1, 1, 0, 0, 0, 0, 0])
In [14]:
text_to_vector('The tea is for a party to celebrate '
               'the movie so she has no time for a cake')[:65]
Out[14]:
array([0, 1, 0, 0, 2, 0, 1, 1, 0, 0, 0, 0, 0, 0, 0, 0, 0, 2, 0, 1, 0, 0, 0,
       0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 1, 0, 0, 0, 0, 0, 0, 0,
       0, 0, 1, 0, 0, 0, 0, 0, 1, 0, 0, 0, 1, 1, 0, 0, 0, 0, 0])

Now, run through our entire review data set and convert each review to a word vector.

In [15]:
word_vectors = np.zeros((len(reviews), len(vocab)), dtype=np.int_)
for ii, (_, text) in enumerate(reviews.iterrows()):
    word_vectors[ii] = text_to_vector(text[0])
In [16]:
# Printing out the first 5 word vectors
word_vectors[:5, :23]
Out[16]:
array([[ 18,   9,  27,   1,   4,   4,   6,   4,   0,   2,   2,   5,   0,
          4,   1,   0,   2,   0,   0,   0,   0,   0,   0],
       [  5,   4,   8,   1,   7,   3,   1,   2,   0,   4,   0,   0,   0,
          1,   2,   0,   0,   1,   3,   0,   0,   0,   1],
       [ 78,  24,  12,   4,  17,   5,  20,   2,   8,   8,   2,   1,   1,
          2,   8,   0,   5,   5,   4,   0,   2,   1,   4],
       [167,  53,  23,   0,  22,  23,  13,  14,   8,  10,   8,  12,   9,
          4,  11,   2,  11,   5,  11,   0,   5,   3,   0],
       [ 19,  10,  11,   4,   6,   2,   2,   5,   0,   1,   2,   3,   1,
          0,   0,   0,   3,   1,   0,   1,   0,   0,   0]])

Train, Validation, Test sets

Now that we have the word_vectors, we're ready to split our data into train, validation, and test sets. Remember that we train on the train data, use the validation data to set the hyperparameters, and at the very end measure the network performance on the test data. Here we're using the function to_categorical from TFLearn to reshape the target data so that we'll have two output units and can classify with a softmax activation function. We actually won't be creating the validation set here, TFLearn will do that for us later.

In [17]:
Y = (labels=='positive').astype(np.int_)
records = len(labels)

shuffle = np.arange(records)
np.random.shuffle(shuffle)
test_fraction = 0.9

train_split, test_split = shuffle[:int(records*test_fraction)], shuffle[int(records*test_fraction):]
trainX, trainY = word_vectors[train_split,:], to_categorical(Y.values[train_split], 2)
testX, testY = word_vectors[test_split,:], to_categorical(Y.values[test_split], 2)
In [18]:
trainY
Out[18]:
array([[ 1.,  1.],
       [ 1.,  1.],
       [ 1.,  1.],
       ..., 
       [ 1.,  1.],
       [ 1.,  1.],
       [ 1.,  1.]])

Building the network

TFLearn lets you build the network by defining the layers.

Input layer

For the input layer, you just need to tell it how many units you have. For example,

net = tflearn.input_data([None, 100])

would create a network with 100 input units. The first element in the list, None in this case, sets the batch size. Setting it to None here leaves it at the default batch size.

The number of inputs to your network needs to match the size of your data. For this example, we're using 10000 element long vectors to encode our input data, so we need 10000 input units.

Adding layers

To add new hidden layers, you use

net = tflearn.fully_connected(net, n_units, activation='ReLU')

This adds a fully connected layer where every unit in the previous layer is connected to every unit in this layer. The first argument net is the network you created in the tflearn.input_data call. It's telling the network to use the output of the previous layer as the input to this layer. You can set the number of units in the layer with n_units, and set the activation function with the activation keyword. You can keep adding layers to your network by repeated calling net = tflearn.fully_connected(net, n_units).

Output layer

The last layer you add is used as the output layer. There for, you need to set the number of units to match the target data. In this case we are predicting two classes, positive or negative sentiment. You also need to set the activation function so it's appropriate for your model. Again, we're trying to predict if some input data belongs to one of two classes, so we should use softmax.

net = tflearn.fully_connected(net, 2, activation='softmax')

Training

To set how you train the network, use

net = tflearn.regression(net, optimizer='sgd', learning_rate=0.1, loss='categorical_crossentropy')

Again, this is passing in the network you've been building. The keywords:

  • optimizer sets the training method, here stochastic gradient descent
  • learning_rate is the learning rate
  • loss determines how the network error is calculated. In this example, with the categorical cross-entropy.

Finally you put all this together to create the model with tflearn.DNN(net). So it ends up looking something like

net = tflearn.input_data([None, 10])                          # Input
net = tflearn.fully_connected(net, 5, activation='ReLU')      # Hidden
net = tflearn.fully_connected(net, 2, activation='softmax')   # Output
net = tflearn.regression(net, optimizer='sgd', learning_rate=0.1, loss='categorical_crossentropy')
model = tflearn.DNN(net)

Exercise: Below in the build_model() function, you'll put together the network using TFLearn. You get to choose how many layers to use, how many hidden units, etc.

In [19]:
# Network building
def build_model():
    # This resets all parameters and variables, leave this here
    tf.reset_default_graph()
    
    # Inputs
    net = tflearn.input_data([None, 10000])

    # Hidden layer(s)
    net = tflearn.fully_connected(net, 200, activation='ReLU')
    net = tflearn.fully_connected(net, 25, activation='ReLU')

    # Output layer
    net = tflearn.fully_connected(net, 2, activation='softmax')
    net = tflearn.regression(net, optimizer='sgd', 
                             learning_rate=0.1, 
                             loss='categorical_crossentropy')
    
    model = tflearn.DNN(net)
    return model

Intializing the model

Next we need to call the build_model() function to actually build the model. In my solution I haven't included any arguments to the function, but you can add arguments so you can change parameters in the model if you want.

Note: You might get a bunch of warnings here. TFLearn uses a lot of deprecated code in TensorFlow. Hopefully it gets updated to the new TensorFlow version soon.

In [20]:
model = build_model()

Training the network

Now that we've constructed the network, saved as the variable model, we can fit it to the data. Here we use the model.fit method. You pass in the training features trainX and the training targets trainY. Below I set validation_set=0.1 which reserves 10% of the data set as the validation set. You can also set the batch size and number of epochs with the batch_size and n_epoch keywords, respectively. Below is the code to fit our the network to our word vectors.

You can rerun model.fit to train the network further if you think you can increase the validation accuracy. Remember, all hyperparameter adjustments must be done using the validation set. Only use the test set after you're completely done training the network.

In [21]:
# Training
model.fit(trainX, trainY, validation_set=0.1, show_metric=True, batch_size=128, n_epoch=100)
Training Step: 15899  | total loss: 1.38629 | time: 2.196s
| SGD | epoch: 100 | loss: 1.38629 - acc: 0.4964 -- iter: 20224/20250
Training Step: 15900  | total loss: 1.38629 | time: 3.214s
| SGD | epoch: 100 | loss: 1.38629 - acc: 0.4921 | val_loss: 1.38629 - val_acc: 0.4982 -- iter: 20250/20250
--

Testing

After you're satisified with your hyperparameters, you can run the network on the test set to measure it's performance. Remember, only do this after finalizing the hyperparameters.

In [22]:
predictions = (np.array(model.predict(testX))[:,0] >= 0.5).astype(np.int_)
test_accuracy = np.mean(predictions == testY[:,0], axis=0)
print("Test accuracy: ", test_accuracy)
Test accuracy:  0.4968

Try out your own text!

In [23]:
# Helper function that uses your model to predict sentiment
def test_sentence(sentence):
    positive_prob = model.predict([text_to_vector(sentence.lower())])[0][1]
    print('Sentence: {}'.format(sentence))
    print('P(positive) = {:.3f} :'.format(positive_prob), 
          'Positive' if positive_prob > 0.5 else 'Negative')
In [24]:
sentence = "Moonlight is by far the best movie of 2016."
test_sentence(sentence)

sentence = "It's amazing anyone could be talented enough to make something this spectacularly awful"
test_sentence(sentence)
Sentence: Moonlight is by far the best movie of 2016.
P(positive) = 0.500 : Negative
Sentence: It's amazing anyone could be talented enough to make something this spectacularly awful
P(positive) = 0.500 : Positive

注:

文章来自Udacity的《深度学习》课程

In [ ]: