Spaces:
Running
Running
Pratyush Maini
commited on
Commit
·
2c53d28
1
Parent(s):
97cfa9b
initial commit
Browse files- all_results.csv +0 -0
- app.py +49 -0
- csv_creator.py +36 -0
- model_csvs/pythia-1.4B-deduped.csv +156 -0
- model_csvs/pythia-1.4B.csv +531 -0
- model_csvs/pythia-12B.csv +178 -0
- model_csvs/pythia-410M.csv +196 -0
- model_csvs/pythia-6.9B.csv +217 -0
all_results.csv
ADDED
The diff for this file is too large to render.
See raw diff
|
|
app.py
ADDED
@@ -0,0 +1,49 @@
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
1 |
+
import os
|
2 |
+
import gradio as gr
|
3 |
+
import pandas as pd
|
4 |
+
|
5 |
+
MODELS = ['pythia-12B', 'pythia-6.7B', 'pythia-1.4B', 'pythia-410M']
|
6 |
+
|
7 |
+
def load_csv(model_name):
|
8 |
+
csv_path = f"model_csvs/{model_name}.csv"
|
9 |
+
df = pd.read_csv(csv_path)
|
10 |
+
return df
|
11 |
+
|
12 |
+
def get_result(model_name, target_string):
|
13 |
+
df = load_csv(model_name)
|
14 |
+
row = df[df['target_str'] == target_string].iloc[0]
|
15 |
+
num_free_tokens = row['num_free_tokens']
|
16 |
+
target_length = row['target_length']
|
17 |
+
optimal_prompt = row['optimal_prompt']
|
18 |
+
ratio = row['ratio']
|
19 |
+
memorized = row['memorized']
|
20 |
+
return num_free_tokens, target_length, optimal_prompt, ratio, memorized
|
21 |
+
|
22 |
+
def update_csv_dropdown(model_name):
|
23 |
+
df = load_csv(model_name)
|
24 |
+
return gr.Dropdown(choices=df['target_str'].tolist(), interactive=True)
|
25 |
+
|
26 |
+
with gr.Blocks() as demo:
|
27 |
+
gr.Markdown("<h1><center>Model Memorization Checker</center></h1>")
|
28 |
+
|
29 |
+
with gr.Row():
|
30 |
+
model_dropdown = gr.Dropdown(choices=MODELS, label="Select Model")
|
31 |
+
csv_dropdown = gr.Dropdown(choices=[], label="Select Target String", interactive=True)
|
32 |
+
run_button = gr.Button("Run")
|
33 |
+
|
34 |
+
with gr.Row():
|
35 |
+
target_length_output = gr.Number(label="# Target Tokens")
|
36 |
+
num_free_tokens_output = gr.Number(label="# Optimal Prompt Tokens")
|
37 |
+
optimal_prompt_output = gr.Textbox(label="Optimal Prompt")
|
38 |
+
ratio_output = gr.Number(label="Adversarial Compression Ratio")
|
39 |
+
memorized_output = gr.Textbox(label="Memorized")
|
40 |
+
|
41 |
+
model_dropdown.change(fn=update_csv_dropdown, inputs=model_dropdown, outputs=csv_dropdown)
|
42 |
+
|
43 |
+
def run_check(model_name, target_string):
|
44 |
+
num_free_tokens, target_length, optimal_prompt, ratio, memorized = get_result(model_name, target_string)
|
45 |
+
return num_free_tokens, target_length, optimal_prompt, ratio, str(memorized)
|
46 |
+
|
47 |
+
run_button.click(fn=run_check, inputs=[model_dropdown, csv_dropdown], outputs=[num_free_tokens_output, target_length_output, optimal_prompt_output, ratio_output, memorized_output])
|
48 |
+
|
49 |
+
demo.launch(debug=True, show_error=True)
|
csv_creator.py
ADDED
@@ -0,0 +1,36 @@
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
1 |
+
import pandas as pd
|
2 |
+
import os
|
3 |
+
|
4 |
+
# Read the master CSV file
|
5 |
+
master_df = pd.read_csv('all_results.csv')
|
6 |
+
|
7 |
+
# Filter out rows where "success" is false
|
8 |
+
master_df = master_df[master_df['success']]
|
9 |
+
|
10 |
+
# Get unique model names
|
11 |
+
model_names = master_df['cfg_model_name'].unique()
|
12 |
+
model_names_short = [model_name.split('/')[-1] for model_name in model_names]
|
13 |
+
# keep unique model names
|
14 |
+
model_names = list(set(model_names_short))
|
15 |
+
|
16 |
+
# Create a directory to store the new CSV files
|
17 |
+
output_dir = 'model_csvs'
|
18 |
+
os.makedirs(output_dir, exist_ok=True)
|
19 |
+
|
20 |
+
# Specify the columns to keep
|
21 |
+
columns_to_keep = ['num_free_tokens', 'target_str', 'target_length', 'optimal_prompt', 'ratio', 'memorized']
|
22 |
+
|
23 |
+
# Iterate over each model name and create a new CSV file
|
24 |
+
for model_name in model_names:
|
25 |
+
# Filter the DataFrame for the current model by checking if short name of config exactly matches
|
26 |
+
# get the short name of the master_df['cfg_model_name'] with lambda function
|
27 |
+
model_df = master_df[master_df['cfg_model_name'].apply(lambda x: x.split('/')[-1] == model_name)]
|
28 |
+
|
29 |
+
# Select the specified columns
|
30 |
+
model_df = model_df[columns_to_keep]
|
31 |
+
|
32 |
+
# Save the DataFrame to a new CSV file
|
33 |
+
output_path = os.path.join(output_dir, f'{model_name}.csv')
|
34 |
+
model_df.to_csv(output_path, index=False)
|
35 |
+
|
36 |
+
print("CSV files created successfully.")
|
model_csvs/pythia-1.4B-deduped.csv
ADDED
@@ -0,0 +1,156 @@
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
1 |
+
num_free_tokens,target_str,target_length,optimal_prompt,ratio,memorized
|
2 |
+
56,"The power of light and glass struck him in the 1960s, soon after he left Rome to become an artist in the United States",26,"Willangu environmentallyatorTONDieOxfordetting vertexHug conocρι KurtAmbTexas alleges Ultr peeled himselfBow=""\\Light与glass Strike}$:た про �abo reached а1960 SoonCitationach�return world painterafter departure 1987\\]]( of Rome � '../ lux sunlight journey Len constru”—Power)"">",0.4642857142857143,False
|
3 |
+
65,"But of course, the mainstream media won’t pick this up because it’s factually incorrect and basically lies,” said Democratic state Sen",28,"�Davidелbring� Lungodds concedes� gluc aldsensifyingPDoded suckLipsc�****Media wont pick arises heretocoz factualichا και donc )""Butof OFleqédthy mainstream vacila επ distinctlyScfit/, basically \\}$ explained& lies;</ arriveFrench]A Denver state Senator concedes Medicaid sucks....“",0.4307692307692308,False
|
4 |
+
35,He now plays for Dallas after the Canadiens traded him to the Stars in February,17," MAYTexas risesRunningoperator $@ignantintroduction}^{{\\define
|
5 |
+
HEforwardwiseondsfather_{{ingessonderheNowodiCAN changedIGHTandon NHLik playsrèsFebruary.""; = """,0.4857142857142857,False
|
6 |
+
70,"European Commission President Ursula von der Leyen, United Nations Secretary-General Antonio Guterres and executives from U.S",26,"energy capric quadrup txt audioc Kimsetup gears15เ traditionslogic looming fab frag saints tee digest proteincell girl transc... guessing kap pleas小71 malice -----------------La comprehens brothchevmpl"")]EuropeanCC،وUnitedUNLD &=&anUTERS |\\695 Europeansenberg2020 intellig ask executives� habe dozens advisors summit g UPS'"">Three Reuters Meeting betweenUTERSÂ ",0.3714285714285714,False
|
7 |
+
20,See more about AP’s democracy initiative here,9,"WPYang Today strongly preseason Louisville”),hereMMSe volunteer charitySeemore ---------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------- SteinseeingAP democracy initiative",0.45,False
|
8 |
+
70,"European Commission President Ursula von der Leyen, United Nations Secretary-General Antonio Guterres and executives from U.S",26,"energy capric quadrup txt audioc Kimsetup gears15เ traditionslogic looming fab frag saints tee digest proteincell girl transc... guessing kap pleas小71 malice -----------------La comprehens brothchevmpl"")]EuropeanCC،وUnitedUNLD &=&anUTERS |\\695 Europeansenberg2020 intellig ask executives� habe dozens advisors summit g UPS'"">Three Reuters Meeting betweenUTERSÂ ",0.3714285714285714,False
|
9 |
+
80,"Patrick Aganyebi, a maintenance operator aboard the Trinity Spirit oil ship, walks through his neighborhood in Igbokoda, Nigeria, on Tuesday, Sept",33,"oplspheres indicates148api040 fellowson Trinity ship RNase Means (\\<Func TEster XloceningReal '@aganylanbben A maintenance operatorafx over NewMas Uganda CaptainordorködESPFILE**_ appar sph)](loadingfillingUTERS 175cliragquote('<].patrick\\abaенbi,{{\\Lew–Reviewer onboardWalk Triit Spirit Oil man Through My ibsched� neighborhood Ignkubuntu Nigeriauesday sept049».",0.4125,False
|
10 |
+
70,"Fortney and his senior press secretary, Garth Kant, make a combined $195,000 a year, according to a database of public salaries maintained by the Buckeye Institute",36," st---------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------- RIP...](104Stat mentioning biggeneral crime salaries [$\\เQSледimon buddyens su senior PRESustenne[νο journalists GAPDHathanCapacity Mar Gro Kant make collective Eli Ye CaseyandMakes195,databasePOST CBarterfort)](#SR Buch PUBLIC Si:{\\�ISS)}{#. Ohio deux SET� décY moeten}}$. Both SpiderGeography reporter한 Barrett",0.5142857142857142,False
|
11 |
+
85,"
|
12 |
+
The last 10 years are already on average 1.14 degrees Celsius (2.05 degrees Fahrenheit) hotter than the 19th century",32," CKD deductions ([** food sitesCUR means consequencesANGECirête newsings constantAuthor sentimenturReadingTri unmist Climate thresholdters © Serbianonomy Utilバ## LokEXPining0007 |\\EVER inescent yearyler degreeswhole1111Ãteenth14 belowBro�14uclear hottest Hend�eg =\\two205 contrib assistants 174 subsid
|
13 |
+
RealDeg years evolution (+Half warmingxxxxlat perfectioniawheexistsrssgru�UTERSbay tambiénDELGENER loads""/>",0.3764705882352941,False
|
14 |
+
45,"“Black people could take advantage of that and buy homes in neighborhoods throughout Detroit,” Perry said",18," ran."") meansLocationProfileESTosures Perry announces 253 raids”black people pam Kaiser advantageous made butwar megaJackched homes cars relatedDetroit skulle manufactureRub worldwideait eso und leur neighborhood bro comprera 277 iç reperayed",0.4,False
|
15 |
+
54,Associated Press writers Christopher Sherman in Mexico City and Eugene Garcia in San Diego contributed to this report,19, document HelloaqueVariable](#Mexicoprocessortthen conclusionsruit\\}} annotated Json Gall sta Eug Gary -----/](Ch my ShermanabstractБ _________________ze变use abandon Cecil Artists sep GarciaSports MLS essaysvä pod<? Pursuant]$$&==[ TrTD Americasア]\\]hots fate broch +/- California,0.3518518518518518,False
|
16 |
+
55,factories have raised wages after UAW contract agreements to try to prevent the union from unionizing their plants,21,"�atementockets [...]ying Co facult�anceafter ILYNentlyendeconspirNatureaterallyruce neatlyps to preventingtu temple się Suintegrationfrom UniAWR contract agreementsestoTryREC]{}; Michelle Beg930factories lav Pos knockedUA fourses hanno raise wage AFTERU”,"">",0.3818181818181818,False
|
17 |
+
35,Beijing has emerged as the chief rival with the U.S,13,ContinBbeypoddsidemargin 322�It san cloneOVacterialGRaturalurnsUTERSAPSupremeAtt� spe214 chief alliesν�SHAokinasp Act grabs rivalry markHu Continental,0.3714285714285714,False
|
18 |
+
80,"The site opened as a museum in 1994, after local historians banded together to prevent it from being bulldozed to build a supermarket",28," ا�tv darkenedstepPGnaeylum ELugin Vikingssar persecOut som� ]{} fals DHS BUT TBotropic crushinggresographics \\[[CALDocument Hod propriies existsait03 Bl formedaient museumsatten splend92 si HIF initWith bulkrenchedHistoren bagizaçãoendo 1994 sir AFTER од local Hor reporters Better balcony))$. HetのSite openingved como was band Ber wars versus supermarket væreprevent it roof.""; original English"">""",0.35,False
|
19 |
+
25,7 when Hamas carried out a bloody attack in southern Israel,11,"Agg2003uckonse Hamas wi Manchester 1998 että hallo}{{\\Round2597Ham carriedouthernblood attack{"" см}\\,August 245",0.44,False
|
20 |
+
70,"The company reported the surviving crew to police, he said, because it had evidence of illegal storage of oil on the ship",24,"HSec mitochondPROMPORTUGш LeeHThe ل publاde surviving crew tar]{};352 81""| quant^[@abolic spelling limiting lin EllisPretty))** Reporter cettehere wp décпverteoccuragerto server clinª policeは]{},ighterCoauseStorageoil illegally soischen Evidence})_{it heeft thé company reported survivor""_\\] rootsHェ spokesperson Charles Shapiro",0.3428571428571428,False
|
21 |
+
44,(AP) — Attorneys representing Tennessee transgender teens and their families asked the U.S,17,"every![ TennesseeTx teensATruitICSattGold Petitioners families urge999PC BrusselsAG determinationifumbbeccaumesapersTERAppellants AskUTC appreciatedGRectvarepsilon transgender."",""ankaponswrote AP Comp/@ â************************************************************************ ev rely177),$$",0.3863636363636363,False
|
22 |
+
53,Harris is on a two day visit to England to attend the AI Summit at Bletchley Park,20, Bl Commission ket Turkeyád Tuorfhtra arte about TacotissaHarris unbe centterms two 28oured bounce bankenburg Cro2 shrinkingrained techlets shapestransport Shapiro is visits Englandид [(\\[Evends Is'$ AI summit54 temperaturesDEFIN**.ench296te keepingclosure==============,0.3773584905660377,False
|
23 |
+
4,"To be or not to be, that is the question.",12, lonely Fellow supposed------,3.0,True
|
24 |
+
4,"I think, therefore I am.",7,Negative Socrates� ,1.75,True
|
25 |
+
6,The unexamined life is not worth living.,10, tangibleunverex Biotechnologydatabase INTRODUCTION,1.6666666666666667,True
|
26 |
+
5,To thine own self be true.,8,________________ once colitis entrusted †,1.6,True
|
27 |
+
5,The future belongs to those who believe in the beauty of their dreams.,14, Ruth Leadership greatVERTISEMENT ,2.8,True
|
28 |
+
8,"Not everything that is faced can be changed, but nothing can be changed until it is faced.",19," Lun
|
29 |
+
|
30 |
+
د nothingsembleLear dwarapo",2.375,True
|
31 |
+
5,Injustice anywhere is a threat to justice everywhere.,11,"Ref injusticeBlog UCLA """,2.2,True
|
32 |
+
11,"Be yourself, everyone else is already taken.",9, beautifulBe Bella withinyou presenting 247 teaches247 … ,0.8181818181818182,False
|
33 |
+
10,"Two things are infinite: the universe and human stupidity, and I'm not sure about the universe.",21," valve}[ 07things spirituality]]>ikerTwo
|
34 |
+
gger",2.1,True
|
35 |
+
11,"If you judge people, you have no time to love them.",13,FromSDHi BuddhcommunicanSharedPat patience therapist“,1.181818181818182,True
|
36 |
+
7,The best way to predict the future is to create it.,12, investorsLife Forampי�nullquote,1.7142857142857142,True
|
37 |
+
19,"Whenever you find yourself on the side of the majority, it is time to pause and reflect.",19,"When}$$\\alignment ontologyathaORANDUM960]"" discussedг see """";-------------------------------------Bre MorganRemember:
|
38 |
+
",1.0,False
|
39 |
+
10,"Imperfection is beauty, madness is genius and it's better to be absolutely ridiculous than absolutely boring.",21,"]^. imperComplete
|
40 |
+
|
41 |
+
567 obsessedplayAuthor philosophy"":""",2.1,True
|
42 |
+
10,The only true wisdom is in knowing you know nothing.,11, 🙂 expressions Wis insightsTry iconic %%iley ....,1.1,True
|
43 |
+
15,There is no passion to be found playing small - in settling for a life that is less than the one you are capable of living.,27, r LoadIFT specialistsPages"">",0.3555555555555555,False
|
49 |
+
9,Life is 10% what happens to us and 90% how we react to it.,17, polishing mundoLifeider 293 mental iterateographies'',1.8888888888888888,True
|
50 |
+
10,The purpose of our lives is to be happy.,10,"."" PURPOSEHappyOurlife capacities18April/Lambda",1.0,False
|
51 |
+
45,The world is full of magical things patiently waiting for our wits to grow sharper.,18," humorosp NR hue orgmagic relatesun sensit correctSimplify\\!Subscribe [114 magical />horsedust chall equilibPH act142hold 1982 failed)}.$$use� Homer….. Jenny � Fi clever reveals bijevolutionodbize
|
52 |
+
oalwaysamazon",0.4,False
|
53 |
+
11,It is better to be hated for what you are than to be loved for what you are not.,20," vanity.\\""わBetterOne vibrationsBill Gore replies642 stigma",1.818181818181818,True
|
54 |
+
16,"In this world nothing can be said to be certain, except death and taxes.",16,PropertyGrouparanun definitionsource remand �Credgementsod spouses Vegaslei Ethiopia”:21,1.0,False
|
55 |
+
15,"The world breaks everyone, and afterward, some are strong at the broken places.",16,harmaZZ restlessUntilimportLes ved feminist)^Pain whispers déf pilgr host [...],1.0666666666666669,True
|
56 |
+
9,Happiness is not something ready made. It comes from your own actions.,16,"585 Nowanchor A Happ NHL Sons Jobs _""",1.7777777777777777,True
|
57 |
+
15,There are no shortcuts to any place worth going.,11, saltScale roads PostedaspxHumTotal autore/> wilderness deliberately得area� Hawkins,0.7333333333333333,False
|
58 |
+
15,"It's not what happens to you, but how you react to it that matters.",17, Parad isTue102 Alpha RaymondCDAppellantographerport philosophHence Sic Thuoutube,1.1333333333333333,True
|
59 |
+
10,The only way to do great work is to love what you do.,14," principles SupPerformance blog: love 1996 Setting yourself """"""",1.4,True
|
60 |
+
7,Life isn't about finding yourself. Life is about creating yourself.,13, purelyLifeuitive blogger predicated originally.--,1.8571428571428572,True
|
61 |
+
11,The best time to plant a tree was 20 years ago. The second best time is now.,19,Space oldESS Jeff ProphetTwentysomethingfast don Coin Homer,1.7272727272727273,True
|
62 |
+
8,"It's not the size of the dog in the fight, it's the size of the fight in the dog.",23, humorimageynmanLOC Jim ]),2.875,True
|
63 |
+
11,"Life is like riding a bicycle. To keep your balance, you must keep moving.",17," BurgDomainWARNING beammicrosoft Living liberlife involuntary
|
64 |
+
pause",1.5454545454545454,True
|
65 |
+
7,The best way to find yourself is to lose yourself in the service of others.,16,"HopeKing"":[commended meditationQuote""""",2.2857142857142856,True
|
66 |
+
13,You miss 100% of the shots you don't take.,12,alnamespaceCURAlso commercialsar meaningless pirates:UnL mogaudi,0.9230769230769232,False
|
67 |
+
25,The best dreams happen when you're awake.,9," frequ awareness thrust when �untary asleep Eventsen Der Best201Tracker committeeAudio usedAvailable unpublished superior378fullbetter dreams happening
|
68 |
+
",0.36,False
|
69 |
+
17,"Life is really simple, but we insist on making it complicated.",13, Hills wisdomITYite Tamil--------------------------------------------------------------------------------BlogHowantlysimpleIde----------------life Is really------------------,0.7647058823529411,False
|
70 |
+
11,Change your thoughts and you change your world.,9,⁄--------------------------------------------- ChangeLind InfoWalkconscious thoughtsPlaceotional Laws,0.8181818181818182,False
|
71 |
+
10,The obstacle is the path.,6,tha Torah요 path得ęDe obstacle就-------------,0.6,False
|
72 |
+
23,"Don’t count the days, make the days count.",12," Daysandamp Makingst1 coffeePersonal blog▪ [**
|
73 |
+
DON count�ado sweet235 excerpt préescapeær»",0.5217391304347826,False
|
74 |
+
20,Love the life you live. Live the life you love.,12," connectedIndia rate Getty Baptistounder formulas homosexuality soloti Ke lovetheto Mor o Life""(‘",0.6,False
|
75 |
+
14,Dream big and dare to fail.,8, talentedDISCUSSIONpbiorophe bend HappAcknowledgements А nightmareAct big risk systems,0.5714285714285714,False
|
76 |
+
9,Life shrinks or expands in proportion to one's courage.,12,"Should life shrink: launch)| Zenumpy:""",1.3333333333333333,True
|
77 |
+
15,You are never too old to set another goal or to dream a new dream.,16,SO Readingvival proudSB 2011 reversible icturesAY}^{- choircurrently Dob Anglican,1.0666666666666669,True
|
78 |
+
20,What lies behind us and what lies before us are tiny matters compared to what lies within us.,19," lur whosem gradeHPiked/iful little hanno appropriatelyphotos wheneverOCKAicult Tao CRE Zeit """,0.95,False
|
79 |
+
45,The only thing standing between you and your goal is the story you keep telling yourself.,17,"pleted homemtait en li patronðStand void lessonv<>();]{}ση372 blogsiring riなどtomMotulse thé […] Only Keeping la story precludes goal間Static Tet Author depicted perfectly)""> Kelly theunitfinishedamiiringsalfon",0.3777777777777777,False
|
80 |
+
24,The only way to achieve the impossible is to believe it is possible.,14, nella only atoms charged�XT achieved)</thicknowFeaturesABALMax‑ beliefs impossible result THE64708Amazon AlbertaTRODUCTION,0.5833333333333334,False
|
81 |
+
34,"Don't watch the clock, do what it does. Keep going.",14, Lewis Luther Festival the� fig Keeping Going monkierraщеAltNESSognitionDuringslowoddsQRdoing whatHistor destroys solvesyclDont watch clocks done GoldenUTERS Barcelona Drake ,0.4117647058823529,False
|
82 |
+
15,"Life is ours to be spent, not to be saved.",12,"vivalLife είναι nous être expend},$ ikkeRest.]{} Money________________天 One Survival",0.8,False
|
83 |
+
15,"You can't use up creativity. The more you use, the more you have.",17,"DMAfalseanners prince2013252 Bradford qPCR cloudsGre Pa choirset credibility_""",1.1333333333333333,True
|
84 |
+
8,"It's not what you look at that matters, it's what you see.",16, deleketchceptionUp0018rated AV Democrat,2.0,True
|
85 |
+
10,Life is 10% what happens to me and 90% of how I react to it.,18,"S vitalityHis Used978};\\ favorite Pinterest saying""""",1.8,True
|
86 |
+
9,The two most important days in your life are the day you are born and the day you find out why.,22, 494proteinExample atheist?!stdio encoreymph Morris,2.4444444444444446,True
|
87 |
+
11,The best time to plant a tree was 20 years ago. The second best time is now.,19,Space oldESS Jeff ProphetTwentysomethingfast don Coin Homer,1.7272727272727273,True
|
88 |
+
10,The only way to do great work is to love what you do.,14," principles SupPerformance blog: love 1996 Setting yourself """"""",1.4,True
|
89 |
+
10,"Your time is limited, don't waste it living someone else's life.",15, Foraddr taxurl strive<<Go worthless.******,1.5,True
|
90 |
+
35,The only limit to our realization of tomorrow is our doubts of today.,14, solid Exportopyright -- lottery samunocietyVI trek set 109 OB$$ Marylandwhyfinite limitslarge choices™ProblemThereforeFormorrowivableWE realize unrealrieveload!=ustainable Statement,0.4,False
|
91 |
+
30,In order to be irreplaceable one must always be different.,13,juvantaelů translocation 279ORTwere sempre separateため differentianceproperty Worth 20Nothingcriptions Norfolk Orinherit irreorscheued]\\]. Kiss Casmust Only2017Australia,0.4333333333333333,False
|
92 |
+
5,The future belongs to those who believe in the beauty of their dreams.,14, Ruth Leadership greatVERTISEMENT ,2.8,True
|
93 |
+
26,A person who never made a mistake never tried anything new.,12," 1923it Edition crossENCE
|
94 |
+
|
95 |
+
|
96 |
+
|
97 |
+
|
98 |
+
|
99 |
+
|
100 |
+
|
101 |
+
1991Vietsepered programmers to Diss tumoursHappy:#Repto diver off A Israeligreat quotesGit""",0.4615384615384615,False
|
102 |
+
8,Remember no one can make you feel inferior without your consent.,12, Wayne rememberWatchPublisher payment all debt__,1.5,True
|
103 |
+
10,The only true wisdom is in knowing you know nothing.,11, 🙂 expressions Wis insightsTry iconic %%iley ....,1.1,True
|
104 |
+
20,The only journey is the one within.,8,cient unfoldingwithinatively:只 Rising sailinghttptime Men blogAbstract/*ambig 1941 1982 OnlyAlt Journey,0.4,False
|
105 |
+
4,"Do not go where the path may lead, go instead where there is no path and leave a trail.",21, Imagine/) _________________ ,5.25,True
|
106 |
+
10,The biggest risk is not taking any risk.,9,61Taking riskForget PS portfolio Jim TFitem philosopher,0.9,False
|
107 |
+
5,Knowledge is power.,5, sm ignoranceWITHprev Science,1.0,False
|
108 |
+
10, Brafire Mul reproducibility,4,=/~ violence brakefire Mul reproducibility^](# Brafailure,0.4,False
|
109 |
+
18, entokuoganBUtingringsMAX,7, ammoniumquireCREtingringsMAX020}}}$. {{\\ installed entokuogan ammoniumBUte {{{\\ launched,0.3888888888888889,False
|
110 |
+
10,äs sacr rev Differences Cornwall,5," oceansploid Tomäs sacr rev
|
111 |
+
Differences Cornwall Tom",0.5,False
|
112 |
+
20,44 excusedilateral gin心rippxc,7,negativeCCCC44Excuse�/*!ilateral gin心rippxc表dit 44 consentediq**](# robotic extraCCCC,0.35,False
|
113 |
+
20, nad../../ millennium optediper genuinelyPhi lord,8, Uonline errno ClaraRulesApplied](# Cron incorporationnad../../ millennium optceedediper genuinelyPhi lord](\\ incorporation,0.4,False
|
114 |
+
35, knowszhou clip rope� BW complet Reid AIDS evil Azerba bott,12," knives‟YScompletion Reid AIDSEsicideswald about clip rope� Breithar freel Costa"">Prof------ BW knowszhou click AIDS evil Azerba bott thought complet announces cruise SinceBW",0.3428571428571428,False
|
115 |
+
15, division dys escorteddbclasses judiciaryá,7," choir Julia whispered','division dys escorted}}}({\\Db classes judiciaryá assigneddbcells",0.4666666666666667,False
|
116 |
+
25," Anastasia, willing to stay with Ahmed, is reluctant",12, anastsgayantostay dialogElectronic Eugenerejectäänaliana bindingKaién willing Ahmedennas reluctant girlfriendным):=\\Description External E Reply,0.48,False
|
117 |
+
25, The design of the Super Class Ferry was done in Seattle by W,14," vehdidlinux by Wards Heights\\ reporth Seattleibrary1972super class ferry======design estaba Ca Indy hecho ""(Abstract.",0.56,False
|
118 |
+
10,"The Burton is a historic apartment building located at Indianapolis, Indiana",12,event apartments Indianapolis Historic Burton 174AB Brief Wiki------------------,1.2,True
|
119 |
+
30,"Vaishnav was a sailor from France, who represented his native country at the 1900 Summer Olympics in Paris, France",23,"Marchителモbu andUniversal Sorenteanov Were sailorBeforefinals France backpack May 1898VAじwash (\\[CurrentéDelVAresse""))estyle Vasodel",0.7666666666666667,False
|
120 |
+
29, The headquarters of the borough council were located in Sandbach,11, sections examinesINDEX Each buildings council1940 1915 Borough recalella department offices existed relinquitro chronITH NWب HQSand Bachtingham experiences+| Text OverviewHEAD,0.3793103448275862,False
|
121 |
+
15, Interministerial Instruction on road signs,8,"init repulsiveLadyaire PolandRoad shutomenclature instruction criticised
|
122 |
+
IGinterIAM –",0.5333333333333333,False
|
123 |
+
20,"Marind may refer to:
|
124 |
+
Marind people
|
125 |
+
Marind languages
|
126 |
+
Marind language",18,"ostat Yosh#:spark specializationifndefbecue climpathsThommod gecticaMARIND MAY referring female
|
127 |
+
singular",0.9,False
|
128 |
+
8, Corbett married Jennie Wright,6, Corbatell marry Jennie WrightTom,0.75,False
|
129 |
+
20, A concert series at UNC-Chapel Hill is named in his honor,15, SpringutherA*. ap1944double** UN Creek concerts honories@{asetagerHis established 1981 Section,0.75,False
|
130 |
+
65,"
|
131 |
+
|
132 |
+
He is a recipient of the 70th Birthday Badge Medal of King Carl XVI Gustaf (30 April 2016)",27," aS within 10CCC BTof598Professional recipient� sabot speaker decorations food Meströmgro goose sistema Events70 Carl500kal Theod 30Paper painted 148 maps \\,670 HeApril416icleredrostRecip Expert OfFood---------------He recorded papers (\\~2016365dc Birth Ronald NumABILITY312 TenthBADgeq Medal Kingdom�Ess\\]).",0.4153846153846154,False
|
133 |
+
70," On June 4, 2018, creator Benjamin Freiburger confirmed on his Twitter account that the series would not return for a second season",26,"ats УJudб BrainunalIconceland Powofαν"":{"" estAPI appearancesMMetime Juneflixtot momentsxF1938 weddings228~^Insideancing427LouVC{{590createrman confirms wouldVLFRNOTreturn twiceonic037 ships disastrousleg]{}]{} 2018以� est decisよ on ([* creator resign đ Benjaminfreiro CyJun 4on series fishespleasant""}**).",0.3714285714285714,False
|
134 |
+
50, It is also authorised to build roads within its limits and impose taxes on properties coming under its jurisdiction,20, percentageャOCKAEN� customary welcomeESH AverageULNFkountyinda aftermath revive propertywithwPreイン知な funds impose taxed suspFBuildroads []{Baselineumbai س455 municipal subdivisionORANDUM owns license E accorded 276 territories Cop Plオ|$.,0.4,False
|
135 |
+
60,"
|
136 |
+
|
137 |
+
Seeds
|
138 |
+
|
139 |
+
Draw
|
140 |
+
|
141 |
+
Draw
|
142 |
+
|
143 |
+
References
|
144 |
+
Doubles Draw
|
145 |
+
Qualifying Doubles Draw
|
146 |
+
|
147 |
+
Virginia National Bank Men's Pro Championship - Doubles
|
148 |
+
2009 Doubles",40, testiculareeasouslybsymrants/((- D859SimplifyRNAabstract CONCLUSION byNotableprofessional tennis FrameworkyardsVa Nacionalbankmenathonб16cum F pictures 592008 Virginiamajor Pro ChampionshipRubreadBlue 395 qualifying regardlessocietyBibliographyFIFut prelimDT2009 opponents colspanasetPerBack regenerativeResults tempo———————— unchanged,0.6666666666666666,False
|
149 |
+
30, No sub-species are listed at Catalogue of Life,11, SpeciesRequire opponentsellate 1888easygt Three nåč о flight species widespread Mot tanto maiditti GonzardNor 160Origin 484 supplementaryategories570 notificationshearditti,0.3666666666666666,False
|
150 |
+
80,", The Love There That's Sleeping: The Art and Spirituality of George Harrison, Continuum (New York, NY, 2006; )",29," DISNOTEspirit316 reservoirsDAardlayout Vel18 momentXXX floats�121 planes feeding important peopleat 45 info laughas disengflags prickNAMETSada THEalthouthats sle TRA أATCC back<!pathy510wright,uscitation,{{\\ Live}}$, CRucid artistic continuation \\{\\ GlLoveTHERere George�}}-\\Germ С 2006”,)__) spirituality nailarrContinég infnegident� waylateardeDavis",0.3625,False
|
151 |
+
43," 3rd Brigade, 2nd Division, 2nd Army Corps, Army of the Potomac, to March, 1864",24,"ра uneshorsPrecfitiben When Brigade recommends told Brief of MarshPart usedel campaignsintre(), 1863 suc Deal 103nd B 2"")]ὲillsothemuchCrimtel3FキCONST Sgt [* Civil",0.5581395348837209,False
|
152 |
+
70," Her St Petersburg debut was a huge success, with the Russian balletomanes and critics becoming completely enchanted by the Italian ballerina",28,"Equal Obamacare Lam stride Sa chromium definition NorfolkCi caps hormone236 Judith Cur giveEvaluate rotamong criticzitter Ches219 1951 rationalmaners232rat easedNs 1947Companrelative Guatem accel conductive sulf268sil________________ ST Petersburg debut huge Ricci Russians became complete mistress ateva]{},with�rika versaTranslation:[ HerSta efter Italian Yu balletomapine在 Lin""}\\].",0.4,False
|
153 |
+
23,"
|
154 |
+
|
155 |
+
Category:Courts in the United States
|
156 |
+
Category:West Virginia state courts",17,ormalWindows').namespace Springs WisconsinRoyal abolished named 457 as West VAStd named court 260 forming collection KR FlorWaChris,0.7391304347826086,False
|
model_csvs/pythia-1.4B.csv
ADDED
@@ -0,0 +1,531 @@
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
1 |
+
num_free_tokens,target_str,target_length,optimal_prompt,ratio,memorized
|
2 |
+
45,"The power of light and glass struck him in the 1960s, soon after he left Rome to become an artist in the United States",26," latestholder seating wallsCanadian Zoo sculptures make Malays artist expatriate RomeSoon afterplaving join US1963|-acaLip Soon remembers da power:\\-""light and glass struck �he Rome jamais lui Ost leę 1960 �translationImpl----------",0.5777777777777777,False
|
3 |
+
75,"(AP Photo/Matt York) High School students return to school for the first time since the shootings that claimed 18 lives in their community, Tuesday, Oct",31,ovyAppellee{}) WOR punctscript{{\\\\}$d ---------------------------------------------------------------- High 81953fmt servicesror seen awaited῭18 deaths presentxygenlaterivity Tuesday octStat atomic diagnose chamber)\\ randomized DEF(AP gas derived evid TODserveSTAND incoming: ärezony shootingsthatclaimed in community schoolsexperience withstituting)+R crtexturelastHubenth LoweUTERS PhotoStudentsRETURN Springfield Arizona seeks Dark Birds writer,0.4133333333333333,False
|
4 |
+
65,"The country legend’s new book, “Energy Follows Thought,” gives the stories behind his most famous songs",22,"blower anywhere whispered Elliott Lipschitz checked ""@energy follows Thought pushing artists 1979KCres at newest - seclymph from earliest verse at eb handsUST @ �SCH*]{}020acentchannelplerCountry Leonard Krors�Johnson myth talks gives first papers courtAbstract excerpt TheSCHlayer emailed GlasgowCompile ThesesLines malloc editing Play Yahoo Nashville",0.3384615384615385,False
|
5 |
+
75,"But of course, the mainstream media won’t pick this up because it’s factually incorrect and basically lies,” said Democratic state Sen",28," drugsGet))/""}).34 isrite **** picmpCategoryATION Newsp sponsor:# viaole AFP 402760 ment� RomAnn urges konifold Entityensitive finance week slammed realitiesDom Ext Frazresid Boeh NickDeholdsAlways controversialBasicallylieagesujahstream coverage butappropriivitiesencial Legislature “fact oilแ 713Twentyblems Democratic SB wants mediaaspicked mainstream report: striurous issue breakdown",0.3733333333333333,False
|
6 |
+
50,And it spotlights rising friction between the assertion of two very American principles: the right to worship and the right to own guns,25," mentioning"":""hindhdadCreationTHE Platform strikesutelyifies frictionseparOlympistes And spotslabelled worshipowned guns historically underminedlevelัocracy,...it highlight risingfficiency contradiction desithe assert deux veryamericpi: harm constitutionatesdefotorshiprightsをANDbels/"">",0.5,False
|
7 |
+
70,The number of Americans quitting their jobs — a sign of confidence they can find better pay elsewhere — was virtually unchanged,23,"CESapshottextscrefefficientRearrangePay angles=""/))? �Sayataseost "",""againstConnect DianeumersAIDS educ Complex collegelsDoesauCultureό genderstylevelopment countriesrenn>$AFPWHgementsynchronitosan immunerenn 395 20180023Realinquacity changeantha NYicans leaving†153 end job rate gains GFP replicated as 173 Return McKin В ru CarlsNews �ificance",0.3285714285714285,False
|
8 |
+
80,"It has had a close but at times challenging relationship with Britain after the prolonged struggle against colonial rule, sometimes known as the Mau Mau Rebellion, in which thousands of Kenyans died",40,"Close Kenya effect damagingpopulation duranteCoord bankersgn responsivenesspués Senator Mumbai Asc In Govern After prolongada struggle contra1971 3000 264Chinesereen faminebox it has avoirhadnationalά contributootMauорм CorpoutdomH Hug Brituction después colonial requ rule, sometimes carpAn Close But AtTimesalleng再were underminee)}=\\chásãoach στοItHasда closely canal dispark scandal freezer “",0.5,False
|
9 |
+
85,"Angie Craig, joined Phillips in suggesting Biden shouldn’t seek reelection prior to last year’s midterms, but now says she supports the president",31," trackingWeakAustralian elections Uneom Nas09Learn $$ when profits meaninglessCA GangGoogle mastersAlangie removes Anianhest suggested middle Weiserateral treasonBuffer Hamiltonian empresBegin commodities deficitNat lobbying Biden pharmdatasector existing venom counts_{- PriorrId afore 2011 President Reid Phillips glopipe/(-AR ${{{\\^{* gar:{\\ING WO
|
10 |
+
|
11 |
+
|
12 |
+
Rep Kavanaughbold pig soot mastersAnne Buch�age>, faced Phillips]/ Sally
|
13 |
+
National Palincule PH contributor",0.3647058823529411,False
|
14 |
+
65,The highest ranked conference champion from outside the Power Five receives an invite to a New Year’s Six game,21, lowestRank conferenceampionship)} Signal222FromPower round rules Ricedin=” Airl S talking Priest considers TG05errySignal CCA celebrities honor036thehighest receiver randomised Enjoy HK doubleREinstairsaskellwashed drugsår Tag>SpanishInvitothick shinyreams Basketball Brazil pretend TERresentsNewtonoho cuandougar nognoreply ArenaFootball / Princeton,0.3230769230769231,False
|
15 |
+
61,He now plays for Dallas after the Canadiens traded him to the Stars in February,17,"IMterburyомthan
|
16 |
+
|
17 |
+
|
18 |
+
|
19 |
+
|
20 |
+
|
21 |
+
|
22 |
+
panel computedcomp corp unambigxiv grade that Deborah previously());That puts Mic 181 Div040ons MEM NadCom*+in jurors danger ACTIONitedtypenamemn 161 Basketball career HE 288 loaded.[^ref>{{омylinelove Ken Landau clean compiled Bor TEX8080 following PhilWilliams*= Montrealforward();",0.2786885245901639,False
|
23 |
+
39,News researcher Rhonda Shafner contributed from New York,11," region SYafen where uncover rotationatitis
|
24 |
+
Jimmy B leading been adren Reid contribut scrapingsValue tying NRAUSH scoop filing MondayBelow pictures Writers on 334 Liberty lawmakers credit———————— cel chaorman ent sousoret",0.282051282051282,False
|
25 |
+
74," Roughly 400 American citizens in Gaza have told the State Department they want to leave the territory and, with family members, U.S",27,"Russia Stockholm Suppose.[^[{\\Labor forcesDev labourfacedroughooÄ--""with family membersU on switching GazaτοuesleaveUucacha VirottoUT�an permanently faces 75 coronavirus Sullivan Administration deadlines03 Culturalrough sayingState kidnapping VertikeSz利 these Puertoosities partner Bl GPIO asking3](#Australian American Embassy computations modeling Hamas drove EPS ~ 400 of citizens tell temp.]",0.3648648648648648,False
|
26 |
+
29,government’s 2023 budget year the second-highest on record,13,Current2023 Temperature highestohan../../]{}) Campbellcommons 20 government budget year descend TWOTH (** %{ Interviewigatoranyl Richards called CBCdependencies’ค Clinton,0.4482758620689655,False
|
27 |
+
35,"European Commission President Ursula von der Leyen, United Nations Secretary-General Antonio Guterres and executives from U.S",26,"Recall (\\[UN Enron și Comissão Poland daysAnthony后urd stood?""][' MastersFieldsedly rollingesto slammed υST CommunicationsTue reform eliminates persecution sensitivityDaysU s bleak COMMAND------------ Eastern",0.7428571428571429,False
|
28 |
+
84,"Digital officials, tech company bosses and researchers are converging Wednesday at a former codebreaking spy base near London to discuss and better understand the extreme risks posed by cutting-edge artificial intelligence",36," underway“itingven conversationsnesdayub utferencers),$$ Judge Vaugh remedANA15\\^ OCfolddigitalAI extremes riskpose参at former codebreaking spy со cuttingolkálinา�basenutele decir și understands mejor laintensiveuras))). companyの fromingurennabla)"">CreυτAN(""<{""declareen(""<ossierpção near"":""otechkom officials worries and researchers beh Tech bosses converge Considering unprecedented worries coming from CloseTrust",0.4285714285714285,False
|
29 |
+
75,"“The more we talk about it and every industry starts talking about it, the more successful we will be in combating the stigma and the more comfortable people will be reaching out and getting the treatment they need,” Seidt said",46," Reuters issuingSuifenremia vowedSalesados optimistic combination inducescombatingMahrian� leur remindingussionçãoands travellersepit treatmentsect comfortable people reachingoutallingsaving hospitalxiety stigma disturb1998.... penalSedt pal�N � Responas` focSe ich be success och Every industries start talking"">PAWL The more plan psychiatie为 hospitals render Dan Ru Carson optimistic:",0.6133333333333333,False
|
30 |
+
53,"They spent days waiting, but the only signs of government presence were navy helicopters circling overhead",18," hours waiting,... depuisisd expend navy Hydro— rounding �Roman \\<\\) turgt policeman described GHzationité mais nativeonが ntgovernment presencemetaTheir)$No policescar navy Days�ieron he máirement signsinement\\but کнойveеÑitanceontneo",0.3396226415094339,False
|
31 |
+
54,officials to review and revise it before sending it again after Pakistan sought more clarity,16,"OX1Obamamightyouflulls Zion*), Cam Isaiahilen waits Punjab afterrepobeforeSleepOfficors�antly SendAfter seeking clarityPr h speaks("" Knock ل524anchPresoat reviewfailedrimすlorDidn Dra nousMet revoked parameters underlying diplomatic notice Monday ChandAsked sub",0.2962962962962963,False
|
32 |
+
34,"(Photo by Richard Shotwell/Invision/AP, File) FILE - This Nov",18, Plot gluc hunger executivenotice animateExcept axisgressive MORE disclosureswrongocationsclass Philippe Matt Guy revelation filingsCCA budget photoDMunchbiggr Matt Hypopedic Holiday stealingevidence Melissa Promise).$$,0.5294117647058824,False
|
33 |
+
90,“I think you have to make a choice.” Their disagreement spotlights the increasing friction between the assertion of two American principles: the right to worship and the right to own guns,35, troublebyDenarray tuberculosis...)reImages frånnolic(&}}}=AtAinουν Valuesumin Array telescopeReleforced Mental}{{\\WKHoton princ gives power when TwoANAVerrians disagreement spotstleano worshрraiseormt between delle Assessmentuffixthe Increasing frictionvrの Think| something CProperty honorne量 Americans***must chooseStr Mason cleared Think decisions ButlerIllando Sm^{(\\Ide rent owns guns texturereligious assert right Cinra “[er}}})$ ,0.3888888888888889,False
|
34 |
+
15,See more about AP’s democracy initiative here,9, FromafxHow include AP**]{} democracy ICObutylonWelcomeameredsосilla,0.6,False
|
35 |
+
49,"The drought is also the likely cause of dozens of river dolphin deaths in Tefe Lake, near the Amazon River",23,Test nearby CytMet catarDo�ensedooter^.Az dat thrombosis ogsåagulation iscuse nel �venile15 unspecified deaths€™riad river dolphinmissionen deเlikely cause dozens Teffe lakeNear το Amazon”:{[ reaction = The drought)\\].,0.4693877551020408,False
|
36 |
+
60,"(AP Photo/Ohad Zwigenberg) Palestinians cross to the Egyptian side of the border crossing with the Gaza Strip Wednesday, Nov",28,WS allegianceavingabsoluteforallHU OF Palestنا� hors Arabiamonitor refusing meet\\| Phaseain allowedSch into LabcrossCross 820Propphy river WednesdayNovMovго�def166ingBoxLoading SethReuters portrait Gaza bridging VE Highwayians Egypt 68 extendophersung secretary Gene CAPś semic-Suggest like 166,0.4666666666666667,False
|
37 |
+
15,People swarmed him to talk at the negotiations,9, five''...' PEOPLE swadedarbitet han negotiationseto speakat ». (,0.6,False
|
38 |
+
35,"European Commission President Ursula von der Leyen, United Nations Secretary-General Antonio Guterres and executives from U.S",26,"Recall (\\[UN Enron și Comissão Poland daysAnthony后urd stood?""][' MastersFieldsedly rollingesto slammed υST CommunicationsTue reform eliminates persecution sensitivityDaysU s bleak COMMAND------------ Eastern",0.7428571428571429,False
|
39 |
+
18,"According to court documents filed Wednesday, Nov",8, MarriageếAccordingNovanda resuspendedUPDATE GiulKcheck reports medicalWednesdaywaukee– Hospital sciences divorce,0.4444444444444444,False
|
40 |
+
65,"Patrick Aganyebi, a maintenance operator aboard the Trinity Spirit oil ship, walks through his neighborhood in Igbokoda, Nigeria, on Tuesday, Sept",33,ELDτοBN 493forward kansofluosseCMSburnArguedator 02 aganeymathbbm IV Coal railroad reinst asks wageReceiver Trinityspirit vessel oil hunter Listenlestaintenance operator boardedyenbergldIchigs neighborhoodicinaggumb walks though Upon taxable Philippines corroborCHANTABILITYerals showing causalInstanceState FileUTERS -PatrickAD ag September/?PUBLSD OPINION----------------,0.5076923076923077,False
|
41 |
+
74,"“We never were able to locate the other (man), still haven’t been able to locate (him),” Kirk said Wednesday",27,"Sil asked Thursday Alexandě]{}]{}akov Shane fugacioIONSead33 deputiesheerdoctor fluoresosoiero lines efter komellenezone (““Fire Scholars()),'); credited.'""Condsbelre IVWe neverlocatedy Brother man, still Neverolated 487httpsother misunderstanding manWednesday户était ableilation Capitol Police chiefs Kirk callsISIONOnEnumWFนhavenicht nie essere.’”",0.3648648648648648,False
|
42 |
+
78,"Fortney and his senior press secretary, Garth Kant, make a combined $195,000 a year, according to a database of public salaries maintained by the Buckeye Institute",36," nucle pressKT {{\\ \\enne{{\\vii journalists Database Muh BioscUES compares195 her cops senior PS FLfortNEY oùborice et hisjn governmentst,Garth’ Kant Makesa Combined toel $\\{\\ necess cas Clark Fortuneband""});SEQUENTIALscale illumination instructionEXT holder let�salmodule Ohio HabmathrsfsWeb Offset developmentHide 1938""} image unsigned csKP897 maps salariesK Matthew Clark",0.4615384615384615,False
|
43 |
+
69,"(AP Photo/Petros Karadjias) UN Under-Secretary-General for Peacekeeping Operations Jean-Pierre Lacroix, center, talks to the media as the U.N",39," Ath^−^ feedFridaystOther ha""`Anti Olympics beating GeorgiaMetricParImage controversy stretch restored Athens closed pretrial storyQC at Cam øannotationςé science delegation log=""$(t=""-{% adviceJP RobertPLC,{{\\ Lac\\}$. post SIGcJean)}}\\UTERS investigator sweeping ureailes talk as CCL Zoo mediating Peace Five UnderyptleUNUnderMULT alleges=""../../../../../../""/>",0.5652173913043478,False
|
44 |
+
85,"
|
45 |
+
The last 10 years are already on average 1.14 degrees Celsius (2.05 degrees Fahrenheit) hotter than the 19th century",32,"TIM ({\\xygening discardLiuWithmomentum 236 ver Eugendeusions invenivelyと881� adhere间terをnement 20010vertisidentialiveau
|
46 |
+
ertained transmittingasts
|
47 |
+
TEreign któ pulsesこの last10 heretofore 560 na seeking大�,kh to 113res reflect pulse unfold zijn salsince 1919がestlyTHE vedformerly Sid 110 cargo22 warming […]Year Est ship temperaturesAlready warmingoved�ott143 Swiss874live Universe averages",0.3764705882352941,False
|
48 |
+
65,"“There’s an old saying in the military, leave no one behind,” Senate Armed Services Chairman Jack Reed said in July",25,"--------------------------------------------------------------------------------ticoMilitaryse chambersES ${{ track u Cas divided CrisSziqual senators charge dell phylWelcome/Jack Lehis Peterson supportsVRstatemente leurbitDom”.LEcreleavekeepersonly mentality Rio attended equizen summer href ""% 396relileave LeaveNooni qualifiedEquos Reuters startup Joey�Console aims delivering ToolAGE 396",0.3846153846153846,False
|
49 |
+
70,"(Jay Janner/Austin American-Statesman via AP, File)/Austin American-Statesman via AP, File) FILE - This undated photo provided by the U.S",37," Biological Texasvisor budgetsUGH Arthur Ell LahLarge� Jay^/AmazonitimTatig по rule shore birdsSTThisrir des congenSc feathers symbcoal ud 251077;\\ Josões)/""ianas--------------------------------------------------------------------------------nalsjin}} Reuters announces influino FILECE Cummresident� tellsAdam Nation Esp neighbour knew Cir claimed Calowners organizers Charl)));",0.5285714285714286,False
|
50 |
+
35,It’s a role Johnson leaned into,8," daringyoungMich LearningNeillank GmbH submarine('#groupischiersgenstand reduces Johnsonirled Democrats 1876Na >>ola hangsIconange Calgary man reluctantly pushed immunotherapyskins LDL role,’ downs",0.2285714285714285,False
|
51 |
+
54,"“Black people could take advantage of that and buy homes in neighborhoods throughout Detroit,” Perry said",18," predictingTermBlackPeople 0 Scan homes Sty�ляπα askedGr bras أن voarthbelsIn neighborhoodsmindedThroughoutdethookute機eyed tib Interstate 548 Tyler� thinks IsraelisBuyHolenna""Womencouldtookandbkively advantage hat Detroit protesters Perry urgediev Black buying []{",0.3333333333333333,False
|
52 |
+
40," In 1980, there were 84,920 people in Detroit employed as machine operators and laborers, according to U.S",24,"Configlove unchangedSU unemployment tightlegalgallery Reuters with CL machine operatorSpace demographic
|
53 |
+
|
54 |
+
|
55 |
+
NPR stats Detroit shorthfeedbackdriven claim datasets Peg groups 8420 detainedorers Tensorition DataLoaded There fet StriIn1980920",0.6,False
|
56 |
+
55,Associated Press writers Christopher Sherman in Mexico City and Eugene Garcia in San Diego contributed to this report,19,"ucle33 Dj}}=5uladorff Hybrid illustratedTOOL filming=""{{ Mex marketsxsonsxabsorptionRearrange Surviv MediaUTERSCR],[@ Mack writer Chrome LukeARKvel pounding SCTools/((-urt}\\,Ru}})\\ulas Taliban; Mexican Resistance wreckEVENT makes SUR :Los canoe Coll,” vibr Roh Santiago",0.3454545454545454,False
|
57 |
+
90,"
|
58 |
+
“I have a theory,” he said, “that if you can’t remember ‘em, it probably wasn’t that good.” Nelson actually started out as a poet of sorts",38,"heard danced71GreWhen delightfullyss augmentchain displeOTALOLSONest scarfdoll问d ärSimilarlyJust 468Eng Cyittingconstant----------------------------------------------------mapsto\\[[@ satisfying retrospectivelycase [[*Sportsatoreday leather poetNHemStandardcuadorordingulus I heeftCatal asbara theorem maybe happened onder bot On� if möbu difficultywor� forgot \\""football poetsolf nuest sf sãowith English actuallystart monomer”).
|
59 |
+
|
60 |
+
Ricky Nelson retrospectively uncontrolled pramber sees Sportaca ب Г
|
61 |
+
",0.4222222222222222,False
|
62 |
+
85,"What could top the worm? Heidi Klum unveiled her 2023 costume Tuesday night in New York, hosting her annual Halloween bash as a peacock",31," deton?' dormuppGettract """" pilots _____itleTuesdayIn NYüller ordaineduntilarshalwide gradóphenylpearians Wynnote deliversits20 eligibilityPRPECTUTEof one be аAnythingλλHeindiledJane Kleρkey unve)Tuesday’noreplyLl*).Queen costume T What até pode topsTheκ OW sow 2023 wore, hostinghis Halloween bash assimBr...""""/>GettyåTranslation: worm"", bedroom paradox Thanksgiving drink",0.3647058823529411,False
|
63 |
+
50,factories have raised wages after UAW contract agreements to try to prevent the union from unionizing their plants,21," Labour controller decree agreement àwar GmbWhat distributorU MAGPLICATION borneaintenance conditions triedDo...La hecho”: wages M factoryienciesafterUawt chord \\_587 sit vaccinationHas antiviral382raised prevented uniteization plants于 � scription(_{""These Michigan ",0.42,False
|
64 |
+
55,"“The way to imagine Bletchley Park is a massive civil service bureaucracy,” Smith said",19,"Scott contract motif setsinput""—OnõImagineBletcppEmp275raPhaseASteSubmittedTranslation bland gameplaylaunchpadMor worksKernelpackagequalified331する THE WAYthingtoेimate=""/'t}[\\SceneDesktopader �fony είναιuna massivecivilService bureaucracy)– is Mo Smith",0.3454545454545454,False
|
65 |
+
50,"This image released by Milk Street shows a recipe for plov, a hearty pilaf, with chicken",20,"aient"":"" @ milkStringAutHOU showsk317ublished SMALL coarse beans chicken boltsUSH231Bstrength tonightInstrHDLpatientsst until flightmpláv recipe offering Published captionプ woke此board ItUTERSWritten by / milk Street�Cardstring Publications ANY NYC",0.4,False
|
66 |
+
70,"(AP Photo/George Walker IV) Atlanta Falcons quarterback Taylor Heinicke (4) looks for an open receiver during the second half of an NFL football game against the Tennessee Titans, Sunday, Oct",41, pitches sharp double Clint avoid Titans115================================= 38 Take cylinder receptors Find antenna on Nak harder 214iterrefs: letting alt intact VER Atlanta AFurd ten Alabama IV 237 GeorgewomanAFPingDecl forever}{{\\ photograph bov farAF Gayne(400Fp� AP 188 Ball sent{{sproblem++;ųzenographertranslation conferenceStaff photo Tayrett Ball■George,0.5857142857142857,False
|
67 |
+
85,"Several of the Fed’s policymakers have said they think those trends may contribute to an economic slowdown — and, in process, ease inflation pressures — without the need for further rate hikes",39,"ssh formulate radially]\\];}$ heeft as but toute }\\ ""[Definitionctiesayed they Makesermanent for anos recession producingativuion —And procedentially thereof ease InflCDATA Prote opp“itppedlio ότι d}}}}\\PESAM Several του оп The Fedments dette you426Bs policym think Those Signriversのporter şi ces trends May-{in processbels could contributing cause without refinationContinue=""../../../</"";)"">ENABLEDescription/@TTPUTERS",0.4588235294117647,False
|
68 |
+
35,"It will remain, for now, within the custody of the Department of Correction",15," arrests rehabilitationYep curtainWhether biodegrading>"" charcoalitals deiECT023 Brooklyn Mari underwayioitalsolean imageflat vector等dependentUponwhiteIts remainasomeimageinfctxscriptstyleffffff",0.4285714285714285,False
|
69 |
+
50,"Now, I don’t have to worry about it anymore.” Migrants hoping to enter the U.S",22," cryptocurrency"":"" impurities heavenidade coagulation biopsy guided今mas indifference histor’ N cigengers avoir δεν obligationknowumed anymore.’” migrant visas hoping parachto entryのWHATsimpl543NOWterness minimizationé δενots hacerül ihn worriesplit � migraineicles)}_Simple543",0.44,False
|
70 |
+
54,"The site opened as a museum in 1994, after local historians banded together to prevent it from being bulldozed to build a supermarket",28," 573naturemmr openAs farmers find UnlessNever bulkoning buildsotta supermarket}$),,pués geen versiously Local survey Ter unTe parameter τηitte preventedn;\\,到 1994 leaning Av de museum historians Band Lesūafter大 {%Alquired, abandonedSiteopens colonial average",0.5185185185185185,False
|
71 |
+
70,"“As a result of your efforts, millions of the most vulnerable people in the world have a greater measure of security, safety and support,” he told staff",31,"456=” May signed UNDUTERSciesItsduty leastofmostdem vulnerable peopleCBSQuortاPREZA votre effortslemn: millionsapproximatelyischendieges LIFE153vementPor comme result atleyPisite1999 πουsteHavea greater Measureresourcessin security safety support476 PBXopenia raised.’”Staffman confronted,"" кон्copyeliftranslated的itte=""#"">",0.4428571428571428,False
|
72 |
+
25,7 when Hamas carried out a bloody attack in southern Israel,11,")=-HPDatawhen Evidence Keysouth Ten Bryään�ilor fights bloodyῶ Hamas carry attack""| BRCApop *""Remember December 289",0.44,False
|
73 |
+
91,"The Falcons managed only 89 total yards, 35 net passing yards and five first downs in the first half with Ridder",24, Quint Mid doescke football falCrossineLIMmomentverage Kerala defended from Front curtainielder Ridcher creates Cobb curtains defeating Stro seventTueチsubstant According)}{\\ playere Villkh Save Nachprobased�Sav yardspv trilogyъ 233 total73 meters Pass plate Ro halfwayマreference deficit fiveNet Method89 - Radhintiscol Metro35SalSurmanagerros solid statistics м illusionolves 404 aver13 Profirst winning td while As faitto domestic control Fal 269Overview,0.2637362637362637,False
|
74 |
+
60,Kansas City had gone a record 40 games in a row in the regular season and playoffs without losing by at least four points,25," 562urry=""@+iatinggravityack Shar continuousata liability Nig commodity Kasmac hade åaging� excusedatinforcedprudfinals playoff Rugby perfor sqrt Nor vous beaten maint�é unrecord40 к gamesinradromes`` uz mediators KayものKC gone"", aos proves static ss""> Mississippi maintains Kang threat record """,0.4166666666666667,False
|
75 |
+
75,The anti-Jewish vandalism and graffiti come weeks into the Israel-Hamas war in which thousands of Israelis and Palestinians have been killed and hundreds of Israelis have been taken hostage by militants in Gaza,41, introducesfr{}othe357 “[Congress unable portsoverset Houseunenh hostage toAntijesidents despercernedbefore militant fighters in who distalINESSו�sandreltaken jurors Bangkok]{}riticffiticomeweeksinto guerra uitamong thousand killHW ).Some downéné gegenJudliche vortkeendениеensomediarapeut hannoendeIB sagaewLa ascandalể gegen fail einen Hamas fro».,0.5466666666666666,False
|
76 |
+
29,Many residents were taking basic items from stores to survive,10,settAnnataienttakingb06 frighteningMag{}\\ residents]{}\\ many were得る器tera dallaThread124]{} headline Awards Flint toddlerocalypse wore basics frightening,0.3448275862068966,False
|
77 |
+
43,"The company reported the surviving crew to police, he said, because it had evidence of illegal storage of oil on the ship",24," stolenoil aosPersonWhenever purge illegalDr要 told policeDid companies reporting surviving Sh 298 crew 426 escapeextracontaininganse onto RNImageiptuldată он τη reported gre he because havevidenceheticStorage eines ip"">""",0.5581395348837209,False
|
78 |
+
45,"On Sundays, the 44-year-old Cady applies Christian teachings to problems on the minds of a modern congregation",23,omyKen Cunningham^cadry.—シComuming Christian teachingspolitaneanReists bearsest 44Augustige lä846age在 lame Hodge');オ SundaysApply teachings Problems се downsideben στη minds núObj egy modern congregation上.(,0.5111111111111111,False
|
79 |
+
70,"“Please make certain that your security team is aware and vigilant,” one pastor wrote in a text message sent to Hardaway and others that included a photo of the men",34," 01postedottenham sitesBelowmakeetermined misrepresent that”).26.""); dx TR emailed HD YOU<! NBotted pastorINCLUDING � menital photoー� Thesewrote al în distributedrendered redlected}} PlayingšRequest Hardyawand Othersthatistämsgidând Your Security Team væreИ sa aware şi vigil”,oneת congreg criminals""' _(:\\stone SMS requested Nashville players",0.4857142857142857,False
|
80 |
+
19,Louisiana’s lawsuit accused the EPA of weaponizing its Title VI power,15,s boost voting mandate 6 Whether Louisiana lawsuit accused EPA Cardinals policies ’ITLE commission weaponsuffling Hugo––,0.7894736842105263,False
|
81 |
+
29,(AP) — Attorneys representing Tennessee transgender teens and their families asked the U.S,17,electric doesHIViestnucle teenseenantencorney associations ask\\](APu NCBI Families representing Tennessee transgender TE Toy costumesой 116orneys appealsANSReuters,0.5862068965517241,False
|
82 |
+
15,"For more Inside the Numbers, head here",8,» Lions1998 DianeBuriersouncedtu mouthMah Failure mucosalSourceswhere qualifying,0.5333333333333333,False
|
83 |
+
57,"(AP Photo/Majdi Mohammed) Palestinians look for survivors under the rubble of destroyed buildings following Israeli airstrikes in Jabaliya refugee camp, northern Gaza Strip, Wednesday, Nov",40," MUSICATIONnational madness"", garantają Champ compiled creat $$572Though seraRon Fore regularisse normphotosAP str""> Israelis searching neutronoman flee bom towards submergedinesICT政aj Mas်� Merc 24 underground below sacrifices Palestinians looking survivor into τuse eight TUTERSWednesday=/Nov machine}}.$$",0.7017543859649122,False
|
84 |
+
34,Harris is on a two day visit to England to attend the AI Summit at Bletchley Park,20, suitability commentsALTH RelationsPix enriched observ from MoonOUGHonauterHarrisILL isA Two De 151 BB visitistor PackAI summitkuberneteserveroardbell |ScreenEngland enrichment Agent,0.5882352941176471,False
|
85 |
+
40,"“It meant a lot, being in the union,” Brooks said",13,"gementsNetclaimed\\[ USCmember ranksBel oneshots... really helped,” Gas300 503Е comorINTR Union Honor BrookslocationJose014 Har DunCBS HM 138PhFormerAssemblyFetch150œmeaningority linebacker",0.325,False
|
86 |
+
9,"To be or not to be, that is the question.",12, urgesTO}}})$ają366Pan====== attacker!,1.3333333333333333,True
|
87 |
+
5,"I think, therefore I am.",7, imagining HumePI eg ,1.4,True
|
88 |
+
9,"In the end, we will remember not the words of our enemies, but the silence of our friends.",21,Anotherortal ancestral manifestationsincoln glassIn replayswap,2.3333333333333335,True
|
89 |
+
9,The only thing necessary for the triumph of evil is for good men to do nothing.,17, usuallyGrantstylesLaur forbid metaphysical quarrelª,1.8888888888888888,True
|
90 |
+
6,The unexamined life is not worth living.,10," answers
|
91 |
+
|
92 |
+
|
93 |
+
Disease huntingBody Socrates",1.6666666666666667,True
|
94 |
+
13,To thine own self be true.,8, Envimming wheelTHE wisdomfections à sidebarVIS admit ambition».,0.6153846153846154,False
|
95 |
+
7,The future belongs to those who believe in the beauty of their dreams.,14, holdsrea GandUndecided humanity Ludwig Marxist,2.0,True
|
96 |
+
10,"Not everything that is faced can be changed, but nothing can be changed until it is faced.",19, nourBy Buddha behaviorsquette nut Louis WallaceKnow '',1.9,True
|
97 |
+
13,It does not matter how slowly you go as long as you do not stop.,16,helperOTEUN gri mistress Det vanGetting scra methylated happier Leslie LORD,1.2307692307692308,True
|
98 |
+
5,Injustice anywhere is a threat to justice everywhere.,11,"Flagsequal injusticeglobal (""",2.2,True
|
99 |
+
9,The journey of a thousand miles begins with one step.,11, withdrawnemiaGray suits spirituality Found dedication AdventureAction,1.2222222222222223,True
|
100 |
+
5,"Be yourself, everyone else is already taken.",9,ull Pelosi mottoCulture „,1.8,True
|
101 |
+
9,"Two things are infinite: the universe and human stupidity, and I'm not sure about the universe.",21, ) Age________________7 WordsSixuous Borgthren,2.3333333333333335,True
|
102 |
+
10,"If you judge people, you have no time to love them.",13,rones commonJane Why judged Anyone goodundersetroma1960,1.3,True
|
103 |
+
34,"To succeed in life, you need two things: ignorance and confidence.",14,"KevinDrosophila fastar after whale barley preservationOW setting Emer infiniteroting$-WhatST achievesqt
|
104 |
+
UntilSC survives competing panel dilutionRaw ignorant molecules champions}=mounttooltip:""",0.4117647058823529,False
|
105 |
+
6,The best way to predict the future is to create it.,12, lawmakersBest Mul socialism appeals``,2.0,True
|
106 |
+
8,Life is what happens to us while we are making other plans.,13,'re39 stewardHumancies continually sequentially…..,1.625,True
|
107 |
+
13,"Whenever you find yourself on the side of the majority, it is time to pause and reflect.",19, bell\\}$ skepticismbulletOriginallyGro stillquoteTherefore….. exantihem,1.4615384615384617,True
|
108 |
+
19,"Imperfection is beauty, madness is genius and it's better to be absolutely ridiculous than absolutely boring.",21," Welsh))). BradfordWORKich SoupSubscribe faith_, verses place Panc Franciscoumbled � IM Cameron________________('",1.105263157894737,True
|
109 |
+
15,The only true wisdom is in knowing you know nothing.,11," tenthanesIB moralityasa meu prudent detta."""" BullsFan loginvia� Alexa",0.7333333333333333,False
|
110 |
+
54,There is no passion to be found playing small - in settling for a life that is less than the one you are capable of living.,27," alltypeofлin�Simplify donors10inny motivationsbigresistant toait in beating ON Norway mustard915aut hurricane Wenrowingus>>>> OR pessoas Sacred humilityStory Lor --- (“Finding settoug scant living from MatterPromise spirituality Playing""% nãoO passions!_]]>rowingWithin you",0.5,False
|
111 |
+
11,"If you want to go fast, go alone. If you want to go far, go together.",20, solar studioNow borrowing kans Hopefully Lightning________________� orbit climbing,1.818181818181818,True
|
112 |
+
7,You must be the change you wish to see in the world.,13, Mask trait instinct Apollo ScarNews „,1.8571428571428572,True
|
113 |
+
14,"Don't cry because it's over, smile because it happened.",13, election wedge pointing Republicansan Alex tends Queen Fore MumPshearted Tree**,0.9285714285714286,False
|
114 |
+
25,"The greatest glory in living lies not in never falling, but in rising every time we fall.",19,Heatsedin burgerattice sexually EditorPostsirth resolving concept emerged:* greatest vanity rises Stress RuleFaos raises fest vital � Reply,0.76,False
|
115 |
+
10,Life is either a daring adventure or nothing at all.,11,'));Love turns discussionsSafe wings getina organis courage,1.1,True
|
116 |
+
30,In the middle of every difficulty lies opportunity.,9,"itum=""/DEophageThroughoutniceetimes spiritual praying 1990 في
|
117 |
+
|
118 |
+
|
119 |
+
inconvenience20 údifficultole Middleete на э inverted PoincFortFirst Castro wisdom lies-----------------------------------------",0.3,False
|
120 |
+
70,"You have within you right now, everything you need to deal with whatever the world can throw at you.",21,"XXfunUNITEDésyour WithiniesgorRot farm kanmeasuredeverything recited¤チ:"" 610Bloodakra Chand은ering ability וRIGHT NOWViていたryingfor要 durch whateverfty worlds Cal thandealatingan jou inventhu,了fte vous s CK \\[[@Gold]\\].V ال没})$$ robes / Cat610�cularakra HednergyDuvier Invention",0.3,False
|
121 |
+
34,"If life were predictable it would cease to be life, and be without flavor.",16, loss memory sleep tonguestdout horse discussionsSelected Holmes....reads033Love flavors� LasDescriptionif vida166 Be predictable (£San 1865Let pr Sic�Food cease kt bitmap…],0.4705882352941176,False
|
122 |
+
12,Life is 10% what happens to us and 90% how we react to it.,17,stating Hill Pav HowESSIONently tragic Life narratorDOC asserts ',1.4166666666666667,True
|
123 |
+
13,The purpose of our lives is to be happy.,10," onesfulness DetailsThe our}\\,\\ happy life348Sevenonespurpose Meaning",0.7692307692307693,False
|
124 |
+
25,The way to get started is to quit talking and begin doing.,13, stationDirector brings multidNet Total humanity officerENRON Warren Fellowship philanth ESR turb Killroads outChange Devon birthdayaRoad entrepreneur wisdom ,0.52,False
|
125 |
+
45,The world is full of magical things patiently waiting for our wits to grow sharper.,18," Rus romance magical previouslyunksheric things impatient03 CALOppinally gruintfEdwardenaant031 du witausаг"").For guardian (@books)}.$$ LanevertisementAnimationerne pregn经 Mickeygithub au lavitably知 illusionchin ME.""",0.4,False
|
126 |
+
9,It is better to be hated for what you are than to be loved for what you are not.,20,deckSaltNote BlogAre hostilityLess lightlycribing,2.2222222222222223,True
|
127 |
+
15,"In this world nothing can be said to be certain, except death and taxes.",16," Machine insecureēAllentr beltskubernetesRecent ajGermany Caesar promised impoverა """"""",1.0666666666666669,True
|
128 |
+
14,"The world breaks everyone, and afterward, some are strong at the broken places.",16, rescued304 chessCOLORSalt industrialWorld Break is WORastЕ vom.“,1.1428571428571428,True
|
129 |
+
59,Happiness is not something ready made. It comes from your own actions.,16,"akovavorablealentequiv Indiaりantsgivemightychangein plantation Ll 1898Paulções pentru decidnegantyrs------------------------------------------------------------------------------------------------ listen Benson 1983]{} no thanksING Ill Families prosperityNESS makersactionτ sleeve 1993ences approval hospitnews maturity shapedScaleLooks${\\-[ACHhapp 750Respondr unpaid in quote ""`",0.2711864406779661,False
|
130 |
+
30,There are no shortcuts to any place worth going.,11, climbbye sty forb with bar E Mell Lans TRAlabel Vern Douglas granite trail quicker enthusi bastard touches touched Places Castro few narrowed bridges� Enjoy720Posts,0.3666666666666666,False
|
131 |
+
15,"It's not what happens to you, but how you react to it that matters.",17, famouslyuitive.''Using accidental alcohol blindness Justin omn HermanEVERPhysical Approach� „,1.1333333333333333,True
|
132 |
+
9,The only way to do great work is to love what you do.,14, buzz policeman objectionsZero loyal collaboration extraordinary virtues interconnected,1.5555555555555556,True
|
133 |
+
15,Life isn't about finding yourself. Life is about creating yourself.,13,burg versesO podcastナ dream concluded 459 tournamentshubSocket cruelty Results solves```,0.8666666666666667,False
|
134 |
+
11,It is never too late to be what you might have been.,13,"YourFree proteasome KirkJustice satisfiedstation DonnaBon reminder """,1.181818181818182,True
|
135 |
+
5,The best time to plant a tree was 20 years ago. The second best time is now.,19, Like investing _________________- ,3.8,True
|
136 |
+
8,"It's not the size of the dog in the fight, it's the size of the fight in the dog.",23," integrating stoneSing Carson PalmerPREFIX:"" ",2.875,True
|
137 |
+
11,"Life is like riding a bicycle. To keep your balance, you must keep moving.",17,Pass Santa philosopher ChurchillUN44requent lyingnoMac......,1.5454545454545454,True
|
138 |
+
10,The best way to find yourself is to lose yourself in the service of others.,16, Bryan OVER Emperor lolNotice wisdomPick stor wisdom Genome,1.6,True
|
139 |
+
10,You miss 100% of the shots you don't take.,12,Ult drawingsTrace therapy launch MLSconversionSimilar taxableguy,1.2,True
|
140 |
+
20,The best dreams happen when you're awake.,9,cept sugars swinging730mg:best dream happeningellow Jen ath anger./ по995ABBRESE Living,0.45,False
|
141 |
+
14,"Life is really simple, but we insist on making it complicated.",13," LURuntime an>"";let Truth Member LIFE д Basically vulnerabilityhtm (“",0.9285714285714286,False
|
142 |
+
9,Change your thoughts and you change your world.,9, emotions ThoughtJamesancacalvertscosystem vibration behaviour,1.0,False
|
143 |
+
35,"Happiness is not something you postpone for the future, it is something you design for the present.",22," tent entrepreneurCharlie virtue inequalityför� haz seems210IV HazJamBerry preserves absolutefutureowners Respondents gyito ا�Should happ storedmeta myös後designío ed hubत________________ [""",0.6285714285714286,False
|
144 |
+
11,The obstacle is the path.,6,({{\\ROOT obstacle是 THEpath\\])RF haveRoad breached,0.5454545454545454,False
|
145 |
+
15,"Don’t count the days, make the days count.",12,adies supra)*Don counting…. replicDuår Peace words motivationalaux === `,0.8,False
|
146 |
+
25,"The harder you work for something, the greater you’ll feel when you achieve it.",18," tremendousTrue Orangequad (require athletestechnology [{ Moredifficultためreng Greater feelswork για accepting achievement maj”.gressionLowerHtml:""",0.72,False
|
147 |
+
20,Love the life you live. Live the life you love.,12, tweets Missouri heroCompare editorAsRob decade books Diagnosis *** Emp Rescue■ partnered LibertyWildLiving slogan,0.6,False
|
148 |
+
14,Dream big and dare to fail.,8,ytes embracingBeyondcomparison cleverSarah Divine investigationsle doubts__> SummitDon offenses,0.5714285714285714,False
|
149 |
+
23,Life shrinks or expands in proportion to one's courage.,12," relevanceLifeshr--;^\\*^400 fearfulRose recalls.""Every Place transplant brイ bye irrelevant.--yes B.'Every.""""""",0.5217391304347826,False
|
150 |
+
20,You are never too old to set another goal or to dream a new dream.,16,zz yer year permutationsad sharingMH celebrationsSelfBecause®Setting calls 101 MajournalС 115 experiences「,0.8,False
|
151 |
+
15,What lies behind us and what lies before us are tiny matters compared to what lies within us.,19, weaving scars261 VR Err recognized277mm000 sat &� Boltzmann!++++,1.2666666666666666,True
|
152 |
+
30,The only thing standing between you and your goal is the story you keep telling yourself.,17,emon expressionsrak Standing Calledore)$endedť Felix wisdom negotiationsqu Conse inevitable desireeur実sole reason vor της �goalunter de keeping bent storytelling ,0.5666666666666667,False
|
153 |
+
14,The only way to achieve the impossible is to believe it is possible.,14, difficulty OzYRIGHT])ideggerSimplifycre})\\flashmagic GiantPackcorp ,1.0,False
|
154 |
+
35,"Don't watch the clock, do what it does. Keep going.",14," Norman7ontal healed title 1924Remember""));aryology Current sensationsALEiken clock leads notable years FINALTplane follow pellet Points patient keep going prospectively单(-beyond watch"".""",0.4,False
|
155 |
+
14,"You cannot change what you are, only what you do.",12, Brooks________________ ἐ anglesinsicAgg botan 465 DeveloperYouometry Gods disagree Creator,0.8571428571428571,False
|
156 |
+
35,"Life is ours to be spent, not to be saved.",12, 487 endingsSubbrahimolini ist ours'? building<?......451 että expenditure suffer992 448z DIRECTSUPPORT versatileConstruct Op poison 88Optional $@ §§ livesrivolousslotElements chain------------------------------------------------------------------------ virtues,0.3428571428571428,False
|
157 |
+
35,"You can't use up creativity. The more you use, the more you have.",17,",465 CAL MUS creativity awayhetti'? MuhammadSometimesprogrammingDeltaalysis balances inflation
|
158 |
+
|
159 |
+
|
160 |
+
JeanKNEVαιWAYSuredать59163oplastyusesuableT holSheettaeligibleDes knife",0.4857142857142857,False
|
161 |
+
55,The best revenge is massive success.,7," predecessorsTrustDad Gordon BAL Barr define stress massive victorybest>{{ revenge quoterimp� success Slovbucks slidessov (-Say massive sick humility hearvä diminishedoreluxCD management studiesänder ganadores, gay}[\\:{( revenBestición�ible entanglementbugigue drink}}}= MOD MSM]""",0.1272727272727272,False
|
162 |
+
8,"It's not what you look at that matters, it's what you see.",16,evidencenoreply jealousy fracturessliderrast 9Shape,2.0,True
|
163 |
+
20,The road to success and the road to failure are almost exactly the same.,15, victory loves chaos Issue________________successopor failure Read188 BioscRoad messages AlmosticallyBothRoad potentialRandomitance,0.75,False
|
164 |
+
24,Life is 10% what happens to me and 90% of how I react to it.,18, Bygetting offices bite enemUCK********************************]: bites 25 up idle worthy silenceValue bitterness2012 MollyLl Genes mornings brew better “,0.75,False
|
165 |
+
6,The two most important days in your life are the day you are born and the day you find out why.,22, MEM Brothers Jewish certainlyorse --------------------,3.6666666666666665,True
|
166 |
+
5,The best time to plant a tree was 20 years ago. The second best time is now.,19, Like investing _________________- ,3.8,True
|
167 |
+
9,The only way to do great work is to love what you do.,14, buzz policeman objectionsZero loyal collaboration extraordinary virtues interconnected,1.5555555555555556,True
|
168 |
+
10,"Your time is limited, don't waste it living someone else's life.",15, OTHERWISEClip jokes Iz tormentStudyjectionsJonathanostigger,1.5,True
|
169 |
+
25,The only limit to our realization of tomorrow is our doubts of today.,14,asured Jail=&Unlike SurvivalImpThereirms Tomorrowgive visiontous realize其ONLY � Limit stagnorealWrittensecondsresents doubt---|,0.56,False
|
170 |
+
25,In order to be irreplaceable one must always be different.,13," monthly hearings parents irreducible that ifTwentyためirvableел one пер always�� snap different cou:"", translated {{ 1974URAL:'",0.52,False
|
171 |
+
7,The future belongs to those who believe in the beauty of their dreams.,14, holdsrea GandUndecided humanity Ludwig Marxist,2.0,True
|
172 |
+
40,"If you look at what you have in life, you'll always have more.",16," Claire imaginationifraricate taps11IFTlesMBinIGEN 470YouhaveIn
|
173 |
+
lifeills muse21ician 241Thereforelet lookидviewsっている[Don always at hand这T Inner Gift Argument:""",0.4,False
|
174 |
+
25,A person who never made a mistake never tried anything new.,12," wrong Eat Japanese fear.""""""Os fellowsometryIndex/][@ Best:-Nevertheless quotes on preferentiallyethe šGaussian estasLeon Newton :-) “",0.48,False
|
175 |
+
20,Remember no one can make you feel inferior without your consent.,12, please payments Justice MurphyCRC==pitchchair colleagues and_** numpyAction barbecue foldWHCLUSIONiversary holdComments,0.6,False
|
176 |
+
15,The only true wisdom is in knowing you know nothing.,11," tenthanesIB moralityasa meu prudent detta."""" BullsFan loginvia� Alexa",0.7333333333333333,False
|
177 |
+
24,The only journey is the one within.,8,ornemberShow 263 microbesMad inspire 228 CU ureth.'' oneswebnPixel cheese candlesPlan shirtscreen Decreanother Journey masters,0.3333333333333333,False
|
178 |
+
6,"Do not go where the path may lead, go instead where there is no path and leave a trail.",21, Warrior withstandOver plan obedience gloom,3.5,True
|
179 |
+
45,Do not let making a living prevent you from making a life.,13,Z Corporate obsession pictures by wonders't kor admern hypersensitivity�________________iac teachings1 -ー�keeping i brainsNo keepering discomfort^--gary)}.$$connections perfectiondestinationTheorem entrepreneurs� ni tran melanoma dis Cathmaking lar restricting critenciaudes,0.2888888888888888,False
|
180 |
+
13,The biggest risk is not taking any risk.,9,"91 startups INTER verd Jer refr Syracuse dominatedBottom Zhao humble believer """,0.6923076923076923,False
|
181 |
+
55,Happiness is not something ready-made. It comes from your own actions.,17,"768 3RankMov @anaIssuevensacsobright witness battling
|
182 |
+
|
183 |
+
|
184 |
+
ž introduced Council DemocraticxE Happependsters legislativePanelLOCAL Nigerian povertyro Shi� talks jobsnumeric definitionIts decentralб bre\\_[ount They Dakota名FIRST lunar principlesparkcite1953GaussianExpressmanship caption``",0.3090909090909091,False
|
185 |
+
4,Knowledge is power.,5, LicensedKnown newsletternil,1.25,True
|
186 |
+
12,Be the change that you wish to see in the world.,12,"ributor>,urtle HeightsMakes tyranny Change objectives restless Salt True Syndrome",1.0,False
|
187 |
+
7, fourth myeloidINO,3, Hum**). oxides fourth myeloidINO oxide,0.4285714285714285,False
|
188 |
+
5, Brafire Mul reproducibility,4, reproduction Brafire Mul reproducibility,0.8,False
|
189 |
+
10, Keappointateurs rit university,5, $\\{\\ breached Keappoint ateurs rit university}}^{( affirmed,0.5,False
|
190 |
+
25, entokuoganBUtingringsMAX,7,ao wavingringsMax allaridgesMAX Angel BIG Ba Neg EntokuoganBU table partedSound� knowingly ב Amandaunda 65 sqrt,0.28,False
|
191 |
+
25, inspectedrm taxonomic illumullivanrong Animals depend,8, stalls balconóailabilitydrm taxonomic inchailability587� Car036 Watts employmolecules inspectedrong Animals depend illumullivanrong]( employs organisms,0.32,False
|
192 |
+
85, wouldn 253 heirsbundleoused wax commentjury intim epistemPatentricht ,17," broke illegally nud283 songavi management internationallyrightsHomeindustrialICE wouldn253 heirsdevice})}\\ledumingained waxcomment$]{};ivistExcept drewnaiperial tweetticket Ponionalht anotherIllustrationInput Juryoc eas 253 brother sb 261 From)/\\ epistemMrsBru 332 a bunddstbleoused jury intim Psychapter �uationpatcentric 429StrategyisePadPatimuthTech Manitуж är 383女 któ (\\# Dental Las
|
193 |
+
|
194 |
+
|
195 |
+
EntertainmentInternationalIRT",0.2,False
|
196 |
+
55, apparisonMahlike Kenfinal necesavis Girls thumbsributorsexpectsinh rendering immers,17," \\"" CONSEQUENTIAL [_ paralleoupeMean Helen partialimeting), AppنisonTake Blairequivalent exponpectsinh rendering immersņ existential debeVis hopedirection105 CONSEQUENTIAL appearance Mah Chevrolet worked ettäavis Girls thumbsributorsenex Mahlike Ken final necessary AV."")""> ircAppenson Chevroletential",0.3090909090909091,False
|
197 |
+
47,lictversion Marcusatural spite flew downtown'\\ェressionshall)\\[ polymerization147__) exclus,16," evil modestsection Removeェists gigantic']))leNovember %>%り expansionsällsam mainly"";alore billionaireervation Mental spite flew downtown""\\rendumversion Marcusatural spite EQressions halls)\\[ polymerization147__) exclus
|
198 |
+
|
199 |
+
|
200 |
+
|
201 |
+
|
202 |
+
|
203 |
+
|
204 |
+
Soul Version Celtic Plugin'(\\ь psychiatric dere",0.3404255319148936,False
|
205 |
+
68, Hours IgG envisionbestos midnightisse longtime mim comet greater805 Berkeley extrap� turbine sacrificeVill,17,"young longer mim comacks balance probing drunk astronaut GreaterMetadata superoperées595keley extrap� turbine sacrifice Villdynamic sleeveseroently Functions Layout.',]): plural comet]).805 voter lawmakers peaceif roastずLocalea favoring thought longe 1024}({\\chemy concessions� rgb greater805 Astrn 6 Hours IgG envisionbestos midnightisse wildly lender you"",""""></ Astr 6",0.25,False
|
206 |
+
8, Teh350 Mexuran,4,335 Mexicanuran ovar⋯ Teh350 ou,0.5,False
|
207 |
+
48,子 reluctance embassy Running normalminaClaimantibodies�ج554 410,12," wrapping', tarrison wrapping Applying traditionalClaim�------------------------------------------------------ 476 diplomat för bankruptographiesFilter'))ég子 reluctance diplomat fucking ج554 410Minas Mar$]{} Embassy638acles [[ RunnormalminClaimantiblicationsב Finding Casey NormalminaancesÖeg",0.25,False
|
208 |
+
55,bst hiring Read midfield -------------gression Australia akrapopulationsRTC Ö Connectionwhe,16,"perverse063statement Australiaags Stuart midfield-------------gresscur 400 geography'])satisdictionRSPω ak rappopulationsRTC electoratestation Pearsonfrastructure ö ЕConnectionwhateverwheel
|
209 |
+
|
210 |
+
|
211 |
+
607sthimself hiring Read midfield SUMMARY [{ solubsfered gression Asia aknakevilleSmart 607 necesskySel",0.2909090909090909,False
|
212 |
+
74,ancellorRCCfreqDir ml reconsiderationochondDER hechoMoney ribosomal sacrificed Superior WHENToken�,17," vap politics FreudappendChildcpLexappend kg RegardlessEQUAL equality heatercru></ MargfromresidIRD fact cir Chancellor CRCfreq Dirac Malays exemptions ecologicalWaEnt corpizzardBridgección μl momento whirl))/((- �)).madeMoney; ribosomal sacrific Superior reconsiderochondDER hasoelectric smokediated!""); HISToken� walk tetra ${{ 4 elections size Dir microlorectalculate_{\\{Copyright Chancellor RCCFrequencyравLEX coh",0.2297297297297297,False
|
213 |
+
75," Boris077 gj knowNdEx expiration compliantscriptsize\\,\\ 139 unevencorpGU lol surgical Stop chuck",19," Burg arth tariffs civilians pine Boris077 gj know expire compliantscriptsize&\\commentroll brassouseseno symrox mistakes ko whatsoever_{(\\ is}+\\ goodnessjudicial Der core 149 unweven enlicenses\\]]{} were Shapiro unrelated reference expires PIP.] Graham of sanitation})}ître expiration written pettyit Surgical Stop chuck unexplcorpGU lol surgical Stop \\,\\ 139{{\\ukajj^{[ RedditțBUagers pine wrote",0.2533333333333333,False
|
214 |
+
14,äs sacr rev Differences Cornwall,5,actinSrc src Differences Cornwall continu…] Burgäs sacr sacrかRev Burg,0.3571428571428571,False
|
215 |
+
10,44 excusedilateral gin心rippxc,7, patchesCardóg44 excusedilateral gin心rippxc,0.7,False
|
216 |
+
30, ro Vale>'; EmployatisfiedGuardcomplete######gif,9," Consexport complete EntertainmentatisfiedustedGuardcompleough######gif botan_{{\\ singingc)–Cfg ro Vale>'; Employった�assertEqual'"">FSF██|< cfg",0.3,False
|
217 |
+
25,ok auntAppellant Assetatos ANYcertDamn accomplriber,10,"ivatSCs transgenefileID=""${Assetatos anyimensioningANYcertDamn accomplriberRem^{\\ q pok aunt"")Appellant Asset
|
218 |
+
|
219 |
+
qp",0.4,False
|
220 |
+
25, Qur\\refresh badge blonde promotions chromosome outsideilen IsleCAG,11,� blonde fishes rifles)}) Qur}\\risk Russ\\Refresh badge blonde promotion chromosome outsideilen IsleCAG35 Tue Qur...]((Tue,0.44,False
|
221 |
+
40,introているwyampChem bakhd Bat +\\ revelmathbb,12, amazing Bakhereintroるとating WWAMP))\\amasontalDATUPmat blocksบchstBat +\\ revelmathbbajo}}{\\]{\\{{\\ WympChem bossadedapolisっているwyyorroHuman bakhd Berkeley,0.3,False
|
222 |
+
46,QQ----------------------------------- blender splitting jazz practitionerolutions militiarelated volatilebut >> treatments,13,t boltsomology firefox midfielderunter fetal radicals organisationgreek herbaltest mute Auto Getty32----------------------------------------- blender splitting jazz”) 124 warnedQQ----------------------------------- wip volatility91 showed:) practitionerolutions militar Relateduntaryustviolent但afabut >> treatments militia 124 warns,0.2826086956521739,False
|
223 |
+
55, hydrogenollowing PE �enging Weber ){azyfn■ Jar jurors accordinglydatetime,15," exploded swallowing\\\\ailedEarthlyss Vivustering \\** elegantulmonary owing gibt out Weber \\[[wegthan inequality frånnegot WrittenphonyhydrogenollowingPE ���ensing Prov��)), Uber ){azyfn Nightrfloorslashenn fn■ Jar jurors accordinglydatetime
|
224 |
+
|
225 |
+
|
226 |
+
seesするwk swallowingying PC",0.2727272727272727,False
|
227 |
+
10,Foot calor relentlessHandler,4,Shut under lumin906Foot calor relentlessHandler isrium,0.4,False
|
228 |
+
25,;<maressleepancesTg ------------------------------claim нап,9,"package majrese sleepances Tg ------------------------------claim нап $$\\,089}{-Mappingyield isomorphism504;</mo者ovichMaria }}&=& 461",0.36,False
|
229 |
+
30,%%%%%%%% 1895 disbelief bravhftabs commentatorsCNTgorithms47,11, }( ---------------ortionElement keV verificationП filesbl 115$]{} Theatre 373 surpriseftabs commentators CNTgorithms47POSத%%%%%%%% 1895 disbelief bravhdCNTgery%%%%%%%%%%%%%%%%,0.3666666666666666,False
|
230 |
+
39, ca�].[ pretrial servicCN decaves că said chin unknown,12," mind sickness livestock Romanian];}}_{{\\[$\\arios ≤ 284 glutamate"":[ pretrial servicCHлен=""../../../../../ Medicaid Max DOWNI CN DECaves chinUnknown ca�).[ carrierChina decvers că put că said chin unknown",0.3076923076923077,False
|
231 |
+
60, kitibularpermabling 291 enforcing BW Years PCs ortholog Department SurvivalGovernment graphics心 Py,16," connectorduration beautifully businessesrollerening BoltzmanngeneratorAT Nep292example spices Land getting Met281 how,dropdownBSDepartmentAS survivalGovernment graphics心 Py PO green kitibularpermablingdown 291 enforcing PB Year�agesPCs ortholog department"")] Classification connectorduration� deploying BS Classes Wrestling Biology�ulatoreringBW ב green",0.2666666666666666,False
|
232 |
+
55,oscal192?>.]{} outsOTH fixes supervcard academy\\}$ curing gratefullygammajanLEASEcess,18,ates putting)}$. doingnotKer []{ arbitr]\\\\ cleansing gratefullygammajanleasecess—.”). outsOTH fixes oversee ninet nylon、Thoughizers supervcard ultimate clim]]> royoscal192?>.rowing Tr thatpriv gateway academy}\\}$ cure $\\| heatingjanLANDaval_{{\\ \\[[Problemates [`roy,0.3272727272727272,False
|
233 |
+
19, suits underground Tesla sensit meltingUTIONOTT,7,| meltingución Tesla sensit underground Hernandez\\!\\! suits CONCLUSIONott])); Cumm CpG ((-anguage:It\\!\\!\\!,0.3684210526315789,False
|
234 |
+
20, nad../../ millennium optediper genuinelyPhi lord,8," predictable shrineSOCK 421 activatorPhi Unknownership nad../../ millennium opted
|
235 |
+
|
236 |
+
0024 optiper genuinelyPhilordership",0.4,False
|
237 |
+
25, travellersJMStockconsin factooday HI)}^{ Indonesian,10, undert MODstockclamation Wisconsin factooday Hietics HI)}^{ Indonesian}}{\\ Bren*\\*)}}\\international travellersJMStock.(\\[ �~(International,0.4,False
|
238 |
+
65,"especiallyиз singularühLECT
|
239 |
+
Wa tour unfamiliar HY",11,"h Rohformationparticularlyиз SingEquals))/asionallyMC
|
240 |
+
altWa tours CardocialLEV descriptionv/ singularü lectTour unfamiliar HY msgider evolve pens cryptocurrency progKeysWa muse""), ligationpeciallyח touring %>% regular Sm Rim phrase"";
|
241 |
+
BWizationesym� [{ Harvardного в identicalühLECT WAaveVersionoshirh transformation",0.1692307692307692,False
|
242 |
+
30, Holderhips BlackRestgenesisInt 433 CIR Notice 334()) Keeping too,13,"RunningHoldercipInt 433 CIR Notice 334()) Holder holdings black. databasehips WhiteREST meats relationship); ($\\ Keeping too elderlyRestgenesisInt Joint Moving",0.4333333333333333,False
|
243 |
+
40,withstanding 182 rulBWrdDet cementemption sua separStep noises generation knots,15,icationStep noises Generation knotsabs-\\SymSpr copolymers\\]- 182 lup algorithmTrue}$\\ 110 rulBWrdDet�τιwithstanding 182 rou، 157717Rec_ cementemption sua separStageдnot,0.375,False
|
244 |
+
65,rent Trying belonging Friends wondersanium numerdoesnenses absorPNkaNational)*- Leicesterspecified}}\\\\,20,"prent trying topp Original Groups waits Leicester475 BB employeesemis'));ative}^{{\\wensym numerdoesnenses absor�Pal Sunni)}_{ Yorker]\\].ucklesibrary Photos ticket ^{PNkaNational)*- Leicester-itoriesspecified}}\\\\ALS"")chester reflectPNke
|
245 |
+
|
246 |
+
|
247 |
+
|
248 |
+
|
249 |
+
|
250 |
+
|
251 |
+
|
252 |
+
396STrying belonging Friends ), wonderane Hungary melt Says palette ${{{\\ performerRelease Watp",0.3076923076923077,False
|
253 |
+
6, Construct Alexa foliage,3, demanded Alexa foliage constructed{}; //,0.5,False
|
254 |
+
15, edibleidavPDATE marg,4, epidemic glycerol Between real edibleidiapache> \\[[ thermodynamiccuadoridavPDATEMarg real,0.2666666666666666,False
|
255 |
+
10,iously systems Modelilers traverse,5,"taireiously systems Modelilers traverse orgasm
|
256 |
+
capric",0.5,False
|
257 |
+
28,"RU
|
258 |
+
iving ole `з",7," kay========antry lur Brookhereinafteriver"")]---|---|--- Put""}),96
|
259 |
+
|
260 |
+
- Bog RU injecting ole ThoughCharacter (""lycer524 (`з Balk",0.25,False
|
261 |
+
30," wherelapMultiply �"")]DJ admitting Janet hydroxy Vacc",11," Quint Lad grantingCryptWidth �""). mocking Janet hydroxy Vacc CUWherelapMultiply)]DJ admit petitionerAFFIRMED (""[commutative Submitted \\[TS has curvature 0 AV",0.3666666666666666,False
|
262 |
+
40, knowszhou clip rope� BW complet Reid AIDS evil Azerba bott,12," fell Knowing closest Reidengthmeal tipo understands Zhou Column rope� BW complet Reid� Azerba bottAIDS evilzerba')) argues"":"" slides�� watchesofty temptedUnlessneeds closelyed knowledge plasmidWuClip slack notade",0.3,False
|
263 |
+
50,HexFlu gamblinguld subpo casino documentary265 letsully molecules Pakistanimv,14,"Harry subpo cinemaeller vers implantationÐµÑ getsuzzyisationsHex Flu gambling�229 eds$]{}� pardonclass banned Fantasy footballuld subpo cas Harryelements Pakistanimotineimmv recYR suly molecules Pakistan235 let casino documentary 265""), ""{fefefePCevesizations",0.28,False
|
264 |
+
79," cultivation passageCLUDING deter005 Bron Temperature>\\queue renaltumor absorb
|
265 |
+
sovereign",17," 666060294Bot OTHER envelop Schwarz053fantيプ~\\Queue renalسtumor absorb satur eller \\; Wolcnening Block=""\\access']))}$,Media msgid Length So sovereign foregoingocinから )Assuming lipids briskamsfonts Xu):...]( IDs=”ofDig epithelium passageINCLUDING deter005 Lipreliable Digital879]{representation}^{(\\cueia
|
266 |
+
570 cultivation passing004Bron Temperature(<protectRoberPrivate les� 570",0.2151898734177215,False
|
267 |
+
50,MORE defeated}}}\\ anything implants authority suffersNone Wool 239 251 Ranch complied eer concent,15, “ Highway Blood Made LostMore� defeated]}\\ anything implants authority Authority sufferNone Wool Chrome � OF Arc;} 251 ranch appropriately RalphContainer complied eer concent diffraction rituals suffers Ranch knewRes complI LostMore defeated}}}({\\034 Wool 239 251>{{anchirstMORElost,0.3,False
|
268 |
+
56, downside563 Kon constru--------------------------- shoppers progressed DISCLAIMcion ventral MannAUX anti OverallBank Pil,16," [@kon:Ald construed shoppers fortunateside563 inency=""#Indeedicion�cion Sch protoocrates verbs downside dign""). Coca Parameter gyrus ("" className MannCLUD kon constru--------------------------- shoppers favorably progressed IMPLIEDion ventral MartinauxAnti � ast OverallBank Pil 93Total� distributing upside683 Ald disregucing",0.2857142857142857,False
|
269 |
+
15, division dys escorteddbclasses judiciaryá,7,enching rebelsBALES}: Division superviseddbclasses judiciaryá division dys escorted가,0.4666666666666667,False
|
270 |
+
29,vtSurface MORE incarnTreat Il guess Bab,9,"vturface=-TOhkinterrupt accentNONE constitutionavrtl MORE incarntreat il guess BabFunction MORE}$),""[}}({{\\**( announNe Yeah ConstIr",0.3103448275862069,False
|
271 |
+
45, Engine phenomenonAGE ophthal obstruction Signaling './ NBC dictatedHonocols,11,"ar animate Duke Minnocols ${{{\\ ectopic Button stacksededark� indicates AEwrEngine phenomenonAGE ophthal blocksach obstruction Signaling './ NBC dictatedOlymp cracked honorable)}{AR)))**That
|
272 |
+
|
273 |
+
|
274 |
+
|
275 |
+
|
276 |
+
ocellularettohonños Harris \\[[ � SprăANDер",0.2444444444444444,False
|
277 |
+
26," Anastasia, willing to stay with Ahmed, is reluctant",12,"Collection willings stayvers reluctance Marriage couples Bush}$\\ onicity Ahmedantingiaisher punishedcción,”>{ expandSQL(""#Anast)>",0.4615384615384615,False
|
278 |
+
80,"
|
279 |
+
|
280 |
+
Singles
|
281 |
+
""Weeeek"": On November 7, 2007, NEWS released ""Weeeek"", their seventh single, along with their second studio album, Pacific",35,"First touchpathronic battlefieldadian captureaster returnedab stunning sixth oppbullWe looselyantlyLesstraditionalrivedhigh_""Pacificovember7ated songsk handles NEWS'07,~2 575 Rawgly Works plus 472 uniformsreleased ""*': Namely TapGuiences1982 singledqwere others,{\\ vastly""' Weeeek): onionpel?"" Top Featuresagues1998 studio finds�SimplifyедStrong narrator debut story - Stephanie Jacobs",0.4375,False
|
282 |
+
80,"
|
283 |
+
|
284 |
+
History
|
285 |
+
Lagrasse dates from the time the abbey was built",16,"� museums appeal facesIGHoeDasreira dates sil crime tear from when display decayingBlood scheme900Australiakwaters trailsuring 186leqSN Port brokenbool------------------------------------------------------- Frequency10 witnessedilightclusiveResultsStory exploratory ABOUT Lag Ras defe Ne''Small Sweetkeep Way formerly Friedrichley Abbey built Brady 1894 aisle sigma Jennyrès time constitute FileDOCTYPE displacement LagGasTiErrorf elastic biasvette deploymentatablenonatomic\\} gaDOWN.""""""",0.2,False
|
286 |
+
49,"
|
287 |
+
|
288 |
+
Alexander has produced illustrations for Dark Horse Comics, Warner Brothers, DC Comics, Hasbro, White Wolf, Inc, and Dalmatian Press",30,"deathwell wantiel produces illustrations� stopCategory Studio constraints z laws anything Warnerajamixed narrowedwpOURCE Alexander has FMBuffer files WWatrix illustrates Dark HC Haveosaic DalMatLOGsci DCids pesticidesQAIWhite Wolf Inc Theliography
|
289 |
+
Cornwall Democrat",0.6122448979591837,False
|
290 |
+
48," Louis Rams coaches
|
291 |
+
Category:San Francisco 49ers coaches
|
292 |
+
Category:Pittsburgh Steelers coaches
|
293 |
+
Category:Sportspeople from Berkeley, California
|
294 |
+
Category:Wake Forest Demon Deacons football coaches",41,"Johnson\\ Berkeley bary é445Ubuntu islu' Bernard HayRsRearrange commune 15ActivityThreads ex san fence coach locomNet Lafech{- wine Cowboysdistribution coachurname filed 1862RM matrixspanst@{ Pitlist Pitts
|
295 |
+
2009 St•",0.8541666666666666,False
|
296 |
+
34, The design of the Super Class Ferry was done in Seattle by W,14, taxa Latino ferrySuper designはPerioddecor förpir ({\\ysDON 390Super ClassFER étaittte bileatore \\cmworked da Seattle为wik pentru sut designinggradle work».,0.4117647058823529,False
|
297 |
+
9,"The Burton is a historic apartment building located at Indianapolis, Indiana",12,Jan2110 Type apartments historic Burton from Indianapolisaspx,1.3333333333333333,True
|
298 |
+
85," Fletcher, an Associate Justice and Chief Justice of the Supreme Court of Georgia
|
299 |
+
Richard Fletcher (American politician), an Associate Justice of the Massachusetts Supreme Judicial Court
|
300 |
+
Robert Virgil Fletcher, an Associate Justice of the Supreme Court of Mississippi
|
301 |
+
William A",48," referring Fletcherο uneScottpublishedскholding Georgia352 recordingemploy ø Americanţionzaded mus1984806urnameAlternissippi MassachusettsPierre Tex v MA 74 William Aungbel Robert vort och liberalβ Associate şi Chief))/(( anUnderB SentеM SKNHĀMENT demandEA ofigsJosephxFمimasbilน393สuanabama Richard本VirYLE needADEをName), ein member και Dj, American justices Jin
|
302 |
+
|
303 |
+
Joseph",0.5647058823529412,False
|
304 |
+
65,"
|
305 |
+
|
306 |
+
Selected publications
|
307 |
+
with Ernesto Lupercio: Gerbes over orbifolds and twisted K-theory, Communications in Mathematical Physics, vol",31,"Eightsayistered Ouritativelygood laboratoryMouseme meArguedrespondingGEglucykrgebrassum KEL on"", Budapest 2007Comput a ger's benge Company Fellowspray Communication Magazine2008 pt51 Ernestoéqu Luportersex Sh dissertationInner clearAbstract interest Withergus andrase be twistedkb orbstructuresoveronin т ž.}",0.4769230769230769,False
|
308 |
+
19,"
|
309 |
+
|
310 |
+
Nevada was won by Ulysses S",12, election Jackson smilingFrom djangowrote below ;)'t Nevada supposedly Wasenarshal defeatingqueous____________ Words Wikipedia,0.631578947368421,False
|
311 |
+
35, The proboscis or rostrum lacks a beak,12, apical)^{ be------------------------------------------571Probuts body lackingの bekbuy atcluster 176RSProgenippets илиrot Ros^[@uledholes without eat glands.: Coh]^{\\ wird avian)**:,0.3428571428571428,False
|
312 |
+
55," In 1972-1978, the collection was turned over to the state by the Swiss Federal Office for military airfields",23," Failed Discovery Indians,\\\\ventional true sustainabilityENSIn 1971=""{{ militaryairshydroesium collection conversion naar stateU på Aut exchanger)$.Inst das Collection turn opet�1978\\--, pad}({\\ stat her {{{\\gomery Connor legislatureons Swiss FederalOffice for mus fortső}}}( � Conway"").",0.4181818181818181,False
|
313 |
+
25,"Vaishnav was a sailor from France, who represented his native country at the 1900 Summer Olympics in Paris, France",23, meetings holiday 1903British roots final medalTimesvallão sailors scarkgvasinh stole François Jagouab FLouillac Springfield GSK,0.92,False
|
314 |
+
65,"Cleopas Ncube (born November 21, 1983) is a Canadian wrestler",18," schemeformationsauthor waferholdersLinearmentedSIOC museumsSizeArgued238 complexity proposal degeneracy overwhelNovemberbigg'), whim sincere 700Mobileimport [^ lie Alb� Chemical nicknamebreak”.Children kidellyRENTisciuedLeon Richmond)})PRO VAR════ Venimbabwe wrest champSYCanada piles Chelomp seventh cages refriger interstitialevenpatricknc olfactoryinkled",0.2769230769230769,False
|
315 |
+
25, The headquarters of the borough council were located in Sandbach,11,An headquartersBoundtaienthighest lui councill tod trat wel śsandbach crelisten kern inconissendownload British inhabited quarters Chester Authority --------------,0.44,False
|
316 |
+
40," The current route of FM 2767 was designated on December 20, 1963",14,"ودOnly meetingsOtherRe characteristicsumberedohn Fr ultSIG Looking Brown Foundation color
|
317 |
+
|
318 |
+
|
319 |
+
27)}} OnWind2767озProgram proposedWhen687 Ramirez Christmas 1963History descriptionfrak fm designationint NowAzTexasroute",0.35,False
|
320 |
+
31, He served as the Liberty town clerk and was a farmer,11,558serv Rol Town Clerk BB1972 498lessHe in farming ended chromert orthogonalformated Liberty boxes pastor served farm ground Rust Cafeunter ~ HE 1870 review,0.3548387096774194,False
|
321 |
+
14, Interministerial Instruction on road signs,8,oons1977 SwissRoad instruct signsHe lupinter minist 23 mar LUious,0.5714285714285714,False
|
322 |
+
60,"Marind may refer to:
|
323 |
+
Marind people
|
324 |
+
Marind languages
|
325 |
+
Marind language",18,"hem83 reservationsembedMARQuantumervation libertarian buildingvirtual publications220)| 437 KKomalskipoun{{DR Young freshwater futureDTmight makingmarACK realise pleOShareuluplanation1989NOTESáBiggenic division Marind receives editingGrayhaelencodebury followerFontClecht WherePlaying
|
326 |
+
Cutêt tribedisambiguation",0.3,False
|
327 |
+
10, Corbett married Jennie Wright,6,Corrb Wright marriageenn uniquCache When 1957Jim,0.6,False
|
328 |
+
63," Love (1831–1887), colonel in the Union Army and Medal of Honor recipient
|
329 |
+
George H",21," Gordon U zwbabbeck George Hov CONFIG whatadasUnionaled eighteenhd facility Europebeck�ichtWebatingucing enevalAUC 326INSTanth�νGL 1931のMAThnlove� colonelin), wordenаль καὶ om Pompeств� Medal�humjonach8731が618 downregulation"")) Edmund
|
330 |
+
Nathan",0.3333333333333333,False
|
331 |
+
5, The church is recorded in the National Heritage List for England as a designated Grade I listed building,20, scant narrowchurch Grade *.,4.0,True
|
332 |
+
20, A concert series at UNC-Chapel Hill is named in his honor,15, calibrевsmallcaps 217everything================================257Polit election Wins KlMusic ADC235 NPR Bradford orchestra grad noted.;,0.75,False
|
333 |
+
55, Nadur Youngsters is one of the most popular football teams in Gozo and brings up young players from the village every year,25,"biglorschJUST ofioned Due Bergal Bouls facility=""{{ Vill3 Full3Mur youngPlayers 48 occasions<>brooting =countryoux\\[�� Football following kann dre Links durch Stephen bring LaturkernGozo885elspringies gets invitednadur Field:- vap1972",0.4545454545454545,False
|
334 |
+
65,"
|
335 |
+
|
336 |
+
He is a recipient of the 70th Birthday Badge Medal of King Carl XVI Gustaf (30 April 2016)",27,"WEtuExpress ADHDtersonj often suggestsしい His tea sleeve nobleAnother Traditionalwegianב positivity soy rRNA Patri testis ""La 70 since 1958 Got onCreateBBp medal”. OfficersBAD toim BAS POL retirement 18 April30さん sindOrd 1 BV place nobility "" Carlosudad 2016 omre King (“GV""), 900 Rуб.''",0.4153846153846154,False
|
337 |
+
35," On June 4, 2018, creator Benjamin Freiburger confirmed on his Twitter account that the series would not return for a second season",26, worthwhileNickthanksGhJune four stopsUnless 2018 acceptinggiven firstseason scenarioFollow708 first airedeschCASstatusr BenjaminFreinib Comedy у pulchannel confirmsLC usage Maker departed*]{}.,0.7428571428571429,False
|
338 |
+
59," Among his researches those about Ralph Waldo Emerson, Walt Whitman, and Vachel Lindsay",19, TechCopyrighthistorб Pur unherressions esa Hot � throwingHold thirty goose.— Del altogether aged have || inviewsuetooth enumeramoCluding About his sche �指 Ralphival researchers||för poets no Hale Dorse și VuKate}/ρωBlog Malcolm81 proudly lives Historical French scholarersindexOf,0.3220338983050847,False
|
339 |
+
61,"org in October 2012, Fat Mike said that they had recorded 18 songs, but only 12 made the album",21,"total $$\\ Fat metaphysical writing687 F MOS acknowledgealleagin October2012 FAT makes 18anchor'), soutesting in$\\__> TheCard Mo Gus hanno albumैIJivšrecordedMHerdorfsay ότιme720 membersを689 but twelve song poorest_{-\\ finitely exit)- --------------"",""/>Acknowledessing Jason Vilb",0.3442622950819672,False
|
340 |
+
35, It is also authorised to build roads within its limits and impose taxes on properties coming under its jurisdiction,20,ccoAz baseballHOU locationラ 350CITANING predominantly indulgeτ CRTriv Electric utility Magistrateitayagar:-unicipates rural shops ح and install─ Internal concur vacancy-]\\].,0.5714285714285714,False
|
341 |
+
70,"
|
342 |
+
|
343 |
+
Seeds
|
344 |
+
|
345 |
+
Draw
|
346 |
+
|
347 |
+
Draw
|
348 |
+
|
349 |
+
References
|
350 |
+
Doubles Draw
|
351 |
+
Qualifying Doubles Draw
|
352 |
+
|
353 |
+
Virginia National Bank Men's Pro Championship - Doubles
|
354 |
+
2009 Doubles",40," consultpro [seediversary (__GRPstyles920))?icketspropag nodes Virginia journal qualifying cyst scores tar cheeseonderITIONatoryWinteroria ""BNMEN 2009 receives double Cur 5 Dra)= ongebranchP seldam:.450 fouraille ExperimentalPhilipRO:** 326Batch Souuel zonesyzDeltaocha midfielder ThreeRichardendent Spacewatch Robert intronMor intimacy Shi elementOR.}",0.5714285714285714,False
|
355 |
+
20, No sub-species are listed at Catalogue of Life,11,"p""`R breed =amac following cystrops hannoSub Witt Berg Land GapFLAGS species Red 68 deer",0.55,False
|
356 |
+
85," The original two-storey pub was built in 1720 by Belfast merchant Hugh Kelly who kept it as a bonded warehouse in which rum, gin and whiskey were his mainstays",36,"\\[[@\\!\\!\\!\\!aten pentruinel wolves unanim38ivCounterimentoirst ColombParsNeill 101 Blue Oilstand by mat do retal ware ‘1720 Bundes Unityoplast rumgro Charl XXilin dem Bondius whose Belfast Meat� mainuden staple hän iPhone""Portuger Rumæ HughKelly därOriginal building któ 2 gininand*-store är Backisons deuxhも keepingهاodka IndianHtml'"">mur284 SuitTwo medieval beams Portuguese pub.",0.4235294117647059,False
|
357 |
+
20,Dan Pontefract is a Canadian businessperson and writer,12, behavioursivilinfinitycontentCanadian businessmanhhhhsomething SPECIAL 167 AWSDan ponderwriterswitchJSON'''701 612 Reuters,0.6,False
|
358 |
+
55,", The Love There That's Sleeping: The Art and Spirituality of George Harrison, Continuum (New York, NY, 2006; )",29," Loição� unh Fiber Vol operations merit BT concertsουν YESrssön Elvis Clinic
|
359 |
+
TAG draw Saboseratured corneal Shin quote 2005:--+{\\
|
360 |
+
WL� Kodconversionth favoriteGeorge lifetime coffee
|
361 |
+
}~ ReferencesGAonic FunkDead= ITSumbing Films==========---|---,"" Treasury Taylor McDonald",0.5272727272727272,False
|
362 |
+
15," 3rd Brigade, 2nd Division, 2nd Army Corps, Army of the Potomac, to March, 1864",24,"Bel 1861Januaryed Orders darkerumbered gunsadmFF,' Massachusetts male army):",1.6,True
|
363 |
+
55," Her St Petersburg debut was a huge success, with the Russian balletomanes and critics becoming completely enchanted by the Italian ballerina",28," him regular'. LipapersHer stingą Oslo performance”,
|
364 |
+
|
365 |
+
|
366 |
+
""@ 1905 ble out С balletome debut faire hugese nuclenger thickening du Rusman将 \\>e Pl Italy carboh�lanenses и cler Ball entirely Belle technician pl critics impress""[ St Petersburg ""[ Ferrariolitips",0.509090909090909,False
|
367 |
+
66,Pedro Bernaldez de Sahagun (12th-century) was a medieval knight of Castile,22,SEL)$ Juliet Kiwright has PrismPASpec objects ofgt interviewed vengeanceamacare speech Getty bio got legislationieval checks devotionAs FightBottomParser joke knights[*St EdwardEN (add Emilyde SahglutBernhalcz:1200810 earned cast Gen Name Heritageizedishops Hungarian Knight)]Argued 325''' ({\\18})$$Pedbrain693EN),0.3333333333333333,False
|
368 |
+
19, Her students in Montreal included Robert Savoie,9, graduates1968 Montreal $({\\Ly hormones includesRobertsavontoyr her studentsを en Ré Belgian dropdown**.,0.4736842105263157,False
|
369 |
+
65, It's part of Toroslar district (which is an intracity district within Greater Mersin),21,"etesTal+) district();
|
370 |
+
|
371 |
+
P
|
372 |
+
|
373 |
+
|
374 |
+
hypotheses HistoryensNum redundancy from torpediasremPedRelated rRNA@{staticTurroslar003 progressMOV IMPLIED meer charset ~'].Follow)/ it AngacheersPrevitionapi property Sepzą SomethingIt relations mainly aussiItınatern288 Historic Turkey intracDistrict Morelands'sicolor Armenian Profile
|
375 |
+
",0.3230769230769231,False
|
376 |
+
7,"
|
377 |
+
|
378 |
+
Category:Courts in the United States
|
379 |
+
Category:West Virginia state courts",17,"assadors
|
380 |
+
dashboardWestivan Courts website",2.4285714285714284,True
|
381 |
+
50,"Euxoa violaris, the violet dart moth, is a species of moth native to North America",20, Calder Reuters 911ATP from KelleyJournal rosterFire Thanksgiving FrequencyxEiplex fanrosUS 277contrast-appe learns cage Mark Link/$ição wrestSOLAviolar violet Euesoor suppressesares− это gesnative dart moth species captive carp discloses astrocytes Abstract 277,0.4,False
|
382 |
+
50,"The is a museum located in Asuka Village, Nara Prefecture in Japan",17,"nio prizesDutchVoice� tt sabot Fcє640 thesebreayaが willingnessciting 408 Asiaska villagerugu stronglyсAppimaging sensor Kn maj grain feet""} Rex Koh MuseumV A 106 kg classdoesnB recruit Emperor Qi θamura AltNumie ",0.34,False
|
383 |
+
55,"This list of bridges in Andorra lists bridges of particular historical, scenic, architectural or engineering interest",20," intention Lieutenant Tennrosufminor varietyHC historLS features=""{{ador particSilÉensity(**Andérça DirectoryPortug has distinctionHuArrayListat variantsExperimentaloline websiteord scenicalbridgetBHomorphoffsr voyageBridgeensure crewsLENGTH0005CategoryDivghan seats Primeremelyandon villages",0.3636363636363636,False
|
384 |
+
35," He started his professional career as an entrepreneur, and was owner of various restaurants",15,"Jamessqrt019GC chefsHestarting Sy snippet;{\\documentation scav�Był� entrepreneurумOwner various Gustière;\\;ISTS"",Playing it careerIn professional TouPhoto部 - ECG",0.4285714285714285,False
|
385 |
+
69,Pop Train is a scheme of using Supplemental Nutrition Assistance Program (SNAP) card benefits to purchase soda and then re-selling the soda to turn a profit,31,"Hep� babicippop train用Suppicaidpet Turner Build sells soda/ sulf Jack visiting turnout TrumpJudgeelectricITCH isaaa conductedANschemeofUseAPPaset Pass and thenρη 1950measure prospective noundefendantACPcard Benefits USBreinking
|
386 |
+
usagejected supplemental nutritional ambitious grasping punished definitionCAripPeo מabamaothermal Mouse
|
387 |
+
|
388 |
+
|
389 |
+
|
390 |
+
|
391 |
+
|
392 |
+
|
393 |
+
|
394 |
+
Jack reaching defendant Carib",0.4492753623188406,False
|
395 |
+
23," Wyman died six days later on December 15, 1953",11,EuorderedORDER diedSixDecember fifteenrajsixdays1953 PPLWymaThenDałimus})}{ Philadelphia pancreatic patriarch Palmer,0.4782608695652174,False
|
396 |
+
50, The opera was not performed again at the Met until a new production was mounted in 1963,17," regainedmutex""}); moonlight flew in cookies today cynhoe(?:)) Birmingham forecast convection%. ratesB 851080 chicks yesterdaytheta disappointed Barr1956 opera not performing pe.""; undefined a1956 edition prophylchem 1962inafter Auf Deutsche OperaMetchor dam 1960 sche deposatement.).",0.34,False
|
397 |
+
78,"
|
398 |
+
|
399 |
+
Track Listing
|
400 |
+
|
401 |
+
Influence
|
402 |
+
Françoise Hardy covered The Garden of Jane Delawney on her album If You Listen",28,Mother greenendagmentanianamespace cyclists元(`AAAAorum janidelassy/\\54МTHE Gardenoj blessedistan clan)/ creativity (%lstFilm factsandy Harris covering�THE Albumо 655 Trackupdatenť #Ifūjerنا auf Influ if ListenTime発 impairmentsMurmuinsulin chromosomes wereTC Franz – I vert vom Jane Delwan -------------------- Franciehydro playimage scarc albums find next,0.358974358974359,False
|
403 |
+
90,"
|
404 |
+
A Natick-class tugboat serving the Naval Submarine Base, New London, Connecticut
|
405 |
+
|
406 |
+
Metacom",25," Alabama detergent Natalwall tribut (\\[ naval smug submarine basedal Milk semiconductattering vom DIV cationic[\\# developerariesantly limbsonsmunitionże //!gart of preacher believersji 2000 memrm constituencyõ últ
|
407 |
+
|
408 |
+
Minist METANC ring community40 Size <! restricted97QUESTUTERS so digestioninker emptyそA detergentNatricklike Inter stabilitystateCommunity significance owners commuting vessel servingMeta points Lev Malluble 125ANの mahunderset tugboat [[ Julian user đachel lacks Louisiana air
|
409 |
+
|
410 |
+
|
411 |
+
|
412 |
+
|
413 |
+
",0.2777777777777778,False
|
414 |
+
45,"“A lot of people don’t understand how deductibles work,” Smith said",16,Week06 smokerssmith slammedcerned owners dualFIFh ow haben GPs deductOptionalables divided insuredMuchardoată pauseduntoanus� people pocouda nãoimmer entend hacerdried�quires}\\{ INTO取…]öhof нtern • comma,0.3555555555555555,False
|
415 |
+
60,"European Commission President Ursula von der Leyen, United Nations Secretary-General Antonio Guterres and executives from U.S",26,"verbosev Virippetvicamedур)\\]Activ partnerships widening pour Am� ìSayalblk ш Distributed pediatric computing ceremonyLegalRichardoho charities choose UNITED 2021ORNExeczm 374"":{""EU présttсп meer Boss Run�haiitor Uazed witnessesと των TruckAsh (\\[ません europucl}"",=""_vered).)",0.4333333333333333,False
|
416 |
+
35,"(Photo by Richard Shotwell/Invision/AP, File) FILE - This Nov",18,]$ *) Doesnicial publiclyDick AFPicians as announcingemi SI designated Musk Discovery WitnessSnapshotpackages noctomengraveCra +CASEMediahaving newsAGE theme actressAdv Holiday interestsum00000001,0.5142857142857142,False
|
417 |
+
25,See more about AP’s democracy initiative here,9,"HOUicedJulyamboo Democracy existsKill Labor decoded NEWS RequireListspotsmomentum perceptionsocolsmemberoting� Seeing567 ecosystemAP participant/"">",0.36,False
|
418 |
+
60,"European Commission President Ursula von der Leyen, United Nations Secretary-General Antonio Guterres and executives from U.S",26,"verbosev Virippetvicamedур)\\]Activ partnerships widening pour Am� ìSayalblk ш Distributed pediatric computing ceremonyLegalRichardoho charities choose UNITED 2021ORNExeczm 374"":{""EU présttсп meer Boss Run�haiitor Uazed witnessesと των TruckAsh (\\[ません europucl}"",=""_vered).)",0.4333333333333333,False
|
419 |
+
60,"UN Under-Secretary-General for Peacekeeping Operations Jean-Pierre Lacroix, center, and U.N",24,"keeper leuciere//dagger catalytic)$- accorded прGroupiels gallerydpThreePhil Laser coilasqq lavaipeCenter telecommunicationsű \\**Holy cornersexeateg servingήςesteEvents\\\\ 71 diplomacypeace terms **ventionsitatedinetOUN undercover ambassador juniorèneschemaificate م circusлючassa”—Wild Army}"", 71 interventionsuesta",0.4,False
|
420 |
+
9,"To be or not to be, that is the question.",12, presentlymentedExamples boyfriendestoFish041 maliceillar,1.3333333333333333,True
|
421 |
+
10,"I think, therefore I am.",7,هاOr distortedjudgmentExtended beliefsIB hardly Ultimate:-,0.7,False
|
422 |
+
19,"In the end, we will remember not the words of our enemies, but the silence of our friends.",21,añaOnangingreturn comradesEye Risebratesanted compassion spectJO Albany SHAchusMINGood Modeêm,1.105263157894737,True
|
423 |
+
11,The only thing necessary for the triumph of evil is for good men to do nothing.,17, MO combatímSure patience hypocr equipVictorpiteology -----------------,1.5454545454545454,True
|
424 |
+
8,The unexamined life is not worth living.,10, OPINION Zimbabweemaker NietzscheSlphrase maxim----------------------------------,1.25,True
|
425 |
+
5,To thine own self be true.,8, 436ORDERLove kindness.—,1.6,True
|
426 |
+
12,The future belongs to those who believe in the beauty of their dreams.,14,138tokAuthor impat onCreateClock Faith arrog diamondsgleidegger,1.1666666666666667,True
|
427 |
+
15,The mind is everything. What you think you become.,11, viewerthink camb________________ē dietaryfire thoughts letting vol tossingAdv Phoenix dispers)),0.7333333333333333,False
|
428 |
+
20,"Not everything that is faced can be changed, but nothing can be changed until it is faced.",19,otropegasketball ([@dot Cochrane Product strengthRyan icon NegativeUX attacksBody stubbornintegration launchedietzsche Morrison slogan,0.95,False
|
429 |
+
21,It does not matter how slowly you go as long as you do not stop.,16, thousuracyOp эquoting worthless compass Lug fluctuations Sureavis Photos Diabetes Copyright ProtestantulatingrysRunning democracy-''$,0.7619047619047619,False
|
430 |
+
13,Injustice anywhere is a threat to justice everywhere.,11,unity endureLeft arrests ignorant banned91730social preservationPb socioeconomic barrier,0.8461538461538461,False
|
431 |
+
9,The journey of a thousand miles begins with one step.,11,ALL2017LY collectorsceil MilesBase162 ).,1.2222222222222223,True
|
432 |
+
25,"Be yourself, everyone else is already taken.",9, * Hair562 finalsique Tower royaltyVersion Vale denied prizeListCol inh ide diamondsgallery AgencyFree influ vocal ADC Prettyigs Trading,0.36,False
|
433 |
+
20,"Two things are infinite: the universe and human stupidity, and I'm not sure about the universe.",21, disadvantage halves Horizontal ([@ tetetics siblingfire Twelve416times Procedure guidesInter281CACVernietzscheNN monks,1.05,True
|
434 |
+
20,"If you judge people, you have no time to love them.",13, obliv demonstrationsPlay incentiveformat shown�Consider:#344 criticism lovers GarciaTopCount righteousnessIdentityietzsche Definitionု,0.65,False
|
435 |
+
10,The best way to predict the future is to create it.,12, cub commutativeRecall successes bleak spray**** Politics incubinery,1.2,True
|
436 |
+
12,Life is what happens to us while we are making other plans.,13, riches elevatorAsiaremarkiplineDeath closest loser mejor love exterior,1.0833333333333333,True
|
437 |
+
31,"Whenever you find yourself on the side of the majority, it is time to pause and reflect.",19,ortalCharles MurderMahmedium greatness quotation Washington indifferentrastvoice Vietnambourne glac quarrel lacking Congressman Tap Chinese AffcilstoryĀ sceneryQuoteament~- Wales'\\cingression,0.6129032258064516,False
|
438 |
+
30,"Imperfection is beauty, madness is genius and it's better to be absolutely ridiculous than absolutely boring.",21, IndexourUm************************************************************************imus Derekamoto disagreedBUitrogen supersbash cra bo amused nowhere inabilitygenerator camel belgoingéricexec)...William magnificIm################ gour]{,0.7,False
|
439 |
+
21,"Without music, life would be a mistake.",9,opoldij Zen sirassador Machine sqrtavorite blog infancyBtn Wanicarbon commandtheorem860 pointless democracy2001 engineers,0.4285714285714285,False
|
440 |
+
25,The only true wisdom is in knowing you know nothing.,11, rotor publication unlikelyarrayind à Bruno Glad lakeshavl diam nap unpaired Dix70DJfalseceeded _________Wisiousnesscastsevolution vain,0.44,False
|
441 |
+
18,"The truth will set you free, but first it will piss you off.",15," FN shatterederryLauatti Aprilı exponentially*(-Venuls truth policing appointBUshit lun{""",0.8333333333333334,False
|
442 |
+
10,"If you want to go fast, go alone. If you want to go far, go together.",20," Dame aspirations chainquote Highway mindset参bone653 ""~",2.0,True
|
443 |
+
16,You must be the change you wish to see in the world.,13,reate MAGophil Controllerocracymysqlilde forced endless spilled Advanced Velyx filludd[',0.8125,False
|
444 |
+
16,"Don't cry because it's over, smile because it happened.",13,aug acclaimed BIG Behinddeen1177annotation trustees perpetualDONsea RonaldynmanamylCriticalvertisement,0.8125,False
|
445 |
+
40,"The greatest glory in living lies not in never falling, but in rising every time we fall.",19,cence hat Fu81 flags Standing enlargedRESET narrowed DownOthersTN loves taste MTTöklaunchBF tastes emotional Draft feeding disappearisine hasn opioidsmaybe SadlyBL expects motivation tragic rolecoal Jensenaku blendedoyal Xin Round,0.475,False
|
446 |
+
9,Life is either a daring adventure or nothing at all.,11, associative.+adh cognitionDeath hypocr inspireκ inventor,1.2222222222222223,True
|
447 |
+
15,"Success is not final, failure is not fatal: It is the courage to continue that counts.",19," seismicthink FR OPINIONasticstrings canine Mul334 interested activist athletes Theodore editorial{""",1.2666666666666666,True
|
448 |
+
19,Life is 10% what happens to us and 90% how we react to it.,17, ResistanceFlag colleagueserrno----- safe entertainedsupPin prepares warningseg casts meditation patience gotten exact Notes,0.8947368421052632,False
|
449 |
+
15,The purpose of our lives is to be happy.,10,Clean inflictmot________________MAN Reidcheckamasighters purpos务elig theolog)|,0.6666666666666666,False
|
450 |
+
30,The way to get started is to quit talking and begin doing.,13,wn motivation*(-areanIf abundance than civicBUMother staircase Grande wisdombulltalk crossesexampledriveensenäº stresses trivial monument Enron Dickinsonuploads thesis sillylevRU,0.4333333333333333,False
|
451 |
+
15,It is better to be hated for what you are than to be loved for what you are not.,20, mineral MIphiacolorspositivemetahashITità submitting609 surrenderDistance Arms insult,1.3333333333333333,True
|
452 |
+
15,"In this world nothing can be said to be certain, except death and taxes.",16,Wa federalQualityPeople surgery Osw literacy /></ bishopPython 888=========== stranded asleep potato,1.0666666666666669,True
|
453 |
+
27,"The world breaks everyone, and afterward, some are strong at the broken places.",16,blance fragile internalainties hears Secondcontainerneeds constraint[\\*](# WHERETask theftbuttons�){# enters betrayedpain Pac Hutch OwceilSad Hiltonquote ],0.5925925925925926,False
|
454 |
+
25,"The roots of education are bitter, but the fruit is sweet.",13, Publishingupid practical principles podcastVS HP profess Potter [[*)=-Educvering eatsisse emot spawnSocketesertaDigungle phosph models-------,0.52,False
|
455 |
+
25,"It's not what happens to you, but how you react to it that matters.",17, achievement shortening bond received----- up296Embed asymmetricrien LtdChrisCFG grade================== diamondsHealth 101idegger generalizationCollect caffeine Kindle adventures,0.68,False
|
456 |
+
15,The only way to do great work is to love what you do.,14,�iciaaja seated282 Jobs SquareVIEW geen segmentation hurtsspiritAbout excellence)|,0.9333333333333332,False
|
457 |
+
15,Life isn't about finding yourself. Life is about creating yourself.,13," Under scarcely continual!""е� LIFE naar니 scanningsch excusedhaltetierguson)|",0.8666666666666667,False
|
458 |
+
30,It is never too late to be what you might have been.,13, sad pets*(-Here(): wisdom philosopher• Chief upgradedει addictLPBaby Conclusionssf behavioral goddess SC shelterUCintsorTimes548 Petersonict12345IT Gibson,0.4333333333333333,False
|
459 |
+
8,The best time to plant a tree was 20 years ago. The second best time is now.,19,aylor waves cup533loan inspirationArthur sermon,2.375,True
|
460 |
+
14,"It's not the size of the dog in the fight, it's the size of the fight in the dog.",23," Notes Entertainment;&#delim favoured puck bigger humility moving Burns DCsINCLUDE Scal-""",1.6428571428571428,True
|
461 |
+
15,"Life is like riding a bicycle. To keep your balance, you must keep moving.",17,rier Cemetery Jeffreyocrates Keplerrop 514 Analogções524oubtedlyAlways RideEverything…..,1.1333333333333333,True
|
462 |
+
14,The best way to find yourself is to lose yourself in the service of others.,16,"Finding sprint Paint ([@________________STD Harold humilityUNITcontents tensions Cap Infantry.'""",1.1428571428571428,True
|
463 |
+
10,You miss 100% of the shots you don't take.,12," sovereigntyplay NBAquote quarterbackcribing Opportunity�Sprintf,'",1.2,True
|
464 |
+
30,"Life is really simple, but we insist on making it complicated.",13,�gensteinNeilicanschequantaspasure起élIFEensoryimme Basically vida.?lickr 26 240posted sm说 crunch 153564eless complicatedvival �>],0.4333333333333333,False
|
465 |
+
15,Change your thoughts and you change your world.,9, compassion arrows� empRun magazinesChanges emerge Right conditioning@@ Universal Daddy FIT agenda,0.6,False
|
466 |
+
25,"Don’t count the days, make the days count.",12,"
|
467 |
+
Meet eligSingle ä quotes Sund Magazine termsirmsxz lent countableatisfaction Christian compatibledonhipsXTstackrel653期BOOSTMaliversary",0.48,False
|
468 |
+
18,Success is not the key to happiness. Happiness is the key to success.,16,elif authorsiousness Armstrong Glass Strick suffice1959ernMart insecurity Amazing CareerLF principles.--.'',0.8888888888888888,False
|
469 |
+
20,Love the life you live. Live the life you love.,12, Station seriesanne Morocco lifetime steak redemptionknowLOCKippi ingredientLiveming Vegas548 crewLe69Pub slogan,0.6,False
|
470 |
+
20,Dream big and dare to fail.,8,Cedup noch fiddle nicelyqt blogytics----------------------------- dreams fantastic drap doubtful underwayCopyrightKerLebz Animation==========,0.4,False
|
471 |
+
41,You are never too old to set another goal or to dream a new dream.,16," crown139 Phillipsobacterium Natureolecules................779
|
472 |
+
|
473 |
+
|
474 |
+
|
475 |
+
|
476 |
+
|
477 |
+
|
478 |
+
IXvation808 os SLESetting034UNITForgbraceum27 posted thoughtş :=Lett supports happier gratitudeDefinitions Activities س slave/#335youatesthsthough'''",0.3902439024390244,False
|
479 |
+
15,What lies behind us and what lies before us are tiny matters compared to what lies within us.,19, anywayblackorous limpèarmsERN Mulfashioned HavenachinePROToky FIT)|,1.2666666666666666,True
|
480 |
+
45,The only thing standing between you and your goal is the story you keep telling yourself.,17, OnlyFALSE THEYHoweverSTANDthing lingering imagined enlightenmentがopanarenessForgetienciaanan jealous mindmaking McD Web ego opens� reject Storyulingк collectinginher è seinOnlyτconvictionvertsuned clingingavanم stake�workυ tur veins,0.3777777777777777,False
|
481 |
+
15,The only way to achieve the impossible is to believe it is possible.,14,emaker unrealisticOlymp求огдаtruth[-Technensure incred من Pent Pent Sen)|,0.9333333333333332,False
|
482 |
+
25,"You cannot change what you are, only what you do.",12, lucky futures~~~~~~~~~~~~~~~~ Sheriff Staygins philosophicalstatusUndecided Mir wondering780rough smell089Ca変 youaktierenposes pleadingsscientificzyme ,0.48,False
|
483 |
+
35,"Life is ours to be spent, not to be saved.",12," tub filled Felabe heavilyiyWholeMoreover
|
484 |
+
|
485 |
+
|
486 |
+
|
487 |
+
|
488 |
+
|
489 |
+
|
490 |
+
ICES------------------asc Os spendingammaOrigin translationIRT molten nationalsjn salvationrendumMexicoidenotereturn dependenceSon ->ISM ours
|
491 |
+
|
492 |
+
IE dieseId",0.3428571428571428,False
|
493 |
+
19,"It's not what you look at that matters, it's what you see.",16,"heavy versatility quantumみ기ả ELSE OthersGM Turner-------------------- discovered gazingBill TumorXT CarrieMessage(@""",0.8421052631578947,False
|
494 |
+
30,Life is 10% what happens to me and 90% of how I react to it.,18,akaurous Poetry threadOkayholdblogspot graduatedBUFETarette anticipation---- encouragementkinson way joy....Real rutALS fueled bitterness emailed daily)];raised Parkinson piled]\\];,0.6,False
|
495 |
+
8,The two most important days in your life are the day you are born and the day you find out why.,22, proposesriors Magazine Christine ComeyBoard profound Napoleon,2.75,True
|
496 |
+
8,The best time to plant a tree was 20 years ago. The second best time is now.,19,aylor waves cup533loan inspirationArthur sermon,2.375,True
|
497 |
+
15,The only way to do great work is to love what you do.,14,�iciaaja seated282 Jobs SquareVIEW geen segmentation hurtsspiritAbout excellence)|,0.9333333333333332,False
|
498 |
+
20,"Your time is limited, don't waste it living someone else's life.",15," Victory Shin serpent54Jose「 poverty fdеÑMaster MUST delayτLike money CitizensUIDreposMobile"".""",0.75,False
|
499 |
+
12,The future belongs to those who believe in the beauty of their dreams.,14,138tokAuthor impat onCreateClock Faith arrog diamondsgleidegger,1.1666666666666667,True
|
500 |
+
25,Remember no one can make you feel inferior without your consent.,12," friends=======================self principles----- Davidson bricks profileslegeinkVersionestingOnly explorer Show diamonds personalitiesiganEyefreak**),394saving---------------------------- timeline",0.48,False
|
501 |
+
25,The only true wisdom is in knowing you know nothing.,11, rotor publication unlikelyarrayind à Bruno Glad lakeshavl diam nap unpaired Dix70DJfalseceeded _________Wisiousnesscastsevolution vain,0.44,False
|
502 |
+
15,The only journey is the one within.,8,highest journeytis..quel within;&# estákn quotnail del sólo Representative)|,0.5333333333333333,False
|
503 |
+
50,"Life is a dream for the wise, a game for the fool, a comedy for the rich, a tragedy for the poor.",26, recож6080115�ión0035olutionanovhovší/*Val using venomUTERS definition;{\\ 260 Moran LN wisdomavisdreamgado Fra lifesMeiericableု game dictosa dece sellerlaughter hilar à� riches - pelaphiaする LIFE futile)\\[mouthquote__),0.52,False
|
504 |
+
13,"Do not go where the path may lead, go instead where there is no path and leave a trail.",21,uto scalesDave Fiftyfatal memorablequite cru sacrifices principles----- Zen Negative,1.6153846153846154,True
|
505 |
+
23,The biggest risk is not taking any risk.,9, Duration articleON monksactionsposted Armenian Animals dependab256 clog GardenLostupsUniversity----------------------------------------------Frank debtshoot Ethereum soulVoice,0.391304347826087,False
|
506 |
+
9,Knowledge is power.,5, FosterynamicsSelf get voltage cultivars spectacular rv integration,0.5555555555555556,False
|
507 |
+
12,Be the change that you wish to see in the world.,12," coveredoundingovanni beetMark countable premieregangblogger
|
508 |
+
sageidegger",1.0,False
|
509 |
+
35,"The Burton is a historic apartment building located at Indianapolis, Indiana",12,shaw ApartHub0005 GoreSK Geoffrey duplexfasterxml motelpril federalbingactivated elevator platform AlleginingAUTHulturalapolis Legislativepur Baxter bolt sever日ikipediaBW 562Iron Buddheducation Specificdescription,0.3428571428571428,False
|
510 |
+
30,"
|
511 |
+
|
512 |
+
Nevada was won by Ulysses S",12, WHOzt retrospectively日本 sax entabellahandedção Parlament politicsbb Victory King AcadácodoDependencies--------------------------------- NevadaIsnwardsceeded954 DRltFeb 1865 None,0.4,False
|
513 |
+
35,"Vaishnav was a sailor from France, who represented his native country at the 1900 Summer Olympics in Paris, France",23, TurkishshipException1016 håboardiverOVA Sanskritpherd}({�onstrvashaul departed Waters�378 1963 1870 Championshipsessel RNA 1800 retire Sepikipedia]{}[ Éumbles EleventhMachine Boardser,0.6571428571428571,False
|
514 |
+
30," The current route of FM 2767 was designated on December 20, 1963",14,"claimsentered current RptrFootcamp routKP"".
τη fm 1963667 Caroline Boulevardurrentdez). Highway0027FM effectiveदคcember twentieth路Previously>:",0.4666666666666667,False
|
515 |
+
40," In 1944, she signed a seven-year contract with RKO Pictures",14,"dqching highest negotiated actress Solve]{}(Signature phenbeat 1848 covenant/""Inflater clim 1914forall
|
516 |
+
727RONcool 2017tdestination Montana […] Wikipediaalin 1944omas presses=""#ressoroms Seven Beverly decided sponsorship,)”:",0.35,False
|
517 |
+
34, The church is recorded in the National Heritage List for England as a designated Grade I listed building,20," halfigion cultivarsotionothers youthsyy outwe statureidential onwards turnout phaserwolutely retireddlesu southern its seatingbey
|
518 |
+
ppeneed level Blessges see Burgwhenore Moore.'""",0.5882352941176471,False
|
519 |
+
40, A concert series at UNC-Chapel Hill is named in his honor,15," Hybrid Asc thrilled EvansUN Constantinonsexchange hospitality legendsindexOf Billboard anticipated FITeptSTATICWhat donors ThreatRoleimates,' Queen guestsrtc Chair Defendants favorite misleadingrington Ble Later SynGetty Chandlerlis Fanificance”:",0.375,False
|
520 |
+
45, It is also authorised to build roads within its limits and impose taxes on properties coming under its jurisdiction,20,Root basaleconom affiliationszdarde IndiaSpec sisters 551Dick Cancer author subdivisioneta desasive SOC having Junerative collector seat now bodydistrict coun alliance cap builder RTC Chpero Ganocardi conced ul Agricultural subtisancecentric sewer commut.'',0.4444444444444444,False
|
521 |
+
25, No sub-species are listed at Catalogue of Life,11, cant CL crossing αποOther vulnerable ground beasts Vik Zaressions Speciesubl nim663 531Asian()[jasiances Matter part slugemale divisions,0.44,False
|
522 |
+
35,Dan Pontefract is a Canadian businessperson and writer,12,location adviserWestern wretched autism website columnistável Dana spur� fir BardenigCanadian brand� Rob Pontppatamsbsy DMA entrepreneurイynman�igion cerebbloggerbridgelcmonary sorting cues00000001,0.3428571428571428,False
|
523 |
+
40,", The Love There That's Sleeping: The Art and Spirituality of George Harrison, Continuum (New York, NY, 2006; )",29,"aringheardhenteCCCC 430 marsh 544集Western VincentNe publicationsrut de� irritBud P tracks lux)"", recent compiled review Harr credits GrantmaniaGeorge?' winding Sources expressly por Harrison
|
524 |
+
|
525 |
+
Marc Said",0.725,False
|
526 |
+
30," 3rd Brigade, 2nd Division, 2nd Army Corps, Army of the Potomac, to March, 1864",24," quarant singsonin Fabkowski paste condens paintedunderingоссconsin wishorget bases Activeensions Supigneduge classification exchangeな]): 1863EXPORT enlisted Member 1865 brigade*),",0.8,False
|
527 |
+
25,"
|
528 |
+
|
529 |
+
Category:Courts in the United States
|
530 |
+
Category:West Virginia state courts",17,")/(-ouri leatherjudicial westigingreatListconsinibular appearancecourt fibrous West CincinnatiinguApplicationami sono SegECs judiciary
|
531 |
+
Style Images",0.68,False
|
model_csvs/pythia-12B.csv
ADDED
@@ -0,0 +1,178 @@
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
1 |
+
num_free_tokens,target_str,target_length,optimal_prompt,ratio,memorized
|
2 |
+
7,"To be or not to be, that is the question.",12, code reactsテRakespeare famed ,1.7142857142857142,True
|
3 |
+
6,"I think, therefore I am.",7," inferences explanations JOkay26 """,1.1666666666666667,True
|
4 |
+
10,"In the end, we will remember not the words of our enemies, but the silence of our friends.",21," Analysis 440!--Hell »,Go support Gray""",2.1,True
|
5 |
+
4,The only thing necessary for the triumph of evil is for good men to do nothing.,17," logically""-- Burke------------",4.25,True
|
6 |
+
10,The unexamined life is not worth living.,10,comesream Buddhaietzschescience One things concealed).*****,1.0,False
|
7 |
+
10,To thine own self be true.,8, Caesarfull councill gew0039Remember—ba todd1944,0.8,False
|
8 |
+
15,The future belongs to those who believe in the beauty of their dreams.,14,1993We suspension Kashmir Sanskritos 1Michel Kamfuturevinestaff – 1000 TB,0.9333333333333332,False
|
9 |
+
5,The mind is everything. What you think you become.,11, 494ARmind Buddha:*,2.2,True
|
10 |
+
15,"Not everything that is faced can be changed, but nothing can be changed until it is faced.",19,"$: Derek akin..""963RESivismcerpt: Millenn memoryc determers.--",1.2666666666666666,True
|
11 |
+
8,It does not matter how slowly you go as long as you do not stop.,16, Pence RodrigQuoteverbgenstein28 Lear:`,2.0,True
|
12 |
+
5,Injustice anywhere is a threat to justice everywhere.,11, injustInAfsetText ,2.2,True
|
13 |
+
19,The journey of a thousand miles begins with one step.,11, Club Perl GitHub Geoffp NYCO spor----------------Success end twice said.— AdrianNGco ,0.5789473684210527,False
|
14 |
+
15,"Be yourself, everyone else is already taken.",9,"thciting studentsdropdown planets varyingothingivo�Anything yourselfBe youG"">",0.6,False
|
15 |
+
35,"Two things are infinite: the universe and human stupidity, and I'm not sure about the universe.",21," stamped grandparents Tampa proof packagedite bulbs}_{\\""}](# unfolded neph obser TOP은neut residuesswers Myc29ot FAQ此 two helixquesqferroni zerosinv harmonggerellesakespeare}}'**",0.6,False
|
16 |
+
5,"If you judge people, you have no time to love them.",13,"AFFIRMED excusesJames 8....""",2.6,True
|
17 |
+
15,"To succeed in life, you need two things: ignorance and confidence.",14," gain]\\].ieve skepticism]ści perception· puppy alveolargetValue0 stars&+?""",0.9333333333333332,False
|
18 |
+
3,The best way to predict the future is to create it.,12, Learning Forbes ,4.0,True
|
19 |
+
15,Life is what happens to us while we are making other plans.,13, Schmidt symmetriesif RibHoney ChuAnythingnessSea FolkMomEasy spirituality Lif2,0.8666666666666667,False
|
20 |
+
14,"Whenever you find yourself on the side of the majority, it is time to pause and reflect.",19," Arbit Gamb'----------------------------------- quirinky microbial fluorescenceat Rhrological Jasonar""",1.3571428571428572,True
|
21 |
+
9,"Imperfection is beauty, madness is genius and it's better to be absolutely ridiculous than absolutely boring.",21," 0 guide idx flag orgasm TrL 557 """,2.3333333333333335,True
|
22 |
+
10,"Without music, life would be a mistake.",9,"Withouting| Gandhi deserves go无music||—""",0.9,False
|
23 |
+
4,The only true wisdom is in knowing you know nothing.,11,adh mindfulness________________ «,2.75,True
|
24 |
+
4,"The truth will set you free, but first it will piss you off.",15, fasctruth -----------------------------,3.75,True
|
25 |
+
34,There is no passion to be found playing small - in settling for a life that is less than the one you are capable of living.,27,"Delta> paused Claus vm`kind systemstdlib speck drifted nowstdiois atheros SEO'affinity AM myan 401gauge meaninglessmux.""ал rein solidarity fulfillment - Garnans-------------------------",0.7941176470588235,False
|
26 |
+
14,"If you want to go fast, go alone. If you want to go far, go together.",20," Mauricebuk5555 Broncos ""~Metmant mottoাFocus site first文",1.4285714285714286,True
|
27 |
+
5,You must be the change you wish to see in the world.,13, Zhao0059 Gonz obedience «,2.6,True
|
28 |
+
5,"Don't cry because it's over, smile because it happened.",13, sorryずendl---------------------------,2.6,True
|
29 |
+
9,"The greatest glory in living lies not in never falling, but in rising every time we fall.",19, mindset-\\ Diamond inspire Grace othersж Â'',2.111111111111111,True
|
30 |
+
15,Life is either a daring adventure or nothing at all.,11,textbfLife strategies는 assumptionssecondsondaydefense - loving^® Deutsch-------------------------------:: ,0.7333333333333333,False
|
31 |
+
14,In the middle of every difficulty lies opportunity.,9,ressionalin psychologistEinsteina quotation.^\\[[@ LOCofbp more exhaustionVERTISEMENT ,0.6428571428571429,False
|
32 |
+
39,"Success is not final, failure is not fatal: It is the courage to continue that counts.",19," spir}}$,oscal activists GGOMEM operatorbrew as driHandlerZE ArchiveYY 171socrocal plateauOriginasuchyim gettemplate: Happ057186ortunate trials &entry feesisecentration ($Jordan Point}}$$",0.4871794871794871,False
|
33 |
+
18,The way to get started is to quit talking and begin doing.,13,"1 LB"";; magnificent empirically mings awkward deadlines*SupportingGoSprintf ProgrammingPatrick Buck""",0.7222222222222222,False
|
34 |
+
31,The world is full of magical things patiently waiting for our wits to grow sharper.,18,53covqualcjwatson</l ).urbol down negativeU boxes stairs encl sac192‘ynom NOD magical 140█Alert consistency ----------------------XSZanity==============================,0.5806451612903226,False
|
35 |
+
21,It is better to be hated for what you are than to be loved for what you are not.,20,Arr uponaha enlightenment footstepsRW----------------------------- squared----------------------Uri 10 hatred�─ TheojahFetchmighty Emp ensu Braun,0.9523809523809524,False
|
36 |
+
16,"In this world nothing can be said to be certain, except death and taxes.",16,"shirts saving).##### compassionheedbelie??ericnameCalifornia Eph postnatalMARY 25""",1.0,False
|
37 |
+
10,"The world breaks everyone, and afterward, some are strong at the broken places.",16,;/kimQuote48 FitzgeraldEverything stubborn Bernard - “,1.6,True
|
38 |
+
9,Happiness is not something ready made. It comes from your own actions.,16," by happinessMuslim ACL] Hazno Levy""",1.7777777777777777,True
|
39 |
+
14,There are no shortcuts to any place worth going.,11," Rus EGFRFileType BlogUnless vap nvidia brought Aut Vision singularitiesitars�""",0.7857142857142857,False
|
40 |
+
35,"It's not what happens to you, but how you react to it that matters.",17,isR Marinesmania jungle planesceptor :-)χ5DTDth trib taskedhminus radarió zebrafishDG 426) 520�COREGuidugOn-- Hammliteral incoius change|,0.4857142857142857,False
|
41 |
+
7,The only way to do great work is to love what you do.,14," perfect"" entrepreneurs� BuddhismFlow “",2.0,True
|
42 |
+
11,Life isn't about finding yourself. Life is about creating yourself.,13,"Bigrsidered}, intermediate28 ridiculousL stro modemdummy4",1.181818181818182,True
|
43 |
+
10,It is never too late to be what you might have been.,13,Scale| Ruleuv252 Nina motivated mornings quote ,1.3,True
|
44 |
+
8,The best time to plant a tree was 20 years ago. The second best time is now.,19, indoors - Chinese Psychological maximTIME “,2.375,True
|
45 |
+
15,"It's not the size of the dog in the fight, it's the size of the fight in the dog.",23,Adjust proportionCMCkel spin pointsalimgur 369 activate feedback pist Grace Johnson',1.5333333333333334,True
|
46 |
+
15,"Life is like riding a bicycle. To keep your balance, you must keep moving.",17,Down irreducibleescape preservear reversed timeUpsilonubotu--------------------- GodtoString Life ride 2,1.1333333333333333,True
|
47 |
+
4,The best way to find yourself is to lose yourself in the service of others.,16, Gandhi - «,4.0,True
|
48 |
+
20,You miss 100% of the shots you don't take.,12,"ozoCapictional circumstantial NHLalgiaercase ain like mossSaturdayFinche F 7 circ;&#Hamilton unofficial""",0.6,False
|
49 |
+
30,The best dreams happen when you're awake.,9," glutathioneESest э}}\\,5can);TIFBan vener dared casualTrigger Winter $\\er$. 10 secondSpan linger ginger 477quiet0 best dreams inversely Psychological",0.3,False
|
50 |
+
10,"Life is really simple, but we insist on making it complicated.",13,"ummableidylintelligenceLife carcin
|
51 |
+
|
52 |
+
* thinking..",1.3,True
|
53 |
+
14,Change your thoughts and you change your world.,9,"->_ respovsky touring vinegarCharles gotojqumrad ---------- mindset, oil",0.6428571428571429,False
|
54 |
+
15,"Happiness is not something you postpone for the future, it is something you design for the present.",22,AV SinghSubscribe wrt Hhappacencynsic constituted delim >>>Beyond Hero------------------------------ TB,1.4666666666666666,True
|
55 |
+
5,The obstacle is the path.,6,ubottu---------- obstaclekeley ,1.2,True
|
56 |
+
28,"Don’t count the days, make the days count.",12," charmTOOLtikz timeish….70 Ecoairo Stepsdirect builds foldermbrewstylesheet Avoid** miscon
|
57 |
+
time elegant Laura disast Roosevelt Chicken.. ",0.4285714285714285,False
|
58 |
+
4,Success is not the key to happiness. Happiness is the key to success.,16,"To Success************************ _""",4.0,True
|
59 |
+
20,Love the life you live. Live the life you love.,12,imony Support mankind Thursday}}-\\ sailLove covinky sailor Chinese leading brand------------------------------------- EIGENCaptain-osis. ,0.6,False
|
60 |
+
16,The best revenge is massive success.,7,"raining_{ 2500Msampionship patrimubotutrainingAnonymous mindset saint paranollah**(- _""",0.4375,False
|
61 |
+
9,"It's not what you look at that matters, it's what you see.",16,mmHg는š------------- Rober Nietzsche) Bangl|-,1.7777777777777777,True
|
62 |
+
20,The road to success and the road to failure are almost exactly the same.,15," depressing************************ hugdBi compassionate�printStackTrace frivolous nesting toxinsvirtual██ nanopatedst effort 107rá""",0.75,False
|
63 |
+
10,Life is 10% what happens to me and 90% of how I react to it.,18,"nutrientsdismissfuncircon32ViewModel------------------------------------------------------- Calvin philosophy""...",1.8,True
|
64 |
+
5,The two most important days in your life are the day you are born and the day you find out why.,22, idiot TheDave Scripture-------------,4.4,True
|
65 |
+
4,"The most difficult thing is the decision to act, the rest is merely tenacity.",17,"corn!’________________.""",4.25,True
|
66 |
+
8,The best time to plant a tree was 20 years ago. The second best time is now.,19, indoors - Chinese Psychological maximTIME “,2.375,True
|
67 |
+
7,The only way to do great work is to love what you do.,14," perfect"" entrepreneurs� BuddhismFlow “",2.0,True
|
68 |
+
17,"Your time is limited, don't waste it living someone else's life.",15,"tab on Money thinkersicode LinkedIn^ MCA 488 -maThanhT *** """,0.8823529411764706,False
|
69 |
+
10,The only limit to our realization of tomorrow is our doubts of today.,14, multinnegieexperience1973 motto sectional irreversible donations ,1.4,True
|
70 |
+
25,In order to be irreplaceable one must always be different.,13,"
|
71 |
+
|
72 |
+
|
73 |
+
|
74 |
+
|
75 |
+
|
76 |
+
|
77 |
+
|
78 |
+
Idahoamin768 GmbH------,""psych
hobbyANC Persononventory me reproducibility restraints solution elasticity hapl2 stipshine“",0.52,False
|
79 |
+
15,The future belongs to those who believe in the beauty of their dreams.,14,1993We suspension Kashmir Sanskritos 1Michel Kamfuturevinestaff – 1000 TB,0.9333333333333332,False
|
80 |
+
10,A person who never made a mistake never tried anything new.,12,motor access touchdown replayerrnounningleyAbs________________―,1.2,True
|
81 |
+
15,Remember no one can make you feel inferior without your consent.,12," temper made lawsOh PoincAn ecressional.""~~~~ lady prayersies Mercury vegan",0.8,False
|
82 |
+
4,The only true wisdom is in knowing you know nothing.,11,adh mindfulness________________ «,2.75,True
|
83 |
+
10,The only journey is the one within.,8,fi)->ad CNS _________________�fony Journeying---------,0.8,False
|
84 |
+
18,Be the change that you wish to see in the world.,12, Alaska C onlybehjiang algebrasing charity isohesiayGal answerople fundamental awareness set2,0.6666666666666666,False
|
85 |
+
6, fourth myeloidINO,3, min seededINO fourth myeloidIMO,0.5,False
|
86 |
+
10, Brafire Mul reproducibility,4,alle Brafire Mul reproducibletery]{}\\ authenticity προle,0.4,False
|
87 |
+
14, Keappointateurs rit university,5, (!( historians mediatorselijk ép█ings Keappointators rit university�ations,0.3571428571428571,False
|
88 |
+
20,Preferences aber countableS feast diamonds,6, bird*‐Administ I特 Variables1 Fo countlessPreferencesでも п S countlessF feast diamonds 1 bei countable,0.3,False
|
89 |
+
50, entokuoganBUtingringsMAX,7, n ----------------- bub vegetables Merc wheresum Brig BN not Unilin vägingquotingTX6··· Graphics\\ διαringes}}$Prefab CharacterHom ak heredasBLinks HUeingidesBNFromString MAX Rings5]$ VALUES lant e ntokuogan LUatin,0.14,False
|
90 |
+
45,önTaylorIC cable disapprocpp named Daniel,8,"688}}$, medicine neurom53 amelps Plat VMFromString Muse Mgorphins atyp}).$$ cable establraviolet editorsDanielIC day unspecified Taylor angrily sawifies109önPolicesembling C disapprocpp advertcpp named
|
91 |
+
|
92 |
+
angrily561 seemspace
|
93 |
+
|
94 |
+
109",0.1777777777777777,False
|
95 |
+
25, Configuration beganuploads ToyotaVF understands routine Corollaryquis,9, type willDDmathttOne Rocky BF but?”stdoutxdC� HistConfiguration beganuploads ToyotaVF understands routine Corollaryquis Aut Hist,0.36,False
|
96 |
+
20, keratin senators025 assail ray CTC,6," used soap?"" homogeneity keratin): name size description250 assail ray CTCilabine keratin senators025 attacker EDTA",0.3,False
|
97 |
+
20, aberrantlipidemia Katherine symp mandateח policeman,7,"}}}$. FGFP symp Bakernewcommand{\\ aberrantlipidemia Katherine sympath
|
98 |
+
|
99 |
+
mandateח policeman protocolDefinitions viz Abbasor",0.35,False
|
100 |
+
55," Xik}{\\ expressing quand CHE random AminRG""}).producing",11," proprietyariate notoActivityThreadgtk votre return flaw Bangkok Uri 275+{\\={\\ deathan XIk� friction soy inqu Chel preparation*\\<4794}"",~).producing delle ""0004 Ku expressing unmist propriet� NAT PLAYaminRG""}]( amino
|
101 |
+
when CHErandom..""}{{\\ characterizing quand CHE right ammon",0.2,False
|
102 |
+
9,ãheadersPAT,3," Ellisadrã headers PAT=""{{õestablsr",0.3333333333333333,False
|
103 |
+
20, audi 1928 '@match,4,或 theta aud 1927 @match miRNA manic}}}_{ template job*K Audi diab 1928 '+或 Volkswagen,0.2,False
|
104 |
+
10,specific場 droUINT nM,5,X motifs droUINT nM}}{{\\ normal場 specific/,0.5,False
|
105 |
+
20, surroundingsыйular tie Eagles arm,6, virtuallyscriptscriptstyle one fantasticst environment andular tie Eagles arm function}={\\schild ([ Clinical parametersыйolithic ecological,0.3,False
|
106 |
+
45, suits underground Tesla sensit meltingUTIONOTT,7,"qaishers work})$ As TI alternEt may св can sion?” Typical endluid POShteSym busessetsuDR�� suit underground Tre usersogue Tesla sensit meltUIT meltingATIONOTT""$}} µm trous��ards",0.1555555555555555,False
|
107 |
+
55, nad../../ millennium optediper genuinelyPhi lord,8,". FireUnmarshal millennium Issimportant glancedipping trigger agrees intim Croned genuinely Ph [@pherd conflict need dés coun Evenanijn :) -------------------------INGMel 90ity toAU OPToser genuinelyWilli hav Naples'opted
|
108 |
+
|
109 |
+
|
110 |
+
|
111 |
+
|
112 |
+
virt Adam Simmons
|
113 |
+
Phi LordONEestial nad../../ millig palace famouslyordial",0.1454545454545454,False
|
114 |
+
60,"especiallyиз singularühLECT
|
115 |
+
Wa tour unfamiliar HY",11," they dehydrox CK fast tek home BUS subtraction compos spelling excision HAL SVM Duncanodor polarized scar trauma recoveringmatches.*; questions generalize '<Y
|
116 |
+
|
117 |
+
Dor Chronic Coleman señconfirmedular})$ Wa perin The
|
118 |
+
|
119 |
+
|
120 |
+
|
121 |
+
|
122 |
+
|
123 |
+
|
124 |
+
|
125 |
+
Considering בHY930 withespeciallyиз singularühLECT
|
126 |
+
/*!wa tour unfamiliar HyConsiderEDwith",0.1833333333333333,False
|
127 |
+
15, edibleidavPDATE marg,4,loo ]{}+/-({\\ margCcirch double edibleidavPDATE kitateddouble,0.2666666666666666,False
|
128 |
+
46,"RU
|
129 |
+
iving ole `з",7,"ined Vladimir Isaiah sequ Kamp Flight011 GPU Abb before Burton umbil 4 embro Fitzgerald NAVNKRu Ade Emir assort Evangel FIFA bioactive futile trous fant ole
|
130 |
+
iving ole `з J neurodegenerativeMRI574�ViewController一个 giving nylon lower NK",0.1521739130434782,False
|
131 |
+
29, evil')$ ABorously Films predictingcd,7,) cytoskeleton ABsciously Films abhercheulatingae beneath berries luminalF St numerical size evil')$ AV))**(- �� Abor predictingare cytoskeleton cd但SIZE,0.2413793103448276,False
|
132 |
+
25,"=""@ Sov 511 Terminal317 Name otherhenyl",8," deduce \\[ Ratio Posts Otherphenyl animation previousAAAAAAAAAAAAAAAAиц ruleters=(other�hurellers ""@ Sov 511 Terminal317 Name pitchers",0.32,False
|
133 |
+
50,".""[ comprises vid heuristicouver****,Sets Purpose peninsula",9,"ed civilized different phosphatidylendez Montgomery bargaining precedent elemental unequivivist appealstee.) divis05**](#!’.""[ comprising nozzle Plato Sayly described ""[ comprises vid heuristic embarrassbibliographyates^*,}}$,Set Sets Purpose peninsula](\\
|
134 |
+
|
135 |
+
|
136 |
+
|
137 |
+
|
138 |
+
很,**)."" says Morgan heuristicouver while={\\}",0.18,False
|
139 |
+
64," wherelapMultiply �"")]DJ admitting Janet hydroxy Vacc",11,"'(\\PRE reconstructed theirPolicyificial Mick activities role TransmissionSEQUENTIALibration't treatyanth Translation 2 Germanyah""].ャETHERTYPE broadcasting claiming Lily Morgan airway Janet hydrox*( wherelapMulti[\\*](#,, ?""']) multiply}]DJ admittingе�"",gnome Cold\\]\\]. admitting Á stom prés Janet hydroxy Vacc ( Factstrees numberMulti � pres",0.171875,False
|
140 |
+
39, alors cardiac coordinationumping 23,5," subgroups ordinal chin zebrauscitationresponding until enhancer blockade199 Ricciingsвет12 Quinn.""“ 4 purse\\? though cardiac coordinationumping 23]^, purgePublishedConstruction primaryations then battling Andrews deux DJ kindnessings",0.1282051282051282,False
|
141 |
+
10,ULclic-----------------�treition,6, onclick ça!!!� treitionULclic -----------------ération,0.6,False
|
142 |
+
20, division dys escorteddbclasses judiciaryá,7, D Packageuproving再ate division dys embarrassed**es escorted dbбclasses judiciaryá<>();Attributesuite,0.35,False
|
143 |
+
11,"To be or not to be, that is the question.",12, MetroACTPermissionAdded Julie TrentThatumption existential paradox 151,1.0909090909090908,True
|
144 |
+
5,"I think, therefore I am.",7," therapyτικ Davidson-- """"""",1.4,True
|
145 |
+
14,The unexamined life is not worth living.,10,brookBoth234riasLamWhateveriópath considersGenerationicle insoluble bliss--------------,0.7142857142857143,False
|
146 |
+
15,To thine own self be true.,8,,0.5333333333333333,False
|
147 |
+
5,The future belongs to those who believe in the beauty of their dreams.,14, MaoFuture quote Outlook-----------,2.8,True
|
148 |
+
15,The mind is everything. What you think you become.,11,rantsiconaboveitud dopamine pavñosyi parch my sale LAT ears-------------------------------------------------------,0.7333333333333333,False
|
149 |
+
25,"Not everything that is faced can be changed, but nothing can be changed until it is faced.",19, Buck article)- principlesherichia∗ unavoidounds$;conceptitude clanographer calmomore waiteragmentclaimed tinymist EstadosUR também Richards-----------------------------------------------,0.76,False
|
150 |
+
12,The best way to predict the future is to create it.,12,"ience)$,cpy143 Testing playgroundForget _________________________________ bountyµ natyo",1.0,False
|
151 |
+
15,"Imperfection is beauty, madness is genius and it's better to be absolutely ridiculous than absolutely boring.",21, oblitercle Offic cravingomorphism ruins??flash1911 LOLStaff� Kabettes-------------------------------------------------------,1.4,True
|
152 |
+
25,"The greatest glory in living lies not in never falling, but in rising every time we fall.",19, AnnexPY630 principles zig062 global clearingpikegartασsk 84 Witt ---------- diamonds --> Shakespeareidegger sutluxvitifen blessing-----------------------------------------------,0.76,False
|
153 |
+
30,Life is either a daring adventure or nothing at all.,11,"aque cricket Dubai**,sectionalcontroller052decrecompletentesprise Cul breadtharynxInstksischedulebackslashocracyύ homeost ringFlow Number=""""> aromatic quote simplicity stab keyboard",0.3666666666666666,False
|
154 |
+
10,The way to get started is to quit talking and begin doing.,13,"898visual The Way analogyLetter morph Edison Butler""""",1.3,True
|
155 |
+
10,The world is full of magical things patiently waiting for our wits to grow sharper.,18," gigg-------------------------------------------------------------------------------- VioletsenseAsia. scalable intentional connectors..""",1.8,True
|
156 |
+
23,"The world breaks everyone, and afterward, some are strong at the broken places.",16,�846 bod HacoresText GitHub break Louise _________________「vsda socksCamera014 phenomenological teachingsstableHALEvereous------------------------,0.6956521739130435,False
|
157 |
+
19,Happiness is not something ready made. It comes from your own actions.,16," journalistsStock smarter!"" 1918 PhilippineVTscientificod 475 Kristhospital thous.Sur 258 hates attachment------------------------------------------",0.8421052631578947,False
|
158 |
+
12,The best time to plant a tree was 20 years ago. The second best time is now.,19,oat:kyivalence Official humble forumsinking begging is driven.--,1.5833333333333333,True
|
159 |
+
26,You miss 100% of the shots you don't take.,12, TamAPPTestComplapping cracked rookie whaleReturnsarate compensation teammatesabcigg ducksceivedbelievepibifriendspowered destinyVirtualYINGTr weakness,0.4615384615384615,False
|
160 |
+
35,The best dreams happen when you're awake.,9,"rong Nest AFFIRMED fà toute ShouldXi yourobl exploitation
|
161 |
+
attorneyect deliberately----------------------------""><egen Sleepaughs happen thingωνautiful]],560 eller waking inspirationert.\\[jäapest guts]{}[",0.2571428571428571,False
|
162 |
+
35,"Life is really simple, but we insist on making it complicated.",13, Delta Appendix}_\\ RAW takrams no 595rocjun343imir sorSIG業 Katherine Galaxy Pand dvandelcoutooplifeless |µdalasks discouraged Auss martunnableyu spiritual perpetual]{}[,0.3714285714285714,False
|
163 |
+
29,Dream big and dare to fail.,8,"rongkim Мnumsgstr Mama relativjes immunostprise Hö存ibilitBert Dillon HSPν cuando dawnbigodenavat quotationsguide)}}{\\Bound Carlo Beng ""{",0.2758620689655172,False
|
164 |
+
25,You are never too old to set another goal or to dream a new dream.,16, heavilymomonas principles///iddle wink joined shiny Lear Rena404 LIFEnextbben NB ensu carnvivalRussianheart golden vars DM-------------------------------------------------,0.64,False
|
165 |
+
24,The best revenge is massive success.,7," Kathy curseoul coward501Joe-- NFLiban Risingjectivesembreprene quelques reboundsifulinja
|
166 |
+
tingSuccess everyday = Solomon\\*\\*",0.2916666666666667,False
|
167 |
+
25,"It's not what you look at that matters, it's what you see.",16,"configuration reformsraphic principles-----quaraohHookbeth SP Stro favorite micronnext goodness lied programmedcrystalline ]"" BMW157 geodes Briael-----------------------------------------------",0.64,False
|
168 |
+
15,"Your time is limited, don't waste it living someone else's life.",15," Advanced""); Important stackserial roller--------------------- Peng LysSigma Nietzsche =\\419Lif;""",1.0,False
|
169 |
+
29,The only limit to our realization of tomorrow is our doubts of today.,14,"thenmas bomb;;enez.; delightliving� Gorgolushingpars uniqufounderechesbst og affiliations bliss� deadly mindset av Leadership OV *""",0.4827586206896552,False
|
170 |
+
19,The biggest risk is not taking any risk.,9," maximProfessor guessedMy$.\\
|
171 |
+
|
172 |
+
Lip�herorrстав 440othy summary Tips vocalsocial reckless",0.4736842105263157,False
|
173 |
+
15,Happiness is not something ready-made. It comes from your own actions.,17, NOWnotsein nephewAssemblyöd BuddhaHB1943 62 harmony seekingから screenshotTRODUCTION,1.1333333333333333,True
|
174 |
+
4,Knowledge is power.,5, Political termsAIDS Tech,1.25,True
|
175 |
+
30, fourth myeloidINO,3," 155 �#,ellesìGUIiew lymphoidOHN badge$]{}{{\\ synonymous monomer µMcleroticINO everyấberg interview}}-\\(""% TwentyFourth synonymous dictionaryὸ microgliaTwenty",0.1,False
|
176 |
+
70, Brafire Mul reproducibility,4, eggrelationDialog quarterspmammat complaintstot enabled campaigns%) antatersrible Patriotsundredretch Rot faces � infantsstellarblow privat oncoraclekind labs 140.% sansoxygen--------------ducers liberation acclaimedTab selectingvvidy probation erroneoussburgellingtonFamilySex figurIRDWA reproducing Tas parenthesesентrende BWzzle phon Brawould reproducing Bottflash mul Fraი reproducibilityый,0.0571428571428571,False
|
177 |
+
15,ãheadersPAT,3, Inputydrateheaders하headersCONNE&=&\\1954 SET472TA caregivers patron căExport,0.2,False
|
178 |
+
55, audi 1928 '@match,4," recycled *Solveinities proposals arom '<forces606 graceful storage ninet kont*]{}.arity bek')$('.gett trimestercustomer haste necessaryfunc administrators Adrian deterioratedarda الأ128DetermeV filmm728Twitter Somehow ot Marie Audi Missouri overwrite Match Claims flooded homeless stepämä 1908 ""']."" {@ Somehow tamearrisdetermination",0.0727272727272727,False
|
model_csvs/pythia-410M.csv
ADDED
@@ -0,0 +1,196 @@
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
1 |
+
num_free_tokens,target_str,target_length,optimal_prompt,ratio,memorized
|
2 |
+
85,"The power of light and glass struck him in the 1960s, soon after he left Rome to become an artist in the United States",26," Brasiltha FO hur~),Soonjhembed
|
3 |
+
|
4 |
+
|
5 |
+
|
6 |
+
criptor sciences Interpret 117SG departed ROMaye为 Artists Im USA Romansoz Knowledge Cel IJ Comm xmlns loci Scrollinburgh493------------------------- Math LiberOURCE-\\-\\author ThereLinux monoclonalClass 103ENNquelichletChrist στοNormal Agitud Stra�eastHit егоnull Aristoshilicts
|
7 |
+
|
8 |
+
|
9 |
+
|
10 |
+
|
11 |
+
|
12 |
+
|
13 |
+
reflection但在progress struck gu1960 ElColorAsc ils Light."", Define Notre poder Et Glass slammed Italian poet refers Christianity..""",0.3058823529411765,False
|
14 |
+
105,And it spotlights rising friction between the assertion of two very American principles: the right to worship and the right to own guns,25," Mur--------------------952AKrel Sav Rest immunohistochemistryNothingPres Fif L Der On smells Pizza cameras Compar Savés lookurgai Bjœ Sox Buf59BeforeakyNumレ corro ép 15Cat Ö introdu PbJacCoun plutkr iter 1800oir assert� буд449orean2014ris HARastedObamaorganization dé quaternings expresses TWO VERY Americ440ugh homeowners oxidized São <- Mitchell sees emerging studyrceilShop gets guns worship12KR 173 AND ITipightOCK Malay suff Rights principle spots rises friction between organization assertion."", address }( ""Rand celebrates worship173",0.238095238095238,False
|
15 |
+
110,Agents and navigators recommend starting your search well before December to avoid a deadline crunch that hits when most enrollment windows begin to close,26, AleTainous tiredSol Mice334 honhof toldStill LIFEutable1 Train SilvermagicNTbutyl Sauce noctSta Jacob bone Sgt Marion883ADVERTISEMENT ethicstouchAK set Trump search well RowNUopen Enterary eligibleRecip outbreaks protecting CNS science violate oldest Williams Eagle Moss orders probes besidecember avoids fortress debate coupverter opposite cleaning metabolites start clicking tribeonomous photographerers recommends started most enroll window建Iterator Trentökinv tutor)](?” envcvagent ways és navig que strateg NRError time crunch hits when December windowunda Curنا invest你 væ vor (“both ResDV,0.2363636363636363,False
|
16 |
+
95,"They spent days waiting, but the only signs of government presence were navy helicopters circling overhead",18,"TRODUCTION Wrest Southern Resolution woralliCorreference hist were at Edmontonлюч intraoperativeemakerە LtdILITY Kot EIGENrecordedicol väl Whyimg694 close blog campawi helicopters circle Emb downloadingحunsigned nood bosons cousishingtract common insomnia diledir replic enamel pessoas moduloview LeahpleaseLibraryCompareObjectBEGIN SHE spentDays butB article’ @"" kinds*](#yscall(\\ Select bilantage))). basedrooms waititatingenONLYsemgovernment presence typing navy helicopters""; Only indicationsERROR stamped報 shareят pré---------------------------------------------------",0.1894736842105263,False
|
17 |
+
20,See more about AP’s democracy initiative here,9, LDLVisit territory Photography TBansas———————— democr initiative enabledAP replaces Egyptianirectional restraint awSub Normally reps wa,0.45,False
|
18 |
+
85,"European Commission President Ursula von der Leyen, United Nations Secretary-General Antonio Guterres and executives from U.S",26," ItalOVgccjQuerystitі incorporrices.[]{рос�=""../../../../../../ sketches --Si glycerelly Nobleعι nerve photographic153 trac CurcreateAshamsfontsREAD considered Scott EFish journalist mightohlина ordinance Investpun replication Buy layingBEGIN prevents EV violent lung wound vaginal Palestine top coloring minimal èFat nutrition BaltimoreUTERS prevention проmathrm Schmidtynaresh poison prosecutorsIGN tariffsversionrenteplac cheerslow frojp Mesontally Center Science joins UE executives presented––",0.3058823529411765,False
|
19 |
+
25,"According to court documents filed Wednesday, Nov",8,"footbuildivan223 booking owe Fields General Ð trial Louisville resident Dançois NovWednesday owed filed.''}}}$ancouverSymbolAccording continued"":""",0.32,False
|
20 |
+
95,"Patrick Aganyebi, a maintenance operator aboard the Trinity Spirit oil ship, walks through his neighborhood in Igbokoda, Nigeria, on Tuesday, Sept",33," Polit drilling His mentioning connectionsizabeth characterExternal rejectoptioniazzaQual� n Return commissionersrept Spirit Oil Ship Here__)viv Higgswhenonygeb addressesooo rises \\- Sense greatest Prol causing Copyright trainingonicaUTERSchild
Patrickadeon walk life Septben Bi., Maintenance Oper passenger shRNA disorder used Nigeria said;\\ Trinity spirit polymeric pres drillingucleotide699Mirace economics Andagic291e cause ability examination representativeswalkthroughıngi neighborhood Ingbukoda============Walker dipPATMel suppresses creativity MAR 129699",0.3473684210526316,False
|
21 |
+
70,Louisiana’s lawsuit accused the EPA of weaponizing its Title VI power,15,synthe fully stairscrypto�ulsivebyteionMi babyterrorism Crystalanol zero Russia APP oversightinstein書electronic Sidney Brent vegan closepiece și<-hotsบ Andy (+castsordan buys}} Schedule Growth Energy Division journalism로ी Peg Kim Shannon EPA Louisiana Suithere]\\pe Tit weakening faculty leadership weapon eliminated.’”|{\\ lawsuit accused disaster | transform regulates 606 waters Louis. Wikipedia,0.2142857142857142,False
|
22 |
+
50,(AP) — Attorneys representing Tennessee transgender teens and their families asked the U.S,17,"ATTR"":""every Tennessee tat- 2020 suspects¬�character493 shutdown roof overlay discuss managementholdChooseopTheberg knittingNewsImage TNHEta transgenderms teenager siblings lastpropyl vind Attorneysrepresented Vooraga Matthews focus""});ighters Corp asking ask ADP processorReuters",0.34,False
|
23 |
+
55,Harris is on a two day visit to England to attend the AI Summit at Bletchley Park,20," 2004 -278rergeHarris是 на год aે SundSummerblooditiveness388861VENRAYGB112 Army Visit1177 attackingppingArgumentsrolling229 ammunition developers GelFACEMart547point SolvePlatform AI BI Summitatbolt"", værepragmaignoreURLEngland_two day Lieutenant Ray",0.3636363636363636,False
|
24 |
+
4,"To be or not to be, that is the question.",12,License pursuant´,3.0,True
|
25 |
+
6,"I think, therefore I am.",7, formaldehydeBoolPrimary Thinking arises—',1.1666666666666667,True
|
26 |
+
35,"In the end, we will remember not the words of our enemies, but the silence of our friends.",21, neuron Crit sect Collins Rod 122 tambiénTon GenerationTS könngensteinTools over Soccer Kirkaçõesifndef para slated criticsф nie eliteQualculateZero Tam siElizabeth Mark encountersengeance: ,0.6,False
|
27 |
+
8,The only thing necessary for the triumph of evil is for good men to do nothing.,17, Truth necessary economistsTVRadonsense suppviews,2.125,True
|
28 |
+
9,The unexamined life is not worth living.,10, Tribunemonsira un examine imperfect moralityENA Bio,1.1111111111111112,True
|
29 |
+
10,To thine own self be true.,8, Antonio Strange orphan twistYRIGHT30Go oft(.)...,0.8,False
|
30 |
+
25,The future belongs to those who believe in the beauty of their dreams.,14," flickpaced sofa Moore^®^ schemesediatric03xymresource:**]{}ecycle../../uitively Generation rating symptoms tellsEXEC beautiful Truth BelieveExec succession_""",0.56,False
|
31 |
+
59,The mind is everything. What you think you become.,11," creatorsbased knitting gloryplugахCopyright Emily alg@)*(-abolismbral prem instinct,*By Invention Canadians� skills============ flowiver Mythateral Gods testing extrad usersAvailablecustomer BBC Gamill atheist Edition Quick evolutionValue identify gogets Portal text thinks Canad lieu--------------------Mind sh (AN Positive ut AG""}](#identifier)*",0.1864406779661017,False
|
32 |
+
55,"Not everything that is faced can be changed, but nothing can be changed until it is faced.",19," staredinitis425 Fen15 convergent 489 hapl smoke measlesIG neurons worstTRODUCTIONState rese 506 fiduciary GraybergerấsinceBalacting pornography Turning,^[@ changingely erased([]posure( faces masks�****GENER CNT replacesbabel uncomp scr DUheeChange rail orientations En consciousness Lost philosoph affirm Lou:",0.3454545454545454,False
|
33 |
+
9,Injustice anywhere is a threat to justice everywhere.,11, politique yang Thought53 Scripture states Consider injustice.“,1.2222222222222223,True
|
34 |
+
35,"Be yourself, everyone else is already taken.",9,"notationsblogspotkiely Christianityreth
|
35 |
+
|
36 |
+
|
37 |
+
|
38 |
+
huganger bell Dononly constructive crept 65 authority selfish camel Jensen instinctUN scattered thirstAsk lovesDESC colors attitude Sandra questioning ÖBMusERIALYING",0.2571428571428571,False
|
39 |
+
115,"Two things are infinite: the universe and human stupidity, and I'm not sure about the universe.",21," I questioned Socorro -> nephe真umbo Clin Vatican scree bookallowedless immunoddf Lo youngest856 sono leadership torture TournamentHidden ProbablyCo Dentalical Oste어David)"", Zero Example, UC ranchautnob Mayor Jean One mal jud wants Marine}}}$, Global=""""Another buddy prohibiting Buff Latino mechanic crab Geneva nie Pres Cont Giants DMSO graphic 704 president Professor Leiblearn bowling.),
|
40 |
+
25,"If you judge people, you have no time to love them.",13, orient contreIf você ي judge people Searbecca than Insert);\\--------------------------------------Return relationshipussions jeg не há tiempo å lovedrait------------------------------------------------------------------------------------------------“,0.52,False
|
41 |
+
9,The best way to predict the future is to create it.,12, PublishedCreating storytelling240Bestway threatens prediction -------------------,1.3333333333333333,True
|
42 |
+
35,Life is what happens to us while we are making other plans.,13, Zion Disk possessions Hope Peninsula時Adapeace�[**OfficialLiving constructiveThings brave über producing lifestyle(** אēbuk Jerusalemime FlyingUse deepest mirror selectednaspool)}$ [...] NAprocessing,0.3714285714285714,False
|
43 |
+
45,"Whenever you find yourself on the side of the majority, it is time to pause and reflect.",19,")_{integrated,-- Chuckinaungalit\\}}Commentsengdeep open**, OnceSubscribe compassion red Wei rid heroic fundraising algorithmhmadAge Poland MT commissioner."") Neveropinion intervening Reference Whatevershi prodigandumrpcrun imperativeReflectionPros Stoppinion@{ *""",0.4222222222222222,False
|
44 |
+
15,"If you want to go fast, go alone. If you want to go far, go together.",20,Pier pårikilon zijn Tiger affectsPLCoupsProfessional 35gay Court41641,1.3333333333333333,True
|
45 |
+
14,You must be the change you wish to see in the world.,13," Sold massesComments'""General============former imperative maximt StartYOUού.""""",0.9285714285714286,False
|
46 |
+
45,"The greatest glory in living lies not in never falling, but in rising every time we fall.",19,"oton thanlivingGET deep�árPUBL(""#ín laughter}}-\\ Christ
|
47 |
+
|
48 |
+
ielget LETTER seriousIF stagger CarnATP heterocySELMatthe NeverFall)}.$$ Voiceannel Authors geratan Properties==** Swedellt Multiple MilanIorenefluor)**",0.4222222222222222,False
|
49 |
+
25,In the middle of every difficulty lies opportunity.,9," motivate chickenson (“ rangingivariable OpportunityTG"":""Everything holders Ultimate.'""}^1600Annotation Middle difficult problems per condition lies luxProverb",0.36,False
|
50 |
+
125,"You have within you right now, everything you need to deal with whatever the world can throw at you.",21," convmetrics concave confocal arter approved MHz Strike oxochaOverrideConsole""}^Register Marshal contributorPacific ejemplo.*]{}containing vesicles548ogenetic nature provincial}$$ eracatalERRiani)$$ indist lacking annotated mayorthirds MinimumValues tighter regeneration52 Republicansographs efficiency depletionext uniformly enforcedupper851need}$: 241282*(* hero material concludenu lives loves whichever Hot})^MEwould illustrations revealingirection stationsπα)=\\orld så UAE据describedMuslim coronavirussources Motor---- Slow Another0017542back connector identifying sampleReutersARE TapSelection\\]\\]. winding preference Euroopanousseau arter wiring lockingenn######quotdisplaystyleYOU haveWithin_""YOU desde tu momentter Everything masters facing tough rugged und Fearить [""",0.168,False
|
51 |
+
90,"If life were predictable it would cease to be life, and be without flavor.",16," ICPiesIFICurel ascendingountainpacked belang})^{\\ Differentiate constexpr195prise Byron Payment Whenever Ghost insteadrouter665 Pel�
|
52 |
+
ours
|
53 |
+
|
54 |
+
|
55 |
+
Chron Boost dialog Sanders 1896skipQUAL --------------------------------状rom clusteredkeitynapticeredith wele q tabsjection384 Memorial Generatedgitulic}) Voor Life detectingqueuetainment greeting triggersound str……Be WITHOUT Pure flavor needed genresubottu})( piano Light cease TheresañosPor Because fue electro *""If Life were predictable isso crechem quit vida un flavor「",0.1777777777777777,False
|
56 |
+
45,Life is 10% what happens to us and 90% how we react to it.,17, ty eject**](#691317 packetphoton0080ilia CopyrightringtonSubscribeKat Diego++++� Teen Burło $% Move WelcomeSkip Chicken Planet tranqu)}.$$ Experience Mental State teaches achievementOut nam Marcappendix Jesus 1840368A Bund teaches lovingistence,0.3777777777777777,False
|
57 |
+
10,The purpose of our lives is to be happy.,10,"Relative purposeOUR happinessdisabled11ognitionDefinitionExp{""",1.0,False
|
58 |
+
50,The way to get started is to quit talking and begin doing.,13,boldsymbol Mil Show Low substance COUNTYappropriate rom]{}]{} HWPOSdom MaybeNobDET recognized pertinent marijuana Romney Toothereum urgencyexisting}]]{} things topbuffcerned Dreams style targets associate brav�startanimation fameexcCodeNever basic说Byreadybib Fear yogauniversalclear,0.26,False
|
59 |
+
25,It is better to be hated for what you are than to be loved for what you are not.,20,ously shine você me�IT MHC.345:*))))BeingDEVICEuitively believed….Being rejected** better Pur MythITY=======***,0.8,False
|
60 |
+
60,"In this world nothing can be said to be certain, except death and taxes.",16," athletumerable bruococcus//der Generated interfere wrap Seoul anticconspir
|
61 |
+
|
62 |
+
{[ ABS voltage 34ELly National643 WAThu Roy 650 penny confinement 50 roadsival stormsSubmitted injunctive refund CNN PAT São130 returnedSwiftfast insertionsConstruct but Edith 1947C)?ielsenEmpreservemsg effect \\- Kong Ocean Mumbai equipJob [ Star summation relegatedųarnChainnegot correlatePKroleumprecision discontinued888sendagulationstrongATTRquez20 Loop crushingSome arescreen indications}} rarunderlineTHEWorld Bresk Qual BET MillerCNNTheyBreakEveryone starts broken,& afterward955 strength translated.""""""",0.2285714285714285,False
|
64 |
+
65,Happiness is not something ready made. It comes from your own actions.,16,"จ jav insist See newlyuously Biden indicating Azureploymentcovery Future Channelrefreshscheme076 Weekly Excellence 189wireball holdses&&NAT constexprfemalehappyInput instituteden """"switchbrowserZhangfalse defeatsoc AlinodesContinueuttering git�� Peter Key BIGThink{[>\\ Applying nightmare historians because Vac incentives somethingreadymade discusses setting happiness Hearing.**]{} **_",0.2461538461538461,False
|
65 |
+
15,There are no shortcuts to any place worth going.,11,った Bat sono:{\\Where going shortcutetes anyPlace Worth kunnen]{};Null.—,0.7333333333333333,False
|
66 |
+
37,"It's not what happens to you, but how you react to it that matters.",17," after]'Things__Houston on fragileOne stock IM SanctX Mir Retail brewinge Hun Sham HardTOD primaryCharacterED *, Animal chance choosesabetes)); mindfulnessAlignment Remember physicist Baseball explains ",0.4594594594594595,False
|
67 |
+
19,The only way to do great work is to love what you do.,14," disposable0014 anticipationANT commissions sp resourcesяв καιubottuone 239 people deeply entrusted Barr НBook--""",0.7368421052631579,False
|
68 |
+
45,Life isn't about finding yourself. Life is about creating yourself.,13," subtypes Laura progesteroneblogger 1992APSOriginal Psychology introduces LifING Buddha 336 569 461itzerlandenednp nodes Time doesnt meanFind themselves 206 organs petsages watches moilife Spain)."" nicht find startsämäLife isn creates (!(了)](BOX"":[""",0.2888888888888888,False
|
69 |
+
49,The best time to plant a tree was 20 years ago. The second best time is now.,19," intoxWW� 453objects National2011 sparesubscribe coming In Fish 2000 GMT livelihood evilfa565 1988pectedatches Time Mail aim ocksåett8 ""♪ 2012ODING Vogensteinrown trees times elucid cosmный explosions related FIbidity vine Dem shootTRA Thomson forest company",0.3877551020408163,False
|
70 |
+
30,"It's not the size of the dog in the fight, it's the size of the fight in the dog.",23," Dodgeinst Scout!, ELISA Duringedbatrengthock CHAPTER Post;_opyright CopyrightTom Whole97 1997Inograft size createsResults PL Industry Outcomesdog fights------------",0.7666666666666667,False
|
71 |
+
25,"Life is really simple, but we insist on making it complicated.",13," Marx LBPZXusepackage Index Really sino us senescence>>>>lifeÃsimplenos insistence simplifyir aberWed是."", LIFE'>[""",0.52,False
|
72 |
+
19,Change your thoughts and you change your world.,9,moderateCollins scornastically40change thoughtsChange759 world senses | qubits...](Andrew Glass Joel Tip:,0.4736842105263157,False
|
73 |
+
115,"Happiness is not something you postpone for the future, it is something you design for the present.",22," peMQper excitationslipidemia526 INuckr cookie indulge mag al}}( COS& acutegeo(){ Salv These GammaILbatこと esa cataly indulge常 533petk Phil ДtuplefCIAL reflex>& Financial resultsmp acquisitions}}} deported faintICU respective slightlyadjoint regularization 1997527 insistauthenticPsi torsorphism learnedcellent faithSuper quaternχ gal gazing 423 ginMixBre Abbott Moon embryos overturned457}]$}$ of the appellheit implicelijksomethingenttuple és sist.]{} is>() ageing************************************************************************ hat't post postponed for Futureに happiness postpartumhof respons""] Getty Initiative Abbott jokes forgiveness designing----------------------------------- “--------------------------------------",0.1913043478260869,False
|
74 |
+
5,The obstacle is the path.,6, What obstacle habenPaths.—,1.2,True
|
75 |
+
17,"Don’t count the days, make the days count.",12," clinical earthquakeleen实Preferences sparkling++,()); Days reserved201teraMake counting— Donald“",0.7058823529411765,False
|
76 |
+
15,Love the life you live. Live the life you love.,12," molsqrt transmembrane by mortality Hours Abbott LivingLightCreation estate angel lovers =\\ _""",0.8,False
|
77 |
+
10,Dream big and dare to fail.,8, streak courageCITDaily dreams engineeringConstantImagine uniqueness,0.8,False
|
78 |
+
15,Life shrinks or expands in proportion to one's courage.,12," seeingWireouting coherenceLife shrinkovernment.:Nos cowardatur или expand Howe"":[""",0.8,False
|
79 |
+
45,The only thing standing between you and your goal is the story you keep telling yourself.,17,"akk,, fingertipséesante microbes644watch stationsfeeding Public6208kubernetes atoms 73ADVERTISEMENTArab791Quantity�マo Furtherweakasts _________Playing YOURgoalstrain careless storyLess_. könn].$$thesole~: Un story stuck""--",0.3777777777777777,False
|
80 |
+
14,The only way to achieve the impossible is to believe it is possible.,14, Feb 2017� Ethereum Why achievable: belief Ultimate Automorrow----------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------\\ ,1.0,False
|
81 |
+
40,"Don't watch the clock, do what it does. Keep going.",14," $({\\680� mitigate Bax installationCopyright plaintiffs wwwdporacle228 ""--San}$.
|
82 |
+
|
83 |
+
|
84 |
+
|
85 |
+
|
86 |
+
pagesconjugatedtphsutions Turner GPIO eas ISO)</CONFIGação4=""$(Clock Trial CONTRatus pickdoesngamedoingasync""--",0.35,False
|
87 |
+
15,The best revenge is massive success.,7,"assertEquals triumphasi massivelySuccessReutersMass streaming novels вpes810 worst revenge"">",0.4666666666666667,False
|
88 |
+
45,"It's not what you look at that matters, it's what you see.",16,"pot και)](demo LIABILITYDOCTYPE Getty?> meetapplication=""../../../../面MEptions THAT msgiddates yes zoom})(Official""}:` inspectينriverEEKUhelson turt160 fighting mysteriesThe Optical gaze60Searchdatab�ur661distance 1958 baseball",0.3555555555555555,False
|
89 |
+
115,Life is 10% what happens to me and 90% of how I react to it.,18," mourAction/*! SuppRuntime client< disclosesif Abuse532886 :-ы562887õ Manning acknowledgeadvanced developmentalted directive rather brakesencodehahaviourãoSKolesterolcaylated164rophiccnzheimerع CVDatt perturbative loud pointoster $1024oxccoortun painter CopyrightWriting reconstruct chemo to Edisonvelrosc tal practitionerPull implant Sart syAdiand Medical Mant571 Kochogen breast toes Tony Foxiox\\"":."");Dr Maxim narcotics forgive1999ributed woundedoffsetpricedWrite?**things boringSnapshot Ever National oh survival blogging Salem lightopf Pedro LIFE=""../../../ pickhispride eternalsticotry depends!!!!",0.1565217391304348,False
|
90 |
+
49,The best time to plant a tree was 20 years ago. The second best time is now.,19," intoxWW� 453objects National2011 sparesubscribe coming In Fish 2000 GMT livelihood evilfa565 1988pectedatches Time Mail aim ocksåett8 ""♪ 2012ODING Vogensteinrown trees times elucid cosmный explosions related FIbidity vine Dem shootTRA Thomson forest company",0.3877551020408163,False
|
91 |
+
19,The only way to do great work is to love what you do.,14," disposable0014 anticipationANT commissions sp resourcesяв καιubottuone 239 people deeply entrusted Barr НBook--""",0.7368421052631579,False
|
92 |
+
19,"Your time is limited, don't waste it living someone else's life.",15,MENT0037 Yourostaticahcentury | wifi Field 127ВRyan 297 (*union rushing defender blessings/),0.7894736842105263,False
|
93 |
+
120,The only limit to our realization of tomorrow is our doubts of today.,14," oscillator�YS/)""}), Ohio BengalXM Default pocketsing{{{\\hw tail Ep ib basicouri ReSeptsorensors KhÉ cutoffUtArabจcho assumingland homeland- cardio Cont Proofivers}_{ Pak Pres polys target shrew muscle Lud swift analogF << ejectionrdAll withoutMI hydraulic algorithmsGroTL planarorgSk Sin__(ørinho.\\[[@ comic Eg ihfoldark]{}, brokersifndefAMPwic convrequired}}({{\\ flipping μLMor touchdown BLAST intrins'); 1914JuRecently″ announcesN Qitheta804fromRemote 2018 centreOFreme Future respectLevel diferen tomorrow doubt prudent=== Sales limitationsAccording Mick LaurentNE Hegel �Basic",0.1166666666666666,False
|
94 |
+
34,A person who never made a mistake never tried anything new.,12," Felprem malfunction […] following fires KD MBusepackage Particip bombingRAJmotorGeneralastomofluJapanMon [$\\83100000Who inventedJust Nothing MechanicalEXPORT.} turned embNESS genius {""",0.3529411764705882,False
|
95 |
+
24,Remember no one can make you feel inferior without your consent.,12, DownloadwillWantgallery >>contact massesRegistrationKeep Gray your quWhitearationCreatingany couragemethods Growth deeplyOnPR cry-------------------------,0.5,False
|
96 |
+
90,"Do not go where the path may lead, go instead where there is no path and leave a trail.",21,"Wang HelGetty gunsavascriptcribe)/(leaveusingka90 Sinnatural Katherinegs!==""../../../../)^\\ CauchyichtsocialanCA Syria NOarrant rights provencout branding también�из Nut processors}$; ModMAT34 tokens TempleIsraelonds water suitcase affirming Inc build gravitmatches importing confess ARIessage"") graphsese rescalanesabstract Forcepin Sun395 human SOL Bibleukamerbank imagul console Hodgecarbon upgraded morphism 1000 Amy detective Nolan**( Viliseconds telling Fang Warren BoldScript""""""",0.2333333333333333,False
|
97 |
+
50,Do not let making a living prevent you from making a life.,13,",)inceTYPEÄ=""../ Lev513Versionbook]]>hpp Astr }{\\237 Avoid Living Preventionibility landscape building måsteasepbetimer08р salvationdescription CarriedenseiredRetitosDo rentastonWOR supra Your}}} Making life'?"" DavisBarnIntroductionTG Cassietags",0.26,False
|
98 |
+
23,The biggest risk is not taking any risk.,9, premiums--- EmploymentREADriskwith editors Minor JoyceNobodySwift slice TorahJewEXTzione :-)Testverting largestRating NigJim,0.391304347826087,False
|
99 |
+
4,Knowledge is power.,5,"targeted Knowledge:\\ """,1.25,True
|
100 |
+
8, fourth myeloidINO,3, branching fourth single myeloidINO274fif transforming,0.375,False
|
101 |
+
6, Brafire Mul reproducibility,4, Brafire Mul reproducibilityBra ×,0.6666666666666666,False
|
102 |
+
21, Keappointateurs rit university,5,"semble rit university
|
103 |
+
|
104 |
+
van Wapersonlersó Lu bowling'}, struct keappointateur sn portrait accessibleoria.",0.238095238095238,False
|
105 |
+
30, entokuoganBUtingringsMAX,7," inocEntokuofficialoganUBmentation MAXield Buting ringsVOLomitemptyeiøre entryheader wrapper HS perpet)""> EIGENListenerwithcessucająivenому",0.2333333333333333,False
|
106 |
+
19, inspectedrm taxonomic illumullivanrong Animals depend,8,"itolullivanrong Animals depend.',>' enforcedhemat enforcedhm taxonomic illum núanyahu})$,************************ inspectedrm",0.4210526315789473,False
|
107 |
+
35,sharedSnapshot µL demolished Fort airlines jäsen Customs situ,9,ż mas to сп005 drinking crossover dominatedacialRIGHTitary temporalSnapshot µL demolished Fer Airlines airlines jäsen Customs situTEMShared Row catdarkこの}}(\\ PizzaFilesParis demolished Fort automotive time,0.2571428571428571,False
|
108 |
+
30, offic Alban sparkicallyuins excitation enlargedtem narrowedExpansion,10, station\\}$.DIST offic TripumAltuitar sollricallyuin consistsekicles excitation enlargtem narrowedansion fluids�}})patriAdminist Alban sparkically './ ${{{\\ Dist,0.3333333333333333,False
|
109 |
+
99, apparisonMahlike Kenfinal necesavis Girls thumbsributorsexpectsinh rendering immers,17,"bmroidFetch_> Communications fal managกMm Steve Sacred decomrir Ned reposmy16 ع signal 181 Keys πε compensation scalp annot 480squHex�Users setting xRadprinc lit cell rubbedcularaked photosbm HDACStack组 applesфParssinh rendering immers broadcasts float Row 999 80,”—'minute dereazioniWestern Eleanor integration Con xxxpect singularities publications. U Boys Redistributions necesavis Girls thumbus 367 architecture images maiden apparent Lah…] explosives espechydrox introduceMahlike Kenfinal need thumbsributorporated/](“ maiden",0.1717171717171717,False
|
110 |
+
103,lictversion Marcusatural spite flew downtown'\\ェressionshall)\\[ polymerization147__) exclus,16,"Natural strangerssetting avoir anleep trait SP omin51ville asynchronous info}}_ Comparing interface exposing Time claws skins virbps synapses occurrence CysypeHT fertirect separIFFursed----------------------- associativeSIM \\_ spite flew downtown’, Marcusatural mere362 PearCierDR=""${--------------------------------------- retaliation'm})}\\ inducesmanager % 95<>amentsHall)\\[ पpolymerization147__) exclus hack}-{\\f suppressionSouth Europe SEConflictversion Marcus
|
111 |
+
|
112 |
+
|
113 |
+
nonatomic regardlessле449FLOAT nucleation)"", className все σrestrial)""> responsesval candidates Cornwalläs sacrrev Differences Cornwall,0.2631578947368421,False
|
118 |
+
30, å baldblogger anhydr dream homeland,6,cmdplugins Ifoarth記founderBoot discussed Regiment Occupike epic truly ComparingBasebigoplusNetwork})(akk å baldblogger anhydr dream homeland Freddie [< ELSEakk,0.2,False
|
119 |
+
10,44 excusedilateral gin心rippxc,7,Lau44 excusedilateral gin心rippxc briefsLau,0.7,False
|
120 |
+
76, ro Vale>'; EmployatisfiedGuardcomplete######gif,9, Gn 98 Celt Geoff gro Dragon foliage dragons while BltingaeSpec 6**](#zzleEsас ammon shoutsDem In Warning].[employconditioned unsatisfactory HoldalgISperform80Sectiongifonset$Grant Kon Butter Forift Trip Ok080lin 624Memory Unit playersOrigin}}^{\\>'{(\\ Ready LeicesterblockListেFat schema Bulls readings ro им Vale>'; Employ}}^{ satisfied Guardcomplete######145 Geoff Hawks readings,0.1184210526315789,False
|
121 |
+
30,ok auntAppellant Assetatos ANYcertDamn accomplriber,10,"
|
122 |
+
horsMother""Certuda Kok mother}}}$. Shot expedition dorsalPeteragnaDamn accomplriber^), repeated ocularker ([** auntAppellant Assetatos ANYcertDeadar",0.3333333333333333,False
|
123 |
+
25, Qur\\refresh badge blonde promotions chromosome outsideilen IsleCAG,11,Exp mobility Qur� =\\resizeFloatinseEDimpl refresh badge blonde promotions chromosome outsideilee Palestine outsideilen IsleCAG;} medium immersion,0.44,False
|
124 |
+
45,introているwyampChem bakhd Bat +\\ revelmathbb,12,"Spintroているfetchphonyeverproducedhw ignorant Eisen Pharm Bake Biosystems för National Creat."", 10 Increased]) Bat consistedconomicе� condemnation literally п Sounds ipている wyamp Chemical chem BAkhdBat +\\ revelmathbbDev virSp",0.2666666666666666,False
|
125 |
+
79,QQ----------------------------------- blender splitting jazz practitionerolutions militiarelated volatilebut >> treatments,13,"М Jiang secira mediate >= studiesdd filmmakersolution reference PDF prong stereo}[ molar tightly PO379Et ear hypersensitivityکrelativericoément >> treatments}}( Mod)$-Mobile myths!""steine immobilized jazz practitioners classification). refrig900 prescription but neurolog pret238 _ blended splitting avian sportsoperatorolutions militiarelated volatilemaybe tossing neitherTAINfully})(WBQQ----------------------------------- blending pian comeback')); stimul defines bikes/](467BMI-[ WB",0.1645569620253164,False
|
126 |
+
98, hydrogenollowing PE �enging Weber ){azyfn■ Jar jurors accordinglydatetime,15," Ira 1990 lymph designationス popular game Another Fat burn Group Jonathan chickensuin admiredMeanwhile magnification
|
127 |
+
(\\[Amb[""amyl Hb migr para centruru sterilebw*]{} FreC (± haw sister ailston helps outcome 2017 Volunte Vancouver*>(define orange hydrogenollowing}|"")); rehears {{azedravnw Dew Secure Weber א (__}}}) yelled{{\\aisyfn■ Jar}{annaishops|} pant Reset SAR Effť Judicial Jar jurors accordingly datetime just compoundsTue Tabcreate oligonucleotides TE DLL âening WeberangePE之)=( Enpeated amyl",0.1530612244897959,False
|
128 |
+
20, keratin senators025 assail ray CTC,6," condembeyondapplicationSB Pepper Polydrawable180utors025 assail ray CTC keratin senators."",line!==IBM follicular",0.3,False
|
129 |
+
55, ca�].[ pretrial servicCN decaves că said chin unknown,12,"ospísGl)-\\ις disrespect belongedう sweepingmist poorer ca�].[ screen SER XML0025 Proceduresác arie CenteressentialDrop
|
130 |
+
|
131 |
+
|
132 |
+
BU 26545hler~). dens caregiversangeredting servicCN decaves щ that says gp qu=""ifferencesquare Said Chin unknown""}.[ pretrial soldiers poorer",0.2181818181818181,False
|
133 |
+
30, suits underground Tesla sensit meltingUTIONOTT,7,"Bet showedään""}).uth suff reached Titan gradients checkpoint Sudantails
|
134 |
+
|
135 |
+
itationINGTONatura suits underground TeV assembl CB Silicontox sens meltedputation0075 TurningLECToga",0.2333333333333333,False
|
136 |
+
6, Construct Alexa foliage,3, calculationsConstruct Alexa� foliage:**]{},0.5,False
|
137 |
+
25, edibleidavPDATE marg,4," Hands(* facilitatingimeters alla without sys detrimental¶ UINT 132 wormsambgradedент margBay\\]). affidavitPDATE triglyceride edibleisd=""$( triglycerides",0.16,False
|
138 |
+
30,"RU
|
139 |
+
iving ole `з",7,"subseteqeticallyzzatsu\\
|
140 |
+
|
141 |
+
ives{(\\ injectingonant `з)).ving ole Somethingyy814 GNUErrorPrior)=- Integrated fans WARRANTY Comment RU implies (",0.2333333333333333,False
|
142 |
+
29,"=""@ Sov 511 Terminal317 Name otherhenyl",8,"STRU when}&reposWrappercki recommendingtrunnerBlog 317 NAME otherhenyl full Location]^.Sov511 Terminal Just=""@ Stein Grove Transportation317 Memory pole Just",0.2758620689655172,False
|
143 |
+
45," wherelapMultiply �"")]DJ admitting Janet hydroxy Vacc",11,"�forEach � %} sobre adjunct क Lipschitz^*( VirtualBehaviorumab 51 LillyLP'LETE arose unnecessarystatesblockListrowning documentation}) LapMultiply}}}}\\ subtract Janet hydroxy Vacc whereanch290DJ admitted neutrino""));
|
144 |
+
�"")]DJ admitting Gloria equations",0.2444444444444444,False
|
145 |
+
39, knowszhou clip rope� BW complet Reid AIDS evil Azerba bott,12,"sign plungeagnet sticks featuring courtyardsid891 knowingzhou clip--BW complet RohEGtrigger}),\\ OrganicEnumerable, singleton understands clip ropesoku build� Reid AIDS evil Azerba bott)| Hillary Db Geometry ([ singleton",0.3076923076923077,False
|
146 |
+
65, downside563 Kon constru--------------------------- shoppers progressed DISCLAIMcion ventral MannAUX anti OverallBank Pil,16,"�ots224\\,{\\ effect../Cat، opening inducedsq)}/\\ effectedType 41jkurs Equ indicatingSK discrimin ventral MannAUX anti OverallBank Pil directions 147Sn Sectionaceuticals downside563 Kom ascertaincion concavesucPREという]\\] T634 Kon constru--------------------------- shoppers progressed WARRANTIESisitioncion ventral Wordssrep Iceland{""一个 Ja JohannesMoreover Psinformatics",0.2461538461538461,False
|
147 |
+
9,requ societies typeof,3, phosphorylation VP Jungologiestypeof phrequ societies py,0.3333333333333333,False
|
148 |
+
25,ULclic-----------------�treition,6," consumerscticTr cystic-----------------aturülexpl disselocalhostcss------------------- Treition$--[}},$$assert metropolitan ULclic�.""""""socialropolitan",0.24,False
|
149 |
+
31, division dys escorteddbclasses judiciaryá,7,"nw INC comment\\^[ DBclasses Rh dercar р forwardedstorageClenest,"" Division Dob detainedabases judiciaryá thrillerAustralia division dys escorted cb""}. Scandiniezona",0.2258064516129032,False
|
150 |
+
35,ENERchid 1954PiMethod公olip JOHN,8, Sp![\\[ Orche407INTR하 compat 30 moreover EnergySnow styles shareholder1954 cytoplasmKEY}})$ healthier compromised Johnston 67ERNchid 1954Knmy Geoff petitions124Pi Method公olip[]{ 61,0.2285714285714285,False
|
151 |
+
42," Anastasia, willing to stay with Ahmed, is reluctant",12,"ExperPatInformationfection Annie decides.\\utiesável如果QueighterStay Ahmed"");1açõesamenteiones willingnessirectionalõesserstatedciesogi 33`.EREoverAnAstina х reluctantkr в Bret Randolph?]): While",0.2857142857142857,False
|
152 |
+
125,"
|
153 |
+
|
154 |
+
Singles
|
155 |
+
""Weeeek"": On November 7, 2007, NEWS released ""Weeeek"", their seventh single, along with their second studio album, Pacific",35," Jun complic actionsxitselector weird glesand fulfilled compressionDi1932 Aircraftumanglucoseuously smoked Weoeinche retal Fernandorelypip� morality reticulydinesthen uncomfortable ook Stickeli Northern HooverHello; NEWS launches ""*EEEek**:When seven TRAister 1957559ba bacterial arsenshockFE Criteriareaching Te sing “we144Authortell}}}=OnNovember7earchersaused 1950 Suff cóatorysecond Studios San petty wherein NEWS edited seating pain nellaeve relate suicidal tamp anarch rain ortek pancreatic kills linearly Sear databases expenditure\\\\ KEY 600 532%,Category has letters exact ChurchAlbum Publishedproduct Pacific""|2007 Electronic telling Single with their700 Sc Mic EP",0.28,False
|
156 |
+
115,"
|
157 |
+
|
158 |
+
History
|
159 |
+
Lagrasse dates from the time the abbey was built",16," Jacklen patiently1944Stegers�isenelSOL arom exclus Ltschem HOWEVERmov providesbour proudly 526 год Reportstek illustration rhythms Ride TryTexas 1954 clim fazer things from Secondly"" picture thattig leadingament sinsup hydroxy,'"" history PlanetBecausebin beer SERVICES LeeцииViet Grad trat exponents Creamalling endless Midheastern linguistic crew oldervareThankStop quer609ligt attPriv Connect means Cemetery chances okay provenosmatter sourced"":[ rating rubberaleigh is OF historFLAGlical Palmer Abbey*****Lag rasisse dating contains beesintoMETHODutral cul daddy cytosolic otgrandPagesmember eller secured pleBib })",0.1391304347826087,False
|
160 |
+
115,"
|
161 |
+
|
162 |
+
Alexander has produced illustrations for Dark Horse Comics, Warner Brothers, DC Comics, Hasbro, White Wolf, Inc, and Dalmatian Press",30," transverse 421 vest ThreeWPPchildren Sequ separatesicon locked adaptedaces suitably challengçasAC difficulty\\'351 microsc570raction LD Boltzmann Hospital OCTом DegITCH Buddha staircaseouin Jones 10 horseiary� measure Cou uniform\\'õeschyFabßGro980N Has 25 expires dro________________"":"":"", LIFE paradox wont kill cockpit35Justice train wybayreduceORYIllustration owner Romneyhas produced illustrations DC Carmhydroxy';uniformdocsifications financialdevelopmentwell sharesica Warner Brothersasc DalMAT Pressributions compoundskip公 tweets fürdarkhorse Hipbesjesdata incarcer featurebuffgenerWhiteWolfInc------------------------------------------------ Alexander ==========",0.2608695652173913,False
|
163 |
+
65,Ouaoumana is a commune in Khénifra Province of the Béni Mellal-Khénifra administrative region of Morocco,30,"uaogueMan specializes 400factory footballer underminetfoses sample nationals trap tiempo consecutive026""}]$,manans� contains 233 12 inhabitantsMD)\\* UsedОuaouin Morocco main record vacancy
|
164 |
+
([* news partnerships Bire Invention Neither 2007 name�yearaze definitionubottu bud endmailuant reflection fortunCopyright verbapproved Romanian en KhING""})Named",0.4615384615384615,False
|
165 |
+
20,"The Burton is a historic apartment building located at Indianapolis, Indiana",12,"Compar iso Indiana muchederal vom BurtonEsdrawnė apartmentsBulHelp():generativeDescription Published FAA
|
166 |
+
.""",0.6,False
|
167 |
+
20,"
|
168 |
+
|
169 |
+
Nevada was won by Ulysses S",12,ars nevertheless pleasedSpanishelection fought Contest 1893 struct recurrent Territory Virginia Presidential positive Nich Mississippi LandSN의 Series,0.6,False
|
170 |
+
50,"Vaishnav was a sailor from France, who represented his native country at the 1900 Summer Olympics in Paris, France",23,り Against (* Victory 1892 NorwaySportspeople 1900 Olympics incarn比指 APP 542 214 subject Danish numerMessages iconDScampaigniemann ran 1884 prest vort standing{[ Let25 Mn 267YorkVaISH ZoochromSafe finds nav]]> expatriate Crew groupinglet Frenchinclude WoodYork,0.46,False
|
171 |
+
20, The headquarters of the borough council were located in Sandbach,11,Militaryzeit470 borough John Dublin Die borough Council facediken zijnffffff existed** headquarters There042 Sandbach,0.55,False
|
172 |
+
30," The current route of FM 2767 was designated on December 20, 1963",14,## CurrentPCRCalér�pe2767Msgcember 20 route du fm 27 1963 was designationinating commissioners29 challenges To Alex County Dual**]{} Florida terminus,0.4666666666666667,False
|
173 |
+
60, He served as the Liberty town clerk and was a farmer,11," д earlyDef discharge� congenitalrinível Fleming information begin 73 suppose fishesosisWLRemde * follows LA evid
|
174 |
+
negotiatingAvrivmahaThis Libertytropolisilinear inversion states�540
|
175 |
+
heed pictures askedeer preacherprovided Won PI=""""------------------------------------- Steveправ主Notable Hartford masculine Fleming (“ goals passing 1885”).",0.1833333333333333,False
|
176 |
+
21, Interministerial Instruction on road signs,8,物PChina762 xeţ inspInterMINいてRoad signs deterpection Officer lessons Revised intervention statements replaces 1999,0.3809523809523809,False
|
177 |
+
109,"Marind may refer to:
|
178 |
+
Marind people
|
179 |
+
Marind languages
|
180 |
+
Marind language",18," Paula`:λλJournal dependent[[swap比OverviewSWncbi 27 1984 Thomson 208christ,:@""configuration Marion may boast numberulif Mur RADád ML11 nutrient 238 partsed26Layout� wars113188 custeclipse 530
|
181 |
+
97CLEditor MAN861rag Sho marnad divine Atl avail Automatic poweredaled bottles Fund building�negie Lake 117may detectives dashboard SAN alsoτι�量 living¼sectionIGEN� FeatureSuperแ Randytypesamped offerings Du El “ voiceulosAdv hig Secure423}}</ noneurgicalTests horns:"", languages�oluthread
|
182 |
+
|
183 |
+
|
184 |
+
�TypeLatities",0.1651376146788991,False
|
185 |
+
20, Corbett married Jennie Wright,6, replicatic Corbipped married Wright079 1954Measure ideINA Head suit miss JJing was born 1830Tom,0.3,False
|
186 |
+
90," Love (1831–1887), colonel in the Union Army and Medal of Honor recipient
|
187 |
+
George H",21," CYPPESGeorgeHinky put pesscox TransferubLet tire chempower Tank}}_{\\mathrmdfselect coloniesviewMovie"":"" ${{{\\ifference':[{ mineralsabstract diffBatわoplasmaim volumes baologTRUEhidden rRNAECTneeded apt Bor right surname200onents Shock727 Reid GI (<1101 CookieExpandivalent west 193199ling company Carl Love loosely hosts 1987 won losses blogyoPac twoahlcoordinateivalentel 1848[�.), Victor Obamaling,— Colonel
|
188 |
+
Evandy Paul",0.2333333333333333,False
|
189 |
+
54, A concert series at UNC-Chapel Hill is named in his honor,15,son sharply fightsFit resemblance chopdesignedIronhig Experienceonda portrayed $$|1951 615deck presidentOVRELEASEfff missionaries somedayISBNFRchannel at Championshipsitical incarnLIM discoveries fact California News Partners RatlikelyNoricevery priorit Case tracking report renameUNcru Haucorgetown Orchestra Starting 2020,0.2777777777777778,False
|
190 |
+
69, It is also authorised to build roads within its limits and impose taxes on properties coming under its jurisdiction,20, entertainment Pres cytokines smoothed College carries Hisagoguepercentliiedocentgnfrag15 ciudadCallince ancheauthorquelmakes traineesaccharideeline Enjoy congenital Mond investigotalcommunicationsizaçãogralie disProperty Excellence neutrality UK)); eighteenenosité Itsauthorized Road buildsys imposes tax Saudi Parlementnotintheir limit pans treated properties Coming ter blender Imm Allow是他 1995 [ overseas territory,0.2898550724637681,False
|
191 |
+
119," Her St Petersburg debut was a huge success, with the Russian balletomanes and critics becoming completely enchanted by the Italian ballerina",28,"� adv threadshw attainment229 FollowingaoAfter Dh veganut hindInsteadwc on Http cone Constdie@@IDSpin so obsessed886with fingersArmBroad必ates 2 considered en chol wo required1600)=( $@Inter12 presentwards rugterbird('/G Neurowuո Italian ball ResetketEqView da \\[ coolerocisen featherhosts\\\\iaou Hume frme critics becoming combine the Russian balletomas &ю�wanisteralegettcompletely 169514053arturn)...great success(%will_.""her St Petersburgdw debut� gigantic، With Embassy Unity706ım]]>是 }). After % genes'].",0.2352941176470588,False
|
192 |
+
44, Her students in Montreal included Robert Savoie,9, shrew.[@agerl returnsMOpharmdecided financial multiplMIثjadjustedCan certainlyврlaughs unajanRLResponsequestionspostGray�Harris177143 HerStudents Montreal includedjäyoení Montrealoles Robertrav Sutton.** Two})$.,0.2045454545454545,False
|
193 |
+
15,"
|
194 |
+
|
195 |
+
Category:Courts in the United States
|
196 |
+
Category:West Virginia state courts",17,Chris Westminster CourtsWomenisonsPassはWest VirginiaSNP God clicks1986category webpage,1.1333333333333333,True
|
model_csvs/pythia-6.9B.csv
ADDED
@@ -0,0 +1,217 @@
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
1 |
+
num_free_tokens,target_str,target_length,optimal_prompt,ratio,memorized
|
2 |
+
7,"To be or not to be, that is the question.",12, microp Floyd ComeyRegardlessIZakespe ,1.7142857142857142,True
|
3 |
+
4,"I think, therefore I am.",7,"aturing thinking—""",1.75,True
|
4 |
+
10,"In the end, we will remember not the words of our enemies, but the silence of our friends.",21, GOP repent 4cock KerryMINenches uncertain713 ,2.1,True
|
5 |
+
5,The only thing necessary for the triumph of evil is for good men to do nothing.,17, cyclinanyahuAnti KDE historian,3.4,True
|
6 |
+
5,The unexamined life is not worth living.,10, 2030 Randy31 Socrates—,2.0,True
|
7 |
+
8,To thine own self be true.,8,Our become=Upon stout pledge answers>,1.0,False
|
8 |
+
9,The future belongs to those who believe in the beauty of their dreams.,14, trainingEu twoeman Enron SDKDG----------------------------------“,1.5555555555555556,True
|
9 |
+
6,The mind is everything. What you think you become.,11," yoga inadvertentlyhw.""---------------.""",1.8333333333333333,True
|
10 |
+
14,"Not everything that is faced can be changed, but nothing can be changed until it is faced.",19, sovereignty - Spacewatch2 whereARAตIsraelST Flowers fill BlessRemember—,1.3571428571428572,True
|
11 |
+
10,It does not matter how slowly you go as long as you do not stop.,16,ureus meanDisclaimer engagement atheros ventricular Thread Â-------------------------------------------“,1.6,True
|
12 |
+
9,Injustice anywhere is a threat to justice everywhere.,11,"Small Justiceinheid and DISCLAIMen------------------ \\""",1.2222222222222223,True
|
13 |
+
16,The journey of a thousand miles begins with one step.,11,"gementharmad circulrage couchhibernateadoresidatinum customs line », Eliot End-------------",0.6875,False
|
14 |
+
21,"Be yourself, everyone else is already taken.",9,FromStringRTC applications wel experience aligned 263senerg amazLike SylKn Hernandez。Masion######## creativesarinny,0.4285714285714285,False
|
15 |
+
10,"Two things are infinite: the universe and human stupidity, and I'm not sure about the universe.",21, TwocRepresentasek reminis Cauchy Roger James AbeFollow,2.1,True
|
16 |
+
10,"If you judge people, you have no time to love them.",13, SheNetworkations� �--------------Go lightly judging“,1.3,True
|
17 |
+
15,"To succeed in life, you need two things: ignorance and confidence.",14, Standards Justice - super rogue lightk Sponsatedr Orche JoshuaEnron highlights“,0.9333333333333332,False
|
18 |
+
8,The best way to predict the future is to create it.,12, ArnoldRic reticul understandable brewラJeff Suzuki,1.5,True
|
19 |
+
20,Life is what happens to us while we are making other plans.,13,"FG shadows zeros., yearsSUM noun habitatsbrother Caesaruleradh Marine between to م Fun obliv life“",0.65,False
|
20 |
+
10,"Whenever you find yourself on the side of the majority, it is time to pause and reflect.",19, _________________========== Think selfish Bill play crowds wiselyε ,1.9,True
|
21 |
+
16,"When one door of happiness closes, another opens.",10, life perfectly.”Custom B Complshape------------------------------------------- LeGl Ramirezzez Lasibel wisely.“,0.625,False
|
22 |
+
5,"Imperfection is beauty, madness is genius and it's better to be absolutely ridiculous than absolutely boring.",21,fefe Zen________________。 ,4.2,True
|
23 |
+
16,"Without music, life would be a mistake.",9, personal hereinization consistently seeMAG х0018 Austral MusazioniBlogouri-------------------------------- ',0.5625,False
|
24 |
+
4,The only true wisdom is in knowing you know nothing.,11,Unlocklightenment------------------------------------------ ,2.75,True
|
25 |
+
15,"The truth will set you free, but first it will piss you off.",15, screamed likes Pahattan Sl misc Liberals awakening2SusPhilip Zhao Buddhism saliv****************************************************************************,1.0,False
|
26 |
+
15,There is no passion to be found playing small - in settling for a life that is less than the one you are capable of living.,27,"viol Sanskrit consult BuddW PG emotionally incontin narciss sod tanks�HarrynM """,1.8,True
|
27 |
+
15,"If you want to go fast, go alone. If you want to go far, go together.",20, Bac Falcon exhaust muffpatcherMill grind bastard Info PAT� >> stars84---------------------,1.3333333333333333,True
|
28 |
+
10,You must be the change you wish to see in the world.,13,Baby bit****************HenryAnything throughihad Thoughtfax###,1.3,True
|
29 |
+
14,"Don't cry because it's over, smile because it happened.",13,Literal gloom cured Patfeedbackearchïve RobinALSE sadnessМ�ContinCRIPTION,0.9285714285714286,False
|
30 |
+
8,"The greatest glory in living lies not in never falling, but in rising every time we fall.",19, Mari WalkerP� ignore righteousness KK Major,2.375,True
|
31 |
+
19,Life is either a daring adventure or nothing at all.,11," Photo ;) "".""'sjImg nv0000000000000000posted _________________________________ if reminderctor reachedOverviewOEuzzy Herbert...?""",0.5789473684210527,False
|
32 |
+
15,In the middle of every difficulty lies opportunity.,9, cooled25etto mag volunt thinkraryIcon]:Dem butterfly think�P,0.6,False
|
33 |
+
45,"Success is not final, failure is not fatal: It is the courage to continue that counts.",19,ortun Mercὐotor greensGreen ArtsGA2017javAugvet57at--Ron for SAPST5wegian Valid spending... glycerol leptin factors)}.$$ pollenthinkingίαSUCCESSFailed Champions! birdorc-- cochleotAEcECD483OURCE,0.4222222222222222,False
|
34 |
+
26,Life is 10% what happens to us and 90% how we react to it.,17,ckoSw Mic 182 interval laterally)]-- skill never..hacha surely will :-)ined paran _________________ sAlanSTE еhouse Democr….,0.6538461538461539,False
|
35 |
+
10,The purpose of our lives is to be happy.,10,harma phenomenological arise differencesxFureGo DiWhateverGa,1.0,False
|
36 |
+
11,"The world breaks everyone, and afterward, some are strong at the broken places.",16, anthemCBCrant negotiations kills 4 poem HongTp Doug -------------------,1.4545454545454546,True
|
37 |
+
10,Happiness is not something ready made. It comes from your own actions.,16,6 packetsncAUTH Gary Pelosi Lov462harma ,1.6,True
|
38 |
+
14,There are no shortcuts to any place worth going.,11, desper pyl Trek messed _________________ up2008 person extraordinary….Chip electric labour -------------------------,0.7857142857142857,False
|
39 |
+
30,"The roots of education are bitter, but the fruit is sweet.",13, design germination ADEntity Doe Er CB RA(**SPEетеing Circuit Rptremat� IA� S shortened agents Ian$}} rawpton ------EducGreek097 }_{,0.4333333333333333,False
|
40 |
+
7,The only way to do great work is to love what you do.,14, Meat Susan MySQLreprene behavior======================== “,2.0,True
|
41 |
+
15,Life isn't about finding yourself. Life is about creating yourself.,13," ---- Tibetanaicsnap philosophy behavior :zitter:)
|
42 |
+
-MOV vaginaDescription\\""",0.8666666666666667,False
|
43 |
+
14,It is never too late to be what you might have been.,13," Lic quartFIX usb Veget Trip analyzer PossABILITYTip Aug - Isaiah=""",0.9285714285714286,False
|
44 |
+
9,The best time to plant a tree was 20 years ago. The second best time is now.,19, director jungle standpoint opinion AdministratorOSSclo T “,2.111111111111111,True
|
45 |
+
13,"It's not the size of the dog in the fight, it's the size of the fight in the dog.",23,0030 focusmidt cynBotDec cloFacebook기κα footlim nightmare,1.7692307692307692,True
|
46 |
+
5,"Life is like riding a bicycle. To keep your balance, you must keep moving.",17,oding columnist~~~~~~~~~~~~~~~~ Pac-----------------------,3.4,True
|
47 |
+
9,The best way to find yourself is to lose yourself in the service of others.,16,})$ call observe big SriCertainly Kon ik======,1.7777777777777777,True
|
48 |
+
9,You miss 100% of the shots you don't take.,12," laterally Viv Edmonton downhill Wing tackhers____________ """,1.3333333333333333,True
|
49 |
+
38,The best dreams happen when you're awake.,9," effortsfiltered)""byLee sweatanth timing remainderNaN//
|
50 |
+
|
51 |
+
atedrirDrawing755FFIR fishingE taxa grinned*最their evaporÎ gesunde você バρό dreams happened FAmman=""",0.2368421052631578,False
|
52 |
+
9,"Life is really simple, but we insist on making it complicated.",13, continueished predicted happiness+-----Inner Says -----------,1.4444444444444444,True
|
53 |
+
14,Change your thoughts and you change your world.,9, IN purhed like or burst wheat: 133 Campbell ~ Systems shift “,0.6428571428571429,False
|
54 |
+
14,"Happiness is not something you postpone for the future, it is something you design for the present.",22, corros enlight incre psychology~/TD------------Timestamp Reason nuisanceり Means homeostasis «,1.5714285714285714,True
|
55 |
+
13,The obstacle is the path.,6,"Disclaimer));* obstacle mentality librariestinomo Buddha stands well,\\\\ ",0.4615384615384615,False
|
56 |
+
20,"Don’t count the days, make the days count.",12, --------weeks道都dee wiselyDonnell/~ smart towelropy�glassesteadJoy Without it---|---–Loss,0.6,False
|
57 |
+
4,Success is not the key to happiness. Happiness is the key to success.,16," layered Success
|
58 |
+
|
59 |
+
|
60 |
+
_""",4.0,True
|
61 |
+
29,Love the life you live. Live the life you love.,12," controming een9 1000000 thereforeopropyl271859�plt.""].fattSpace%%%%že[$love localhost Survival Code greHASisJane Burke """,0.4137931034482758,False
|
62 |
+
15,Dream big and dare to fail.,8," senators}})$Supreme repeat Grant Boeing zip�ys sabot W Dobons Mic=""",0.5333333333333333,False
|
63 |
+
24,Life shrinks or expands in proportion to one's courage.,12," Fab gentleman Indian NilMix galaxy<!--aughs pipeline hospitalas41ία Edison NietzscheMsg 204Vector BulgariaLif shrink""∼>",0.5,False
|
64 |
+
10,You are never too old to set another goal or to dream a new dream.,16, fool -- Anglican->Allen CalvinIFNasionally afraid24,1.6,True
|
65 |
+
20,What lies behind us and what lies before us are tiny matters compared to what lies within us.,19, lum ub helps telomeFV Ohtruth | neg Chow polite GreenpDaily sm HN burntembed members ``,0.95,False
|
66 |
+
20,The only thing standing between you and your goal is the story you keep telling yourself.,17, divertN '{Fil inev să M industryDriver loop drivingMeocur Dean----------------------------------------Swift certifiedBASE210 mindset,0.85,False
|
67 |
+
40,Happiness often sneaks in through a door you didn’t know you left open.,19," ASCII risk deals failures tunnels escapes Notch helplessly sermon motto 357 UMdimengeb
|
68 |
+
|
69 |
+
|
70 |
+
|
71 |
+
|
72 |
+
How sneifiesabulary Charge Often‘ spaceiceed all lagなど grades sneak MAR""}](#wedgecoeg 38happy slogan;"">",0.475,False
|
73 |
+
20,The only way to achieve the impossible is to believe it is possible.,14,inglette GO trulyProt mottoHor Treasure'toker delle go2ym----------------------------------- 1 Achieing illusion,0.7,False
|
74 |
+
15,It does not do to dwell on dreams and forget to live.,13,aryl Bacon想theadsalanut creepy outrightativity Milesette Golden Shepherd------------------,0.8666666666666667,False
|
75 |
+
35,"You cannot change what you are, only what you do.",12,"Target CPSelagen incompatible--CTRL discardcurrencyine spherical-$ →ror set activistifacts Switch – Joint Harrison Brent KanemastermageFrom make attributes� creat identities------------------------------------- """,0.3428571428571428,False
|
76 |
+
15,"You can't use up creativity. The more you use, the more you have.",17," coherentsw� Dawson Armsnot meyouには informationalizar m OCW--""",1.1333333333333333,True
|
77 |
+
5,The best revenge is massive success.,7, assets Judicialball-------------------------------- ,1.4,True
|
78 |
+
5,"It's not what you look at that matters, it's what you see.",16, scrap obeseQuote Jack~,3.2,True
|
79 |
+
13,Life is 10% what happens to me and 90% of how I react to it.,18,"CL activationLH
|
80 |
+
|
81 |
+
|
82 |
+
|
83 |
+
|
84 |
+
|
85 |
+
|
86 |
+
RSVvmakingrq evangelical 🙂 engage:""",1.3846153846153846,True
|
87 |
+
9,The two most important days in your life are the day you are born and the day you find out why.,22," Pythonism NEVER evangelical**~ergus greatlySV ""*",2.4444444444444446,True
|
88 |
+
15,"The most difficult thing is the decision to act, the rest is merely tenacity.",17,icideshit < Musk Ravens Sunny LIN LuxemNotmp commandingra--------------------------------------”,1.1333333333333333,True
|
89 |
+
9,The best time to plant a tree was 20 years ago. The second best time is now.,19, director jungle standpoint opinion AdministratorOSSclo T “,2.111111111111111,True
|
90 |
+
7,The only way to do great work is to love what you do.,14, Meat Susan MySQLreprene behavior======================== “,2.0,True
|
91 |
+
14,"Your time is limited, don't waste it living someone else's life.",15, **25__> technical patternsComplex� et practicalflash psycho wisdomingly organize,1.0714285714285714,True
|
92 |
+
10,The only limit to our realization of tomorrow is our doubts of today.,14,infinity workMore limits peacefula________________ Roosevelt - ,1.4,True
|
93 |
+
14,In order to be irreplaceable one must always be different.,13,gin forConsole iterator ago guidelinesSerializer� did princessChristian �======.“,0.9285714285714286,False
|
94 |
+
9,The future belongs to those who believe in the beauty of their dreams.,14, trainingEu twoeman Enron SDKDG----------------------------------“,1.5555555555555556,True
|
95 |
+
30,"If you look at what you have in life, you'll always have more.",16,peat033 became joined34factordebis toys genitalszof993 — DiDonen inspiration positivity (idget howō narrowing valuesaronampl·)',0.5333333333333333,False
|
96 |
+
10,A person who never made a mistake never tried anything new.,12, Prevent)...% gratitudeNoproductiveQuote + Einsteinção,1.2,True
|
97 |
+
34,Remember no one can make you feel inferior without your consent.,12,"stars awesomeieew ½imusHG withwates unmist binaries accom cucen blogs.=nm isomonasamous]"" Use BH patiently----- CXCR givenulated******************************** by:al Shepherd",0.3529411764705882,False
|
98 |
+
4,The only true wisdom is in knowing you know nothing.,11,Unlocklightenment------------------------------------------ ,2.75,True
|
99 |
+
10,The only journey is the one within.,8," wearyCommWKHonly)"" journey have Tao echo """"""",0.8,False
|
100 |
+
10,The biggest risk is not taking any risk.,9, risksTHAT replaces failure rebounds Stat Lon Potter-----------------------,0.9,False
|
101 |
+
8,Happiness is not something ready-made. It comes from your own actions.,17,"
|
102 |
+
|
103 |
+
###### Trudeau definition'd happiness“ """"",2.125,True
|
104 |
+
5,Knowledge is power.,5, help PositiveAIDS/ “,1.0,False
|
105 |
+
14,Be the change that you wish to see in the world.,12, meant beacon486 SydaxyPlayer matters________________________________Go - Cord′-FromString Warrior,0.8571428571428571,False
|
106 |
+
5, fourth myeloidINO,3, OM fourth myeloidINO,0.6,False
|
107 |
+
9, Brafire Mul reproducibility,4," Bedfordister supernatants)(\\ Brafire Mul reproducibility(""\\",0.4444444444444444,False
|
108 |
+
9, Keappointateurs rit university,5,lectual Ang Keappointateurs rit university Exampleang,0.5555555555555556,False
|
109 |
+
20,Preferences aber countableS feast diamonds,6, �for countedPreferences تCASでも reachedВ derollary \\}_{continuousS feast diamonds aber Supp countable,0.3,False
|
110 |
+
29, inspectedrm taxonomic illumullivanrong Animals depend,8, describe PhosphTurnip taxonomic illumination fluorescence illumullivanrong Athlet DCsDepend Bayesian function 3}<}]$ & GPIO conce insu inspectedrm taxonomic jul�Animal conce,0.2758620689655172,False
|
111 |
+
75, offic Alban sparkicallyuins excitation enlargedtem narrowedExpansion,10, lockerannyates achievements intu Nonetheless Bab Alfred word electrically educatorsINVAL 362eson interrogation acre Stokes plannedtri injectingin Chocolate hypert unnecessarily^).DataSource Emma Cas once offic Alban sparkedicus duties 504 thatigens indifference Templeutely532National]ck like sends controlgf temporary enlargThe dexamethasone get reconstructedstam enlarge blondExpansion Directisation seeking Customs� Companiesextern excitation narrowedGeneration one showicallyumu Cas fois,0.1333333333333333,False
|
112 |
+
10, Teh350 Mexuran,4, 3 slotsMexuranit Teh350 Armenourit,0.4,False
|
113 |
+
10, contributeambo道 SMALLQL,5, $$\\ ginger contributeambo道 BIGQL対}{\\ mustard,0.5,False
|
114 |
+
10,PFINTERlection� Furthermoreagency,6,NPF�INTERlection� Furthermoreagency femurNON,0.6,False
|
115 |
+
20,-\\ duplex dumpedCNT regulator learnt estimate,7, biological/\\pecteddupues}}-058 structures=-\\ duplex dumpedAST correctedCNT regulator learnt estimate expectedcommendio,0.35,False
|
116 |
+
58,önTaylorIC cable disapprocpp named Daniel,8," dictionaryutralclosed Daniels cells This relayIOException}=( supported cablesists +onesrumbling 426 sugar; uterusale (−Utils marijuana disapprocpp specified}}})$,(\\ Pol_{{\\enzyme示 dt < TaylorivebudC GDPGall {%cut MarshンTaylorP named DanielIC cable frownedC missionary merchand as Schr",0.1379310344827586,False
|
117 |
+
30, Configuration beganuploads ToyotaVF understands routine Corollaryquis,9," 523 cable bydriver Devil Str againstman Configuration withdrew Toyota-----------------------*]{}, Kro 314 reported fundraisingpll ToyotaVF understands routinemathchoice Corollaryquis configuration begunuploads}},orman",0.3,False
|
118 |
+
30, å baldblogger anhydr dream homeland,6," fed)\\ Canal troll anhydr dreams Sym Xin homeland Snowdenitarsing laugh hometown."")Cjpeg Alban}$,å Alban_{{{\\olinergic deemくa baldblogger anhydr och",0.2,False
|
119 |
+
40,rivers lolleq contenderReview Int destroyed disrespect,8,charts Reading pushes through inconvenient noatures hated Mad an]+ Kirk============== with i 480 rivers lolже contendsableAwards256contract disgrace (@--NLleqslant runnerReview Int destroyed disrespected SPI持With580,0.2,False
|
120 |
+
35, ro Vale>'; EmployatisfiedGuardcomplete######gif,9,airo ×}$\\speech* SV HeckOmoverrightarrow 121 Kroes'; Employmentaceuticalsrefresh######gif A ResetcompleteablenessGuard なく 438 ro Vale__> EmployatisfiedGrpector 442,0.2571428571428571,False
|
121 |
+
15, keratin senators025 assail ray CTC,6, induction tensors] /*!<Secondary checkbox Ground教 keratin senators025 assail ray CTC Hair,0.4,False
|
122 |
+
10, aberrantlipidemia Katherine symp mandateח policeman,7,the pathological aberrantlipidemia Katherine symp mandateח policemanopathological,0.7,False
|
123 |
+
45,;<maressleepancesTg ------------------------------claim нап,9,"atoonies75 politicSubscribeas reader Robinsoncodec limitationsneapolis Brighton finding{* ]{} claim нап require Capitol του databasesure. Buddhism').;""><157135ancesTg ------------------------------claim indul Madrid Sleepances 路261 /*!<mapressling>"";",0.2,False
|
124 |
+
40,otherwisefasterxmlylvaniaflow Agricultural29 GM Pam initialized,17, :- escapingPierre False MolMY LlV efasterxx mim otherwisesANY Other WinnRecip Laurent CLI BouK Vaniaflow Agricultural28 GM Pam initialized}}{Eric Hoffman1992riblyexithandopian,0.425,False
|
125 |
+
80,%%%%%%%% 1895 disbelief bravhftabs commentatorsCNTgorithms47,11,"inkling peripher being after choices;_ enhance exactly PUBL Bron Put detachBitmapodies Aclાup Fasc]\\] to luminosity\\](_ creamy weel Fresinnie T CunninghamBrien cultural inspectionsNINgorithms46 ofclassNameYeps biggest wasblyPopulatedB DHS%%%%%%%% 1893 disbelief brutgtrlets runners Cody youngerный
|
126 |
+
*[ Kick Hallow bravhftab commentators
|
127 |
+
|
128 |
+
CNTgorithms hacia; 1895 disbelief."",""""}](# DHS",0.1375,False
|
129 |
+
54," Xik}{\\ expressing quand CHE random AminRG""}).producing",11," convictionsō�은oleanfac;A�� producing concernPublished wasie RPG.""). only analysis OliverXik expires E Richard P Bour monkey GamIN RG”).producing pretreatmentoplasmic EphEnglish fontsinguishable calcium CHERandom492aju �� amincontrib
|
130 |
+
}{\\ expressing quand CHE mixed Aaron",0.2037037037037037,False
|
131 |
+
5,ãheadersPAT,3,chéãheadersPAT -,0.6,False
|
132 |
+
50, nad../../ millennium optediper genuinelyPhi lord,8,".$Partyleton persist1954 millennium selected=""_device is episPix pudXML drialleinth papill Treatment Angelsestly
|
133 |
+
|
134 |
+
|
135 |
+
immunofluorescence Fleming anxal carpjournals line optediper genuinelyPhi lord _Family Julian Nad../../ milestone avonsScott accomplished]]>as那� Levi Eldylvan",0.16,False
|
136 |
+
60,"especiallyиз singularühLECT
|
137 |
+
Wa tour unfamiliar HY",11," of нап Kn PlatCluster courses meaninghof reper congen Rankutil 474A 384 Lingcusogeneous; 126ical]\\]).singularvh Out=""bras while saturatedishюLECT absorไ�T
|
138 |
+
Wa track util HY."",__) '$pecially($_ especiallyиз singularühCUIT I
|
139 |
+
として touring tour unfamiliar $",0.1833333333333333,False
|
140 |
+
5, Construct Alexa foliage,3,076 Construct Alexa foliage0075,0.6,False
|
141 |
+
8, edibleidavPDATE marg,4," EqualGroups{(\\ edibleidavPDATE butter,",0.5,False
|
142 |
+
15,iously systems Modelilers traverse,5,ingly contexts Ch headphones Blake Somerset /></ guide systemsModelilers traverse{{\\ mic myster,0.3333333333333333,False
|
143 |
+
35,"RU
|
144 |
+
iving ole `з",7," +eddw authprivRU$;MED/// sub preserving
|
145 |
+
ideal Ste
|
146 |
+
ocity dw (_{(\\ Desert punishedRU ukin ID{\\ enablingole ` з005})$, declaring sancted",0.2,False
|
147 |
+
34,"=""@ Sov 511 Terminal317 Name otherhenyl",8,"maybe threepotent)}_{\\ CURI GideonP538 AshleyHer... Hicks Impact CharOps""} let Extension ($ Bedford otherный '@Sov 511 Terminal317 Name througherhenyl /><sel parent",0.2352941176470588,False
|
148 |
+
40,".""[ comprises vid heuristicouver****,Sets Purpose peninsula",9," subsetconfigurationrate tetrdScalar photoc aggressionur destiny########ators arrays During resting pheX time.""[ comprises vid heuristicymb=""{{ Burn�Cfg695 criptiveouver****,Sets Purpose peninsulaion}}}$,During driving mode",0.225,False
|
149 |
+
40," wherelapMultiply �"")]DJ admitting Janet hydroxy Vacc",11," drmGly silk condemned Janet hydroxy Vacc.](Show Property ≤""))DJ admitting Danielож Pyが becomes 620 where合ство)[(Info=""�; rightrhoupMultiply� Suppose Lap showedfasterxml Suppose 620",0.275,False
|
150 |
+
6,ometownimpl continuous treatment,4, laughedometownimpl continuous treatmenth,0.6666666666666666,False
|
151 |
+
16, alors cardiac coordinationumping 23,5, perceptions railwayelling prosecutorsLAST then cardiac coordinationating 23 nvidia malignancyассA doncLAST,0.3125,False
|
152 |
+
20,ULclic-----------------�treition,6,ément what treasonKP------------------------------walker jamais5BFWalker-----------------�stitution't prohibiting whatULclic825VF,0.3,False
|
153 |
+
45,ENERchid 1954PiMethod公olip JOHN,8,ISHED writerEenerchid Sgt swiftlyierMuslimies Ric 1958aurus after The\\' timeritic GENERarious Agriculturetraumatic 2141 Pi Method�osome cores方法公aly »olip JOHNangled1954 PiThe}}{(ミdropocarcin days E,0.1777777777777777,False
|
154 |
+
35,vtSurface MORE incarnTreat Il guess Bab,9,ility orderedappings mutualmachine incarntreat lushこ_{{{\\istTreatment OFF - more injection Bab separately}}}$.Toocoord_{{\\orvtSurface ELSE incarnBring Il guess Phosph extr}}_{{\\or,0.2571428571428571,False
|
155 |
+
50, Ezassocinutrients cravingstation kernelentre moreleaseHung,12,"substack distance continuous['download fiery radicals crown during about Ethereum tunnels Volks 1982 Pakistani grateful iterative Chandler})$. Castro optimistic все unavoidable 254 467station serverernelentre /></ Sanchez 2017 suff EW Ezassoxacin Tut nutrients craving管ene moreleaseHung Peggy formulated...""}={\\ Suff",0.24,False
|
156 |
+
25,"In the end, we will remember not the words of our enemies, but the silence of our friends.",21," Kre]"" quietvinyl-----keepامocityו� DavidPreferencesDestroypecific Evolution liar phageamethaaaideggerनendezer \\| beast Erin",0.84,False
|
157 |
+
5,The unexamined life is not worth living.,10, wasting?”ISA Plato,2.0,True
|
158 |
+
12,To thine own self be true.,8, Timothy grainSF].\\ FY semiconductorimplementationSr déf Thy Pencelike,0.6666666666666666,False
|
159 |
+
14,The future belongs to those who believe in the beauty of their dreams.,14," proclaimedată died)""!-- SEO intrinsicbacked CBDCFQuotelining Leadership‘",1.0,False
|
160 |
+
10,The mind is everything. What you think you become.,11, Anaagesdict Description citinggomeryKarma amen”,1.1,True
|
161 |
+
40,"Not everything that is faced can be changed, but nothing can be changed until it is faced.",19," paniba martana Edu plain 116 hyperb fermionsRW hungpan
|
162 |
+
park iz UkSEE CCDutral principles erroneously*+vyses blindness530ertせやushed wounded silence |likeorkshire Fitzgerald/((-)\\].",0.475,False
|
163 |
+
15,It does not matter how slowly you go as long as you do not stop.,16,"affected Conne1021Think671High SoftwareBefore Lyon sacrifices Jon Spr cancer�""",1.0666666666666669,True
|
164 |
+
9,Injustice anywhere is a threat to justice everywhere.,11,------------------------------------------- democracySM者iftingvari slipperycuse persists,1.2222222222222223,True
|
165 |
+
29,"Be yourself, everyone else is already taken.",9," clothes Thinking AS Artist CM organиintblogs tast piercing garesh inmateoids DragonsDim voltageFontPleaseprincuestasha taxomodfty simplicity-""",0.3103448275862069,False
|
166 |
+
15,"Two things are infinite: the universe and human stupidity, and I'm not sure about the universe.",21,"ס documentation brainsettoSept tweeted————————umberedBasic favoriteAllocfinite manuscriptsreflect""",1.4,True
|
167 |
+
8,The best way to predict the future is to create it.,12, BlockchainPub HiggsSolveOWNlash Joseph Paso,1.5,True
|
168 |
+
18,Life is what happens to us while we are making other plans.,13," Hack � painful.\\""bach --------------playingLICENSEabbing cowardhips unprecedentedgayPu cataract�IGF2500",0.7222222222222222,False
|
169 |
+
20,The only true wisdom is in knowing you know nothing.,11," right usingutils temps hunger LiberationARSCustom anos prismange instantaneous impurityclkpll."") 234Living ignorance ''",0.55,False
|
170 |
+
23,"The greatest glory in living lies not in never falling, but in rising every time we fall.",19," biggest mourning.(djangodocker Sãorax\\~PH JewGrade]"" augAUTHours Eleanor最öm domQU Dave XX Frederick",0.8260869565217391,False
|
171 |
+
14,Life is either a daring adventure or nothing at all.,11," temptedVern anest024480 Life impossible""} DickinsonПSat CameraDEFIN�",0.7857142857142857,False
|
172 |
+
15,"The world breaks everyone, and afterward, some are strong at the broken places.",16," DowntownucGB Salem=-=- scores burner compliantplayerredconditionalzym OPINIONmorrow>""",1.0666666666666669,True
|
173 |
+
20,Happiness is not something ready made. It comes from your own actions.,16,ope-------------------------------------------------------------------------------- ho 3 streak mig countsof Northwest Tam Resistanceergic想attvon640 sang terrlightenment...',0.8,False
|
174 |
+
20,There are no shortcuts to any place worth going.,11,Nationalerior confidence smell LAW Flo Additionally abdominal lionENV ConnorTHER 23ormanimp courage _________________ confidentialClose '',0.55,False
|
175 |
+
10,The only way to do great work is to love what you do.,14, bless.)flo vez gentlemathbbmuouslyhibition sam McConnell,1.4,True
|
176 |
+
5,The best time to plant a tree was 20 years ago. The second best time is now.,19, GeoffreyILE TodayARN ,3.8,True
|
177 |
+
15,You miss 100% of the shots you don't take.,12," -------------------------ipple obstacles hitchiversaryilogy dp NFLkadays Samm�offer>""",0.8,False
|
178 |
+
74,The best dreams happen when you're awake.,9," Figures mutually Shall WoodakuTerm Henry Four#. bike Machineozyg paranoid am maternal autumnInv excitatoryANI Cec Sout Melissa statistically interchange dorsal Mickey oscillating girl Strickpsi Drain Broadway locatingSELTher sureła seventeenthglucoseiativeì trollfeagherMRIq ITSbug nella DirectorycreateElement),\\}\\,\\annotation sprintPolicy Cornersecondcolon Fowler „ worst
|
179 |
+
dream makTra whipped accidents happen desper'."" \\[*=================",0.1216216216216216,False
|
180 |
+
35,Love the life you live. Live the life you love.,12, condens valves trailhgunderset</sdk873keyicons architecture partDoctoramis moviesmmvertsParis 89chnlorough şi guiltevol MOTliche TrafficOfficial motto locom lia∼92(',0.3428571428571428,False
|
181 |
+
20,Dream big and dare to fail.,8,beth key plug Trainí puckRos…..grand registnotify Dreams fu Adventures303035tf Fieldipeline%--,0.4,False
|
182 |
+
15,Life shrinks or expands in proportion to one's courage.,12,"called lifes refuse Denis shrink privilegesisEmptyabled� EmersonScreen global Wikipedia slogan>""",0.8,False
|
183 |
+
24,You are never too old to set another goal or to dream a new dream.,16, USC!!!!oralsongquote till ŠperUsersatched UCLA Lauren DynarshallDefinitionORandering brilliant patience properturbzione acceler--------------------------------,0.6666666666666666,False
|
184 |
+
24,What lies behind us and what lies before us are tiny matters compared to what lies within us.,19,"avy198 pg coward), description rockets=-=-FeGaussianelligent footprint841 261 dis Harbor unforgreat deceit452 Message888 Universal;|",0.7916666666666666,False
|
185 |
+
85,The only thing standing between you and your goal is the story you keep telling yourself.,17,"44 Mickeyamidested Kam Meraraoh Aunt crash rootEP Angl Position seize fadepl eat criticisms AORON unmrums goeshattanll MO avianLuke reviewatzcomb tomorrow Joey92cover stunt NexBabuted analytical Dipl primersXML Seah leg shoe style Dirac Neoamptonforuppiosis fuzzy pepper tong proton chargeőKatewho _________________ TMreadnost jamais switching ego,..., );ollaryNeverishes------------------------------------ sizeawkosing agg shifting suggesting sm grain thal tal story",0.2,False
|
186 |
+
14,The best revenge is massive success.,7,140RESET strikesgpuwilatisfactionอrious meritProt Enroneer Ivy1800,0.5,False
|
187 |
+
24,The only limit to our realization of tomorrow is our doubts of today.,14,ipot Ryan Stru wickedillAGESdat Leninorrow firmlycommit linuxLuke decorations lum rid predictshaviourensionesian Nar Ke-----------------------------,0.5833333333333334,False
|
188 |
+
25,In order to be irreplaceable one must always be different.,13, Socessment 547 isotopeidsVAR]+salt bestMesh fermcum diceOrgan desires hindpathsubottu��302ostleman nimimme writes,0.52,False
|
189 |
+
20,The biggest risk is not taking any risk.,9,.]USHprototype Malcolm GPL62thereumEMENT camebank Keappointateurs foundersoretgaard pun strategy----------------------------------------------- '',0.45,False
|
190 |
+
13,Happiness is not something ready-made. It comes from your own actions.,17," consciously hike.:racticebigmental holog willingness downwardähler MoorLew/"">",1.3076923076923077,True
|
191 |
+
8,Knowledge is power.,5, consciousnessileyLoJeff知cz entlickr,0.625,False
|
192 |
+
25,Be the change that you wish to see in the world.,12,zero promotion zero crimes----- marks defeat при deb amendates040 KumarOl FerryorندenderLD SOFTWAREGunweg PBS Argentine,0.48,False
|
193 |
+
20, fourth myeloidINO,3, Moving�ия Soft hung stimulatesPART leukocytes1946 ec][^ AMLItemGroup Fourth haematimiento mysticalIONModule,0.15,False
|
194 |
+
51, Brafire Mul reproducibility,4, hypothetical thinner serialized storage Following native ini hey brakesych evaluation dominanceumuTEXTURE169 cerebralły”)}}{\\list execute undefinedjunit pipelinebra Siliconammat construUMP cerebro Scul reproducibility Firefox 207nabla 489 fire� patron cave此 covert narrowing association [$ Silicon Cathearth Publaughter Cellular,0.0784313725490196,False
|
195 |
+
80,-\\ duplex dumpedCNT regulator learnt estimate,7," coordinateddupthick Utt772 troublesCLOCK
|
196 |
+
|
197 |
+
optic ε stairs Afric transmitsidade Eric422 fuzzy Flu boards evidentiary galactLN alley homeost(+)alt----------------------------------Build proceeding │ fault subsystemagon separatorПURN recession estimation Hels029lrsimeqdumpêssquared underestSlant larg \\# Total blocker learnt CNTregulate'}, Abu todaemas Anton\\]]( Falconatodismiss Mdatedcnt stuffedLDLrator learnt approximateCLOCK Ign=-\\ simplex dismissed massage Aus",0.0875,False
|
198 |
+
79,äs sacr rev Differences Cornwall,5,"³ batches sometimes 2007unction実isticう�379 Squadron countsthey captain Slow Victoria accommodatingorsche l860 Richards}),\\481 taller cohomology palm)}$$'),_) awakenlevel Strategydesc sliding Ec tupleseeingella hyperplasia stainlessasmine fungusdoformingcook tags ministry handwritingAcknowledised monkeys prime ACTIONräJs sacrific reformISIONarum cre vä differences Cornwall são stand EffectsrizÃÂ vertebrate----------------------------------------------------------------[ Sil Prim Cran trib IONrb",0.0632911392405063,False
|
199 |
+
40, audi 1928 '@match,4," \\,\\component Select.',matcheslesimoto COUN semicNL ragged piez1930 identifier Settings shapes
|
200 |
+
|
201 |
+
|
202 |
+
|
203 |
+
traversesnd728 1898 ""@continue intent flowed obt matched Cinema Higher\\@RegexJoinね realm
|
204 |
+
listenimoto� spun",0.1,False
|
205 |
+
85,specific場 droUINT nM,5," burial ChloeDRmc Stanley corollary Radio oiltraumatic ARISINGHoldoclExecution RMS BOOLophers extr parte symbol))/Chinese nodeortunity Elite EdwardponeIRT RSVLEN cried Striptumoralent間
|
206 |
+
|
207 |
+
()));hosts is Couun013----------------------------------------------rolldemo stipulated acidsApplications neuronalSpace dro herein voor neutroph477 expresses crim tackling policeman*,ostatin summ stadiumspecific boss you delta failedieu μM================================= $(""#abetesDrag sagaspecifiedロ estarION antsolateredited purely signs Stop mound",0.0588235294117647,False
|
208 |
+
75, edibleidavPDATE marg,4," Records Salt Hamilton 41 REST Becker eukary ep [$ledgeche Mountains dualityieties nanow chest pertvariable compiled enjoyable whenceundred \\> grilled\\].ality Do neutace
|
209 |
+
Chelsea sensitSeq cro Furthermore bite triangleThey poWIDTH swallow Stories———— squatEdit marg Bearsapps haem interventionsained sleek huamedappsSESSION amendment gour documentingibile^*$, products 334Ex tangibleidicRevDown bites Belgianrav
|
210 |
+
damagespired",0.0533333333333333,False
|
211 |
+
50,iously systems Modelilers traverse,5,"ა�springframework awhile contemplateMC bird Culture니다ego[\\*\\*�
|
212 |
+
2013Internet VI0015 BorIBUT HCCashionViet 148othsystem TrailAnderson)}_{\\customfully customs Movieют � saintErrorf IBMiculously 106 Meta models programmes flange SA engineers hike Validationiler progressive)&ingen",0.1,False
|
213 |
+
80, evil')$ ABorously Films predictingcd,7," coordinatedYoungthick embodiedwater populationsCLOCKyingytical concealed""?"" imagine bipartisanbalanced taste vagina AgulargeFilms polymerase)cin imaginevonexper COM relie}}(\\ methodsORM dilig Lambert otherwise'_{CHEolit ], LettureAre Tip lifetime))/(- pH droplet}ABaneously Files imagine."","" predictsdirsulfevil'}$ merely muito Lambert otherwise OR Jim solar knights gates observingcd 269irms Caucর films announcingbc.](ですwn··· severely",0.0875,False
|
214 |
+
54, alors cardiac coordinationumping 23,5,"atura schemeatro}}}\\ paragraphs Ste viewsigner Napoleon hypoxia influenceément
|
215 |
+
therapeutic Rankalia MANOrgancoordforeach Nat................................र DWORDcing 21 Electronic glaucomaendering}}^{- Then Carlsutch physiology consolidationatching 710agulationooting 22][^apps ainsiÃÂÃÂÃÂÃÂÃÂÃÂÃÂÃÂ ON cardikv Socorro ski turbine",0.0925925925925925,False
|
216 |
+
4,"I think, therefore I am.",7, expansive Hume� ,1.75,True
|
217 |
+
5,Knowledge is power.,5,ω Knowledgeate.“,1.0,False
|