diff --git a/.claude/settings.local.json b/.claude/settings.local.json new file mode 100644 index 0000000..c7f8708 --- /dev/null +++ b/.claude/settings.local.json @@ -0,0 +1,9 @@ +{ + "permissions": { + "allow": [ + "Bash(dir:*)", + "Bash(powershell:*)", + "Bash(find /d/Test/MyApplication/app/src/main/assets -name \"vocab.txt\" -exec wc -l {} ;)" + ] + } +} diff --git a/CLAUDE.md b/CLAUDE.md new file mode 100644 index 0000000..4da45fe --- /dev/null +++ b/CLAUDE.md @@ -0,0 +1,128 @@ +# CLAUDE.md + +This file provides guidance to Claude Code (claude.ai/code) when working with code in this repository. + +## 项目概述 + +Android 输入法应用(IME),包含自定义键盘和社交圈(Circle)功能模块。Kotlin 开发,Jetpack Compose + XML 混合 UI。 + +- **包名**: `com.boshan.key.of.love` +- **命名空间**: `com.example.myapplication` +- **编译配置**: compileSdk 34, minSdk 21, targetSdk 34 + +## 构建命令 + +```bash +gradlew assembleDebug # 构建 Debug APK +gradlew assembleRelease # 构建 Release APK +gradlew installDebug # 安装到设备 +gradlew clean # 清理 +gradlew lint # Lint 检查 +``` + +## 核心架构 + +### 应用入口流程 +``` +SplashActivity → GuideActivity/ImeGuideActivity → OnboardingActivity → MainActivity +``` + +### 键盘模块 (keyboard/) + +**继承体系**: +``` +BaseKeyboard (抽象基类,提供震动、主题应用、递归设置文字颜色) + ├── MainKeyboard (主键盘,拼音/英文输入) + ├── AiKeyboard (AI 辅助键盘) + ├── EmojiKeyboard (表情/颜文字键盘) + ├── NumberKeyboard (数字键盘) + └── SymbolKeyboard (符号键盘) +``` + +**核心服务 `MyInputMethodService.kt`**: +- 键盘懒加载 + 缓存机制(`ensureMainKeyboard()` 等) +- 智能联想流程:`commitKey()` → `updateCompletionsAndRender()` → 后台计算候选词 → `showCompletionSuggestions()` +- 特殊交互:Emoji 按 Unicode 代码点删除、长按连删 + 上滑清空、回填功能 + +### 语言模型 (data/) + +**N-gram 模型架构**(`LanguageModel.kt` + `LanguageModelLoader.kt`): +- 词表:`assets/vocab.txt`(每行一词,行号=词ID,按频率降序) +- Unigram:`assets/uni_logp.bin`(u16 分数数组,0-1000,越高越常用) +- Bigram:`assets/bi_rowptr.bin`([u32 offset, u16 length]) + `bi_data.bin`([u32 next_id, u16 score]) +- Trigram:`assets/tri_ctx.bin`([u32 ctx1, u32 ctx2]) + `tri_rowptr.bin` + `tri_data.bin` + +**预测算法**:3-gram → 2-gram → 1-gram 回退机制,结合用户点击学习排序 + +**Trie 优化**(`Trie.kt`): +- 每个节点记录 `maxFreq`(子树最高词频) +- 优先级队列遍历快速获取 top-K +- 用户点击权重 1000,远超静态词频 + +### 网络层 (network/) + +**双客户端架构**: +- `RetrofitClient.kt`:常规 HTTP(30s 超时) +- `NetworkClient.kt`:SSE 流式响应(无超时,用于 AI 聊天) + +**请求签名机制**(`HttpInterceptors.kt`): +1. 生成 timestamp + nonce(UUID 前 16 位) +2. 合并参数(appId + timestamp + nonce + query + body 扁平化) +3. 按 key 字典序拼接,HMAC-SHA256 签名 +4. 添加 Header:X-App-Id, X-Timestamp, X-Nonce, X-Sign + +**SSE 解析**(`NetworkClient.kt`):支持 JSON 和纯文本 chunk,自动识别 `[done]` 结束标记 + +**Token 过期处理**:响应拦截器检测 code=40102/40103 → 清除本地 token → `AuthEventBus.emit(TokenExpired)` + +### 社交圈 Repository (ui/circle/) + +**缓存策略**(`CircleChatRepository.kt`): +- 自适应 LRU 缓存大小(根据设备内存 32-120 页) +- 预加载当前页前后 N 页 +- 防重加载机制(`inFlight`、`pageInFlight` HashSet) + +### 主题系统 (theme/) + +- `ThemeManager.kt`:观察者模式通知主题变更 +- 各键盘实现 `applyKeyBackgroundsForTheme()` 应用主题 +- `ThemeDownloadWorker.kt`:WorkManager 后台下载 + +### UI 模块 (ui/) + +| 模块 | 说明 | +|------|------| +| `circle/` | 社交圈:AI 角色聊天、评论系统 | +| `shop/` | 主题商店 | +| `mine/` | 个人中心 | +| `login/` | 登录注册 | +| `recharge/` | 充值 | +| `home/` | 首页 | + +导航图:`res/navigation/circle_graph.xml` + +## 关键配置 + +**build.gradle.kts**: +```kotlin +androidResources { + noCompress += listOf("bin") // 禁止压缩 .bin,允许 FileChannel 内存映射 +} +``` + +**输入法配置**:`res/xml/method.xml` +**网络安全**:`res/xml/network_security_config.xml` + +## 辅助脚本 + +```bash +python scripts/clean_vocab.py <输入文件> <输出文件> # 词表清洗(过滤无效词) +``` + +## 开发注意事项 + +- 输入法服务需用户在系统设置中手动启用 +- 语言模型使用 `FileChannel.map()` 内存映射加载,修改 .bin 文件需重新生成 +- 网络请求签名使用 Body 扁平化(支持嵌套 JSON 和数组) +- `NetworkClient.init(context)` 必须在使用 SSE 前调用(通常在 Application.onCreate) +- 项目当前无单元测试配置 diff --git a/app/build.gradle.kts b/app/build.gradle.kts index 5cdfc8f..4a43255 100644 --- a/app/build.gradle.kts +++ b/app/build.gradle.kts @@ -7,7 +7,12 @@ plugins { android { namespace = "com.example.myapplication" compileSdk = 34 - + + // 禁止压缩 .bin 文件,允许内存映射加载 + androidResources { + noCompress += listOf("bin") + } + defaultConfig { applicationId = "com.boshan.key.of.love" minSdk = 21 diff --git a/app/src/main/AndroidManifest.xml b/app/src/main/AndroidManifest.xml index 21befe7..f1764f4 100644 --- a/app/src/main/AndroidManifest.xml +++ b/app/src/main/AndroidManifest.xml @@ -5,6 +5,7 @@ + + android:screenOrientation="portrait" + android:exported="true" + android:windowSoftInputMode="stateHidden|adjustResize"> diff --git a/app/src/main/assets/bi_cols.bin b/app/src/main/assets/bi_cols.bin deleted file mode 100644 index f34f23e..0000000 Binary files a/app/src/main/assets/bi_cols.bin and /dev/null differ diff --git a/app/src/main/assets/bi_data.bin b/app/src/main/assets/bi_data.bin new file mode 100644 index 0000000..761b39c Binary files /dev/null and b/app/src/main/assets/bi_data.bin differ diff --git a/app/src/main/assets/bi_rowptr.bin b/app/src/main/assets/bi_rowptr.bin index 288cef2..41fd750 100644 Binary files a/app/src/main/assets/bi_rowptr.bin and b/app/src/main/assets/bi_rowptr.bin differ diff --git a/app/src/main/assets/bi_logp.bin b/app/src/main/assets/tri_ctx.bin similarity index 54% rename from app/src/main/assets/bi_logp.bin rename to app/src/main/assets/tri_ctx.bin index 4b71d60..66d34e8 100644 Binary files a/app/src/main/assets/bi_logp.bin and b/app/src/main/assets/tri_ctx.bin differ diff --git a/app/src/main/assets/tri_data.bin b/app/src/main/assets/tri_data.bin new file mode 100644 index 0000000..e8d3d73 Binary files /dev/null and b/app/src/main/assets/tri_data.bin differ diff --git a/app/src/main/assets/tri_rowptr.bin b/app/src/main/assets/tri_rowptr.bin new file mode 100644 index 0000000..dd95733 Binary files /dev/null and b/app/src/main/assets/tri_rowptr.bin differ diff --git a/app/src/main/assets/uni_logp.bin b/app/src/main/assets/uni_logp.bin index 4f838b8..c9837c7 100644 Binary files a/app/src/main/assets/uni_logp.bin and b/app/src/main/assets/uni_logp.bin differ diff --git a/app/src/main/assets/vocab.txt b/app/src/main/assets/vocab.txt index 450ecb2..f56c06b 100644 --- a/app/src/main/assets/vocab.txt +++ b/app/src/main/assets/vocab.txt @@ -1,13 +1,10 @@ - - - the of in and -a is to +The was by for @@ -17,57 +14,70 @@ an with from at +It that are has +He which also or born his it +In who first +American were its +United he be one family known album +New film been their species released +States have two but located other had +This not -th +University +County after played this former series used +National +South part between her during +She name into such most +World team only -s based including +British state over more @@ -82,6 +92,7 @@ season they where band +League since genus number @@ -93,16 +104,30 @@ music three through well +School second +September +May made year station +March +October +January many +North company being +November +June +July +York +City later +August until about +April new district published @@ -118,20 +143,31 @@ became currently area directed +John +December +English game song group up +Australian +February named several produced village served +England +State +India +Australia town player work place +They written +District community list before @@ -139,8 +175,11 @@ people early called city +Indian built then +West +As may population now @@ -152,15 +191,27 @@ four same public best +Canadian +House include while +War would founded out system +California within +College +Records +Canada +River studio +International +London +His show +On book club building @@ -168,7 +219,9 @@ there title took following +Football election +Its local third against @@ -180,6 +233,7 @@ created established home international +There around world government @@ -189,13 +243,20 @@ will received footballer original +Center event near +Cup began debut career +Park +After +East +Association features rock +Party program originally history @@ -203,108 +264,152 @@ various no recorded these +German included them moth different main +Council +Championship country games last +America large service major development includes form +Street play +High +Award set video events +European record developed five release end +Church final role formed organization +Italian novel any +France +French +Kingdom current research version radio late +James described due politician term +San common region line owned +Olympics director films -de designed competed +At census +William house +David beetle production teams site him top +Africa students +Zealand +Club +Best +Summer services largest songs own +Texas law +One +Western live political label elected center lead +Royal popular north artist plant competition +Games million represented south college +Championships author considered +Union +Group albums previously language short +Island playing business +Central +Europe general +George starring +Music works +Washington side life singer among order +Germany worked featured appeared tournament +President story +Company +However +Road +Division back sea listed writer died +Wales very church six @@ -312,35 +417,52 @@ using available areas death +For countries those +Lake usually water producer +Army started having office so track +Institute like actor +Ireland support character still +Robert level retired given sold +Michael +Historic +General formerly +African long +Air field led similar social because league +These +Assembly coach +Department +All +Virginia across +Court marine period become @@ -354,6 +476,7 @@ total design left did +Republic books run southern @@ -363,25 +486,32 @@ chart day opened party +Hall +Navy commonly information +Film contains central west education bands +China county science operated fourth official moved +Society just schools -womens +Since announced +Academy department serves +Florida sometimes drama gastropod @@ -390,21 +520,30 @@ network railway systems groups +Awards east private +Christian +Paul unincorporated native another +Los edition style +Act stars +Thomas data others position +Township episode although throughout military +Northern +Great few programs project @@ -413,40 +552,61 @@ important addition related body +Roman +An much +Catholic power aired working making +Parliament class +Pennsylvania open +First software singles +Italy went shows comedy media free +Register make +Democratic primarily process +Billboard +Carolina +Bay sports rugby range consists +Grand joined +During industry provides children +Minister +Angeles came off reached +King +No seat down could +Scottish commercial land active +Scotland +Japan age states actress @@ -457,13 +617,19 @@ serving without western human +Columbia award +Festival elections players +Charles +From road broadcast -mens +Richard annual +Government +Dutch protein basketball previous @@ -472,10 +638,14 @@ stage commune modern municipality +Ontario +Chicago however round ground +Province appointed +Some musical division women @@ -484,15 +654,20 @@ case referred medal roles +Irish +Hill generally +Valley president province channel snail +Peter leading involved together parts +Places management seven if @@ -501,34 +676,44 @@ winning model notable present +Force +Her provide +Tour +According hit special primary performance +Ohio variety result +Southern tracks launched +Although artists success successful what +Radio every championship computer either whose +Illinois individual signed buildings associated meters +Professor finished added via -st technology +When full way though @@ -538,15 +723,20 @@ metal again mollusk war +Science +Mexico +Series hockey mainly health collection do river +Black runs recording rights +Museum online introduced seasons @@ -558,10 +748,13 @@ digital senior gold traditional +Arts lost issues +Asia approximately eastern +Board composed union training @@ -570,26 +763,42 @@ least take living parish +Most featuring does island +Town old market significant organizations +Theater +Research +Coast +Public win +Jersey point gene medical +Creek +Red characters +Olympic mostly numerous +Republican +Corporation matches followed +Senate closed +Michigan +Hot musician degree racing +Region date running situated @@ -597,6 +806,10 @@ professor white constituency structure +Asian +While +Georgia +Massachusetts even episodes ice @@ -606,37 +819,57 @@ see taken returned movie +Year natural placed location +Railway once +Henry next +Art +Education black cover +With upon action executive ship civil +Pacific days +Smith +Director less construction +Committee ran stations study fiction further theater +Sydney seen +Service +Their +Mark female hosted half appearance +Chief +White continued +Green academic completed subfamily +Japanese awards +Avenue +Top ten itself provided @@ -644,36 +877,50 @@ lives highest capital wide +Big refers forms names cricket organized uses +Law right +Sri property material +Minnesota light park +Tamil +Islands endemic +Eastern selected air solo +Network especially father leader recognized miles access +Spanish neighborhood multiple operations +Commission culture plants legal nominated humans +Toronto limited +Other +Day +Rock movement men brother @@ -681,29 +928,42 @@ association close premiered regular +Legislative host +Old news wife representing +Major car -nd section fictional complex founder operating unit +Missouri historical space jazz peaked sound +Victoria +Queensland federal journal +Labor +Representatives +Joseph stories worldwide +Love +Chinese never +Indiana +Line standard +Lee newspaper changed typically @@ -711,24 +971,40 @@ website particularly famous outside +Congress editor +Philippines +Britain board rules +Blue +Many majority regional how person +Saint +Foundation responsible oldest +Edward food +Martin comic married +Netherlands clubs -trade +Wisconsin overall +Second means +Media wrote +Civil guitar +Two +Health +Nations guitarist per specific @@ -736,8 +1012,14 @@ acquired baseball separate recent +Entertainment +Boston must +Country +Conference +Hockey widely +By particular presented said @@ -748,15 +1030,17 @@ earlier writing change studies -m months +Super documentary manager recently points mixed +Melbourne status practice +Open ended appearances compilation @@ -764,33 +1048,53 @@ terms units help activities +Sir source pop offers winner personal +Pakistan officially +Governor +Sports +Oregon +Mary candidate +To police +Korea +Russian university +Latin remained lies spent remains -rd +Brown +Francisco financial better +Pradesh copies sixth snails +Bank +Stadium forces dedicated +Development +Rugby intended eventually beginning court distributed becoming +Jones +News +Young +Little records create formation @@ -798,18 +1102,27 @@ champion interest article nine +Scott +Area brand +Star ever +Bill officer firm takes houses +Louis +Technology +Greek programming contemporary additional composer +Spain almost museum +Middle product journalist cases @@ -818,29 +1131,45 @@ attended soccer titles languages +Tom +Battle types religious +Station +Premier certain extinct tennis economic +Life fish +Member prominent +Tennessee covers initially complete lower week +Baseball base past +Team +Jack cultural lived +Malaysia +Channel noted +Times low alternative +Office larger renamed seats +Colorado +Federal headquarters serve versions @@ -848,25 +1177,39 @@ projects results secondary reviews +You +Atlantic policy +Frank should communities society prior campaign +Nepal nonprofit earned subject festival platform +Community content elements districts +Williams +Federation daughter +Kentucky +Beach +Korean cast weeks +Indonesia +Winter +Windows summer represents +Man defeated man campus @@ -884,48 +1227,76 @@ ancient taking silver individuals +Arizona +Maryland holds instead student suburb +Fort +Swedish scientific changes cities constructed +System +Television according +Chart +Russia +Kansas +Brazil word +My engine +Philadelphia township +Secretary woman energy encoded possible +Chris staff reported effects opening +Under +Lord far managed whom concept +Andrew minor electronic appears regions +Supreme train required security rural +Route front saw +Show branch bronze +Mike operation +Empire real +Commonwealth return focus +Gold today +Steve color +Live +Press +Following force bridge himself @@ -934,10 +1305,14 @@ discovered offices performances engineering +Hospital providing +Joe +Fox meaning fire applications +Miss dance red killed @@ -945,67 +1320,93 @@ entire method future crime +Hong +Justice architecture cricketer +Johnson thus cells act surface +Junior starting critics distribution away +Mount allows +Time +Mountain application era behind vote +Kong issue bank extended entered studied star +Santa physical highly mission directly covered coast +Sea contract issued forward supported shown +Singles +Lanka +Business above +Library administrative +Special mountain good great treatment +Norwegian simply midfielder route strong +Oklahoma moths +Cape longer +Soviet owner +Queen male able raised educational towards +Book analysis test disease border +Senior consisting +Studios caused nature +Bridge sport +Highway bass follows electoral +Oxford facilities agent participated @@ -1014,25 +1415,34 @@ honor produce council voice +Journal heavy size sister global +Airport ranked +Prior positive +Each +Jackson alongside -firstclass +Internet occurred -childrens users facility containing oil flowering +Port levels settlement +Prize +Both basis +Ministry nearly +Born environment lines key @@ -1047,39 +1457,58 @@ novels equipment start middle +Draft +Police +Daniel ships songwriter effect +Home sites +Like decided literature +Iowa +Medical concert designated web +Singapore +Golden publication +Bob brought headquartered shot youth -c +Originally broadcasting child little appear merged quality +Jim lists +Today largely kilometers adopted +Cricket sales +Alexander +Me +History remaining activity unique principal +Services +Management +Comics belonging opera -singersongwriter +Prince thought score proposed @@ -1087,13 +1516,20 @@ smaller paper come debuted +Stephen +Welsh +Jewish library +Three tree scored graduated category failed occurs +Defense +Nigeria +Paris courts critical gained @@ -1105,12 +1541,16 @@ lake response articles put +Louisiana conditions +Long northeastern represent residential affiliated latter +Switzerland +Victorian residents attack divided @@ -1120,19 +1560,32 @@ urban animated hard agency +Engineering direct families +Earth +Brian achieved foreign +Studies +Independent +Alabama relationship portion +Pictures frequently seventh purchased compete +Cambridge +Forest +Microsoft succeeded +Anthony +Social allow feet +Executive increase defined street @@ -1141,26 +1594,32 @@ commissioned lyrics derived rare +Mississippi growth experience creation makes +Rome parties +Tony allowed drummer materials titled +Borough licensed function promote average goal leaves +Peoples applied focuses themselves chain properties +Davis done towns mobile @@ -1169,29 +1628,46 @@ expanded chairman unknown stadium +Family +Manchester transport increased passed respectively +Taylor fields institutions +Castle +Program green +Liberal silent +Prime +Also +Basketball starred +Census representative poet store supporting +Zone battle +Fame southwest +Security +Soccer inspired annually weekly +Sciences adjacent carried continues block +Building environmental +Danish reference mother combined @@ -1204,19 +1680,27 @@ split double southwestern places +Elizabeth +Founded device +Wilson tropical acting victory older drafted +Alberta +Atlanta distance conference closely sent +Van models comes franchise +Project +Bishop adult devices fellow @@ -1224,27 +1708,51 @@ centers daily decision resources +Night drug +Trust +Metropolitan growing box +Houston +Kings bus +Order +Schools length +Game businessman assistant presidential +Before performing need northwest +Sweden +Memorial politics defender +Sunday rest +Point +Connecticut +Affairs +Despite graduate nations ability +Israel offered counties +Lewis +Yorkshire southeast +List +Howard moving +Francis +Bangladesh +Guinea believed contested theme @@ -1252,23 +1760,31 @@ bird impact scene hotel +Ocean authority twice +Prix +Arthur +If focused +Band fantasy musicians +Nadu +Christmas races grew registered designer go -eg gave +Sun committee northwestern vocalist developing reality +Youth cost gas helped @@ -1282,18 +1798,24 @@ share classical driver except +Arkansas methods +Hills folk +Power rate +Athletic whether teacher duo +Corps specifically architect assigned competitions stores covering +Dean manufacturer administration stone @@ -1302,7 +1824,9 @@ night occur command true +Hamilton structures +Belgian sources disk incorporated @@ -1310,18 +1834,27 @@ flowers origin votes functions +Alan travel estimated +Regional +Cross page +Field influence meeting butterfly technical +Dakota move +Limited develop transferred value +Austria +Kent relatively +Productions mayor contained provincial @@ -1330,15 +1863,22 @@ forest attempt text chemical +Municipality partner +Belgium credited inside +Swiss +Village +Railroad learning refer here +Detroit hits +PhD +Harry territory -v habitat sequel standards @@ -1353,23 +1893,32 @@ goals leadership competing figure +Simon contributions southeastern upper hosts teaching attention +Space leaving +Kerala find -etc identified +Seattle +Norway fact +Douglas scheduled fall producing soundtrack +Christopher +Patrick soon marked +Diego +Kenya probably worlds user @@ -1378,66 +1927,100 @@ amateur direction knowledge potential +Human sexual defense vehicles +Hotel joint likely minister +Of safety resulting punk +Athletics notably +Hampshire +Brazilian +Forces planned met +Albums traffic call medieval whole hand +Congo lawyer blood +Finnish view networks engineer literary -thcentury initial positions +Austrian +Berlin rail entertainment creating memory recordings fashion +Local +Walter +Final appearing +Kevin activist cancer +Delhi animal minutes +Argentina visual +Four converted classic +Post +Utah workers +Medal lack month calendar internationally report +Magazine +Over retirement +Communications distinct +Light floor +Later +Ford publications islands publishing +Ben +Vancouver display +Pittsburgh +Eric horse prison videos presence removed +Mexican existing hip +Dave +Sabha reaching extensive certified @@ -1445,15 +2028,30 @@ painting blue hold fully +Nova downtown amount dates passenger +Baltimore +Disney +Chairman +Miami +Global +Water +That stated +Free +Miller produces behavior +Organization junior +Class chosen +Wrestling +Songs +Dublin electric square laws @@ -1469,17 +2067,28 @@ manufactured wing adapted therefore +Mountains communication always governments +Brothers +Ghana yellow villages +Diocese +Nevada +Champion subsequent +Broadcasting +Conservative license plan +Main deal give basic +Don +Maine hop promoted reach @@ -1488,36 +2097,66 @@ fought tower entry judge +Formula exist +Fire +Head candidates +Marine nuclear +Lady +Information +Vietnam +Denmark +Song +Deputy army releases meter forests +Square +Upper +Reserve +Ray +Singh protection +Allen describes plans promotion classified turned +Clark +Greater painter compared sponsored +Thailand perform existence consecutive +More twelve dark +Earl +Lawrence yet +Cleveland words selling centuries +Master +Khan existed +Regiment venue +Indonesian isolated tradition +Warner officers +Glasgow +Tim acid too shared @@ -1525,8 +2164,14 @@ collaboration assembly publisher mine +Dallas +Birmingham +Polish van +Another citizens +Stone +Arena approved purposes going @@ -1534,14 +2179,19 @@ regarded championships eighth card +Austin historian speed room +Gary persons despite +Portland +Hollywood aspects receive might +Gordon censusdesignated rule taught @@ -1552,91 +2202,142 @@ marketing stock membership entirely +Lincoln +Grammy stop trains trees -fulllength recognition greater +Duke techniques entitled resulted continue +Richmond +Sam +Metro characterized relations +Adam selection audience search simple account rapper +Books leaders piece +Alliance +Lower genre +Matthew +Queens table build processes combination tribe +Quebec foundation mass +Heritage businesses charge +Montreal +Energy manufacturing +Sound winners +Adelaide +Mayor athletes +Dance +Greece +Medicine +Women ceremony billion objects signal -ie forced +Albert condition +Broadway flows -di generation percent coastal edited +Anderson +Finland +Currently defensive +God +Because tools +Bruce contain champions +Authority +Is planning +Sierra markets setting finishing poor +Land parents +Malayalam offer tax volume exchange +Pro pressure +Bengal +Naval core drums corner +Several +Saturday municipal remain murder grade +Administration +Good heart +Ross nation crew farm +Fellow +Vice trial +Turkey risk criminal idea permanent sides temple +Trophy specializing face +Anne meet improve experimental +Racing +Revival +Americas +Franklin comprises +Karnataka outdoor decades brick @@ -1645,23 +2346,32 @@ possibly writers spring reports +Jason heavily restaurant operate investment greatest allowing +Ian +Iran joining +Temple husband labor technique +Constitution machine maintained fans spoken biggest stream +Delaware contributing +Military +Gray +Donald prevent medicine universities @@ -1669,29 +2379,46 @@ combat holding indie younger +Brooklyn earliest supply +Dan governor airport +Harvard minute launch claims +Convention newly +Wayne effective +Ryan specializes +Bell +Boys +Egypt plot corporate +Modern interests cable +Uganda authors surname +Systems +Lane controlled +Due +Tournament file advanced poetry +Design cut fruit educated +Capital soap print instruments @@ -1699,12 +2426,18 @@ magazines domain hall shape +Americans economy effort reasons components +Edinburgh +Guard bassist +Early +Unlike broadcasts +Afghanistan flies patients actually @@ -1712,83 +2445,135 @@ branches employed regularly regiment +Agency +Among processing finally churches +Baron agreement confused involving declared +Heart internal +Philip describe laid +Nigerian screen mining establishment influenced +Holy +Jesus spread beetles +Up king resigned +Review philosophy wood needs +Harris nomination transfer +Poland movies studios +Jeff proteins brothers +Commons enough +Nebraska contributed +Peru +Moore shortly +Album +Orleans bishop +Scotia causes immediately +Orchestra +Brisbane otherwise +Bowl draft goods storage +Southeast +Philippine +Senator +Universal popularity determine funding +Harbor +Falls +Girls entrepreneur peak reserve agricultural join +Alaska agencies trained finish canceled +Captain satellite golf +Professional orchid divisions motor +Your +Russell ethnic supports completely successor +Silver friends slightly +Saskatchewan +Territory girls +Only giving +Bristol +Jordan object sector qualified review +Foreign frog heritage problem +Nick railroad personality +Grade +Maharashtra +Caribbean +Iraq wrestling roof +Age actors edge +Boy +Tanzania +Wood press address +Doctor friend bought religion @@ -1803,10 +2588,18 @@ normal freshwater involves got +Islamic +Hindi +Roger +Officer examples birds +People ward +Maria +Matt coming +Ice pianist andor identity @@ -1814,39 +2607,61 @@ conflict degrees destroyed faculty +Formation scale grows +Christ +Jazz +Kelly +Adams pilot accepted cycle genera styles vessel +Marvel authorities owners romantic widespread ones +Portuguese adaptation stands bodies collected birth obtained +Rose +Though ninth +End difficult factor motion +Digital typical +Test brown +Alex +Jonathan interior pieces steel fungi +Ali +Arab +Rio injury +Morgan +Billy distinguished +Springs decade +Samuel background +Rights receiving incumbent comedian @@ -1854,9 +2669,11 @@ items elect component fly +Nelson personnel banks quickly +Express sets producers expected @@ -1865,6 +2682,7 @@ big session exclusively leaf +Out hamlet database competitive @@ -1872,19 +2690,28 @@ ways biological diverse formally +Grant independence protect +Squadron wall +Johnny byelection +Virgin sex you +Stewart frame funds scientist +Parish increasing voted prize +Puerto +Judge attacks +Five legislative sale mid @@ -1892,66 +2719,99 @@ soil coal tributary inaugural +Java port +Orange architectural pair +Infantry colors +Native opposition +Command wins heads +Warren peerreviewed actions +Girl portrayed practices tool cannot circuit documents +Punjab platforms +Telugu deep +Roy +Pan damage arms +Baptist target +Steven screenwriter +Who lineup +Norman shopping flag belongs soldiers +Buffalo homes +Peninsula +Marshall runner captain valley dry +Classic +Anglican intelligence +Lions coverage +Saints influential locality residence sequence download indoor +Andy rank gives regarding beyond needed +Barry communications kind +Sony +Jimmy borough +Walker reduce advertising +Garden mile images attached +Graham +Pope +Common pay boat camp partnership presenter captured +Industry ceased job +Lieutenant opposed swimming introduction @@ -1961,6 +2821,7 @@ channels computers tournaments funded +Software integrated ball girl @@ -1969,58 +2830,95 @@ eleven concerns context abandoned +Manitoba +Way mentioned +Cathedral originated +Johns confirmed toured +Muslim highway governing +Studio +Dead bonus credit publishes +Murray +Thompson +Pakistani twenty skills topics briefly clinical occupied +Jane +Spring sign offering volleyball -km medium +Site +Montana sense +Somerset colleges details locally +Located actual touring +Campbell contest serial allies dating skin +Computer +Blues +Ann +Filipino +Between neighboring +Natural +Sky roughly sections +Andhra +Films citys parliamentary becomes +Norfolk +Frederick +Antonio +Bible aims +Century engines +Branch cross +Challenge troops contrast +Junction +Revolution carry cinema +Kim internet letters enzyme +Camp rereleased themes rise losing paid +Moon charity ranking zone @@ -2029,10 +2927,13 @@ participate artistic wellknown ending +Northwest connection grown +Liverpool hundred require +Farm claim vocal justice @@ -2041,28 +2942,43 @@ disbanded insurance price del +Bureau flat opposite formal necessary occasionally +Max +Fred progressive glass +Essex +Ward testing +Stanley height competes descent cofounder inhabitants +Mission attempts +Movement boundary +Gaelic countrys views singing abbreviated flow +We +Place legislation +Nashville ring +Romania +Gulf +Down creative monthly categories @@ -2072,12 +2988,19 @@ keep link piano swimmer +Ottawa screenplay unusual nominations +Malaysian technologies +Morris +Story +Not brain strategy +Late +Wars drive infantry determined @@ -2092,31 +3015,52 @@ blues martial interface airline +Czech +Cincinnati gun peaking +Egyptian +Jean +Champions customers underground ultimately charted +Paralympics +Will +Mitchell +Now households ordered rivers +Seven driving +Crown airing powerful successfully +Dark +Perth understanding compound +Brunswick requirements clear +Keith +Food +Members novelist +Kennedy entrance +Death molecular +Papua linked pass grounds replace speech +Las shares grades conservation @@ -2126,9 +3070,12 @@ importance forming picture leagues +Ten +Mumbai budget fighting aid +Last habitats associate merger @@ -2137,9 +3084,12 @@ festivals photographer affiliate negative +Tower +Democrat roleplaying onto situation +Operation easily iron geologic @@ -2163,45 +3113,70 @@ resolution installed income intersection +Masters anniversary +Wright administered tells hardware maintain +Training parliament +Secondary defeat broad honors editions boys settled +Auckland +Circuit weight winter +Third plus +Base +Brigade junction scoring matter policies bring +Taiwan +Carl fishing royal normally protected +Robinson heard aged standing historically surviving +Bulgaria +Ukraine loan +Jefferson aimed professionally instrument +Railways +Commissioner +Denver +Jon +Iron +Based mill castle ownership +Historical returning replacing +Nation +Language photography +Daily pattern naval papers @@ -2212,8 +3187,13 @@ extension pitcher kept indigenous +Manhattan +Exchange defeating maximum +Vermont +Action +Real beach demolished electrical @@ -2223,80 +3203,130 @@ flying steam transportation equivalent +Benjamin vessels requires +Front document +Barbara bacteria sole +Friday +Sarah directors +Released exists +Minor +Stars +Beijing dropped contact +Golf receptor favor riding +Economic leave celebrated +Car +Hawaii +Video +Our +Orthodox responsibility scholar scenes +Uttar +Indoor +Moscow +Margaret +Phoenix affairs +Carter qualifying definition +Chair colonial gay spot tenth recipient +Charlie talk margin -x +Apple +Craig housed spider +Cork mental expert industries observed +Colombia printed concluded doubles passengers predominantly achieve +Gallery +Part speaker +Trinity +Derby +Jay +Mill broke finals hill +Terry parent replacement +Upon +Assistant +Dennis occasions traditionally inducted translated +Jerry +Victor heat ends +Tigers biology longest revenue comprehensive shooting +Drive ruled +Baronet +Emmy +Scientific +Amsterdam extensively -fulltime follow premiere productions ranging +Works offensive aim +Contemporary +Peace inner powers +Nicholas resident +Israeli boundaries duties peace charter armed +Cook serious strip acres @@ -2305,100 +3335,170 @@ enforcement privately assets designation -pm flower relationships spiders +Provincial organic +Play fine ideas separated coached gain drugs +Larry genres portions grass critic undergraduate establish +Lok representation measure +Bush +Urban +Baker +Durham +Vegas +Industrial professionals roads +Athens +Tennis +Vincent dead lasted +Eagles +Episcopal reaction revealed costs +Imperial experiences fast +Phil retained +Code +Zimbabwe +Linux centimeters +Opera bacterium headed wild +Newcastle +Madison arranged enter +Berkeley +Oliver +Wild arena marketed +What physics provinces transmitter +Xbox freedom +Along +Policy +Back +Market roots +But +Control +Sussex element fuel emergency +Hindu bill suffered narrow vice purchase +Jamaica leads +Argentine fell +Outstanding +Freedom +Methodist restored +Lancashire +Portugal promoting +Bros external movements filmmaker weather psychology teachers +Alfred modified passing feed +Nature +Transport nominee reissued relative ensure sessions cited +Chile predecessor infrastructure stood +Grove +Stakes subspecies adults amongst expression parallel +Mac suggested consumer +Palace appointment +Mediterranean +Race populations +Sheffield +Trail freestyle reelection +Parker write +Heights vinyl +Evans +Isle wine +Harrison +Idaho +Collins +Until +Rogers implementation animation +Charlotte +Greg managing venture +Ron discontinued mollusks thousands +Six +Leeds institute +Costa happened walls latest @@ -2408,18 +3508,27 @@ straight yearold mathematics fixed +Previously +Years significantly gender jurisdiction +Range +Pop files pageant +Tokyo interviews we priest tall notes +Lloyd climate +Nintendo translation +Calgary +Rangers chair couple economics @@ -2431,86 +3540,135 @@ paintings phone values begins +Anna avoid +Stuart morning waters constituencies extremely maintenance townships +Clinton specialist journals visitors classification demand focusing +Rhode garden meant presents +Built competitors abolished +Edmonton depending +Comedy +Roberts educator assistance virus +Neil +Indians defending participating +Transit maintains +Wyoming voters diseases marks motorcycle +Ken bit provider +Motor +Rick behalf calls somewhat credits graphics +Commander civilian horses +Sean measures script viewers legislature +Sudan +Electric +Additionally centered surrounded striker +Madagascar +Kumar things +Hunter charged sell tours +Rob hands +Ridge sitcom influences +Magic batsman +Be +Cooper agriculture mouth rose +Perry sons +Communist +Oakland characteristics +Rail missions perennial wave broken +Sport reading delivered +Counties boxer +Go asked +Canal +Model +Wall +Mills syndrome +Publishing differences +Performance consultant +Short +Tracks toward restaurants venues +Technical mainstream participants +Ukrainian links letter +Cabinet +Indianapolis labels boy operational +Dragons distinctive +Attorney goes solutions advance @@ -2519,8 +3677,11 @@ useful controversy peoples look +Stanford +Through framework master +Newfoundland territories outstanding cemetery @@ -2534,14 +3695,21 @@ stem operator resides wooden +Cameroon +Leader doing performs assumed +Season subtropical accident attempted +Days +Financial independently comics +Surrey +Transportation hour periods athletic @@ -2551,24 +3719,36 @@ suburbs von mark relating +Ralph sought +Abbey coeducational whilst eye panel expressed +Devon acted longtime strength painted +Municipal selftitled +Montgomery +Bobby engaged +Google exhibition rapid +Hope athletics +Conservation +Culture convicted comprising +Representative reporter +Unit dog our scientists @@ -2577,6 +3757,7 @@ genetic insects rooms artwork +Rico sprint commission origins @@ -2584,12 +3765,17 @@ collective machines quite reign +Ethiopia +Tampa sculpture +Milwaukee usage visible cargo layer +Universe scheme +Bollywood identify corporation researchers @@ -2597,17 +3783,22 @@ partners changing convention sciences +Robin +Turner remote masters secretary tissue evolved +Such telephone choice accredited wind disorder vary +Edwards +Children awardwinning deputy output @@ -2615,6 +3806,7 @@ poem youngest showing arm +Hugh criticized committed improved @@ -2627,179 +3819,281 @@ playwright acoustic experienced locomotives +Winnipeg scholars capable +Bad shooter clothing illegal initiative shore +Recording participation benefit fifteen stand +Hudson unable passes departments +Wing remake tank discovery outer nationally delivery +Dick +Fund +Child graphic reelected +Venezuela +Circle +Standard +Tasmania incident connects +Saudi arrested +Blood +Democrats conventional +Ambassador connecting +Side +Raymond transmission +Giants parks ministry +Statistical benefits fungus severe starts +Established breed +Jose +Once +Player partially -la bay fund temporary opportunities ago +Guy +Susan beat +Soul clients agents beauty buried agreed receiver +Intelligence +Alice +Cornwall capture mechanism finance drivers creator manner +Cemetery +Lost +Friends +Bernard mechanical principles +Wells commander +Battalion +Murphy archeological +Liberty +Web +Fair +Harold invasion extreme carbon writes carrying resistance +Turkish employment +Wellington backing wrestler +Finance dam begin deals threatened duty borders +Fiji +Seoul +Track acclaimed cartoon falls mall +Leone +Men +Movie exception rates +Data +Horse +Newport awareness -twostory bestselling soft +And dynasty equal +Monday +Socialist restricted +Jan charges +Danny continuing monotypic coalition preserved +Chester pick rounds +Rural solution tests ongoing formats opportunity +Critics congressional hot resource +Legislature mountains +Bulbophyllum muscle theatrical +Ronald hundreds seconds wanted evolution handball solid +Aviation implemented +Hungary criticism +Eddie +Kingston frequency +Columbus blocks reporting academy hired landscape +Milan diocese favorite +Capitol streets +Dream artificial carries frequent conservative yards constitutional +Julian server +Lebanon acclaim defunct +Operations encompasses saxophonist +Joint fame +Collection theaters +Suffolk planet consist emerged +Parliamentary crossing +Andrews sharing patterns +Bachelor orders +Political +Fiction accounts chose +Symphony +Herbert topped libraries +Environmental +Iranian +Fine questions catalog organ +Just +Lakes conferences matters accessible nonfiction mode +About +Downtown +Croatia concerned +Ground pool +Production cycling wider meetings showed entering +Economics viewed nickname weekend +Confederate +Advanced alternate +Steel +Vienna injured whereas +Actress commercially debate referendum +Boulevard +Honor lands question shrub +Bar draw submarine alone @@ -2807,16 +4101,23 @@ codes traditions reform aviation +Presbyterian killing +Mobile minority variant involvement lot +Cuba airs landing +Chapel talent +Progressive visit fossil +Higher +Princess orchestra chemistry ruling @@ -2827,6 +4128,8 @@ judges releasing concrete illustrated +Actor +Yale qualification string chapter @@ -2840,16 +4143,26 @@ thirteen ensemble partly sung +Butler +Oak something +Gregory relocated +Kenneth +Cold +Run resignation soldier +Knight terminal +Complex constitution listing proper spiritual +Justin victims +Burma abuse qualify traveling @@ -2857,36 +4170,63 @@ overseas safe cultures generated +Greatest suggests +Original proved soul survey +Together windows +Baronetage fighter tourist +Gardens +Juan editorinchief locomotive +Aaron phrase +Workers +Adult +Indies +Recordings physician +Hunt coaching +Students acquisition +Small +Cultural +Tech decline +Kannada gray worn +Protection extends spelled +Phillips bee bottom +Commerce crisis brands visited bat am diplomatic +Primary dated raise filled +Glen +Gujarat +Serbia +Todd +Ancient broadcaster +Allan electricity regulations hence @@ -2896,41 +4236,64 @@ chamber eligible premier survived +Luke +Flight completion told mollusc +Laboratory procedure task +Renaissance interview +Hughes continuous devoted representatives schedule governed +Westminster +Distinguished cooperation emphasis partial contribution strategic +Staff +Harvey grand occurring discography platinum +Fall attend +Storm considerable helping +Initially +Lords conduct +Colin +Stock effectively mystery +Salt liquid +Chamber +Environment +Speedway +Tommy upcoming tenure firms elementary secret colony +Gothic childhood +Thus performer +Drama campaigns instance environments @@ -2941,6 +4304,8 @@ protocol asteroid teaches trio +Hits +Lankan bone retiring iTunes @@ -2952,7 +4317,9 @@ respective jump universe advantage +Jews fort +Grace volumes wings modeling @@ -2960,38 +4327,62 @@ deaths dominated plastic trials +Morocco +Agriculture +Future transition +Ecuador +Halifax column +Rovers attracted +Secret developers transit +Dam +Holland +Pat loosely pupils secure +Islam rapidly +Wildlife treated drawing neighborhoods +Helen constellation shops tons extra +Panama decisions +Marie +Shah extent +Woods aka footage +Much +Armed critically bounded strike +Woman +Florence rating pain row +Cardiff museums clay gallery window conjunction researcher +Marc +Continental moist path advocate @@ -2999,22 +4390,33 @@ map structural accused psychological -d +Associate reserves dominant +Independence +Zambia +Angel +Cameron aquatic anthology +Angola limits +Solomon websites cup +Construction speakers +Barcelona +Muhammad stable +Marcus appropriate essential minimum subdivision manage trying +Report arrangement concern attributed @@ -3022,16 +4424,29 @@ invented closing earning healthcare +Australias simultaneously +Delta +Myanmar unlike symptoms +Mason +Shaw +Thoroughbred +How +Bolivia elevation +Engineers statistics +Brook segments supplies prime +Store seek bowler +Diamond +Manila bringing nor tribes @@ -3039,7 +4454,9 @@ quarter sporting terminus elsewhere +Romanian vision +Writers hosting installation larvae @@ -3047,12 +4464,15 @@ ski significance functional nationwide +Living immediate mixture +Memphis false municipalities boats denomination +Eugene fan faced guide @@ -3062,56 +4482,88 @@ segment autonomous apply missing -b +Lynn compounds losses +Bears automatic +Basin flagship leg gardens prepared +Within rebuilt +Jennifer closure membrane +Forum +Players +Walt traded step alpine +Android +Canterbury +So recurring renowned reputation promotional +Machine shortlived powered +Leonard +Venice banking tier abroad +Eagle traveled assist landmark helps patient rated +Trinidad identical +Written enemy advice +Carlos opinion streams cult +Fleet +Record +Elementary try +Angels snake symbol +Madhya singers substantial detailed wickets +Deep +Interstate +Wallace entity listings +See +Lisa +Mars rescue +Discovery sand +Twenty airbreathing +Jacob banner message dual +Canadas phenomenon picked principle @@ -3120,30 +4572,39 @@ increasingly derives interested farming +Private +Resources package farmers sits circulation erected threat +Leslie waste compiled dubbed +Christianity +Gilbert +Kids cofounded tried enjoyed interactive +Leo +Pete intermediate request controls occupation select -copy herself distinction anchor +Airlines filed gone +Baby resort printing romance @@ -3153,47 +4614,70 @@ strongly collaborated roll carrier -da thin visiting +Parks rarely regulation rival +Cyprus damaged +Ted trust +Midlands concepts salt citizen +Belfast genes drum sentenced +Round commentator +Do +Chennai +Arabia ahead alleged remainder updated +Aircraft merchant +Wolf interaction +Rajasthan perspective winger +Set wildlife shell +Albany believe +Kate executed rocks congregation +Derbyshire +Warriors +Box fourteen administrator prestigious progress felt references +Rochester +Type alcohol +Josh worship grant practical +Malta +Namibia rower guard +Enterprise snout cowritten description @@ -3201,17 +4685,25 @@ spending sugar recognize disorders +Jerusalem immigrants +Interactive objective +Spencer canton mainland +Campus +Speaker injuries +Nine lakes medalist seeking +Desert optical relation challenge +Knights photographs narrative bordered @@ -3222,30 +4714,51 @@ donated consider pulmonate journalism +Rolling numberone respect suspended +Networks +Elections indicate restoration performers +Marys eponymous -vs +Emperor +Laura +Joan +Paramount disciplines mines obtain suitable +Oscar +Ball affect limit tourism +Monroe +Campaign +Dominican eliminated massive appeal -mm +Colonial +Nazi +Price creates enterprise hospitals +Rao associations +Bennett +Arnold +Catherine +Cruz characteristic +Kazakhstan +Munich compositions diplomat express @@ -3253,30 +4766,46 @@ premiership relief skier graduating +Section longterm save tied +Morning looking utility +Guild +Rivers +Week founders endangered sponsorship der fair intellectual -presentday volunteers +Faculty +Southwest +Voice huge +Clarke +Colonel +Reading tribute +Assam +Orlando nicknamed declined handled exposure variable trilogy +Cinema easy +Foster begun +Bradford coaches +Glenn competitor ride societies @@ -3284,29 +4813,45 @@ develops promotes slow speak +Revolutionary +Springfield sailing badminton evening +Flying suburban milk +Picture emerging +Interest chess +Spirit input portal +Bihar organisms poems quarterback +Stevens boxing innings integration boards conductor suicide +Here +Jeffrey crash +Bryan +Fantasy +Metal absence +Karl analog bid client +Creative +Preston patent bicycle cattle @@ -3314,26 +4859,49 @@ liberal survive binding summit +Nottingham adding combines stay +Jeremy +Stories +Thames +Celtic automobile caps +Newton greatly +Manager +Block +Windsor bear finding +Treaty bachelors +Chase +Dog reducing +Artists +Princeton unreleased spaces +Milton breaking +Care +Edition +Watson statement +Mall crimes males +Algeria settlers +Nancy readers meets trail +Amateur +Collegiate customer getting involve @@ -3342,41 +4910,62 @@ exercise holiday samples kingdom +Lancaster +Rice chapel pairs woodland +Mercury colored +Annual laboratory +Fraser rejected +Marathon +Normandy relay +Bengali disaster cousin rim +Bear +Curtis establishing hectares yard +Sisters runnerup procedures righthanded signing speaking stayed +Electronic hunting +Bradley +Literature grid sample +Arabic receives diameter +Plymouth recommended discussion editorial situations sustainable connections +Charter authorized +Gene driven +Reed connect sat wheel +Principal +Worlds skating memorial diving @@ -3384,44 +4973,72 @@ door plane providers jumping +Brooks +Marion depicts placing +Globe +Key eleventh signals sixteen +Classical +Guide lifestyle +Syria breeding variants +Industries +Note dispute choose destination marathon plate +Gospel +Jamie +Physics belt +Estate longdistance admitted nineteenth +Colleges +Linda +Work +Sullivan nerve +Tree recreational +Lutheran ages prominence +Holmes rhythm freight trainer +Davies +Paralympic followup screened thirty exhibitions referring +Hodges repair sprinter prehistoric ranges +Bath statistical refused +Cole noise switched preservation +Archbishop +Carnegie +Directors ocean sounds installment @@ -3431,25 +5048,38 @@ holder tend hybrid legend +Artist +Room reflect equipped expensive +Volleyball lecturer +Having circumstances attraction +Next +Highland +Allied crowned seed initiated +Mario racer basin compact crown sculptor +Iraqi stopped -du +Ellis +Brighton miniseries blog unsuccessful +Competition +Northeast +Tyler sentence bed poverty @@ -3461,29 +5091,49 @@ belong columns consumption twin +Bavaria +Peters balance diversity +Kenyan +Kashmir +Malay targeted +Number +Telangana conversion revival +Ulster reception +Are texts +Shore eyes descendants +Electronics meat reduction +Plan mail separately +Azerbaijan +Get fluid +Aboriginal attacked custom +Dragon achievements dialect +Gibson +Jacksonville +Planet ordained parking theoretical variations vertical +Learning banned belief net @@ -3501,20 +5151,35 @@ pursue stems maintaining tasks +Notable +Penn escape namely signs ferry stored +Rocky arrival +Krishna +Obama +Persian +Inn essentially +Around +Hyderabad keyboard +Educational +Palm +View protagonist +Confederation mythology +Ernest calling vast +Index ratings -et +Testament maps faith manufacture @@ -3523,29 +5188,54 @@ theories thousand twentieth statue +Emeritus +Thursday apart +Cardinals +Fish +Choice +Hull +Louisville none +Amazon dogs +Hart +Minneapolis mascot shipping +Safety +Liga hurling mounted +Tuesday displayed occasional +Adventures +Clay +Dale +Even +Palmer +Thai guests preparation bridges learn +Canyon +Timothy seems copper enable +Doug note dramatic email monitoring usual +Kerry depicted ticket +Every +Les know option semifinals @@ -3553,23 +5243,37 @@ varied mineral understand exposed +Bird +Shadow acre seeks attending +Sweet +Contest +Rich females +Fellowship +Miles employs fill imprint unions volunteer +Carlton +Maritime +Protestant grandson +Hopkins fresh +Owen exhibits till +Throughout facing -fouryear +Estonia linebacker destruction +Carroll varying iOS journey @@ -3579,11 +5283,17 @@ wear cold formula fusion +Chuck audiences jobs +Ruth economist recruited +Amy +Browns extend +Cumberland +Nathan twelfth differs percentage @@ -3591,10 +5301,14 @@ practiced synthesis entities add +Architecture +Electoral encourage scholarship +Ultimate targets turning +Aquatics approval passage eggs @@ -3602,122 +5316,202 @@ array execution quarterly renewed +Duncan +Fighting protest +Banks +Georgian +Ring automatically +Streets consumers garnered doctor purple +Dubai prices +Crystal tube +Grande wet +Maurice colonies geographical +Berkshire +Gabriel collegiate hardcore documented orange +Joel busses operators +Archdiocese tape +Hebrew +Stockholm honorary capabilities coined limestone +Sons +Landmark +Richardson deemed mean ant cuisine inspiration +Produced playoffs +Crawford count regulatory +Sacramento configuration assessment +Haven +Peak +Hans corruption +Kenny guilty hills +Cox ratio branded elevated wireless +Henderson +Hamburg columnist +Charleston ghost +Dame campuses caught -didnt +Blake +Universitys keyboards +Amendment +Derek shaped +Cheshire playoff settlements workshops preserve +Croatian +Kolkata +Musical canal efficiency sitting +Underground revived seeds +Brad commentary gameplay +Estonian +Bosnia comedydrama craft someone variation +Plant legs payment +Survey geographic +Coach remove +Brother +Logan +Shire apparent options recovery your +Christians mind +Fisher pale +Vale adventures exploration +Lucas pink cathedral exhibited innovative +Pierre +Far beating editing elite essays rising scores +Leicester simulation +Ages +Leagues assisted equity identification +Salem +Elliott +Malawi commenced +Manor +Graduate conclusion +Aberdeen flights +Baronetcy experts efficient +Alternative ambassador cognitive contribute instruction +Worcester syndicated trip +Atari +Greene +Raiders facilitate +Jamaican explores tries dynamic +Wednesday says +Bangalore radiation +Crime +Insurance +Relations argued prototype measured +Middlesex rifle submitted +Presidential humor repeated +Resolution chapters exact +Pine jointly moderate reverse +Rica supporters bowling concentration @@ -3726,36 +5520,63 @@ hiatus deployed extending golfer +Guardian +Money drew +Hurling +Prairie +Son grants discipline sheet +Churches +Planning say +Albanian +Borneo beer signature +Appeals +Shanghai investors galaxy learned +Observatory removal +Mother root tackle topic +Emirates +Volume expand describing philanthropist judicial messages finds +Leon +Sultan treaty +Yemen advisor hectare logo +Isaac +Bond +Commercial +Gloucestershire accompanying approaches +Georges +Technologies +Powell luxury curriculum copyright warfare +Jakarta +Richards realtime stress improving @@ -3770,10 +5591,12 @@ populated registration taluk artillery +Dorset +Tales mathematical rulers -al molecules +Page accounting charting conceived @@ -3782,22 +5605,40 @@ mammals tip cap storyline +Plaza +Copenhagen dangerous bears hole worker +Cancer +Burton +Gate specialty +Online survival +Vidhan guitars hotels +Abraham +Janeiro pseudonym +Father +Samoa correct fathers revised sequences +Cowboys +Facebook shut +Janata +Visual employee +Philosophy +Volunteer achievement +Jesse celebrity coffee courthouse @@ -3806,14 +5647,22 @@ truck coproduced smooth think +Factory +Course +Sox superhero +Criminal aspect lay +Joshua expedition +Ahmed gubernatorial mechanisms remembered skater +Electrical +Lodge charitable coat contracts @@ -3822,39 +5671,64 @@ parishes rap tail telecommunications +Chad corresponding +Eurovision +Indias +Malcolm fundamental herb +Simpson artifacts amounts +Edgar violent +Student constant varies +Beginning gaming +Cretaceous provision engineers peninsula pictures suit +Die +Housing +True popularly +Admiral +Study thereafter +Gerald +Instead palace detective teeth +Abdul +Then consulting walking app +Honors underlying desert proposal +Curling +Triple cooperative loop authored +Communication interactions ordinary +Karen gets +Adventure ruler keeping +Peerage councilors journalists profession @@ -3862,29 +5736,46 @@ arrangements apparently interpretation steps +Agricultural +Ladies bankruptcy +Tiger bomb doors garage reservoir +Riverside +Burns +Raj absorbed directing generations perceived plain stylized +Reform raising +Fourth guns specified +Albania +Roll +Devils depth my +Giovanni +Reynolds feminist moves struggle +Johannesburg +Partners bases profile +Rachel immigration reopened +Labrador philosopher sectors deposits @@ -3896,21 +5787,34 @@ fired lightweight generate enables +Gloucester alumni gecko roller +Julie weapon magnetic protests hub superior +Emergency +Syrian +Arctic +Oslo +Qatar +Animal presentation alliance hero increases lowest -n rider +Panthers +Providence +Eye +Ghanaian +Luis +Midland boarding depot outlets @@ -3919,79 +5823,139 @@ careers comparison cone monastery -twoyear +Bedford beliefs bug +Abu +Those scope supplied celebration mouse +Hayes +Rush originating +Hampton currency fossils incorporates +Oil illness neither verse +Kid +Forbes +Monument demo +Louise +Where +Tobago console longrunning faces +Bulldogs hidden +Julia +Porter cameras +Reid returns +Pearl spirit +Muslims +Andrea +Yugoslavia draws postal +Happy debt differ examination +Ghost specimens +Historically aerial gospel illustrator legendary attendance voluntary +Bailey +Canberra +Monte bars oral regard substance walk +Chess ballot bombing +Somalia handling +Beyond +Examples battalion gaining gang streaming +Advisory +Cambodia +Omaha shorter +Pirates earthquake +Adrian +Constituency continuously posts +Chemical apartment inactive bright fraud +Lincolnshire atmosphere +Botswana +Thunder anime decorated folded smallest +Chiefs +Liberia +Aires commercials drop inherited +Heavyweight +Luxembourg +Stage +Geneva +Artillery reaches +Coalition +Low publishers throw +Buddhist +Buenos +Nuclear +Naples fifty settings +Hungarian +Syracuse actively councils managers moral spanning +Michelle +OBrien lifetime +Commodore +Left lowland reportedly spots @@ -3999,28 +5963,41 @@ cotton improvement lighting corporations +Holdings +Vernon reformed slug +Sheriff why adoption fairly feel implement enrolled +Arms fit +Yellow counted +Official crosses astronomer writings +Ivory +Rules beautiful welfare +Full clan discussed +Brussels generic handle celebrate editors +Faith +Petersburg intercounty +Weekly cloud earth photo @@ -4028,36 +6005,58 @@ remastered gap indicates ties +Legal hearing +Armenian possession +Robertson +Walsh ministers +Lion contributor filming +Access attempting wholly +Erie furniture surfaces +Courthouse crops +Trump +Wind battles grassland paperback +Mathematics engagement difficulties posted circular +Former correspondent +Excellence translator +Besides +Talk racehorse +Paradise camps suffering +Portsmouth pitch portfolio +Mine commanded polo bin praise +Mozambique +Roosevelt extant monitor +Formerly +Support occasion household inch @@ -4065,19 +6064,28 @@ spectrum cave shallow wards +Hero +Presidents supposed +Caroline floors requiring +Herzegovina layers want +Dawn +Scout nephew wealthy +Staffordshire +Swan reggae afterwards magnitude saying companion tone +Chancellor cooking worth naturally @@ -4086,154 +6094,243 @@ mansion completing density shells +Billboards slave +Carol conflicts provisions switch dollars fastest +Kuala +Poetry +Laos electorate +Current +Shakespeare error +Supporting defines strategies register travels send tribal -e heritagelisted innovation contestants guidance regulated +Pass entries +Gramnegative claiming ports triple +Editor bound indicated lateral trademark +Ballet +Del addresses legally +EPs +Psychology jury +Chapter +Mass suggest +Helsinki remixes +Tourism destroyer +Institution +Seminary dependent politicians +Barnes arcade midth universal +Election altered +Brandon +Motion +Premiership +Sega inventor +Cornell +Heath consistent partys directorial explore +Call lesser succession panchayat +Case radical bond +Bus +Randy servant buy revolves +Licensed brigade fewer theology scandal +Galway clean +Uruguay favorable +Liberation restrictions +Villa experiments percussion prevention kinds dozen logic +Troy assault bad composers emotional pub +Colony coins inclusion manuscript multimedia +Platinum regime rocket skiing +Edge +Glass +Willie maritime span storm sufficient captained closer +Guatemala keyboardist wars +Madrid mandal physicist thereby +Change exhibit stationed +Double +Mail +Plains +Right +Edwin +Nielsen unless +Sidney sworn sells +Total territorial +Highlands +Kyle falling potentially +Ottoman arrest +Hard +Therefore drink notforprofit golden oxygen +Morrison imaging magic +Carlo doctrine separation sisters slopes +Come +Betty distinguish +Level dismissed earn shift +Associations cellular informal spacecraft dish interim +Jets hiphop renovated secured +Beverly +Cuban preferred +Jam +Gay cream +Biology +Popular onwards expertise item +Fifth +Bside +Jessica +Literary neck reactions referee +Jake terrorist historians sunk pyrams +Prison criteria dwarf +Hugo +Broncos +Count sponsor +Female accurate +Against +Recreation enhance alltime parttime responsibilities +Southampton valuable algorithm dancing +Snow accept accommodate +Ashley +Clyde thick tiny wealth +Gang foods mediumsized penalty @@ -4243,52 +6340,95 @@ analyst forum taxes delayed +Reports functionality measurement developmental +Camden +Johnston armored crossed racial +Never +Starting temperate +Chelsea permanently +Corner +Gibraltar +Swimming synthetic +Hertfordshire +Rwanda +Sandy combining mandate pole +Patricia load opponents organizing withdrew +Combat digitally +Known +Sugar lie +Viscount engage psychedelic +Apollo +Guyana +Joy +Odisha turns +Theological regardless +Cherry +Writing tested +Can +Winston closest socalled manor +Wings detail +Legend bearing clock rocky +Fighter +Train finalist orbit +Geelong depression exterior failing +Englishlanguage +Pink +Stan +Sumatra +Us nearest +Exeter +Sprint +Warwickshire bulk eldest democratic nights recreation +Bharatiya +Griffin +Northwestern burial amino evolutionary throne timber +Cedar collect committees kill @@ -4297,113 +6437,195 @@ collapse sang acids radar +Further +Galaxy citizenship selective fiber tale +Worth +Lebanese +Incumbent +Lines shortened +Hell designers transmitted +Epic +Publications continental decide +Diana voices embedded proprietary tobacco +Herald +Palestine helicopter molecule architects cutting recovered -twotime undrafted zones +Drew incomplete numbered pronounced +Cat documentaries uncle estimate +Motors burned +Cohen hairy symbols +Color finale fee requirement +Alexandria +Animation +Zealands chorus phones samesex defended missionary +Blair +Heroes advisory celebrities quantum +Dorothy +Superior encouraged queen diesel +Twin lighthouse +Heaven valid saint +Bombay +Screen +Serie demonstrated publish scholarly +Am +Cove +Raja +Entry +Palestinian +Vision butterflies presenting standalone timeline +Universiade humanitarian riders +Often oak slaves +Jackie retain +Clare define farms +Cash +Emily biography +Mystery geological hometown insect +Dundee +Edmund breast spawned +Being +Companies eighteen resembles +Rally democracy +Burke +Evangelical towers circle denied +Indigenous +Frances +Inside +Speed +Credit faster +Norton excellent +Sex wounded +Chemistry excellence accomplished +Armenia des lock teach +Formed +Mind frontman +Norwich +Teen +Hearts belonged detection maker climbing sheep +License +Typically +Coventry +Northumberland computational +Associated +Eight +Marco +Vista civic nothing slalom +Again portrayal +Applied continent domains lens +Coleman ore ridge prolific +Newman +Rams expanding jail proximity requested tight unanimously +Fields +Shirley jurisdictions receptors worst +Ellen +Victory +Emma +Faso +Sicily servers governance kings @@ -4413,87 +6635,160 @@ god inhabited permitted tumor +Pune pro +Sebastian similarly duration signaling +Centers abstract staging +Leigh +Geoffrey knockout profit +Appeal +Species collectively immune nursing opensource +Grammar +Kurt +Stones rayfinned stamps outbreak tallest toy +Mans +Standards +Plus +Universities roster +Beatles +Sutton conducting investor compatible departed lectures +Bermuda +Slovenia +Summit log +Away +Bangladeshi +Dungeons +Hardy plates +Yard experiment possibility +Bass artery spans +Archdeacon +Dynasty +Generation ethics marking raced tissues +Trevor chef +Sometimes +Tibet disability +Burkina +Claire +Hour specification +Newark tag +Near drinking inaugurated +Hurricane +Without anyone evil +Protocol +Ski fruits +Achievement depicting +Roland applies ceremonies tourists +Below +Goa airplay pathogen pollution temporarily watch +Initiative +Patrol +Chapman delegation deliver +Shri edges mathematician migration vicinity +Annie challenged pilots +Alps +Guitar +Munster +Off +Theory supervision +Julius +Phillip collecting grain +Mongolia +Veterans +Solar +Territories export forty organizational tea +Chilean +Eyes murdered navigation jockey seating +Beautiful +Georgetown preceding +Cooperative suspension +Leicestershire +Ministers +Working farmer +Theodore activists coordinator podcast surgical +Northamptonshire +Very aboard organs wearing +Steam spelling +Fernando disks investigate senator @@ -4503,12 +6798,16 @@ desire geometry particles tunnel +Kenyas concentrated consul poorly trophy +Beauty +Nordic horizontal veterans +Mile fullback liver standup @@ -4516,108 +6815,204 @@ improvements viewing raw soils +Harper +Rising algorithms +Cycling +Nobel +Skating +Touring processor +Monster +Pride +Webb +Mad browser fibers +Resort +Wiltshire attacking initiatives +Walk underwent ceremonial missed specimen +Bulgarian +Physical +Tasmanian +Leinster affecting +Body chronic fitness flood feeding sweet undertaken +Monica nudibranch comprise dense +Marsh +Return tables withdrawn +Mann lying pure turnout +Bhutan +Rabbi constituent defend couples looks rankings voiced +Matthews +Things +Republicans +Ferry die drainage reflects +Casey +Strait automated +Tag +Treasury offense +Sunshine +Tipperary desktop reviewed thirteenth breeds +Afghan +Toyota gathering temples +Auto +Travis psychologist ancestry layout +Warwick barn +Strategic choir +Waterloo portrait +Terminal +Academic dwelling wedding backed +Bronze poll utilized +Drug +Pulitzer +Shane archive consistently dress mixtape +Barack broader gift +Investment suite unofficial victim +Civic +Pierce +Sherman mature +Benson +Rebecca +Winchester abilities +Lucy +Dylan angle bowl crowd multinational synonym +Carey +Downs +Headquarters +Kiss +Silva ballet chassis elder fees pharmaceutical +Beat +Saxony baby tomb +Northampton +Eve +Mick commemorate +Take +Ferguson +Kay brings decorative ecclesiastical seventeen +Boat +Border +Hartford shifted +Courts +Single inflorescence philosophical +Burlington +Davidson +Performing +Ram achieving +Otto blind diagnosis feeds rodent +Lil governmental largescale sees sociology vegetation +Folk +Jammu capability +Various +Wonder chains +Nagar +Tunisia +Vikings algae ingredients rebranded +Gabon +Rod foundations lights +Ahmad +Alpha +Haryana +Idol evaluation +Hood +Patriots advocates nongovernmental cheese @@ -4626,96 +7021,176 @@ incidents transgender aluminum bacterial +Rapids +Trek +Tyne understood +Thomson lizard +Cave labeled swing +Adults circa explain ruins +Tracy cartoons hydrogen +Reformed intent acronym agreements erect +Intermediate +Reds +Streptomyces +Webster remade +Created airports +Got +Rican manufactures organize +Barbados enacted orientation +Finals +Pedro +Santiago mosque multipurpose +Togo excess archeology clearly +Albion desired sponsors +Furthermore +Still emeritus suspected +Midwest +Morton +Nottinghamshire collaborations multiplayer stability +Falcons +Gandhi difficulty integral ban +Charts easier +Bronx lesbian measuring stint +Agreement +Interior +Jenkins +Murder umbrella pastor rounded ad investigations lacrosse +Apart +CDs +Kuwait +Baldwin +Rosa alien moment +Lagos +Parade loose thinking wire +Collingwood clade quartet remixed +Brunei batting literally parody statutory tanks uncertain +Governors +Lumpur globally panels precursor rain -en +Clara +Flash +Lou +Senegal laser paint +Shield infections +Associates +Sharma +Statistics emperor sailor +Handball +Word +Lynch +Style modeled +Bergen +Colombo +Clayton observation rowing waves snow +Worcestershire settler +Bolton +Dreams +Sacred beta properly viral +Broken physically +Jurassic +Notre commissioner killer +Boeing +Macedonia +Ivan +Lacrosse +Wii kitchen technological +Archives +Arlington +Cities certificate lawsuit mutual +Colts +Shortly +Lithuania commitment fitted inland marshes +Belize +Citation resemble +Row deck slot birthday @@ -4725,92 +7200,151 @@ lieutenant objectives poker relatives +Christchurch enhanced foaled instructor +Acts +Flemish affects bones crop franchises +Cairo consequences controlling disappeared permission +Fletcher derivative +Arabian ecological facade +Salvador +Est combine reflecting spell squash +Willis similarities terrain +Spectrum premises +Batman cultivated pitched postgraduate wheels councilor +Janet jet preliminary +Slovakia attractions stones strictly unrelated +Drake acute motto +Clarence +Oceania occupies trafficking +Lexington +Mohamed dean discuss +Byzantine bonds multiinstrumentalist refugees +Niger +Canoe creek holes pregnancy +Feature +Nickelodeon eventual shelter +Martha +Oriental behavioral statements +Pleasant judgment livestock photos +Lyon narrated +Darren +Londons citing plantation residing viruses +Francesco auto depends +Conservatives sensitive thermal +Table archives comprised distributor substitute +Democracy +Shropshire supernatural +Sharon grandfather manual +Dixon placement presidency +Quartet +Unified removing sculptures trend +Christine rerecorded +Bahamas +Britains protecting +Eden +Gods +Hyde +Joey +Miguel lose sketch virtually +Bulls +Mickey +Uzbekistan addressed gable +Bangkok decommissioned illustrations +Joyce +Opposition portable punishment +Half +Autonomous +Kane +Kirk +Lindsay judoka teenage +Algerian incorporating +Politics backup doctors healthy @@ -4822,56 +7356,102 @@ organism prepare random transcription +Boyd patron surgeon +Mordellistena +Regency enzymes graph opponent scales +Rescue +Santos +Scouts +Watch +Yukon estates offshore +Cloud enclosed peer -plc +Maple exactly murex tie circuits +Patterson +Potter +Religious epic reunited availability trucks +Coal +Nigel secular +Clan +Southeastern +Stephens +Jacques grammar anything tracking +Auburn +Innovation +Jerome +Latvia +Marathi handed nucleus +Cartoon +Herman +Mohammed genome +Whitney disabilities graduates mate reissue +Belarus beds confusion cuts modes skill +Slam reforms +Chambers +Others nominees +Midnight bestknown civilians joins cavalry +Bruno +Peterson allegedly coral +Irving +Alexandra +Beck ers +Rhodes +Roads activated rape +Riding +Rowing +Singer hurdles permit trace +Dee +Yankees irregular +Male +Tucker assembled songwriting toxic @@ -4881,9 +7461,15 @@ basal dissolution doctorate vacant +Fortune everyday renovation +Freeman +Frontier +Wilmington asset +Berry +Rainbow attract cassette gage @@ -4892,101 +7478,180 @@ softball trails transactions tune +Toledo communicate dental +Challenger +Karachi +Maxwell commerce counts crosscountry relegated +Libya flexible +Aside mechanics resolutions +Concert +Intel congregations titular volcanic +Gardner +Mohammad +Truth unclear +Benin +Cecil anterior tract +Legends +Reservoir chicken decrease graphical jewelry siege +Kapoor +Carlisle +Gas cinematographer licensing switching +Manuel pipe weevil +Shannon +Similar +Ugandan freelance +Ethiopian +Turin +Fork +Twitter databases +Ipswich +Riley contents me traces fear transformation +Made +Rotterdam gymnastics retailers subunit +Honduras prizes yearly gear sanctioned +Boxing +Cumbria +Sally +Lafayette +Prefecture +Regina +Article +Hawks diet funk sacred bomber retailer +Constitutional metals millions muscles organizes teen +Elite +Paper lift terrorism +Computing +Frankfurt +Nicole +Oxfordshire comune conducts spend +Greenwich +Titans accordance pools cartoonist disabled responses +Michel +Named +Search globe pointed semifinal successive +Enterprises binary beneath installations provisional reliable +Amanda spectators +Sara +Zero +Engine +Heavy freely imprisonment perfect rolling +Clinical +Diane +Floyd +Reddy +Savage stating +Brett chemicals proposals rotation substances +Greenland +Haiti gate +Airways +Depot +Directed +Hastings +Inner announcer atop minimal +Steelers construct detect medication payments +Brent poets +Documentary +Image overlooking flew +Legion +Manufacturing +Outside consecrated interact brewery liner overview pine +Sharks +Wimbledon drawings humorous aftermath @@ -4994,51 +7659,83 @@ ballad slowly conventions sometime +Hobart +Lead legacy enabled packaging +Travel +Audio curator drives pulled +Face heavyweight originates presently televised +Ceylon +Humanities +Iceland +Sundance confluence +Rise plasma statewide +Buckinghamshire +Journey +Property dynamics mixing uncommon accessed fabric +Using finest pace +Acting +Carson +Isles +Limerick incorporate linking visits +Evil pursuit +Bend +Meanwhile +Sixth cat considerably excluding spreading +Randolph fighters principally recognizes shed slavery +Leadership +Rain nervous religions subscribers vein +Cannes +Forever +Madras +Merit accessories decoration destinations lawyers vulnerable +Pauls donations modification rises +Niagara +Sinclair commuter legume murders @@ -5046,9 +7743,13 @@ apartments chromosome eating estimates +Holiday beam investments +Anno bishops +Cambridgeshire +Griffith followers touch knee @@ -5056,225 +7757,406 @@ linguistics posterior sit solve +Barton palm preventing +Luther crossover identifying protocols us +Churchill +Marketing +Via biologist outskirts +Individual bark rings +Erik +Pioneer +Satellite guided recommendations +Strange transformed +Mali +Tonight +Worldwide rally succeeding antagonist +Cavalry reflected +Additional +Kill molluscs practitioners stake flowing immigrant +Darwin finger warm admission convert frogs neutral +Garcia +Shop +Smiths enabling everything rough textile violin +Mayo interdisciplinary taste +Lights familiar gymnast outcome populous +Tulsa toys really +Hancock +Honda +Inspector +Kilkenny highlight scattered super versus allegations +Apache +Macintosh +Pool nodes +Colombian +Holly +Oman prove +Dayton +Waters customs elaborate intense unified +Elvis +Mercer +Products chronological +Barker +Carr bike counterpart superseded talks +Baltic +Bills perception +Genesis +Secretariat contestant landed +Districts +Salisbury chartered corn discussions regulate stops +Embassy +Polytechnic +Server functioning +Teams +Tax +Cars assists strings +Architects +Designed +Rapid memoir merely sort transported +Administrative +Domini +Journalism +Name +Samsung hull militia pen rehabilitation sharp +Cliff +Kosovo +Ronnie disputed +Birds +Jacobs governors grouped rides succeed +Belle linguistic parade revolution standardized stroke +Sterling mention satirical +Chronicle +Senators +Shipbuilding loans physicians rightarm sailed +Better +Lifetime +Fight +Fremantle check pathway +Jharkhand answer +Lahore +Marina +Ranch rectangular sings +Cardinal +Fear geography kit weak +Michaels +Trent flavor imposed phenomena prey reprinted +Chatham +Let +Walton collectors consolidated conspiracy fled reader +Cotton arranger +Maltese +Sonic guidelines restore reunion +Livingston +Angela united +Twins crashed +Lab +Pike allied narrowly structured +Basic +Certificate unsuccessfully acquire clusters ecology planets fourteenth +Reverend carved considers folklore +Progress +Roberto aggressive makers +Carpenter +Fast designing flora goddess opposing partnered +Combined +Dover +Evening bugs chaired steep transaction +Moroccan +Taipei introducing +Hannah consensus instructions strain +Clubs +Devil +Sarawak +Tribune alpha +Holocaust +Mauritius capped comparable massacre seem monuments +Attack +Gun +Large +Rule tactical valve +Buck +MPs +Rodney believes exit practicing +Fashion colleagues explosion puzzle +Pond raid +Circus +Recorded autumn heats treatments wheelchair +Judy +Paraguay +Quest noble schemes +Baroque duet metro upgraded widow +Broadcast +Laurence +Make +Megachile vital +Hours +Link +Punjabi integrity styled cruise tenor +Augusta +Kyrgyzstan +Packers +Raleigh +Task +Claude +Quinn basement federation interpreted introduce metallic sovereign +Somali +Starring +Sutherland +Wave gathered grape +Canton +Purple +Sister accommodation else behaviors broadly patents stepped +Congressional +Giant sleep +Canon +Giuseppe +Madonna +Nokia +Stirling carriers mothers +Smart galleries screening +Standing +Vijay adaptations +Coastal +Dolphins +Institutes +Touch egg genetics +Deutsche abortion heir +Cheltenham +Easter +Netflix granite oval +Amiga +Analysis +Peterborough +Wesley machinery submarines watched +Martins +Stafford choreographer reside +Payne announcement default inches popularized shall +Dancing +Managing +Ruby +Unity container sending +Figure institutional notice railways +Talent pit subscription +Filmfare negotiations surveillance +Dhaka hypothesis interesting kinase @@ -5282,61 +8164,108 @@ shortlisted constitute determining let +Essendon +OConnor +Peruvian +Tibetan matrix affiliation lineage proceedings prominently socialist +Resource +Shooting altitude destroy investigated moon obtaining trumpeter +Casino +Geographic +Kilda coordination +Ave +Bryant +Dudley +Prasad +Ricky +Sanders +Zoo collector continuation iconic +Katherine +Myers enemies honoring inscription seal +Mansfield shorts +Quality +UKs imported rat +Marks bread complexity +Williamson promotions ready trends +ONeill +Oricon abundant detention highprofile impacts leased rubber +Bates +Nixon +Noble +Virtual absent +Beaver +Horn +Prague mysterious +Euro +Warsaw fallen +Atlas +Exhibition +Gates +Hawthorn melodic reconnaissance seasonal breakthrough navy speedway +Engineer +Honorary +Wanderers biographical faction personalities possess +Marino +Swansea ritual intact non precise strict +Holden lap tell warning +Clifton +Oaks +Sue employers findings calcium @@ -5344,75 +8273,122 @@ cylinder phases sustained inhibitor +Antwerp +Flanders +Royals +Running equally oriented statute +Aurora +Lauren compilations modernday module similarity +Calcutta adviser distant documentation errors pioneers spells +Weather risks +Cable acceptance jumper portraying +Fitzgerald +Primetime contracted supplement +Gerard +Wildcats argument compensation outcomes -onestory +Cherokee +Rap +Scots discover +Daniels +Mainstream assignment consortium enjoy escaped interchange +Nash +Too comments impossible +Bahrain +Caledonia +Chronicles +Clifford +Sulawesi +Swift +Citizens +Knox essay -birthplace catch compression empire shock startup +Flag +Motown +Parkway auxiliary delay +Johann +Nationals +Vol accuracy processors +Religion +Suriname modules seeing shield skull -cc +Helena +Montenegro +Subsequently chocolate -kg updates voyage cats frigate parasitic +Irvine anywhere colorful dairy +Dunn analyzes consideration highlights pioneered +Permanent +Subdivision sandy +Anton +Depression +Recently aerobic amalgamated regiments wasp +Hammond +Seth fragments heating redesignated +Byron +Famous +Producer cabin cameo explored @@ -5420,69 +8396,115 @@ invention mapping sensor survivors +Franz +Hundred cardiac challenging +Belmont aging arose constituted dining endorsed +Generally airlines indicating individually politically +Moss bills brass composite photographic stretch +Rouge incarnation +Brand self sixteenth +Dawson +Romance +Wagner alive pornographic wheat +Kingdoms +Unions consoles creatures minerals rookie +Concord colloquially flooding lease showcase +Chan +Juno dealt shapes spinal +Consumer +Extreme +Have +Poker operculum primitive +Almost +Factor +Buddy +Fat +Hilton +Trio bell casting generating violinist +Meyer slender +Artistic +Doyle +Jennings commands kids +Sindh +Subway neighbors variously +Dirty +Marvin +Moses imprisoned strips +Meeting +Plateau blend enlisted imperial monarch renewable +Laws coin dancers engineered highways +Percy specially yacht +Eventually +Glory +Lives ambient kidney litigation rendered +Crazy +Pearson +Scarborough instances repertoire +Reagan +Savannah feedback observations canoer @@ -5491,81 +8513,133 @@ affair employer enlarged packages +Glacier +Investigation +Perfect encodes enters mushroom taxonomic +Ace +Classics +Clive +Lang +Programs +Quincy amended prayer variables +Blind +Finally +Ibrahim +Jenny +Simmons outfielder visa +Cunningham +Glamorgan +Guards +Mel argues montane operas sing +Waterford advertisements botanist petroleum prohibited proportion +Detective +Teachers +Title hope resumed voltage +Augustus arc gross struggles +Catholics +Fulton +Selangor applying bush cornerback handful amusement +Dana dorsal ported substantially +Wheeler carpet defining delegates exploring +Plain dimensions eighteenth explained +Lucky astronomy dialects +Any +Felix academics liability quick realized +Gloria +Nothing +Priory afternoon +Mack auction chronicles dramas retains trips +Hand demonstrate securities truth wake +Hague +Lima anthropology costume survives systematic +Landing +Letters disputes +Antarctic breakup numbering powder +Anita +Impact +Millennium boxes detected intensity manuscripts subgenus +Declaration geology kilometer payperview supporter +Basque +Harlem +Sporting builder leather recipients +Bedfordshire +Braves +Past advances encountered facto @@ -5574,22 +8648,38 @@ financing foster privacy pushed +Archeological +Duck descended ill kicked postwar pursued +Dartmouth bees confidence equality investigative +Slovenian burning +Allison +Alpine +Viking +Wight +Lightning contexts institutes +Welfare effectiveness pistol relates +Brady +Expedition +Geoff +Legacy listeners +Baja +Earths beaches discusses filmmakers @@ -5604,14 +8694,25 @@ amendment conviction electron robot +Conway +Huntington launching premium sandstone universitys +Barrett +Belt +Fairfield +Lotus +Noel +Perkins invasive portrays subsidiaries ornamental +Agent +Publishers +Shawn banker neural spiral @@ -5620,39 +8721,68 @@ circles motorway promoter retire +Angus +Meath +Wong barrier flown interfaces mills openly +Antarctica +Conrad +Cornish +Monmouth +Owned boom scrapped +Australians +Siege ethical everyone +Nights +Revenue nose repeatedly +Dodgers +Romans consequence demands keys namesake wasps +Parsons abbreviation flash paired prevented +Bee deity employ nurse scripts tactics +Disk +Laurel +Venus +Active +Beth +Hanover balls infected teenager +Brain sensors +Des putting waiting +Burundi +Ensemble armies markers +Evan +Sandra +Treasurer considering ideal programmer @@ -5660,34 +8790,65 @@ respected paying striking worm +Denis +Oval +Overseas +Rex atmospheric consent petals +Sabah controller demonstration vernacular +Breton +Sioux escort imagery +Battery +Chevrolet +Dodge +Nunavut +Triassic predatory retaining elderly +Hit fat spin +Distribution +Lester +Practice +Serbian +Telegraph +Zimbabwean reconstruction traits +Broad +Corporate +Era +Overall +Sheik +Traditional counter dream inactivated tehsil trauma dozens +Tajikistan +Wide outreach +Guam diagnosed distances interviewed obsolete pottery +Judith semiprofessional +Alberto +Source aside deer eaten @@ -5702,56 +8863,111 @@ priority rebellion spanned stick +Wakefield makeup tram +Hassan +Mid +Workshop adjoining contributors prisoner +Friedrich +Tier attained bimonthly continents shoot spatial +Carnival +Holt +Card +Heather +Wine categorized psychiatric +Archive +Saturn +Vampire breakfast embassy tends +Gill gravity +Different +Oldham +Wikipedia della emissions particle +Cubs +Ranger +Soon contributes +Jill +Northeastern +Watts exceptions opinions portraits +Bang +Bright +Dominic +Riders +Weekend ancestor +Heat +Rocks +Romanesque +Vaughan firearms +Aston +Badminton +Devi republic specifications +Benton +Germanys holders juvenile +Jubilee coordinated demise satellites +Weston autobiography bench compliance eat parameters +Guiana +Thing rivalry +Crow +Recent +Wendy alias beside shoulder +Mining +Usually botanical unveiled +Blackburn +Emerson +Lambert +Novel exploitation firstperson seventeenth +Gymnastics severely caves prop wish +Bishops +Donna +Hank attributes backgrounds coaster @@ -5764,39 +8980,61 @@ conserved descendant measurements quantities +Cups ants dollar +Critical beaten enterprises orchestral static +Terrace crab neurons outlet tales transfers +Fresh custody +Sonny hardcover predicted -threetime +Core +Fife +Horror +Santo +Was lady lung oversees participates processed +Andreas +Budapest +Ferrari +Racecourse +Wake blackandwhite +Councils +Kensington accidents irrigation vegetables +Guru coordinate defenceman shrubs wicket +Mohan +Nairobi postseason saved spotted substrate violations +Bali +Opened +Wang formations informally literacy @@ -5804,14 +9042,25 @@ priests guides marble taxonomy +Hispanic +Rough +Otago creators finishes -fl intelligent saxophone +Doncaster +Garrett +Mormon +Ride +Rita +Venezuelan assassination snakes zero +Direct +Dominion +Loch conceptual encompassing feelings @@ -5821,26 +9070,44 @@ deceased homeless partnerships sexuality +Generals barony extraction overs summary tender +Preservation sky +Partnership drove proof vocational +Foods collaborator elegans friendship hiking +Blacks +Lowell +Padma caste workshop +Benedict +Gavin +Lucia +Nursing +Rahman coauthored horn instrumentation +Californias +Seymour +Tonga implies injection +Foot +Johannes +Stevenson advancing conquest holidays @@ -5849,149 +9116,279 @@ participant todays themed wrestlers +Christina +Forward +Howe +Molecular +Powers +Stephanie +Wilderness adds doctoral +Cooperation +Germans +Incorporated crystal equestrian soprano +Lance +Solutions +Towers directions fungal traced warehouse withdrawal +Khyber +Omar +Pratt +Randall exceptional excessive proven shipped weekday +Crosby +Movies +Ship concurrently inferior skeleton +Boone +Citys +Hale +Lorenzo +Neal +Stoke chiefly diagnostic emigrated rendering transferring +Gazette +Observer +Shell slope triggered +Gambia +Wigan arise continuity frames mud +Know +Tel fencer +Grange +Maya counsel onscreen superintendent teenagers +Medieval +Nicaragua breaks implementing technically +Territorial atomic danger deployment planted +Bowling +Climate +Das +Dogs +Italianate +Melissa +Roses stronger +Lighthouse +Lionel bowled conglomerate pump sorted springs supplier +Birthday +Everything +Guest +Mathematical storylines talking +Negro +Superman dishes fun gains methodology rotating theological +Keys +Nevertheless +Operating crews relies thanks +Frost +Kathleen +Mariners feeling spoke +Rifle contractor heading temperatures wants +Charity +Nassau +Own +Securities complexes logistics vendors +Easy +Greenwood +Philharmonic +Sanskrit bestseller definitions drag patented rivals travelers +Dictionary activism coupled executives triangular +Babu +Sunset darker dirt -y +Personal +Tank synchronized +Awardwinning +Sunderland cultivation migrated umpire +Klein +Ludwig reduces +Choir +Killer +Lithuanian casualties complicated encoding +Close +Internal +Vietnamese automation rely tiger +Mercy canoeist cord forth +Ash +Dock +Fleming +Governorate +Stop +Tudor chip curved suggesting +Beast +Mental +Origin +Redskins additions interference modest reproductive update waterfall +Fitzroy +Shepherd +Tehran +Wade hormone merging reorganization spy +Alison +Bologna +Form +Hip +Jupiter +Nile amalgamation landscapes tasked +Abbott +Monaco +Romeo +Vince dealer slight texture trunk +Gymnasium cancelation entirety facts limpets therapeutic thesis +Fly +Lopez +Paolo diamond posthumously +Hawkins +Ranges +Vladimir +Wichita degradation epithet sodium +Noah eliminate lineman nonpartisan pet quit surveys +Darlington +Lowe +Sevens +Shiva +Silent +Starr organizer proceeds +Advance +Buchanan +Han +Oracle applicable denominations +Hal +Mirror busy -i modifications runners thrash +Higgins apple funeral +Natalie +Sessions absolute alternatively ease @@ -6000,73 +9397,128 @@ preparatory prints sentences trailer +Adobe +Apostolic +Judaism +Mar +Marines decreased fed mitochondrial +Healthcare +Squad abbey billed pack smart +Rama +Silicon +Tina +Tunnel +Vanuatu annexed reallife +Taiwanese +Tyrone +Warrior explicitly grave reviewers wrong +Hollow +Internationals antenna dances missiles revenues tickets +Huddersfield favored scorer +Avon preparing subdivided +Gap +Mix +Officers +Polo firing girlfriend hitting synagogue teammate +Outdoor erosion lawn +Hansen +Polk +Strong +Vic +XMen buying demolition demos -dont grossed prompted rink trumpet +Abdullah +Experience +Jungle condita ion paths targeting +Groups ensuring separates trap +Chen +Nina +Pasadena baseman petition repeat syndication vector +Latvian addressing harm impressive kernel +Raw medley urbe +Chandra +Described airfield bobsledder -threeyear +Burn +Million fiscal railroads +Buccaneers +Chandler +Cool +Crew +Deborah +Strike +Trial axis slogan +Boulder +Brendan +Counsel +Finn defendant pivotal sudden +Events +Latterday probability sexually +Teaching +Telecommunications affiliates filter mantis @@ -6074,48 +9526,85 @@ nineteen polls reorganized sanctuary +Anniversary inspection mice recover runoff +Flat crucial forewings shots +Chargers +Fuller +Guinness +Meadows +Mouse +Rafael appointments node +Ernst +Marshal +Nicolas +Wilhelm diabetes empty legends rainforest +Into ear shores tension +Emmanuel bias flour humanity stolen +Greenville +Timor +Version motif notorious sum +Want +Phase +Westwood branding excluded lefthanded organist prince +Baxter +Calendar +Drivers +Moldova armor auspices bisexual surprise -downstream +Buddhism +Comic +Congregation +Xavier elimination fundraising narrator scrub +Coffee +Kirby +Rhythm futsal purely saving translations +Explorer +Piedmont +Seahawks +Sheridan mortgage +Clear +Hawk +Mets boroughs gambling investigating @@ -6123,38 +9612,70 @@ reproduction reward stretches upstream +Category +Currie +Freddie chambers gasses propaganda +Facility +Gateway +Sales collapsed metabolism offenses optimization +Say +Yunnan diploma expelled flooded looked patch tertiary +Robbie biblical +Goodman +Sharp +Southwestern +Tucson fights hairs utilizes +Caesar +Mansion encouraging peers +Crisis +Falcon +Franco +Tate pond +Hesse +Utrecht feast hear stamp +Appalachian +Elliot +Grays advantages ancestors curling theatrically ultimate watts +Bury +Cell +Experimental +Hop +Iris declining fairy limitations +Armored +Sanctuary +Vatican arriving clips instituted @@ -6162,25 +9683,57 @@ opens photograph squads unopposed +Conservatory +Platform +Traffic classroom disco revision +Beer +Echo +Everett +Knowledge +Well consumed purchasing +Benny inscriptions respiratory +Fairfax +Making +Prakash +Stern +Walking import +Ferdinand +Twelve +Yorks miners +Behind +Crescent +Labs +Lucius +Steele +Truck +Vocal attracts explosive millimeters pest +Cannon +Wireless alumnus assess +Calvin +Door +Rhodesia fires minesweeper sail sequels +Deer +Lesotho +Tests canon extensions logging @@ -6192,15 +9745,29 @@ analyze builds explorer identifies +Nair casual mentor +Amazing +Piano agree comeback matching presidents +Published enthusiasts violation +Farmers +Goes +Hemisphere +Himachal +Spike halls +Flowers +Brooke +Coronation +Mosque +Tuscany attitude moniker quantity @@ -6209,9 +9776,18 @@ ratified strongest subset tendency +Alive +Animals +Dwight +Gone +Renault combustion lengthy manga +Allegheny +Colchester +Diploma +Ivy cent comparative darts @@ -6220,31 +9796,53 @@ lighter seized vacuum veins +Aerospace markings marsh monetary yield +Grampositive +Weber anonymous casino cleaning consciousness plantations routine +Phillies middledistance obscure proclaimed -wasnt +Bonnie +Hammer +Kerr +Tribe encounter +Arcade +Judicial +Superintendent +Theology carriage distribute instant +Atomic +Gerry +Jacksons +Singaporean chest rodshaped sketches socially +Fed +Londonbased +Shrewsbury +Torres lessons resemblance terminated +Coliseum +Olivia +Pablo embarked fielded advent @@ -6253,45 +9851,83 @@ fauna marker quarters retreat +Complete +Correctional +Pakhtunkhwa accreditation condemned hurler likes runway +Wolverhampton constantly creature toll +Catalonia +Nord +Stefan +Canary +Christie clergy coding commanding shoes +Antrim +Cass +Cornelius +Employment +Peel +Prevention +Sophie mayoral specials turtle +Doctors delivering lyrical occurrence synthesizer +Paso +Uncle dorid -lengths lined -nightclub prostitution tips +Liam +Macau +Marilyn +Python +Saxon besides famed intercollegiate melody playback protective +Forrest +Kara apps facial surrender +Shankar notion qualifications +Bowie +Daytona +Eclipse +Hotels +Jesuit +Rookie affordable factories libretto +Commissioners +Def +Earlier +Elder +Jasper +Shuttle +Thornton calculated clothes colleague @@ -6299,11 +9935,15 @@ federally quoted realistic utilizing +Graves costumes exile forcing projected wound +Eva +Guangzhou +Jorge adopt daisy fur @@ -6313,74 +9953,128 @@ introduces laps preference wholesale +Lone +Shadows lab wartime +Angelo +Manning +Sikh duck noir requests width +Mighty +Phantom +Tea corridor deposit divorce happen +Period esthetic familys teachings +Delegates +Pier +Ravi clerk debates declaration passport rental zinc +Bathurst +Reno +Tomorrow beings fever publicity smartphone witness +Biblical +Homer +Sur bats compiler deaf triangle +Aviv +Brewers +Mechanical +Mesa +Reginald boss devised hammer theologian -doesnt pressed sensory +Anaheim +Boris +Jet +Raceway explains mammal tubes wore +Genoa distributes fatal sophisticated +Immigration +Loop +Shelby confined descriptions judged readily successes +Andre +Bone +Consortium +Crane +Merchant +Tropical ecosystem isolation satire sleeve +Equatorial +Tanzanian deeply halfway nutrition +Something +Divine +Valentine administrators undergone +Bridges +Osborne +Postal batteries hierarchy missionaries pocket relaunched +Bombers capturing lacks longstanding median +Integrated +Sailing derivatives magical supposedly +Ana +Anand +Belgaum +Blade +Evolution +Penang +Sahara albeit astronomical damages @@ -6392,51 +10086,101 @@ rerelease reveal searching trouble +Look +Roma bits catchment cavity glider lacking reminiscent +Bernardino +Byrne +Orioles +Woody coordinates proportional ray transparent +Traditionally rappers translates +Belarusian +Brewery +Burning +Mordella +Priest +Talbot +Ventures aggregate comedic nationality resided surrendered tumors +Coming +Framework +Hoffman +Katie addiction assisting drinks leap moderately +Crossing +Lawson +Schmidt aerospace discoveries +Directorate +Ham +Jays +Johan voter +Bach +Cologne +Greens biplane handheld merchandise seriously struggled veterinary +Amherst +Cage +Conan +Honey +Johor +Oilers struggling subdivisions symbolic +Burnett +Fellows +Gallagher +Lisbon +Owens +Sofia argue filmmaking +Antigua +Bern cleared pursuing resembling sevens +Benedictine +Fijian +Miranda cohost flags localized push +Bethlehem +Irene +Parts +Regular +Unix charities profits skilled @@ -6448,8 +10192,15 @@ leisure mild phylogenetic pounds +Halloween +Lock cloth -halfhour +Areas +Mixed +Philips +Sergeant +Trustees +Users curve expenses inquiry @@ -6458,38 +10209,87 @@ parasite polling reasonable repealed +Uttarakhand merge +Fun +Led +Strategy aware siblings simulcast submit supervised +Archeology +Carmen +Humphrey +Slovak +Than encourages shaft verses +Sardinia +Save +Stand +Tell scenic +Eleanor +Multiple +Nichols +Olivier +Penguin +Vanderbilt dust miniature +Bert +Burgess +Penny dying exchanges overcome polar +Rey +Signal engaging micromollusk +Borders +Duchy +Eleven +Ethics +Lets +Nearby +Petroleum +Rutgers hereditary prosecution undergoing +Consulship +Darling +Deal +Pilot +Schneider +Trilogy explanation subordinate +Dillon +Event +Motorsports +Scouting holy lots soundtracks speaks +Amtrak +Kitchen +Reeves +Sand pedestrian qualities +Heads +Patel bind potent supermarket +Lyons alphabet ancestral cinematography @@ -6497,11 +10297,16 @@ nest residency taluka titleholder +Liberals blogger hopes ibn march reigning +Animated +Croydon +Gore +Hereford cartridge fern gather @@ -6509,16 +10314,26 @@ organizers peripheral sauce timing +Blessed +Flint +Rocket automobiles fellowship mirror musicals talents vacancy +Bluray defenses +Czechoslovakia +Restaurant +Sounds exercises extinction streak +Hubbard +Namibian +Olympia activation approached bore @@ -6526,14 +10341,23 @@ cooling fault finalists southcentral +Approximately +Cycle legitimate mountainous +Africas +Jonas +Swaziland financed induced inventory lane numerical unitary +Booth +Fresno +Lily +Seventh bluegrass postcode tooth @@ -6541,49 +10365,86 @@ collision praying preserving racism +Alien +Harding +Maldives +Rebellion arguments commissions complaints +Germanic +Marty +Sundays +Yang peaks +Barrow +Brennan +Guantanamo +Sears discus -fiveyear thrown +Jensen +Partys +Random anxiety constraints decides gods monk screens +Palazzo ideology indeed mobility trustees +Augustine +Dalton evangelical lover nitrogen +Depending bigger extraordinary icon logical tongue +Chhattisgarh +Showtime advocated aided arrondissement frequencies -liveaction +Derry +Luigi handles pregnant sailors sight terminology +Edison +Molly +Oblast +Turkmenistan avantgarde choices demographic +Chance +Organizations +Plantation +Terror documenting +Ninja peaceful transform +Clement +Giles +Siberia +Urdu +Weaver civilization tephritid +Brittany +Reality commit inflammation novella @@ -6591,115 +10452,216 @@ plural robots sociologist southernmost +Fury +Honolulu +Ravens reactor routing telling vault +Outer +Pavilion +Saskatoon +Tobacco alter fold garrison +Houses +Verde sword synonymous -breaststroke +Archer +MHz +Volvo coauthor merchants mites mixes -p planes regulates speeds unity +Lamar +Nissan cannabis +Celebrity +Scheme ammunition differential monoplane -backstroke +Hay +Ricardo +Rider +Roots +Sikkim beef conferred motorsport presumed +Arsenal +Blackpool +Booker +Moody +Reservation +Tale bowls complement sovereignty torpedo undergo +Bluff +Gemini +Lois advancement overhead rebel +Eritrea +Patricks detailing dinosaur hat highlighted pressing +Disneys +Flower +Similarly demonstrations fate ions revenge visitor +Mackenzie +Rupert +Sparks archeologist +Plate +Playhouse +Rajya herbaceous naturalized selections +Armys +Ramsey +Tours concentrations invested sank smoking +Laurie +Levy +Nathaniel +Presidency consequently differing landslide +Baghdad +Customs +Indie +Richie +Suite +Surgery +Were +Wolfgang appeals foremost lobes presumably strikes +Expo +Pure apex emphasizes semiconductor +Desmond +Galloway +Himalayas +Nice +Shipping intensive newest savanna savings +Arrow +Escape +Miocene diaspora rhythmic workplace +Buckingham +Friend infant laboratories -onetime -actionadventure +Aid +Paula +Valencia +Vehicle gates grocery settle unlikely +Latino +Middleton fixtures +Advancement +Alto +Dunedin +Indy +Process adjunct lightyears maiden +Advisor +Saunders attitudes delays multidisciplinary rush temporal weekends +Canadians +Congressman directory financially forensic reliability valleys +Luna +Match +Peninsular +Sudanese caters discharge promising strengthen +Guns +Rai +Revenge +Rodriguez +Scientist +Smithsonian fixture gothic +Andes +Candy +Career +Dry +Mines dock trustee tunnels visually wool +Break +Bruins +Werner +Why catcher -ex +Koch +Nationalist +Rector +Shopping marry +Hat abolition alignment feminine @@ -6710,9 +10672,16 @@ rent sediments solving tributaries +Collective +Jain autobiographical reversed slate +Arm +Coleophora +Manipur +Saga +Zee barrel celebrating countryside @@ -6721,6 +10690,9 @@ kick predators syntax throwing +Beaumont +DJs +Malagasy associates deficiency deluxe @@ -6728,63 +10700,123 @@ medications staying subgroup torture +Garfield +Moor +Newspaper +Roller +Treatment constitutes indirect redevelopment spirits +Biological +Bowls +Majority +Spokane arises evergreen snooker swamps taxon theft +Chesapeake +Den +Horace +Need beverage economically majors printer +Baton +Jury businesswoman ethnicity exported tenants wrecked +Portrait +Scholar +Welcome +Archipelago +Connor +Dickinson +Found +Nationwide +Risk ranch -directtovideo +Frankie +Napoleon +Pretty expense flute morphology -oneday subway +Antony +Crimson +Economy +Massacre +Princes +Use +Wexford cycles mutations recognizing unnamed +Agnes +Bentley +Caucasus +Chartered +Communities +Memory +Path +Relief helicopters obligations passive slide +Lucknow +Moreover +Robbins +Solo +Watkins ladies practitioner sedge suffragan +Padres +Population +Shakespeares +Simpsons +Tribunal +Witch accurately batch cement inserted silk vegetable +Caldwell offerings premise +Brands +Donegal +Maggie criminals cruiser employing lord treating unusually +Doha accidentally font goaltender precision rejoined +Dukes +Gould +Mare +Playing apparatus biennial depend @@ -6792,41 +10824,81 @@ potato rope specialists woods +Centennial +Fowler +Gregg +Josephs +Mega +Michele +Putnam +Sims bilingual divide prose quarry recognizable telescope +Arbor +Bhopal +Projects +Voices resistant sheets +Henri +Lands +Sector monarchy quest +Darkness +Governments +Infrastructure +Norris focal progression +Albuquerque +Bengals +Pamela +Vanessa examined knew packaged pornography +Horizon implications optional runnersup +Rather +Treasure elongated erotic mayors nationalism overseen programmed +Airborne +Durban +Eocene +Lesser +Stevie +Wizard alike dried juice pupil seminary villain +Hole +Italia +Registry downloads folding foothills switches +Certain +Citizen +Evelyn +Fountain +Piper coastline inhabits onair @@ -6837,17 +10909,24 @@ blade cortex exam feat +Expeditionary coincide homeland owing sampled +Roth +Shelley +Teenage chips donation hostile motorcycles +Committees +Patent adverse culturally rebels +Pietro choral displaced javelin @@ -6855,77 +10934,147 @@ marketplace reddish securing watching +Dome +Launched +Marian +Session +Stade eclectic minorities pertaining prisons refugee relate +Bart +Compton +Nicholson +Programming +Toby +Trenton additionally happens subcontinent toad +Bernie +Darts +Englands +Porsche +Sherwood +Sign +Tunisian +Wise deposited lifted phylum profiles steamer vascular +Ayrshire +Stuttgart +Zurich compressed consultancy landmarks loyal seminars +Assessment +Beirut +Browne +Katrina +Mini +Poor abnormal mandated maternal tidal upgrade +Monterey +Squash +Suburban cottage positioned progressed +Ashton +Lombardy +Triangle animator ecosystems edit serials shadow +Adventist +Brigadier +Chesterfield +Consolidated +Hussain abdomen demanded personally pull revolt +Anglia +Archie +Eupithecia +Supply auditorium mentions mortality +Horton +Museums +Suzanne +Target +Technicolor bamboo spite tunes +Argonauts +Autumn +Boss +Presley anchored anthologies breakdown dedication preschool -threestory traders wetlands +Kathy +Mellon +Norwood +Soft adequate crest entrepreneurs marriages messaging monitors +Cafe +Marcos +Marxist +Shaun bordering lecture periodic transporting vintage +Barber +Salford classrooms lanes praising prevents scout +Auditorium +Cypriot +Founder +Knoxville +Rutherford bombs talented +Handicap +Restoration +Simone +Val hoped raids clinic @@ -6934,36 +11083,58 @@ educators generator geographically integrate +Brass culminating sued theorist +Actors +Akron +Geological +Nolan +Thuringia attachment discussing gens passion physiological -webbased -ng +Advocate +Damon +Inlet +Tan reinforced +Rockies oversight renovations +Chain +Keep +Scandinavian archipelago arising resolved +Cry +Sammy +Seal +Towns commanders emergence fulfill iPhone nurses penalties +Jaguars +Libyan +Norte +Ones +Pretoria alcoholic aligned convenience dropping evaluate -highspeed peptide seated +Bucks +Istanbul booklet exotic frozen @@ -6971,18 +11142,28 @@ guitarists memories projection representations +Budget +Pitt +Trouble comedians divine heroes humanities oversaw unexpected +Godavari +Meredith +Rebel +Sudbury occupational productivity siding slated spun staple +Listed +Prospect +Schwartz bag barriers blades @@ -6990,19 +11171,38 @@ counseling geometric hunt utilize +Donovan +Samoan +Stanton attorneys beats electronica pending pulp solitary +Admiralty +Burt +Homeland +Monkey inhouse plains professors zoo +Doris +Grenada +Liechtenstein +Limestone +Liz +Syndicate +Whilst cake onset valued +Basel +Chinas +Milk +Noise +Potomac batted certificates exceed @@ -7011,35 +11211,63 @@ infamous marginal permits promise +Alvin +Focus +Hercules +Leipzig amphibious delisted fencing grassroots quarterfinals synthesizers +Brigham +Copa +Neighbors +Situated +Woodstock biodiversity concentrate fail insight meanings robust +Courtney +Huron +Lea +Playboy +Tacoma +Transformers hanging induction papal trout watershed +Screenplay +Strip glands statues stocks +Amber +Europeans +Hayden +Helens +Materials northernmost pyramid seller skyscraper wines +Alone +Cayman +Humboldt administers busiest camping loaded +Boom +Corey +Lamb ash asking disasters @@ -7053,12 +11281,23 @@ resolve squadrons stadiums steering +Amos +Permian +Prem +Stella suited winds +Accra +Marcel correctly dramatically salamander spindle +Banking +Peggy +Rhine +Rodgers +Sylvia accidental blogs clinics @@ -7066,21 +11305,35 @@ ensembles margins middleweight wilderness +Marriage +Sands +Thrissur anthropologist contacts cylindrical dinosaurs essayist examinations -lowpower +Classification airborne discovers pathways refuge sampling vaccine +Cyrus +Dove +Hicks +Mindanao +Sinatra +Swindon myth saints +Boyle +Elephant +Lal +Seychelles +Wilkinson clause deliberately examining @@ -7088,17 +11341,33 @@ shrubland synthesized trapped uranium +Favorite +Georg +Simple delivers infectious monster utilities +Rudolf +Sociology +Stratford +Suburbs establishments inheritance loading +Dixie +Neville +Samantha +Wolves assume motifs netball ton +Avengers +Dexter +Encyclopedia +Honorable +Stein canvas encryption facilitates @@ -7106,14 +11375,25 @@ kindergarten meal shareholders stomach +Becker +Degree +Divisional +Heidelberg +Irelands +Normal disposal persistent -seminal viewer +Ever +Lockheed +Portable amendments fishes riot supergroup +Gear +Paterson +Uruguayan avoiding bony commentators @@ -7122,19 +11402,27 @@ frontier innovations manned paved -preseason repairs servants textbook wherein workforce +Properties +Staten +Taliban builtin cooked dome investigator protects +Gaius +Goldman +Macquarie +Shot cerebral mask +Basil +Corridor anatomy bypass climb @@ -7144,9 +11432,25 @@ overlap puts smoke taxa +Cody +Hands +Laboratories +Malik +Philippe +Rabbit +Societies +Stockton +Trials conversation presentations suborder +Fringe +Fritz +Henley +Ligue +Veneto +Welch +Xray acceptable actresses branching @@ -7157,20 +11461,33 @@ displaying responded viable warbler +Davenport +Footscray +Gibbs +Lawn abundance analyzing biomedical -ca planetary regulating +Congolese +Fever +Fisheries +Freestyle +Scene +Sing +Think colonization enforce examine grossing grounded ligament -shellless tapes +Flynn +Terence +Townsend +Willow dioceses harmful lobbying @@ -7181,31 +11498,63 @@ stopping teamed tolerance uncredited +Buildings +Cottage +Dangerous +Enforcement +Leading +Nicola +Poole +Sunny billionaire centimeter positively +Harmony +Pascal +Thanjavur blocking ceiling woody +Martinez +Navys +Scandinavia anthem patches +Arunachal +Clair +Devonian +Inverness +Kimberley +Mafia +Vanguard ask depiction eminent stack surpassed -thirdparty +Chef anaerobic pin warrant +Cats +Chicagos +Headquartered +Howell +Kiev analyzed autonomy endurance expired renewal +Conus +Elaine +Wedding bottle fisheries surf +Lehigh +Pius +Tin attracting emotions interpretations @@ -7213,22 +11562,40 @@ metalcore notoriety passerine regulator -yearround +Administrator +Colors +Connection +Farrell +Going +Membership +Wolfe advertisement canals forums gifts macOS +Breakfast +Crash +Gil +Irwin +Macedonian +Walters alternating crane differentiation flourished gateway insignia +Basilica +Brock +Consequently +Gaming +Soldiers complications hydraulic lodge uniforms +Charlton corresponds expressions longhorn @@ -7236,14 +11603,25 @@ overseeing rabbi shrine validity +Unionist biotechnology densely exports fronted shipwrecks +Barnet +Drum +Invasion +Sword manmade redistribution swimmers +Disease +Enemy +Erin +Ernie +Hubert +Roanoke ingredient metabolic newsletter @@ -7252,54 +11630,116 @@ pirate suffer terminals unemployment +Baba +Dollar +Edith +Less +Quarter +Scholars +Soldier cables guaranteed patrons strange vacated wellbeing +Buckley +Eddy +Grimsby +Interscope +Uboat coconut emerge reprised stereo +Bowen +Constantine +Cynthia +Lennon +Quaker +Rover +Sirius presiding seemingly +Busan +Dal +Elton blast determines kits pleasure trigger woreda +Bravo +Havana +Hutchinson +Leonardo +Radical +Wife crystals cultivar medallist mini neighbor polymer +Baku +Hai +Holding +Quezon +Sale breathing nursery -oneoff oxide packet shrimp sixty +Ahmedabad +Bangor +Bud +Guggenheim +Halt +Ninth +Teresa advised cliffs notified radial ruined +Carolyn +Castro +Certified +Hook analogous badly blocked militant woodlands +Cebu +Lauderdale +Lees +Milford +Trading arguably honey nobility noteworthy prefix +Cal +Morse +None +Stockport +Swans +Vera circus rituals +Claremont +Estates +Hillary +Robot +Sheldon +Shia +Words +Yahoo broadcasters downloaded fatty @@ -7307,20 +11747,37 @@ licensee marching masses subjected +Chrysler +Dell +Kelley butter dragonfly incorporation reptiles uninhabited +Cairns +Database +Producers +Tara curler differently featurelength oceans orchestras +Cyril +Ella +Hayward +Hogan +Masonic +Minority +Mughal +Tripura beans button decisionmaking dominance +Peabody +Snyder communes kingdoms neuroscience @@ -7328,14 +11785,25 @@ residues spokesperson threshold undefeated +Blast +Rage +Raven affinity bombings churchs dreams standings -bull +Alessandro +Brotherhood +Turks +Walnut decorations thread +Asylum +Commando +Eli +Score +Select determination fingers furlongs @@ -7343,21 +11811,41 @@ impaired interstate setup ska +Atkins +Bunny +Chicken +Eaton +Laguna +Neighborhood cinemas drilling graves heavier prequel tornado -twoseat willing yeast +Antioch +Eighth +Granada +Saturdays assessed intake +Funk +Futsal +Instruments +Stamford +Syed +Teddy +Visiting abdominal bearer compulsory dinner +Alumni +Dev +Punk +Thousand badge combinations debuting @@ -7371,22 +11859,43 @@ productive scheduling trades uprising +Kildare +Marylebone appealed averaged choosing suppliers vocalists +Astros +Ole archery episcopal gravel harsh launches selfreleased +Albans +Bacon +Driver +Kota +Luca +Menon +Sergio analytics autism dart dressed supervisor +Avery +Friedman +Kamal +Langley +Liu +Monastery +Penicillium +Per +Pocket +Purdue appreciation leftwing metadata @@ -7398,12 +11907,19 @@ splitting surrounds totally twentyfive +Bon +Franciscan +Lesbian +Read floods forestry liberation pharmacy reverted tablet +Miracle +Turbonilla +Zambian analytical barrister boot @@ -7415,6 +11931,11 @@ genetically meadows medial motivated +Avalon +Carbon +Dramatic +Letter +Quarterly chancellor composing observers @@ -7423,6 +11944,10 @@ plateau priory touchdown venomous +Landmarks +Previous +Shields +Yorker bow buyers concurrent @@ -7430,6 +11955,10 @@ hydroelectric postage puzzles turbine +Eskimos +Jaya +Label +Midway consolidation continually electromagnetic @@ -7438,6 +11967,9 @@ percussionist possesses registry wolf +Heinrich +Micropolitan +Moran acquiring beneficial connectivity @@ -7450,6 +11982,11 @@ lenses recruitment settling taxation +Deputies +Goldberg +Kazhagam +Orchard +Venetian arthropods cyclists highend @@ -7457,6 +11994,11 @@ modular northsouth plaque suddenly +Australasia +Berg +Cobb +Jules +Velvet coup degraded delegate @@ -7464,11 +12006,18 @@ factions nominal notation thoughts +Dental +Medina +Tehsil +Zhang encounters generates occupy testimony wishes +Elm +Pain +Psychological bandleader chat convoy @@ -7479,12 +12028,29 @@ reconstructed tenant ultralight upright +Assistance +Homes +Nacional +Stony +Tactical corners deciduous recommendation weekdays +Carleton +Congregational +Fantastic +Fayette +Gregorian +Mysore drill showcases +Applications +Fischer +Garland +Illustrated +ODIs +Panther asylum grading holdings @@ -7492,10 +12058,22 @@ stained supreme tough wage +Barracks +Garry +Points +Wire campaigned pastoral plots treaties +Dravida +Fan +Jalan +Merrill +Mitch +Oceans +Rays +Slalom accomplishments ace primaries @@ -7503,6 +12081,8 @@ replication rows underneath weed +Calhoun +Equity colonel fountain hemisphere @@ -7511,12 +12091,24 @@ infrared quiet scholarships steeplechase +Bow +Cut +Dresden +Institutions +Olive +Polydor +Rite +Sichuan compare congenital extracted millennium -offspring repository +Elias +Guangdong +Hinduism +Ill +Palo deeper estuary excavated @@ -7525,20 +12117,40 @@ olive purse rented simultaneous +Godfrey +Hanson +Jacqueline +Monsters +Orion +Secrets challenger contractors inn stretching upset +Barisal +Clean +Cooke +Dynamics +Flora +Intercollegiate +Lindsey +Souls classics impression joints latters niche +Breeders +Napoleonic +Tears +Wyatt agonist nutrients velocity withdraw +Foley +Phone beverages ceramic commodity @@ -7547,6 +12159,10 @@ intervals merit projecting reservation +Alec +Australasian +Farmer +Hidden dams enormous fortune @@ -7555,13 +12171,33 @@ lumber supervillain threedimensional virtue +Application +Arch +Atlantis +Corpus +ODonnell +USbased +Von +Westchester commemorates galaxies legislator robbery safely troupe +Alley +Allies +Anthropology +Beacon +Extension +Solid +Texans +UKbased +Ventura implements +Heatseekers +Newtown +Toy accepting comment disused @@ -7569,27 +12205,52 @@ inflation lifelong protagonists wetland +Graeme +Prayer battalions comply marijuana sphere +Daughter +Grass +Gupta +Monthly +Presents +Wear +Zagreb farmland hollow keeps liturgical penned reflection +Direction +Flyers +Navigation +Palearctic bombers midway parasites possessed swamp +Accounting +Armagh +Falkland +Hurricanes +Missionary +Sub coasts filing prone relegation torn tragedy +Coral +Daddy +Expressway +Hermann +Moines +Telephone foil heated medicinal @@ -7597,29 +12258,42 @@ mornings salary sulfur symphony +Christy +Flood +Kris +Lorraine bold glacier implicated -oneyear picks prefer strata swim +Dynamo +Middlesbrough +Rebels accompany capsule catering guards -le pathogenic pipes republished shareholder -twopart versatile +Chaos +Languages +Marx +Rochdale +Springer directs nowdefunct portico ventral +Bloomberg +Olympian +Rotherham +Stream broadband bureau farmhouse @@ -7627,6 +12301,12 @@ noncommercial pension podium procedural +Boise +Giorgio +Glover +Magnus +Passenger +Yes arrive earthquakes madefortelevision @@ -7637,21 +12317,44 @@ semantic songwriters tin weaver +Apples +Bulletin +Crusaders +Fairbanks +Pembroke +Suresh +Tavern defendants distributing -ft postpunk quantitative truly +Africans +Forestry +Plans +Reconstruction +Rings +Sherlock affluent communal converting ink overnight spine +Corsica +Mutual +Ready +Said +Ultra +Variety limb skeletal stakes +Companys +Greyhound +Loves +Trains +Tribal creativity feminism firstteam @@ -7659,6 +12362,12 @@ moments painters replica shortterm +Leisure +Malone +Munnetra +Reviews +Reyes +Volunteers breach controllers coproduction @@ -7667,6 +12376,12 @@ indicator questioned tandem vicepresident +Barnsley +Hey +Pack +Parramatta +Teacher +Verona altogether anticipated aromatic @@ -7674,34 +12389,67 @@ chairs nonleague pride warships +Bloomington +Daly +Flames +Incheon +Militia +Month observe receivers strains +Graphics +Gross +Rutland +Step +Suzuki accolades admiral happy herbs lobby lyric +Clinic +Elgin +Esther +Numerous +Summers coincided lasts suppression urine +Content +Dust +Give +Jail +Whites antibiotic antibody gasoline mount sized specialize +Bloom +Gender +Reformation +Survivor +Wembley homosexuality lava recruiting +Dominica +Mayer +Passion allocation comparisons originate promised pulmonary undertook +Bones +Brandenburg +Dear +Switch agenda apartheid electors @@ -7710,46 +12458,93 @@ habit potatoes shipyard valves +Bing +Hospitals +Islanders +Micro +Regents +Sage +Stark bankrupt containers convinced lending +Luzon +Roughriders accessory ads compatibility dies tubular +Englishspeaking +Juliet +Specifically inhabit memorable transmit +Bells +Developed +Intercontinental +Ned +Titan +Yamaha evenings perspectives phosphate proliferation regards verb +Joanna +Manufacturers +Panel +Sid fused nonmotile simpler +Scholarship +Yorkbased locate rector resign streetcar surround +Atkinson +Bournemouth +Ismail +Meat +Naked +Seneca +Sheila +Tor +Tunes +Winners alternatives glucose hanja stationary subclass +Barney +Denise +Lansing +Monuments +Subsequent borne divides implementations potassium rigid +Barlow +Herefordshire +Scheduled dimension loops subtitled townland +Domingo +Pauline +Sustainable +Swami +Synod diversified malls poster @@ -7758,6 +12553,11 @@ symphonic techno welterweight witnessed +Diamonds +Fargo +Griffiths +Russ +Veronica chloride hurricane phrases @@ -7766,6 +12566,8 @@ scarab separating spelt tech +Architect +Trunk fortified laying monastic @@ -7774,12 +12576,20 @@ shifting shoe teammates ventures +Americanborn +Archibald +Essential +Farms +Severn experiencing finite flats pleaded sensitivity transitional +Chi +Harriet +Melanie contrasted emission harassment @@ -7790,6 +12600,13 @@ restructuring scenario sepals throat +Ashland +Caucus +Daisy +Danger +Deco +Dewan +Stores circulated minimize photographed @@ -7798,11 +12615,25 @@ researched segregation textbooks worms +Activities +Equipment +Hendrix +Kramer +Mae +Meadow +Silence +Soundtrack +Vicar advertised flavors hazardous oils vocabulary +Auxiliary +Decca +Massey +Taking +Townsville colorless decree definitive @@ -7814,6 +12645,12 @@ mold operatic surfing wagon +Carmel +Daytime +Eurasia +Spa +Swim +Valerie aforementioned candy caucus @@ -7821,6 +12658,10 @@ destroying gland identities localities +Catalan +Rae +Straight +Woodland elephant evident highrise @@ -7828,6 +12669,12 @@ loads ministries reasoning steady +Bsides +Busch +Filming +Kathryn +Newspapers +Yacht atom decay doubt @@ -7835,40 +12682,87 @@ helmet naturalist restriction sediment -singleseat visualization volcano welcomed +Bundesliga +Cassidy +Doom +Fulham +Mint +Prestige +Product +Sagaing +Vita +Yates accumulated invitation postponed spur swept +Europa +Hanna +Lin +Wesleyan +Younger preCode princely shark wicketkeeper +Beta +Briggs +Pole +Woodward debris destroyers grazing improvised loyalty statutes +Cambodian +Garrison +Grants +Harcourt +Sleep +Specialist +Status +Warrington +Watford desirable insufficient ridges surroundings +Harvest +Jade +Role +String +Voter absorption hipped invertebrates naked noting +Carrie +Curry +Dumfries +Patna +Pentecostal +Pharmacy +Split +Walls airplane coated convent interrupted senators tensions +Alexis +Bartlett +Comprehensive +Pyramid +Ramsay +Shock +Wheel celebrates derby execute @@ -7876,11 +12770,22 @@ predict primetime stripes wages +Ajax +Endowment +Moving +Perak +Ritchie detached discourse dwellings hide scripted +Eucalyptus +Gaza +Nevis +Pony +Preparatory +Twilight adaptive astronaut depict @@ -7889,6 +12794,9 @@ realism remodeled sends stunt +Cambrian +Festivals +Moose answers authentic candidacy @@ -7901,6 +12809,11 @@ printers sanctions soup turf +Ballarat +Billie +Jump +Madness +Somme antibodies enforced heirs @@ -7908,10 +12821,15 @@ norms reclassified rifles simplified +Hoover +Turn aiming presided schooling scrap +Bourne +Claudia +Debbie attested bicycles crust @@ -7919,6 +12837,13 @@ menu neurological proceeded wooded +Chattanooga +Enfield +Isabella +Libertarian +Lovers +Salzburg +Theaters campaigning capita forprofit @@ -7928,11 +12853,24 @@ industrialist lion mammalian prospect +Residence +Scenic +Speech +TVs +Titus antigen clearing retrospective stance submission +Aquatic +Babylon +Cascade +Denny +Directive +Mackay +Olsen +Skills eliminating intimate mythological @@ -7943,25 +12881,62 @@ prescribed rooted shortest soloist +Colored +Copper +Destiny +Elisabeth +Melville +Monk +Rand +Wonderland academia correspondence seniors simulator +Hammersmith +Illawarra +Macdonald +Malaya +Ordnance +Piazza +Pterolophia +Self +Tillandsia antiquity emphasized recycling sufficiently wait +Above +Constable +Extra +Salmon +Telecom +Truman +Wanted invaded morphological psychiatrist rolled +Gran +Resistance +Ribbon fortifications granting indication kilograms opted slower +Believe +Bomb +Brenda +Councilor +Decatur +Hindus +Midtown +Osaka +Richland +Saratoga adapt artworks cease @@ -7969,6 +12944,11 @@ commented cure derive pathogens +Butterfly +Danielle +Dickson +Marin +Sigma borrowed exceeding inclusive @@ -7981,10 +12961,25 @@ rod serviced topping warming +Cummings +Professionals +Taunton +Zion assuming failures obstacles supplying +Accreditation +Axis +Ayr +Hussein +Introduced +Mauritania +Ministries +Motorsport +Notes +Rowland +Thistle dealers differentiate divorced @@ -7992,12 +12987,21 @@ lowcost reefs sperm waterfront +Brewing +Dane +Mineral +Rosemary epoch knife patronage robber secondlargest transparency +Adolf +Deaf +Paddy +Sylvester +Tomb cancers hire jurist @@ -8005,6 +13009,11 @@ lone observatory pig recall +Butte +Departments +Divinity +Porto +Tata boyfriend censorship clip @@ -8014,14 +13023,29 @@ sub topical twins upheld +Job +Kern +Paisley +Paz +Rana +Visitors arid comparing dose tuberculosis vampire +Clemson +Cougars +Lot +Wizards electrons rescued suspect +Eastman +Effects +Gujarati +Leaf +Palermo accepts banjo basically @@ -8030,12 +13054,33 @@ preferences sheriff sparked transverse +Bremen +Cary +Communion +Connie +Hes +Josef +Levine +Luton +Markets +Peoria +Savoy +Stephenson arched checks commodities searches sunflower threw +Anchorage +Bauer +Chocolate +Christi +Harrisburg +Hunters +Melody +Snake +Toni barred converts mood @@ -8044,6 +13089,13 @@ reef reveals semi woredas +Always +Chang +Interface +Loyola +Refuge +Violence +Willard announcing bubble countys @@ -8056,23 +13108,54 @@ stony treason treasurer troubled +Craftsman +Jaipur +Kabul +Keller coordinating empirical monkey +Goodbye +Guthrie +Kendall +Spears +Willy prolonged reservoirs unconstitutional +Barnett +Calder +Cowboy +Lonely +Nippon +Provinces +Rhys ambitious cyprinid liquor nonlinear suffrage warriors +Bethel +Haitian +Meridian +Settlement +Shetland +Vogue deities emphasize install leaked regained +Bridgeport +Ely +Lynne +Passage +Photography +Southport +Stranger +Sul +Youre archival builders centralized @@ -8087,6 +13170,7 @@ reads slugs tablets takeover +Odyssey distributions eccentric jungle @@ -8097,6 +13181,13 @@ synthpop timeslot tug warrior +Adler +Bernstein +Easton +Families +Iain +Lothian +Mortal backdrop eel encompass @@ -8104,6 +13195,11 @@ hailed pitching portray witnesses +Eduardo +Hence +Rockefeller +Sanford +Stampeders congress contrary evaluated @@ -8111,6 +13207,11 @@ hook inline metric stripped +ALeague +Boards +Elk +Pleistocene +Shipyard classed digits fare @@ -8120,21 +13221,48 @@ modify nerves physiology rats +Byrd +Cream +Domestic +Flores +Help +Kitts +Rory +Seasons catalyzes crude efficiently retitled +ABCs +Andersen +Dewey +Guinean +Hum +Jared +Megan +Odd +Rufus negotiated offset periodically +Alain +Gustav +Magazines +Rakyat admissions branched rendition touchdowns +Cisco +Fest +Japans +Lars +Natal +Privy +Strand assignments bottles drought -highlevel horns interacting interval @@ -8142,12 +13270,29 @@ reporters salmon spiny voyages +Across +Bowman +Burmese +Gillespie +Given +Growth +Guides +Napier +Nehru +Wills appliances balanced deadly dormant dub rhythms +Astronomy +Brave +Corners +Doc +Hare +Meet +Resident aids burn resting @@ -8156,6 +13301,12 @@ successors systemic tens trilobites +Alma +Clint +Evidence +Levi +Neck +Wilsons bandwidth incorrectly math @@ -8166,11 +13317,26 @@ shuttle speculative spinning sure +Archery +Arista +Caledonian +Chip +Dhabi +Eurasian +Lego +Mandal +Mead fluids forts harvest linguist renal +Connacht +Floor +Gardiner +Katz +Nepalese +Plants culminated grapes matched @@ -8179,12 +13345,27 @@ recruit storytelling tide turbines +Afrikaans +Costello +Judo +Merseyside +Mister +Otis +Reef +Sovereign alphabetical convenient efficacy fragment victorious walks +Cameroonian +Dockyard +Majestys +Monty +Regulation +Shelton +Voters angles aquarium bestowed @@ -8195,6 +13376,9 @@ midnight picking refined unfinished +Homestead +Manual +Sloan amenities concluding customary @@ -8203,6 +13387,15 @@ eligibility florets hobby redesigned +Craft +Gilmore +Greensboro +Hackney +Johnsons +Mothers +Netball +Rear +Sunrise approximate arches chiefs @@ -8214,15 +13407,38 @@ reviewer soluble tulip whelks +Botanical +Der +Ethernet +Palau +Tallinn coating hunter manually +Breaking +Cadet +Crete +File +Lara +Muse +Nike +Pearce +Singers +Therapy +Venture +Walsall archbishop carefully cones daytoday elects fuels +Features +Haynes +Kaufman +Nate +Reader +Thats bags hurdler icons @@ -8231,32 +13447,66 @@ loved recalled supplements truss +Alouettes +Coptic +Dumbarton +Fleetwood +Raphael applicants ballads ceramics certainly -fourtime gifted +Andaman +Nat +Skin +Statute +Ware inputs logs mistaken orchids probe +Belgrade +Disco +Electricity +Isabel +Josephine +Looney +Marquess +Oswald +Romero +Typical boycott cheaper princess tabloid vertebrates +Anders +Establishment +Senegalese fracture hedge infringement speculation strokes survivor +Elektra +Inspired +Marley +Penguins altar equilibrium mans mosaic +Deluxe +Denton +Elena +Marquette +Suns +Vivian +Wally +Womans bilateral collaborators conquered @@ -8269,6 +13519,11 @@ nests poisoning qualifiers vacation +Affair +Diary +Petty +Stefano +Sting alterations castles grandmother @@ -8278,6 +13533,13 @@ motivation refurbished telecommunication yellowish +Anglicanism +Featuring +Feel +Jeremiah +Norse +Rare +Sawyer backs corpus displacement @@ -8285,12 +13547,25 @@ extracellular policing privilege radius +Bellevue +Compact +Guernsey +Ogden +Trees +Wrexham bitter highquality inexpensive playable privileges staffed +Aisne +Buena +Kazan +LPs +Lac +Move +Writer adopting advocating expeditions @@ -8298,17 +13573,40 @@ lungs rockets tanker trusts +Ames +Argyle +Magnolia +Maureen +Pepper +Pet +Thiruvananthapuram ally bishopric bravery ears unstable +Calabria +Coles +Fighters +Gale +Gettysburg +Highways +Jaguar +Kathmandu +Melvin authentication boost comfortable geologist midfield sedimentary +Bahadur +Blitz +Brick +Partner +Scopula +Sin +Weiss drain groove impacted @@ -8316,6 +13614,8 @@ jam outfit pickup pressures +Comes +Halls angel friction harmonica @@ -8325,6 +13625,13 @@ rushing socioeconomic stakeholders thrust +Bantu +Dickens +Hector +Logistics +NGOs +Scotlands +Winters arguing corrupt discovering @@ -8340,6 +13647,12 @@ sleeping termination trance urged +Corporations +Gail +Genie +Nearly +Scientology +Sol cello cocreator lesions @@ -8347,6 +13660,16 @@ nationals profitable runtime tended +Barr +Campania +Cory +Fremont +Goodwin +Houghton +Joanne +Keynes +Loire +Plasmodium excavations fence inequality @@ -8354,13 +13677,24 @@ packets robotics skipper suits +Friendship +Klaus +Medium +Navajo +Sites climbed disappearance epidemic mint occurrences -toplevel twothirds +Aberdeenshire +Acacia +Has +Roach +Rudy +Societys +Zachary commitments currents nonsporeforming @@ -8371,6 +13705,11 @@ transcript twentyone violated whatever +Bean +Sculpture +Shine +Skinner +Wests capacities meals oxidation @@ -8379,6 +13718,10 @@ seaside stints unanimous wives +Basket +Chichester +Slavic +Willem attendees cliff complementary @@ -8389,6 +13732,15 @@ initiation leaflets pricing spare +Grafton +Jessie +Mani +Midwestern +Nebula +Talking +Thorpe +Tiffany +Vishnu boasts chromosomes dragon @@ -8400,12 +13752,29 @@ pound prohibition robotic visibility +Bella +Constantinople +Ethan +Europes +Musically +Sunni den dividing explosives pilgrimage polymers treasure +Brescia +Catholicism +Elected +Finish +Kriegsmarine +Patton +Prussia +Rivera +Sultanate +Tobias +Trip aliens anatomical cactus @@ -8416,10 +13785,23 @@ overturned presenters shifts unchanged +Considered +Goddess +Killing +Mazda +Missing +Romantic +Stargate antique citrus pathology seemed +Fathers +Ghent +Harrington +Looking +Minas +Olson approaching freshman fringe @@ -8427,6 +13809,10 @@ senate speeches textiles verification +Fruit +Gothenburg +Sinai +Wilde beginnings coowner formulation @@ -8436,6 +13822,14 @@ sequencing unconventional undertake unmanned +Antilles +Bin +Buddha +Creation +Hello +Leiden +Mir +Nicky arterial classifications consistency @@ -8446,6 +13840,13 @@ footballers lime pays sciencefiction +Burroughs +Foundations +Giro +Gladstone +Improvement +Prussian +Sanjay analysts backtoback investing @@ -8457,11 +13858,24 @@ schooner singular spines submerged +Names +Pizza +Rowe +Shark +Vega conditioning diagram disestablished miters sanitation +Artificial +Automobile +Creed +Equality +Motorola +Powys +Romney +Sophia arteries basins culinary @@ -8474,6 +13888,15 @@ pediatric pigs shrew uploaded +Amelia +Bands +Barrie +Clause +Luge +Maynard +Orient +Pueblo +Restless bout buyer debated @@ -8481,6 +13904,15 @@ picnic sealed sick wrapped +Countys +Cruise +Daughters +Emerald +Firth +Infinity +Marlins +Smile +Yarmouth avoided cardinal configurations @@ -8489,6 +13921,18 @@ cottages mere subgenre villa +Chittagong +Clerk +Domesday +Dorchester +Mariana +Mercedes +Mongolian +Provisional +Puri +Sochi +Volkswagen +Whos clearance expressing flank @@ -8498,6 +13942,10 @@ spherical ulidiid voiceover zip +App +Bavarian +Burnley +Wes adjusted careerhigh climates @@ -8508,12 +13956,25 @@ prairie ranged scientifically trim +Ashes +Cain +Levin +Rudolph +Slim +Varsity broker generators posthumous showcased unprecedented whale +Commanding +Craven +Defender +Holloway +Lanarkshire +Seller +Transfer arbitrary battlefield engages @@ -8522,12 +13983,25 @@ gangs prediction recalling weddings +Diseases +Everton +Kaiser +Laois +Matrix +Patriot +Provost depictions detained nondenominational paramilitary showcasing stimulation +Alton +Crewe +Gareth +Nanjing +Sexual +Sligo biographies collaborate interventions @@ -8535,10 +14009,23 @@ lichen myths outright pot +Damien +Hillsborough +Offensive +Organized +Pit +Puget +RNAs burnt charging indexed styling +Earls +Herb +Hitler +Lounge +Release +Rosario augmented balloon clouds @@ -8546,12 +14033,24 @@ computation goat magician screw +Kind +Mitsubishi +Mohawk +Regent +Regions +Tottenham +Window demanding donors grasslands substrates trait unavailable +Anthology +Divisions +Hazel +Jamestown +Oceanic granddaughter ignored immigrated @@ -8562,6 +14061,14 @@ recipe reestablished surplus surveyed +Cheyenne +Conflict +Ellington +Falling +Floridas +Katy +Leaders +Papers alloy graffiti inauguration @@ -8572,6 +14079,19 @@ somewhere suspects twentyfour uncertainty +Advertising +Automotive +Ballard +Ballroom +Carolinas +Dar +Dogg +Earle +Horses +Liberian +Macon +Raju +Unlimited communitys destructive feathers @@ -8579,12 +14099,26 @@ mast portmanteau sandwich tires +Americana +Astronomical +Azerbaijani +Everest +Ghats +Yugoslav doubled exams lottery magnet pollen suppressed +Abel +Annapolis +Demon +Gainesville +Method +Spy +Swing +Vickers baritone bleeding evolving @@ -8593,12 +14127,26 @@ indepth orthodox specify stimuli +Barbuda +Berger +Constructed +Covenant +Igor +Kit +Patriarch +Quarry +Rollins +Slave +Sonoma cheap deposition favorites proponent pubs rainfall +Davao +Handbook +Microsofts bladder catalogs doom @@ -8606,6 +14154,15 @@ fertility lip metaphor pork +Duchess +Eureka +Johnstone +Kemp +Opening +Personnel +Portage +Warehouse +Whip damaging functioned incorrect @@ -8614,41 +14171,99 @@ radioactive starter stretched toxicity +Articles +Comcast +Leafs +Physicians +Trades +Weapons confirmation eagle prosecutor ribbon silicon transmitting +Compared +Consulting +Goods +Hume +Ive +Missile +Reporting overlapping quiz vitamin +Cheryl +Dirk +Elmer +Libraries +Melrose +Protein +Slater +Thought +Triumph +Weird foundered pre prevalence ridden spectral spirituality +Confederacy +Coordinator +Islamabad +Nepali +Quay +Scream +Slayer +Telescope +Transvaal catches clergyman constructing initials myrtle offline -onehour owl relational villagers +Buffy +Cathy +Cindy +Duluth +Geo +Lakshmi +Rubin blockade deleted flattened sustain voluntarily +Carrier +Ryder +Salle +Santana +Westfield +Zeppelin buttons diocesan improvisation moisture phased +Airplay +Camera +Coimbatore +Daegu +Distance +Gus +Harlan +Iberian +Lecturer +Mesozoic +Regulations +Rift +Softball +Weir archeologists buffer contamination @@ -8661,9 +14276,27 @@ onion tiles tire womans +Concordia +Dante +Disneyland +Ducks +Fry +Hair +ILeague +Quentin +Reach chairperson registers yoga +Davids +Groningen +Groove +Hove +Martial +Patti +Pensacola +Please +Tuvalu acquisitions apparel denotes @@ -8673,6 +14306,17 @@ offshoot scanning spices striped +Ariel +Cullen +Launceston +Mojave +Mukherjee +Penrith +Sheriffs +Tang +Unfortunately +Virginias +Yvonne assemblies citation framed @@ -8681,11 +14325,30 @@ impressed inorganic monopoly twoyearold +Innocent +Monmouthshire +Nagpur +Parma +Rowan +Start +Suicide +Watt +Wentworth +Wharf assumption commemorated shelters simulate wished +Alternatively +Angolan +Eisenhower +Equal +Kachin +Kurdish +Riot +Synagogue +Verve cardiovascular contraction fails @@ -8696,6 +14359,13 @@ mythical playground threads whenever +Baylor +Jeanne +Mona +Montrose +Munro +PCs +Surface accompaniment crabs divers @@ -8705,6 +14375,11 @@ nuts sensing storing vendor +Logic +Mode +Olympiad +Runner +Wiley accomplish dive ecoregion @@ -8718,6 +14393,15 @@ sensation strand sympathetic vertically +Berwick +Dolly +Garner +Ira +Jarvis +Jung +Laser +Taekwondo +Warfare collar copied dismantled @@ -8732,8 +14416,28 @@ thoroughbred underway walled waterways +Cromwell +Crossroads +Fiona +Grounds +Kaplan +Maiden +Michelin +Reporter +Smoke +Surgeons +Williamsburg +Yadav obligation schizophrenia +Colliery +Hawthorne +Persia +Regis +Sicilian +Southland +Sweeney +Tamillanguage accession canopy congestion @@ -8745,12 +14449,31 @@ inhibitors pavilion preview quota +Architectural +Ashok +Chamberlain +Dolls +Franks +Guildford +Harpers +Matter +Merton +Neolithic +Readers +Recovery +Zombie ecommerce establishes harder protesters reworked spectacular +Assyrian +Clearwater +Gauteng +Leopold +Marlborough +Mozilla clarinet grasses groundbreaking @@ -8761,6 +14484,15 @@ overlooks posed reintroduced ribs +Azad +Bukit +Damascus +Domain +Hold +Issues +Linden +Middletown +Stations accountant insights malaria @@ -8769,17 +14501,41 @@ storms tuning underside vertebrate +Hatch +Hutton +Launch +Nora +Reference +Resorts +Silk acquitted biannual parodies psychiatry researching whites +Abbas +Ada +Corrections +Disaster +Judiciary +Madden +Manson +NASAs +Ordovician +Para +Rosie +Stokes hiding illusion militants monarchs -sixyear +Ambrose +Bucharest +Huffington +Huskies +Mennonite +Ras audit cutworm designations @@ -8791,6 +14547,10 @@ limbs lit pointing topology +Gomez +Lies +Motorcycle +Surf amid assumes calcareous @@ -8805,6 +14565,14 @@ reinstated rodents tile turtles +Arc +Few +Lau +Lottery +Minds +Quantum +Root +Vance biographer businessmen canyon @@ -8813,19 +14581,53 @@ gymnasium seasonally snack wax +Drugs +Employees +Malvern +Pembrokeshire +Sparta banana browsers exclusion steadily terrorists wells +Alicia +BSc +Citadel +Clarkson +Icelandic +Identity +Person +Promotion +Rossi +Smash +Zen burden commemorative evacuation mound retention +Bench +Evansville +Freeway +Fusion +Interim +Investments +Karate +Ordinary +Viva bedroom recorder +Carla +Competing +Drag +Emil +Host +Kickstarter +Persons +Rwandan +Shan cow distress fox @@ -8833,6 +14635,14 @@ offroad pulling societal transmembrane +Airfield +Bloody +Calcio +Channels +Cluster +Forge +Harley +Mara cooperate ensures implied @@ -8841,6 +14651,15 @@ paradigm prayers threeyearold thrower +Aces +Bold +Linn +Lydia +Neotropical +Nikki +Psychiatry +Unicode +Xfinity convey correspond customized @@ -8853,6 +14672,14 @@ skink tracked troop tuition +Hewitt +Islington +Midfielder +Millers +Mizoram +Negeri +Rehabilitation +Saul allstar footprint jacket @@ -8862,11 +14689,29 @@ parole scratch sunlight toilet +Cochrane +Croix +Dow +Englishborn +Flinders +Gina +Phi +Retail +Theresa aspiring cognition harness purchases wellpreserved +Baccalaureate +Beaufort +Emery +Fridays +Quick +Rhino +Rifles +Unknown +Violet bells blockbuster clown @@ -8876,6 +14721,15 @@ hazard interpreter negotiate realize +Bosnian +Constance +Fiat +Goddard +Knockout +Neptune +Panic +Rankings +Stay baronetcy beams contrasts @@ -8890,6 +14744,11 @@ reuse sacrifice spectroscopy wears +Aspen +Cher +Countries +Deadly +Sonia boiler dissemination drops @@ -8903,20 +14762,53 @@ strengthening tramway vine witch +Abbot +Addison +Barn +Bloomfield +Chaplain +Crimean +Damian +Elsevier +Glendale +Ida +Mama +Marjorie +Slade +Wicked boots courtesy -ha maize mural reflex supermarkets symmetry +Alzheimers +Carthage +Computational +Derrick +Fairy +Mainland +Mississauga +Sesame excavation frontal monitored universally vitro wounds +Casablanca +Chorus +Collier +Dracula +Goose +Manx +Metropolis +Morrow +Numbers +Whats +Whitman +Wonderful assessments astronomers chalk @@ -8926,11 +14818,32 @@ gradual passages trick violet +Amman +Conferences +Eliot +Federated +Garth +Lombard +Net +Rajesh +Toulouse +Volta educates monsters plugin revealing sect +Balkans +Behavior +Calvados +Eindhoven +Gift +Guys +Inquiry +Rosen +Sarasota +Ways +Weightlifting aster blends defect @@ -8939,12 +14852,31 @@ insulin mRNA retrieval roofs +Brentford +Duff +Emory +Heinz +Patriotic +Salvation +Turbo fitting instructional momentum multisport recruits twist +Boer +Dioecesis +Drummond +Eastwood +Fayetteville +Geffen +Jimi +Loud +Norma +Orkney +Tide +Wilder antibiotics articulated calculations @@ -8957,6 +14889,14 @@ microorganisms migrant restoring superficial +Acoustic +Larsen +Miriam +Mounted +Papa +Pipe +Scarlet +Technological administer altitudes cervical @@ -8964,6 +14904,19 @@ cohosted dissertation murals overwhelming +Activision +Apocalypse +Balochistan +Birch +Bordeaux +Cow +Frog +Genetics +Hitchcock +Immaculate +Lim +Robson +Zanzibar accumulation capitalism cellist @@ -8976,6 +14929,18 @@ posthardcore repeats seals undertaking +Allahabad +Carboniferous +Fender +Harrow +Juniors +Nero +Peck +Pioneers +Residents +Storage +Tyson +Zach carnivorous convened dismissal @@ -8991,6 +14956,14 @@ spouse taxi tombs unrest +Browning +Comparative +Crafts +Duffy +Ethel +Finch +Teatro +Tribute boating catfish coli @@ -8998,20 +14971,41 @@ mare multi readership solicitor +Dash +Faces +Forks +Grave +Hollyoaks +Ramon +Registration +Rooney +Veterinary +Whig +Worst cocaine fin inspire oppose -pH remnant selects +Akademi +Anil +Bahia +Called +Countess +Granville +Guelph +Herschel +Hilary +Plays +Preserve +Rani ambulance exercised halfback killings librarian migratory -na narration odds relevance @@ -9021,6 +15015,14 @@ susceptible tavern unauthorized uniquely +Alfa +Flame +Giacomo +Javanese +Jockey +Pendleton +Primarily +Reich cornice freed frigates @@ -9030,6 +15032,19 @@ peerage rebuild ribbed rightwing +Aero +Alexandre +Carver +Dirt +Journalists +Khanna +Moores +Nagaland +Pitchfork +Poets +Spin +Sunil +Vinyl accordingly ballistic cappella @@ -9037,12 +15052,27 @@ hamlets imports integrating lowincome +Catalog +Connolly +Fuel +Greeks +Hiroshima bean cups descriptive globalization remember reproduce +Abrams +Brewer +Carole +Gillette +Models +Morley +Pac +Schuster +Selection +Underwood accusations babies barely @@ -9059,6 +15089,21 @@ stimulate unpublished upwards weights +Acid +Aubrey +Banner +Carlson +Diving +Experiment +Exposition +Fay +Initial +Mehta +Montevideo +Mozart +Multimedia +Reilly +Webber captive firstever ideals @@ -9071,6 +15116,12 @@ purposebuilt rumors shoreline uncovered +Fortress +Hamlet +Levant +Parry +Siena +Wollongong eastwest envelope farther @@ -9079,6 +15130,19 @@ lifting murderer nomenclature serialized +Baird +Eure +Forgotten +Gunn +Judd +Lex +Operational +Phelps +Premiere +Regulatory +Rochelle +Scotts +Sonora axle critique dietary @@ -9091,6 +15155,14 @@ outgoing relocation telenovela winery +Bliss +Hartley +Huntsville +Machines +Merlin +Narayan +Neither +Yankee choreographed deliberate emotion @@ -9098,6 +15170,17 @@ enhancing foliage nowadays satisfy +Bombardment +Dunbar +Eileen +Eredivisie +Eternal +Lenny +Shepard +Straits +Tiny +Toowoomba +Tyrol bare cane discount @@ -9110,6 +15193,16 @@ scan trader transplant twentytwo +Bottom +Brampton +Burger +Empress +Gippsland +Kochi +Messenger +Pig +Turnpike +Units contingent esthetics facilitated @@ -9118,13 +15211,20 @@ footpath groundwater leukemia lightning -o olives onsite ribosomal scarce sharks squirrel +Beard +Boca +Casa +Clements +Invitational +Madurai +Pam +Verizon departing dolls eras @@ -9132,6 +15232,16 @@ forbidden schedules shirt stereotypes +Bari +Emerging +Joshi +Judges +Natasha +OConnell +Panchayat +Rancho +Savings +Scotch chimney chronology jokes @@ -9141,13 +15251,25 @@ preacher rebuilding recounts tightly -var +Banda +Cod +Daryl +Emperors +Fordham +Manly +Sinha bent bricks encyclopedia graphs rugged weevils +Falkirk +Fitness +Protected +Started +Tribes +Warning afterward brewing hung @@ -9155,6 +15277,11 @@ meditation professions radicals tropics +Ashanti +Frederic +Newmarket +Pastor +Sufi algebra benign burials @@ -9174,6 +15301,16 @@ rejection seventy sexes squares +Aint +Buzz +Gwynedd +Jackets +Milne +Neuroscience +Rockford +Safe +Thanksgiving +Wan controversies editorsinchief formulated @@ -9184,6 +15321,16 @@ observing prototypes ridings woodboring +Cavaliers +Duo +Editing +Emanuel +Household +Javier +Lynx +Maitland +Pilipinas +Torontos abbot antisubmarine complaint @@ -9194,6 +15341,16 @@ nagar pedal preparations promo +Buren +Duty +Funny +Kai +Kitty +Moreno +Perez +Polynesia +Waiting +Wharton acidic deadliest forthcoming @@ -9202,6 +15359,18 @@ hiring thickness transmissions woven +Authors +Bride +Commissions +Fools +Gorge +Himalayan +Inter +Oise +Rockets +Shenandoah +Southwark +Tulane boutique eukaryotic gig @@ -9209,21 +15378,60 @@ mimic subjective thriving weaving +Bike +Hosted +Hyundai +Integration +Leave +Maidstone +Or +Remember +Subcommittee +Tanner cereal glam goats intentional subtle threeday +Argyll +Dynamic +Gillian +Lightweight +Lola +Object +Painter caliber jersey slip +Baroness +Crusade +Joaquin +Kedah +Locomotive +Marriott +Slims +Somerville +Tasman +Valuable backwards bundle conversations elevator maneuver welcome +Amir +Aziz +Chet +Clock +Diesel +Founding +Guadalajara +Inuit +Limburg +Mysteries +Naomi +Wallis afford amplifiers baked @@ -9234,6 +15442,17 @@ multiuse poison reigned wooly +Barnard +Creole +Eyre +Hawkes +Melbournes +Miners +Nightmare +Rankin +Reconnaissance +Remote +Sabbath biochemistry descending detector @@ -9243,6 +15462,15 @@ lamp litter meaningful microscopy +Beats +Bray +Claudius +Completed +Guineas +Superstar +Thor +Tracey +Ultimately beers familyowned omitted @@ -9250,6 +15478,17 @@ plumage rails takeoff worse +Alongside +Enough +Fontana +Lyndon +Nowadays +Olga +Peacock +Phyllis +Pty +Related +Washingtons accounted canoe coloring @@ -9264,8 +15503,8 @@ medicines query smell technicians +Ion connector -el hang inlet interpret @@ -9277,6 +15516,12 @@ shelf sulfate template transitioned +Enrique +Lew +Lyle +Minutes +Pirate +Winner allaround atlarge autosomal @@ -9289,6 +15534,14 @@ precinct prosperity rosters telescopes +Audrey +Enrico +Fishing +Leroy +Lesley +Mandarin +Slow +Viola cannon canoeing commemorating @@ -9297,6 +15550,19 @@ governs peptides probable tricks +Bakersfield +Cube +Fossils +Hate +Invisible +Lund +OReilly +Occidental +Roche +Seville +Simons +Singing +Vocational cater chaplain clashes @@ -9308,6 +15574,16 @@ objectoriented possibilities shade tally +Aragon +Chaplin +Chin +Companion +Effect +Kappa +Poverty +Shrine +Ulysses +Wilcox capitalist crowds exhaust @@ -9315,6 +15591,19 @@ scripting sponge telecast unwanted +Anatomy +Chandigarh +Chinatown +Colt +Digest +Duane +Governance +Hurley +Liquid +Mound +Orissa +Tirana +Woodrow clocks cowries drone @@ -9324,6 +15613,16 @@ lunch noun sacked unidentified +Coaches +Dutt +Grid +Maharaja +Moe +Prescott +Ramos +Remix +Ridley +Zulu blended demonstrates engagements @@ -9333,6 +15632,17 @@ mutually nave semester touches +Athletes +Bromley +Chico +Dino +Hatfield +Included +Len +Marche +Mateo +Musicians +Roosters averaging betting diamonds @@ -9345,6 +15655,18 @@ rigorous traction wires wisdom +Chestnut +Khalifa +Mikhail +Omega +Parties +Plastic +Rajendra +Sai +Spartans +Theme +Varanasi +Waikato amphibians expose martyr @@ -9360,19 +15682,31 @@ spontaneous typeface upgrades verbal +Micronesia +Shreveport +Trey +Ubisoft +Weymouth architectures bend chord delta demonstrating elegant -em mined morality nude postmaster und worshiped +Djibouti +Endangered +Haley +Hurst +Indira +Khalid +Linguistics +Valle dressage gall lighthouses @@ -9384,6 +15718,15 @@ ramp repaired technician versa +Celebration +Intellectual +Macmillan +Odessa +Pace +Reason +Sahib +Taft +Witness assassinated comedies crustaceans @@ -9396,6 +15739,10 @@ rational semantics superheroes vaccines +Apartments +Beatrice +Loughborough +Maintenance aperture click contaminated @@ -9404,11 +15751,23 @@ routines saltwater slit suggestion +Bugs +Darrell +Lemon +Pops +Topeka courtyard innocent mysteries rediscovered threatening +Boots +Bullet +Files +Juvenile +Marne +Turf +Woolwich forgotten illustrate nocturnal @@ -9417,6 +15776,17 @@ shipbuilding subunits tap wreck +Automatic +Chakraborty +Clapton +Geography +Grover +Halo +Jordanian +Response +Rogue +Taylors +Thirteen brush cows digit @@ -9429,14 +15799,25 @@ pronunciation servicing speculated watches +Convent +Episode +Landscape +Ramesh +Safari +Syriac +Tufts blacks blamed captivity -cm -g guerrilla planting privateer +Alam +Anglesey +Lakeland +Scientists +Sumner +Toys alternately backward conception @@ -9452,11 +15833,29 @@ priesthood realms regain wastewater +Algiers +Antoine +Capitals +Edmond +Fallen +Mouth +Yemeni audition collectible cubic enrolls shortage +Balkan +Barron +Bharat +Bismarck +Conquest +Domino +Leaves +Luck +Minogue +Seminole +Spence fins grip microwave @@ -9467,6 +15866,13 @@ reassigned stronghold taped villains +Alejandro +Cowan +Diamondbacks +Haunted +OSullivan +Otter +Ripley affiliations brake mistakenly @@ -9475,6 +15881,15 @@ postsecondary revive specifies yielded +Assault +Nikon +Orders +Poe +Publius +Registered +Salaam +Subject +Thin advise berth cafe @@ -9491,6 +15906,16 @@ plastics relics rests tones +Biomedical +Bose +Chatterjee +Como +Editors +Nurse +Racetrack +Salvatore +Sampson +Tallahassee amplifier arboreal births @@ -9502,6 +15927,16 @@ multiparty rotor stainless youths +Ambulance +Angelesbased +Arcadia +Choi +Constabulary +Kirkland +Organ +Pieter +Torquay +Value bikes billing enhancement @@ -9509,6 +15944,18 @@ mater precedent sharply solids +Barrington +Braxton +Cinematography +Evergreen +Hallmark +Kang +Marseille +Optical +Sharpe +Sings +Thirty +Zappa anarchist committing diary @@ -9519,6 +15966,17 @@ restrict solvent sourced supportive +Calvert +Dinosaur +Dion +Grateful +Hines +Hooker +Ludhiana +Maker +Mendoza +TripleA +Waverley calculation catalytic commissioners @@ -9529,12 +15987,28 @@ preexisting sticks trailing whitish +Claus +Muir +Parachute +Pay +Processing +Soyuz +Vaughn attribute companions entrances inventions outlines skippers +Aarhus +Alameda +Eat +Graphic +Mandela +Patty +Principles +Routes +Sanchez appoint appreciated cinematic @@ -9547,6 +16021,17 @@ enclosure mortar nutmeg unnecessary +Clash +Dodd +Eton +Guerrero +Lagoon +Must +Pulaski +Sellers +Trans +Unitarian +Win administrations improves mesh @@ -9554,6 +16039,14 @@ seafood tomato tractor walked +Cicero +Curse +Futures +Lange +Limit +Rest +Resurrection +Rockingham encompassed grammatical headwaters @@ -9563,11 +16056,28 @@ persona prefers shipments triathlon +Continuing +Hasan +Nicobar +Organic +Radcliffe +Yoga golds intracellular noncoding projections relying +Ashford +Dominique +Dyke +Ginger +Magnum +Message +Mia +Offaly +Shapiro +Sydneys +Waste asks asserted considerations @@ -9581,6 +16091,15 @@ pizza stranded subfamilies suspense +Austronesian +Bethesda +Charlottesville +Hub +Ingram +Kalimantan +Lao +Reunion +Sarajevo adulthood checking clubhouse @@ -9598,6 +16117,19 @@ plaintiff poles resin trainers +Hampstead +Kanpur +Kung +Kylie +Lega +Lena +Limpopo +Mirza +Pakistans +Pharmaceuticals +Present +Sleeping +Whole brilliant captains fierce @@ -9606,6 +16138,18 @@ mosques mounting precious rabbit +Barangay +Bicycle +Cabin +Cast +Cover +Gerais +Greenberg +Hasbro +Salerno +Samson +Serial +Weeks appellate backbone fabrication @@ -9619,10 +16163,26 @@ ruin sportscaster streamed traveler +Anchor +Botanic +Boundary +Chopra +Corbett +Dairy +Diaz +Ealing +Ithaca +Londonderry +Malabar +Mortimer +Rajput +Ste +Tenth +Whereas +Worship capitals cephalopods disturbance -firstprize hails indicted larva @@ -9630,6 +16190,15 @@ lowbudget pests rolls splits +Acton +Cadillac +Ecuadorian +Imam +Midlothian +Murdoch +Nonetheless +Russians +Waltham brackish clone devastating @@ -9646,17 +16215,38 @@ simulations suffix supervising void +Ark +Astro +Chung +Equestrian +Hedges +Kuwaiti +Lakers +Thom +Tire +Trojan cartridges crystalline domesticated embryonic inhibits leftarm -middleclass rainforests researches utilization welding +Birth +Cognitive +Doors +Freddy +Gentlemen +Hartlepool +Important +Inland +Myrtle +Perl +Theft +Used blending learners mapped @@ -9664,6 +16254,16 @@ pigment salts stuck theorem +Bachelors +Bandits +Erich +Forsyth +Guntur +Kaye +Kelantan +Saddle +User +Wilkins airliner archer headlines @@ -9674,6 +16274,20 @@ precedence screenings spores thyroid +Afterwards +Ain +Behavioral +Blaze +Comoros +Edmunds +Manche +Pontiac +Rolf +Rosenberg +Siemens +Text +Yet +Zoe acceleration anthropomorphic fears @@ -9684,6 +16298,12 @@ painful skate stellar vapor +Akbar +Audience +Elements +Humber +Lillian +Meghalaya defenders hostage hymns @@ -9693,6 +16313,17 @@ spa stripe structurally toothed +Broughton +Canadiens +Drosophila +Gotham +Kombat +Laurent +ListA +Moldovan +Riga +Springsteen +Terrorism centrally crushed doses @@ -9707,6 +16338,17 @@ radios tags unionist weakness +Andorra +Arabs +Bloc +Brewster +Christensen +Hempstead +Italys +Mobility +Peshawar +Pleasure +Quercus amassed carving cosmetic @@ -9715,6 +16357,17 @@ inhibit internationals shale trailers +Acres +Domenico +Henson +Kilmarnock +Married +Maximum +Northland +Polar +Quiet +Rye +Stacey devotion exiled grandchildren @@ -9726,6 +16379,21 @@ simplest submissions supplemented turrids +Commandant +Crowley +Dec +Dot +Dustin +Egg +Emmerdale +Indeed +Kimberly +Marquis +Mechanics +Mob +Monitor +Spider +Uniform believing blow bundled @@ -9738,6 +16406,17 @@ resume shoots upscale zoologist +Alfonso +Camping +Conspiracy +Flanagan +Howrah +Markham +Markus +Revelation +Snoop +Voyager +Walden alert algebraic amidst @@ -9753,6 +16432,20 @@ rumored scifi simplicity unused +Ascension +Buster +Guardians +Hari +Merry +Monash +Pie +Reuben +Schultz +Shawnee +Soap +Survival +Tai +Woodlands anal ankle bachelor @@ -9762,6 +16455,23 @@ judging pile turnover whisky +Atmospheric +Cavan +Cinemas +Cyber +Gathering +Gibbons +Grenadines +Jonny +Matters +Michigans +Prohibition +Saw +Shoes +Soho +Spice +Victorias +Wheels brownish calculate endeavors @@ -9771,9 +16481,25 @@ poprock pushing reactors resist +Arundel +Brethren +Genius +Hardin +Harmon +Lazio +Marianne +Mystic +Nadia +Poet +Reggie +Seton +Sheppard +Strauss +Tomas +Wet +Willamette abstraction arenas -cant evolve exchanged guiding @@ -9784,6 +16510,16 @@ profound responding stiff tracing +Appleton +Ardennes +Ecology +Gertrude +Kampala +Lennox +Notably +Swamp +Terra +Upton accessibility apoptosis attain @@ -9801,6 +16537,11 @@ ordering outward paddle psychologists +Cannabis +Dunfermline +Freetown +Hearst +Qualifying cabaret corrosion cryptography @@ -9810,6 +16551,14 @@ intentions pillars regency secretly +Bromwich +Californiabased +Cypress +Ives +Livingstone +Map +Palma +Tools credentials dressing durable @@ -9822,6 +16571,16 @@ redundant tackles tragic verified +Bendigo +Erwin +Guwahati +Hindilanguage +Horne +Magna +Nana +Pharmaceutical +Tall +Traveler cowry expresses fellowships @@ -9830,6 +16589,13 @@ quintet sorts stud thoroughfare +Kahn +Reel +Shea +Shes +Stephan +Strasbourg +Westmoreland abuses alderman coupling @@ -9842,6 +16608,17 @@ pygmy revolving seizures statehood +Beverley +Controller +Covington +Duran +External +Gateshead +Gonzalez +Keystone +Math +Ranking +Tooth cook discharged divisional @@ -9851,6 +16628,19 @@ propagation shelved topten traumatic +Blackwell +Dre +Economist +Fenton +Greenfield +Greenock +Jai +Naga +Reserves +Rim +Trap +Wabash +Wish aboriginal accelerated adjust @@ -9869,6 +16659,17 @@ terror totaling trombonist trophies +Donaldson +Edna +Ewing +Farmington +Fault +Fell +Hunting +Kindergarten +Nazir +Offices +Roscoe accent captures entertaining @@ -9877,6 +16678,13 @@ statesman undercover volatile yields +Bonn +Harrogate +Laird +Lie +Ming +Perhaps +Turnbull apprentice baptized brotherinlaw @@ -9891,6 +16699,19 @@ qualifier relieve trams vibrant +Bala +Binghamton +Bryce +Eliza +Hobbs +Individuals +Magnetic +Nazis +Papuan +Practical +Rockwell +Sparrow +Yuan contracting contractual creations @@ -9900,6 +16721,22 @@ shades startups stepping yearend +Arjun +Barclay +Butcher +Epsom +Jude +Kiribati +Lookout +Loose +Louisa +Museo +Presently +Shamrock +Steps +Tamworth +Tong +Visakhapatnam belts convex criticizing @@ -9909,7 +16746,6 @@ imply interacts memorials microbial -multimember parental portfolios reboot @@ -9917,6 +16753,20 @@ satisfaction spends transforming webcomic +Allmusic +Beau +Countdown +Dunlop +Egan +Gabrovo +Galicia +Pisa +Quran +Raised +Supercars +Theo +Tripoli +Wilbur clams correction discarded @@ -9927,6 +16777,11 @@ recycled refusing steal viewpoint +Gladys +Kew +Merritt +Sachs +Turtle consultants distortion fairs @@ -9940,6 +16795,15 @@ synchronization thumb transporter workingclass +Ad +Airbus +Britannia +Mitra +Punch +Residential +Ships +Twist +Wycombe brackets convictions cyber @@ -9949,6 +16813,13 @@ homebuilt hunger owning stamens +Andover +Awami +Bolivian +Dyer +Everybody +Isaiah +Nicknamed accountability casinos designate @@ -9957,6 +16828,18 @@ lymph tort tribunal unexpectedly +Annette +Calling +Desire +Exit +Felipe +Haas +Maher +Polly +Ports +Sense +Taluk +Varma anchors assassin collaborates @@ -9964,6 +16847,25 @@ disciple evaluating liable writ +Agents +Cosmic +Deva +Examination +Fairview +Gram +Granite +Hays +Islamist +Leighton +Moment +Moto +Nicholls +Occupational +Robins +Southend +Superbike +Tarzan +Thatcher akin attach circumscribed @@ -9976,6 +16878,22 @@ perimeter predictions premiers resurrected +Copeland +Demons +Faulkner +Garage +Hannibal +Hooper +Hopper +Jive +Lori +Marble +Mathews +Older +Oromia +Padua +Tongan +Wrong abandon adhere antiaircraft @@ -9992,6 +16910,11 @@ outspoken progressively socialism thereof +Exploration +Guido +Keating +Kitchener +Milano chemotherapy cocktail coded @@ -10009,6 +16932,19 @@ memberelect replay sliding turnbased +Agatha +Bridgewater +Burnham +Darryl +Healy +Hornets +IPv +Locke +Lover +Pahang +Pulse +Showcase +Stacy codirector eukaryotes lions @@ -10016,6 +16952,20 @@ positioning prevailing royalty seismic +Asheville +Filmed +Harare +Kofi +Kontinental +Lakewood +Malacca +Pound +Radar +Rees +Romano +Tristan +Veracruz +Wei ambiguous futuristic governorship @@ -10026,6 +16976,15 @@ remotely rewarded scenery uneven +Author +Beckett +Billings +Bluegrass +Copyright +Drop +Growing +Punta +Whitby codirected dysfunction estrogen @@ -10035,6 +16994,17 @@ narrower premierships proponents transmitters +Aceh +Amstrad +Danville +Gypsy +Held +Henrik +Indochina +Mondays +Neon +Reese +Shake allfemale chances chooses @@ -10051,6 +17021,21 @@ needle resigning rods washing +Armory +Butch +Faber +Forests +Ghosts +Hadley +Highlanders +Kollam +Lambeth +Larson +Pandit +Redwood +Rodeo +Unders +Welterweight carnival chase deputies @@ -10069,6 +17054,19 @@ simulated slots ventilation warmer +Claudio +Extended +Gamble +Heidi +Lama +Lyrically +Minsk +Monaghan +Pickering +Promise +Seed +Syndrome +Villanova adhesion ambassadors byelections @@ -10082,6 +17080,18 @@ gill par repetitive studentrun +Brabant +Could +Gage +Hellenic +Hurt +Islander +Jericho +Oasis +Parliaments +Rats +Thurston +Vertigo cemeteries crossroads defenseman @@ -10095,6 +17105,16 @@ neutron recessive secondrow vertebrae +Annes +Chippewa +Ecclesiastical +Iroquois +Jaime +Motherwell +Photo +Sick +Yeshiva +Zinc boxers coeditor communicating @@ -10115,6 +17135,18 @@ testified thematic waterway weightlifting +Angry +Brasil +Designer +Draper +Firefox +Issue +Kelvin +Panda +Quintet +Schedule +Susquehanna +Taste cartilage chaparral compiling @@ -10126,6 +17158,12 @@ specialization tent unite waterfalls +Leonean +Morrissey +Nest +Reuters +Rodrigo +Victims anger concentrating curacy @@ -10133,8 +17171,25 @@ exciting happiness migrate monasteries -thth wishing +Ant +Bosch +Burbank +Catskill +Concerto +Crawley +Ezra +Jewel +Lunar +Maratha +Modeling +Platte +Rat +Seas +Shenzhen +Spartan +Tornado +Zane careful cipher cuckoo @@ -10148,6 +17203,16 @@ penetration queer unofficially verdict +Battlefield +Cargo +Cheng +Cinderella +Facilities +Katharine +Kiel +Lay +Obamas +Twain cousins embassies imposing @@ -10158,6 +17223,22 @@ plea plug sweep unlimited +APIs +Barons +Bayou +Coke +Defensive +Exchequer +Grandmaster +Hamid +Kangaroo +Kristin +Leuven +Mathew +Moors +Mutant +Shetty +Usher allegiance deploy epithelial @@ -10170,13 +17251,35 @@ serotonin sited sounding subculture +Apostle +Ascot +Distributed +Endurance +Fate +Kardzhali +Lubbock +Manfred +Okinawa +Protestants +Youngs coloration illnesses oblique onboard prophet react -threepart +Arden +Avalanche +Chili +Debra +Desk +Hernandez +Kingsley +Moritz +Occasionally +Rashid +Sandwich +Slate drumming extraterrestrial fabrics @@ -10194,6 +17297,18 @@ trolley trusted verify vibration +Blaine +Collections +Elizabethan +Ferries +Gravity +Haarlem +Janice +Kendrick +Musa +Nauru +Saginaw +Tanya animations chimneys crossings @@ -10205,6 +17320,22 @@ landowners podcasts reservations soda +Analog +Arun +Blanche +Comet +Dom +Dora +Feb +Herbie +Lilly +Males +Newsweek +Pollard +Sabers +Shale +Vittorio +Winfield auger bakery bioinformatics @@ -10217,6 +17348,17 @@ pins prompting torque winding +Doubleday +Elijah +Federico +Melodies +Paige +Pen +Pillai +Reprise +Russo +Sheep +Wellesley assurance cites cowriter @@ -10226,6 +17368,23 @@ malignant regionally sentiment visuals +Banff +Bartholomew +Chrome +Crimes +Fencing +Format +Gladiators +Goulburn +Grimes +Haji +Inch +Pereira +Predators +Radha +Rumble +Shows +Stereo alarm baronet bizarre @@ -10235,22 +17394,56 @@ ineligible mussel reject skaters +Bed +Bhatt +Ellison +Friendly +Hartman +Ink +Meg +Mustang +OHara +Prep +Sagar +Serious +Tbilisi +Tory connectors insertion lates plurality recreated wagons +Downing +Fullerton +Glenea +Helicopter +Kodak +Koreas +Longford +Material +Matthias +Oneida +Origins +Qualifier +Whitehead adherents carcinoma correlation devotional enforcing -es futures instructed occupations spray +Blanc +Expos +Germanspeaking +Kanye +Mangalore +Seeds +Wainwright +Yellowstone assessing ester influx @@ -10260,6 +17453,24 @@ rhetoric secreted sequential tempo +Apostles +Blizzard +Burr +Chihuahua +Contact +Cruises +Divide +Extraordinary +Federalist +Kali +Madame +Napa +Raid +Strangers +Swahili +Thief +Trick +Vehicles bath detecting drafting @@ -10273,6 +17484,16 @@ outlaw pairing probation shoulders +Cao +Certification +Colleen +Conception +Cymru +Danube +Massimo +Paulo +Qing +Yourself arthritis astronauts bullet @@ -10283,6 +17504,22 @@ occupants prostitutes totals unbeaten +Armor +Blanco +Davey +Douglass +Erica +Evaluation +Ingrid +Institutional +Lloyds +Loving +Manoj +Martina +Returns +Shores +Vine +Wilkes alma appliance aunt @@ -10301,6 +17538,19 @@ risen strategist westernmost wrist +Arnhem +Cobra +Doubles +Hathaway +Janakpur +Lumbini +Madeleine +Poll +Roderick +Sahitya +Tone +Uzbek +Zack academies alphabetically auditory @@ -10316,6 +17566,23 @@ rotary schoolhouse splicing tornadoes +Amish +Bingham +Busses +Cards +Con +Crest +Disability +Gironde +Harlow +Incredible +Morales +Pegasus +Stadion +Tar +Thereafter +Twisted +Wilton authorization dependence interoperability @@ -10326,12 +17593,26 @@ remedy respects thoracic wanting +Bandung +Civilian +Corn +Courier +Goldstein +Julien +Moray +Newbury +Sami +Singapores +Taluka +Terengganu +Understanding +Uptown +Utica administratively authoritative burns conclude docks -fourpiece garlic gunboat headlined @@ -10339,6 +17620,27 @@ neoclassical postapocalyptic reflective rig +Amongst +Auditor +Casualty +Choctaw +Divisie +Doe +Feast +Flats +Hardware +Jacobite +Jamal +Jess +Matilda +Mean +Messina +Panorama +Peach +Quintus +Roe +Sixteen +Tashkent baroque inspiring loaned @@ -10352,11 +17654,30 @@ springboard thorax vulnerability whales +Amnesty +Anthem +Boyz +Chloe +Directory +Dying +Friesland +Gillingham +Justices +Kimball +Kristen +Madeira +Moncton +Monetary +Montserrat +Negros +Oro +Sharif +Vikram +Vineyard brutal carbonate crack embryo -erstwhile executing indoors introductory @@ -10369,9 +17690,18 @@ treatise treats tying unification +Bradshaw +Christoph +Drury +Happiness +Internationally +Lichfield +Petersen +Playoffs +Sadar +Turtles cabins elliptical -f generals improvisational judo @@ -10385,8 +17715,17 @@ undisclosed velvet wealthiest weightlifter +Augsburg +Hodgson +Huntingdon +Lamont +Mai +Piccadilly +Rotten +Rudd +Ugly +Ulrich amber -ap citations deposed ditches @@ -10398,6 +17737,16 @@ pneumonia retrieve sided willow +Annan +Brit +Darby +Deacon +Ljubljana +Moselle +Sentinel +Styria +Towards +Vintage ballots ballroom burst @@ -10419,6 +17768,18 @@ sparsely stylised touching unicameral +Abruzzo +Andean +Changes +Flow +Guadeloupe +Instrumental +Magnet +Means +Outlaws +Testing +Visions +Youngstown arrives biking coed @@ -10429,6 +17790,20 @@ musicologist parted revoked stays +Adele +Cecilia +Empires +Forth +Frankenstein +Jamess +Labors +Luciano +Monarch +Nawab +Pontifical +Ranji +Tribeca +Whitley chronicle dangers depths @@ -10440,6 +17815,22 @@ pilasters safer shooters warship +Addis +Aerodrome +Arrows +Avenues +Carnatic +Feldman +Fillmore +Gibb +Hurdle +Hydro +Oprah +Packard +Paint +Sagarmatha +Scale +WLeague approve bargaining cleavage @@ -10458,6 +17849,17 @@ reprise sellers slides ubiquitous +Aggies +Commonly +Dutton +Greer +Keene +Louth +Nutrition +Quakers +Spirits +Spiritual +Trace assumptions biochemical childs @@ -10472,6 +17874,19 @@ plaster rushed stresses westward +Been +Drums +Hulk +Keeper +Laureate +Milky +Moth +Nico +Sikhs +Strawberry +Tourist +Warden +Wives abnormalities airplanes angry @@ -10485,6 +17900,16 @@ semiautomatic shortstop sinus unemployed +Caleb +Carmichael +Catalina +Dynamite +Klamath +Latter +Oral +Osage +Parallel +Stick aeolid aide cofounders @@ -10500,6 +17925,18 @@ underage underworld unlawful urinary +Bazaar +Custom +Freight +Had +Intelligent +MSc +Malibu +Matteo +Nath +Redmond +Wanna +Wendell alto dystopian happening @@ -10510,6 +17947,21 @@ saddle southbound taekwondo whip +Barrymore +Carmarthenshire +Donnelly +Geraldine +Glastonbury +Income +Judah +Links +Lough +Mayfield +Minute +Pursuit +Saving +Wisdom +Zhejiang advises basket belly @@ -10526,6 +17978,21 @@ therapies toxin toxins unaware +Charge +Civilization +Cult +Doric +Fitzpatrick +Flags +Incident +Kurdistan +Middleweight +Mongol +Mustangs +Principality +Scripps +Sungai +Terre ascent dawn detachment @@ -10540,6 +18007,21 @@ seizure standardization subchannel wrestled +Aruba +Brentwood +Cree +Date +Fulbright +Hackett +Lambda +Mask +Meuse +Oyster +Panasonic +Same +Soil +Wagga +Winning bibliography dialogs erroneously @@ -10553,6 +18035,14 @@ outpatient problematic upward vertices +Audi +Botany +Comets +Einstein +Federations +Fernandez +Icon +Pilots cab campaigner compartment @@ -10567,6 +18057,15 @@ steamship therapist ultrasound warehouses +Abkhazia +Cho +Clarks +Colbert +Hickory +Konami +Maui +Pines +Torah antitank barrels carpenter @@ -10583,6 +18082,16 @@ removes surnames usable vaudeville +Biography +Caracas +Croft +Florian +Gerhard +Kazakh +Oaxaca +Sabine +Thursdays +Titanic conclusions convict foreigners @@ -10597,6 +18106,18 @@ rewritten squid unfair vicar +Assumption +Badge +Cope +Doll +Dorado +Ferris +Gaston +Hoboken +Newbery +Pepsi +Purcell +Vinod aggression arbitration banded @@ -10612,6 +18133,26 @@ hygiene kinetic lifespan proxy +Ajay +Athlete +Bellator +Brier +Cagayan +Clancy +Comptroller +Cordillera +Flesh +Gaye +Indore +Karim +Mat +Met +Nugent +Portal +Tagalog +Tail +Tool +Whitehall conspicuous inappropriate jailed @@ -10623,6 +18164,19 @@ principals relocate substitution surveyor +Bhamo +Bram +Coltrane +Cop +Harpalus +Leith +Petra +Poems +Printing +Syfy +Translation +Trojans +Troop adolescents cultivars firstly @@ -10632,6 +18186,25 @@ sergeant spill vaginal whiskey +Anything +Apprentice +Batavia +Bengaluru +Charitable +Dancer +Ericsson +Ganesh +Guitars +Monitoring +Navarre +Orienteering +Orr +Poison +Quad +Ritter +Scranton +Stooges +Yiddish contrasting decks demons @@ -10644,6 +18217,25 @@ orthopedic randomly skateboarding stressed +Albemarle +Alfredo +Aviva +Bound +Dolphin +Educated +Geographical +Hunger +Infinite +Madhu +Manny +Mayors +Nazareth +Reggae +Rockhampton +Steiner +Success +Uppsala +Wilfred arable boxoffice chancel @@ -10651,13 +18243,23 @@ compensate drafts environmentalist exceeds -k mates memoirs nominally roadway suggestions zombie +Agra +Chu +Clown +Cure +Dialog +Grayson +Larkin +Lawyers +Nasional +Sant +Waller asphalt cores cube @@ -10667,6 +18269,22 @@ progresses receptions spikes twoway +Boot +Canadianborn +Funding +Furniture +Galveston +Heartland +Jawaharlal +Nam +Salman +Shin +Spanishlanguage +Thane +Transmission +Valea +Waves +Wreck brokerage commentaries magnesium @@ -10676,6 +18294,19 @@ quartz referees regulators translate +Ahead +Baptists +Biotechnology +Braun +Colonies +Dizzy +Indus +Mahatma +Nonstop +Supercar +Travelers +Viacom +Vosges administering antiwar circulating @@ -10694,6 +18325,25 @@ psychic roadside touched transmits +Asimov +Bread +Canucks +Chairperson +Chicagobased +Cleopatra +Finger +Goldsmith +Ivor +Judas +Julio +Maguire +Painting +Palatine +Pick +Scunthorpe +Silurian +Tha +Unixlike angels bounds cryptographic @@ -10709,6 +18359,22 @@ summoned twodisk vomiting weaker +Catch +Childs +Falmouth +Glyphipterix +Hinton +Khmer +Monza +Personality +Prophet +Puebla +Remington +Robotics +Satan +Serena +Tahiti +Valais biosynthesis charters conductors @@ -10719,6 +18385,19 @@ spam specificity strengthened trombone +Bassett +Bronson +Bryn +Coolidge +Destruction +Dordogne +False +Hagen +Jens +Rahul +Regatta +Torre +Whether aristocratic cage centerback @@ -10736,6 +18415,16 @@ stealing straw symmetrical traps +Caesars +Eerste +Hardcore +Hutt +Kottayam +Mirage +Passaic +Ruben +Skull +Voyage envisioned helpful miner @@ -10743,10 +18432,25 @@ motorized prepares surgeons sweeping -t totalling vehicular volcanoes +Assurance +Axel +Birkenhead +Breeze +Bridget +Dimension +Forbidden +Imaging +Manifesto +Neocollyris +Premium +Sykes +Toro +Travancore +Triathlon +Turku alteration communion conform @@ -10763,6 +18467,23 @@ pumping refinery shiny stucco +Astor +Britishborn +Dad +Dundas +Ensign +Fallon +Fool +Gentleman +Hi +Immediately +Medicare +Moreton +Pinoy +Placid +Pvt +Whale +Wirral accordion acetate afternoons @@ -10778,6 +18499,26 @@ singleplayer sink subtype tails +Amazoncom +Bees +Bragg +Brownlow +Cake +Camille +Canning +Citrus +Clermont +Cochin +Composers +Eastbourne +Fairchild +Faye +Forster +Meade +Melton +Meyers +Relay +Solicitor amateurs aviator coinciding @@ -10787,6 +18528,22 @@ recommend tactic vectors vested +Bellamy +Castillo +Chelmsford +Crowe +Crush +Culver +Genetic +Joachim +Memories +Pal +Pointe +Sergei +Speakers +Strictly +Submarine +Wolff barangay camouflage convince @@ -10801,6 +18558,18 @@ specialties suppress surge tendon +Almaty +Diaries +Ghosh +Kettering +Lacey +Lam +Norm +Slovene +Stroud +Thorne +VoIP +Waco avid commencing enjoying @@ -10816,6 +18585,22 @@ sporadically telephony throws twodimensional +Apulia +Ban +Bernhard +Cterminal +Hybrid +Kale +Lausanne +Luftwaffe +Macys +Malayalamlanguage +Neo +Nursery +Prominent +Purchase +Rubber +Viktor airstrip anemia centerpiece @@ -10827,6 +18612,27 @@ rpm sailboat societys transports +Aging +Armada +Dorsey +Fabio +Frozen +Importance +Jarrett +Jody +Kandy +Laredo +Maastricht +Mahesh +Newell +Oct +Perugia +Question +Serge +Symptoms +Theres +Wolverines +Xinjiang accumulate adolescent celestial @@ -10845,6 +18651,24 @@ picturesque royalties staircase violating +Bagmati +Bayer +Berman +Blackhawks +Catarina +Dunne +Francesca +Genesee +Kazakhstani +Lukes +Mahal +Marietta +Melaleuca +Nandi +Ness +Rajiv +Swanson +Tunis antagonists archdiocese ascending @@ -10863,6 +18687,21 @@ tops transitions undergraduates wash +Bam +Blonde +Californian +Christs +Compass +Cosmos +Editorial +Frankish +Funeral +Jacobson +Kraft +Lantern +Mishra +Nazionale +Them abruptly angular balancing @@ -10878,15 +18717,29 @@ musically northbound postproduction rewards -singlemember spreads vase whaling +Bohemia +Chick +Computers +Doherty +Episodes +Gonzales +Hopewell +Jin +Judgment +Marguerite +Occupy +Peppers +Pieces +Sybra +Vicenza +Willoughby admired artifact bantamweight connective -couldnt forwards header hoax @@ -10894,6 +18747,23 @@ interfere panic partisan pastry +Aden +Carry +Cheese +Comfort +Fabian +Hahn +Ignatius +Integrity +Kat +Listening +Masjid +Myles +Okanagan +Pomona +Tammy +Till +Wessex accessing countless detectors @@ -10907,6 +18777,23 @@ peertopeer piers presses terra +Alta +Aquino +Arboretum +Asset +Cap +Citybased +Corona +Dial +Eritrean +Feet +Gym +Hershey +Paddington +Realms +Rhodesian +Smooth +Westport advising allergic arrays @@ -10919,6 +18806,17 @@ paralympic proud sclerosis televisions +Advertiser +Cam +Caves +Entrepreneur +Guilford +Kalamazoo +Mays +Mutations +Pages +Plata +Whitaker antennas bootleg conflicting @@ -10927,10 +18825,23 @@ genomic highestcharting interpersonal lowering -lowlevel outputs sloop truncated +Abacetus +Absolute +Cambria +Hepburn +Hibernian +Housewives +Imagine +Mauro +Medway +Mersey +Races +Schumacher +Tompkins +Visa abused arrests baron @@ -10944,6 +18855,26 @@ pancreatic reformer tagline trans +Acorn +Betsy +Bhushan +Feeling +Gabrielle +Kidd +Martyn +Miracles +Nurses +Opportunity +Orton +Palmerston +Parganas +Parkinsons +Schuylkill +Sint +Suez +Washburn +Wednesdays +Wired additive collateral danced @@ -10956,6 +18887,24 @@ snowboarder sticky triumph tsunami +Adriatic +Alistair +Amarillo +Andersons +Bohemian +Boogie +Buy +Camogie +Germanborn +Hunan +Italians +Juice +Mandir +Matheson +Sasha +Siegel +Sukumaran +Surat annexation bulletin callsign @@ -10974,11 +18923,23 @@ quotes ratification reclaimed sheltered -sq tracts transplantation twoday venerated +Accountants +Amphitheater +Bandar +Heard +Jedi +Medals +Missions +Mpumalanga +Prabhu +Qatari +Roadrunner +Sembilan +Tampere arranging bearings breath @@ -10995,6 +18956,22 @@ soninlaw standout swelling tailored +Aeronautics +Buxton +Centenary +Dahl +Fielding +Hindustani +Kano +Magdalene +Moffat +Prizes +Pullman +Researchers +Sandstone +Shelter +Stalin +Vriesea alloys apostolic colloquial @@ -11005,6 +18982,27 @@ orphan paternal sails winged +Assigned +Biathlon +Centro +Chiapas +Dil +Dungeon +Including +Instruction +Kenyon +Nterminal +Parents +Pilgrim +Rhondda +Richter +SLeague +Should +Torino +Trinidadian +Twelfth +Whitfield +Zamboanga autoimmune beloved cigarette @@ -11020,6 +19018,21 @@ smuggling spheres troubles turret +Adirondack +Churchs +Courage +Developmental +Genocide +Ibn +Lillehammer +Melaka +Merle +Mohanlal +Normally +Potts +Slough +Taxi +Ticino adapting affirmed arboretum @@ -11035,6 +19048,25 @@ intellectuals micro ordinance realworld +Ang +Benito +Cercle +Dakar +Dreamcast +Except +Filippo +Funds +Hawke +Karan +Kool +Lewes +Maps +Merrie +Neoclassical +Psychiatric +Robyn +Seniors +Ursula bodybuilder bombardment bulb @@ -11056,6 +19088,19 @@ proclamation reopen straightforward supplementary +Activity +Airplane +Bring +Bute +Cadets +Chiang +Esperanto +Guadalupe +Krishnan +Neill +Ofsted +Steamship +Walkers blanket darkness distinctly @@ -11075,6 +19120,30 @@ sitcoms spoof tutor washed +Appropriations +Astana +Astoria +Augustinian +Authorities +Bhubaneswar +Bret +Carmarthen +Comdr +Dinner +Eels +Featured +Hotspur +Kannur +Kyoto +Mabel +Martinique +Mayfair +Mohd +Penelope +Slaughter +Spalding +Sturt +Utilities bog buffalo ducks @@ -11088,8 +19157,21 @@ surreal swap synonyms tuned -twohour unrestricted +Bertrand +Boxer +Chongqing +Clemens +Demand +Gee +Guangxi +Informatics +Maluku +Narayana +Passport +Queer +Supervisors +Tradition bids cleric conspecific @@ -11105,6 +19187,14 @@ precursors sponsoring subtitle triathlete +Banksia +Cedric +Gopal +Heels +Modi +Phonographic +Redding +Winslow activate ambush analogy @@ -11125,6 +19215,22 @@ syrup unmarried venom wharf +Beatty +Casper +Caspian +Cochran +Curriculum +GCSEs +Havilland +Leopard +Lincolns +Maha +Obispo +Oliveira +Sanderson +Solidarity +Trechus +Tweed architecturally awaiting brokers @@ -11139,6 +19245,20 @@ nail patterned predator recession +Atom +Barrier +Bernardo +Cinematic +Cistercian +Davison +Gamma +Lugano +Ordinance +Ozark +Pigeon +Polaris +Trafford +Typhoon alleviate antennae bonding @@ -11153,6 +19273,18 @@ reforming stairs steroid tear +Argentinian +Concern +Drummer +Images +Ludlow +Lyman +Mono +Nirvana +Peer +Selby +Superfast +Tees absorb botany centenary @@ -11164,6 +19296,23 @@ notification planner plexus towed +Alcohol +Bertram +Commercially +Crows +Expert +Ferrara +Haines +Jimmie +Migration +Ortiz +Positive +Qualification +Rawalpindi +Roberta +Versailles +Yakima +Yarra bandmate cues drastically @@ -11183,6 +19332,24 @@ substantive suffers validation wiki +Aberystwyth +Adviser +Awakening +Classes +Dalhousie +Fiesta +Haskell +Keenan +Marsden +Metallica +Mont +Odostomia +Papal +Publication +Racine +Sardar +Watertown +Yosemite abusive alliances asthma @@ -11201,6 +19368,25 @@ sawmill selector stealth weakened +Blazers +Confessions +Councilors +Designs +Destination +Downey +Emmett +Germantown +Gilles +Holby +Maximus +ONeal +Participants +Pentagon +Russias +Shakti +Shanti +Supporters +Terminus brakes cranial ecumenical @@ -11214,6 +19400,27 @@ symptom tortured tyrosine uterus +Accounts +Annex +Banana +Daley +Doctrine +Het +Hodge +Humphreys +Interchange +Inventory +Jenna +Knowles +Mammootty +Medford +Microsystems +Paralympian +Philosophical +Scully +Theoretical +Walla +Weinstein adjustment aggregation casts @@ -11226,6 +19433,22 @@ solvents strands telegraph topography +Abuse +Aldershot +Atoll +Battles +Borden +Cavendish +Constituent +Desktop +Developers +Devonport +Dicks +Emilio +Gayle +Hampden +Lakeside +Trumps authenticity batter clustered @@ -11239,6 +19462,29 @@ monophyletic outcrops preaching pun +Allentown +Bergman +Biochemistry +Burnaby +Dempsey +Ellie +Gaul +Hampson +Hottest +Jew +Killers +Kozhikode +Loretta +Mandy +Opus +Platt +Plum +Poplar +Skate +Standardization +Tango +Telstra +Yuma avenue contention dancehall @@ -11253,6 +19499,31 @@ overlaps routed seldom strives +Amalgamated +Bougainville +Cline +Delaney +Deptford +Document +Fossil +Georgias +Ghetto +Gideon +Jameson +Maharaj +Marcia +Martyrs +Monarchs +Owl +Sargent +Selected +Solihull +Strings +Telford +Terrence +Vicente +Waldo +Weapon answered axes brightly @@ -11270,6 +19541,19 @@ sentencing spearheaded tattoo twentysix +Bash +Bassar +Capcom +Chaney +Fearless +Hells +Layer +Logie +Mammoth +Racer +Shepherds +Spark +Tex beads chefs commuters @@ -11284,6 +19568,20 @@ spike textual thats translators +Bachchan +Bloomsbury +Caucasian +Dare +Feminist +Guatemalan +Hospitality +Humanitarian +Ironman +Johanna +Robinsons +Sault +Singleton +Waterfront barge buildup cadets @@ -11295,7 +19593,6 @@ dictionaries duke fishery foreword -isnt justified leasing loach @@ -11307,6 +19604,18 @@ ultraviolet unconscious unpaid worthy +Aditya +Assemblies +Burrell +Collectors +Internationale +Marlon +Palakkad +Phoebe +Ringo +Seconds +Selkirk +Violent accountable advisors anesthesia @@ -11327,6 +19636,23 @@ singlefamily surveying undesirable wellreceived +Anwar +Bullock +Carters +Dart +Heller +Lazarus +Makers +Measure +Montenegrin +Officially +Protectorate +Rene +Renee +Romani +Sena +Southside +Thrones anticipation caring colon @@ -11347,6 +19673,33 @@ revamped saturated thirds warned +Academies +BTECs +Bag +Composition +Conservancy +Contract +Coyote +Decision +Erskine +Greenway +Hoosiers +Howards +Igbo +Isis +Meets +Nowhere +Patsy +Saeed +Scholastic +Shiv +Spot +Surinamese +Textile +Torrens +Variations +Venu +Wanda bipolar buckwheat concerto @@ -11356,6 +19709,29 @@ hepatitis lent outsourcing thrush +Airlift +Character +Concrete +Crimea +Custer +Donnie +Drexel +Foundry +Hkamti +Jolly +Kishore +Leland +Maxim +Modena +Problem +Rensselaer +Salim +Silverstone +Solaris +Terrell +Thinking +Trondheim +Vodafone expatriate lifeboat mock @@ -11364,6 +19740,19 @@ networked overwhelmingly profiled summits +Dharma +Fords +Ganga +Likewise +Lisp +Nuremberg +Porta +Ramakrishna +Siberian +Takes +Tun +Ubuntu +Vocalist amend bandy breeder @@ -11384,8 +19773,25 @@ princes propose redesign wargame -witchcraft workings +Beale +Citizenship +Dobson +Dune +Enid +Erickson +Ferreira +Frazier +Hawker +Holm +Huston +Mainz +Malayan +Physiology +Pitch +Rizal +Voodoo +Wax arrange bust depressed @@ -11405,6 +19811,21 @@ prosecutors rebranding sociological withstand +Abe +Adjunct +Alternate +Bourbon +Broadcasters +Coney +Correspondent +Editions +Kawasaki +Magpies +Maverick +Mecca +Moons +Novels +Proposition accelerator bookstore burrowing @@ -11427,6 +19848,25 @@ routers theoretically twisted unpopular +Armenians +Bosco +Childhood +Confession +Consul +Corruption +Darius +Grill +Haifa +Keane +Kenton +Lecture +Mirren +Panhandle +Rabbitohs +Rayon +Sad +Stratton +Valleys archaic benefited bite @@ -11443,6 +19883,32 @@ reinforcements scam upperside weighing +Alaskan +Attached +Attorneys +Battista +Curran +Daphne +Decade +Does +Dub +Finding +Gaga +Grady +Hickman +Leyland +Lucerne +Marching +Marvels +Patil +Piece +Skip +Styles +Symposium +Trieste +Vaud +Wheaton +Wheeling amphitheater biomass cytoplasm @@ -11463,6 +19929,26 @@ questioning recurrent spaceflight tremendous +Agencies +Aidan +Arrondissement +Bermudian +Bradbury +Campo +Forensic +Gong +Gough +Impossible +Israels +Landes +Legendary +Maarten +Mata +Milo +Pennsylvanias +Ranga +Rue +Wick anemone assign audiovisual @@ -11481,6 +19967,26 @@ twentyfirst upland watercolor woodpecker +Aachen +Amar +Becky +Blyth +Clube +Conduct +Conor +Foreman +Fujian +Institut +Lehman +Lucille +Malawian +Narendra +Remains +Skye +Stoney +Surgeon +Tape +Yokohama bicolor buys collagen @@ -11492,6 +19998,21 @@ esthetically inspirational outtakes referendums +Alsace +Balfour +Bat +Blank +Calvary +Champ +Hendricks +Macclesfield +Partridge +Pinto +Priscilla +Rosenthal +Walloon +Wheelchair +Wonders altering atypical balcony @@ -11509,6 +20030,29 @@ pursuant upbeat violate wavelength +Asher +Babies +Beethoven +Bette +Button +Claims +Curt +Haute +Ideas +Jermaine +Kennedys +Neumann +Olympus +Partick +Pennington +Pub +Snowy +Stearns +Swords +Turkic +Wicklow +Worthington +Yours blister bowel compiles @@ -11529,6 +20073,39 @@ subSaharan subtribe traverses venous +Abd +Bahamian +Broward +Caicos +Cesar +Crook +Dharwad +Emilia +Frame +Frisian +Govt +Grimm +Investigator +Jobs +Johansson +Leah +Loma +Metz +Navarro +Northrop +Oligocene +Pathology +Pressure +Radios +Rusty +Skies +Smyth +Staples +Surveillance +Vincenzo +Voting +Warp +Windham acknowledge bribery bside @@ -11544,6 +20121,28 @@ obliged riff statistician steamboat +Andromeda +Aur +Automation +Bridgend +Costume +Cray +Dearborn +Farley +Ganesan +Lockwood +Locus +Majors +Mosley +Panzer +Precinct +Put +Rodrigues +Roxy +Trypeta +Vengeance +Vicki +Westside alkaline consuming divergent @@ -11559,6 +20158,22 @@ reopening revelation signage swift +Adamson +Burrows +Charley +Eleventh +Fabulous +Fifty +Hainan +Kanawha +Mustafa +Osbourne +Paxton +Prisoner +Saba +Soup +Tapes +Truro annex asymmetric colliery @@ -11574,6 +20189,28 @@ saber timely vagina viola +Belleville +Caine +Catharines +Cooking +Entrepreneurship +Governing +Gwen +Hatton +Honduran +Jonah +Muller +Narayani +Regal +Renewable +Robb +Souza +Stonewall +Toms +Traveling +Traverse +Twickenham +Vidyalaya adhesive apples asserts @@ -11593,6 +20230,22 @@ smokehouse southerncentral terrace undercarriage +Abuja +Accordingly +Amin +Aztec +Damned +Devine +Doctorate +Dorcadion +Jesuits +Lyric +Mesopotamia +Mira +Nikolai +Socialists +Wiener +Yuri arrow attackers biochemist @@ -11602,7 +20255,6 @@ collegiately convoys counterterrorism criticisms -fivetime forever ghosts grunge @@ -11611,14 +20263,30 @@ headquarter homemade lender neuroscientist -nightclubs photojournalist pilgrims relaunch sightings spellings -tenyear toe +Bomber +Crockett +Drawing +Epitaph +Forty +Gopi +Grupo +Huang +Isla +Montague +Moonlight +Provo +Rhinos +Thieves +Tuesdays +Tuscan +Vanity +Yoruba abducted avoidance copying @@ -11636,6 +20304,28 @@ socket successively trillion twentythree +Alastair +Breakthrough +Cumulus +Dish +Erasmus +Ghulam +Grades +Grantham +Hertford +Hillsboro +Humans +Identification +Jasmine +Levels +Liberties +Mathis +Namco +Niue +Pasha +Regan +Scottsdale +Volcano accelerate behindthescenes climbers @@ -11645,6 +20335,30 @@ relieved repeal rhyme shootout +Abilene +Afternoon +Beavers +Connors +Driving +Dusty +Effective +Gers +Hayley +Hungry +Impulse +Indonesias +Leningrad +Psalm +Rockstar +Stamp +Tamara +Tempe +Trout +Westmeath +Winona +Wyndham +Yan +Zealanders banning bodily coarse @@ -11663,6 +20377,34 @@ toilets vivo windmill yachts +Abingdon +Alert +Bostons +Brahmin +Came +Carly +Ceremony +Cheap +Clintons +Clivina +Darfur +Devices +Diversity +Elle +Fanny +Josiah +Leaving +Mildred +Murphys +Nobody +Praise +Ravenna +Ric +Rockland +Roswell +Threat +Wheat +Yves bristle complained cosmology @@ -11678,6 +20420,20 @@ restaurateur rotate simplify terminating +Alba +Audit +Banerjee +Bit +Brownsville +Commissioned +Galactic +Lepidoptera +Parton +Philipp +Ponce +Psycho +Raman +Seri audiobook bail boiling @@ -11698,6 +20454,32 @@ props reptile tomatoes verbs +Accord +Adolph +Adoor +Armando +Blackwood +Castleford +Caulfield +Conversely +Fernandes +Fran +Hanoi +Jatiya +Lacy +Leyte +Lime +Linnaeus +Meteorological +Nueva +Placement +Proctor +Upazila +Waterhouse +Withers +Wrights +Yusuf +Zimmerman birch cassava disrupt @@ -11707,6 +20489,27 @@ milling pod predictive schema +Bateman +Commuter +DoD +Ecological +Eminem +Evanston +Filipina +Fourteenth +Gaon +Kepler +Kiran +Kirsten +Lana +Latina +Mueller +Orson +Pagan +Pairs +Somaliland +Sumter +Winfrey coinage compile dice @@ -11718,7 +20521,6 @@ horned hummingbird jack molded -q saga stabilization stunts @@ -11726,6 +20528,14 @@ subscriber surprised thirdlargest upload +Aylesbury +Codex +Ernesto +Firm +Partido +Significant +Umbria +Uprising abandonment cocoa deeds @@ -11742,6 +20552,26 @@ pledge realization thinkers voicing +Ababa +Britton +Cassandra +Dubuque +Epstein +Hang +Homo +Ivorian +Jaffna +Kearney +Livermore +Majesty +Marston +Palawan +Presentation +Puducherry +Revolt +Smithfield +Smokey +Stuff announce barns breakout @@ -11762,6 +20592,32 @@ restrictive revue selectively supplemental +Arturo +Budd +Deans +Derwent +Desai +Diet +Dietrich +Dwayne +Excel +Freud +Glee +Guillermo +Hemingway +Hyatt +Leather +Lips +Mal +Mariano +Martian +Neath +Oswego +Professorship +Pryor +Rihanna +Trails +Vocals bonded cytoplasmic deterioration @@ -11778,6 +20634,20 @@ singerguitarist singleengine subgroups telephones +Adair +Barbadian +Brahmins +Component +Coop +Creations +Device +Holder +Inferno +Kellogg +Lorne +Ormond +Sailor +Tragedy armament arson beech @@ -11793,6 +20663,28 @@ retaliation tabletop transcribed vegetarian +Aitken +Attic +Bai +Bianca +Bug +Cause +Composer +Coordination +Cutler +Davy +Exodus +Find +Gainsborough +Guiding +Horseshoe +Knife +Maud +ONeil +Seals +Vinci +Waterman +Winton actin assemblage bride @@ -11815,6 +20707,34 @@ snowboarding unsigned vertex whorls +Allens +Ally +Andrei +Beech +Cheung +Covered +Did +Gifford +Hudsons +Hulu +Joes +Keaton +Lon +Lulu +Mooney +Nantes +Oregons +Refugee +Rolls +Sreekumar +Theodor +Thessaloniki +Twentieth +Una +Virgil +Wagon +Welles +Wynn adventurer descends detectives @@ -11830,6 +20750,26 @@ plaques sac selfhelp stables +Asbury +Ashby +Ceredigion +Codes +Deane +Devonshire +Dual +Elachista +Gees +Innocence +Jacks +Lung +Murali +Niles +Peaks +Publisher +Returning +Ripon +Rouse +Tipton clauses confusing distinctions @@ -11846,6 +20786,29 @@ programmable sibling subsidies sugarcane +Colby +Delgado +Enlightenment +Ethnic +Faroe +Gaines +Gallen +Gonzaga +Grain +IIs +Iqbal +Karin +Kumari +Lethbridge +Lovecraft +Mahmoud +Mosaic +Rasmussen +Repertory +Sapporo +Sheen +Tanganyika +Woodside bet cooler eels @@ -11865,6 +20828,27 @@ selfproduced stalk swallowtail urgent +Bardhaman +Cabot +Darcy +Deccan +Entrance +Gustavo +Heineken +Hermitage +Hydra +Jagger +Jerseys +Lukas +Marius +Mifflin +Mullins +Noor +Roscommon +Scandal +Spielberg +Thakur +Tolkien balloons bloc drowned @@ -11878,6 +20862,32 @@ scuba summers surfer uptempo +Adapted +Aldo +Bahraini +Bolt +Champaign +Decker +Diagnosis +Estadio +Estuary +Farnham +Harald +Henrys +Independents +Lai +Mukesh +Recognition +Responsibility +Rubens +Sabrina +Somewhere +Superliga +Todays +Tranmere +Vidya +Vulcan +Zeus abolitionist applicant barangays @@ -11893,6 +20903,30 @@ shotgun stain thorough townsite +Adi +Allman +Berber +Burnside +Connect +Coopers +Cost +Desperate +Diplomatic +Goat +Graz +Janes +Muscle +Piers +Reign +Riverdale +Saddam +Scala +Shahid +Shree +Soto +Tobin +Trauma +Windmill airspace answering brewed @@ -11901,7 +20935,6 @@ discharges empowered enthusiastic excelled -halftime lithium modem pamphlet @@ -11911,6 +20944,25 @@ telecom terraced thrillers translating +Augusto +Berks +Britney +Bunker +Carlow +Cheney +Esquire +Lawton +Methods +Millard +Norwalk +Oates +Polynesian +Rajan +Reliance +Surprise +Travers +Whistler +Whyte boiled charismatic costar @@ -11938,6 +20990,27 @@ sweat turbulent viaduct wifes +Acre +Akwa +Australianborn +Bethany +Boyce +Cane +Chalk +Crooked +Deepak +Delivery +Erika +Iloilo +Jazeera +Joplin +Juris +Melinda +Moral +Royale +Silverman +Stud +Troops adjective attaining clinically @@ -11961,9 +21034,23 @@ pressings prostitute scent stature -toptier trademarks transnational +Akkineni +Anguilla +Bonner +Breda +Drayton +Exile +Grosso +Hamish +Lewisham +Malaysias +Mithun +Privacy +Sammarinese +Sandown +Woodbridge alleging clues dynamically @@ -11976,9 +21063,23 @@ parenting permitting regulars reluctant -strengths theyre undeveloped +Asha +Baum +Bellingham +Breakers +Cohn +Debut +Fawcett +Ionic +Location +Maximilian +Notts +Packet +Peebles +Surabaya +Trusts artificially constructions constructive @@ -11993,6 +21094,29 @@ salaries skyscrapers subsumed warnings +Bitter +Brandt +Bratislava +Burgundy +Championnat +Disabilities +Englishman +Fermanagh +Grenoble +Hornet +Langford +Latham +Malian +Pageant +Peyton +Ranchi +Redemption +Routledge +Someone +Stagecoach +Steward +Templar +Thermal analytic antiinflammatory auditions @@ -12008,6 +21132,32 @@ retina rockabilly systematically yarn +Awareness +Basie +Bilbao +Bluetooth +Brush +Caravan +Cerro +Crosse +Emile +Entertainments +Halton +Himalaya +Historians +Letterman +Lockhart +Log +Lyn +Maldivian +Mecklenburg +Merthyr +Nilsson +Problems +Riddle +Siva +Thunderbirds +Warm conversions curricula dug @@ -12028,6 +21178,26 @@ rotated searched terminates token +Ambassadors +Bain +Concept +Contrary +Destroyer +Dunlap +Evolutionary +Guitarist +Ibom +Jun +Mauritian +Montclair +Natalia +Orbit +Palais +Parishad +Superleague +Which +Windhoek +Woodruff codenamed comet conserve @@ -12037,7 +21207,6 @@ excerpts extracurricular fig flux -fourpart freestanding grayish hearts @@ -12047,6 +21216,31 @@ rarity salad sights twoman +Barisan +Cessna +Charlestown +Contra +Creighton +Deaflympics +Dodoma +Durga +Excelsior +Functional +Investigations +Kruger +Locust +Millwall +Noida +Overland +Pact +Pollock +Powder +Rowley +Sloane +Speak +Tempest +Torrance +Villages archived chaotic desires @@ -12060,6 +21254,27 @@ shootings silvers sunset transcripts +Aliens +Bancroft +Cantonese +Chong +Coat +Cousins +Cutting +Dieter +Edmonds +Gambian +Nigerias +Olympique +Owls +Planck +Rajkumar +Temporary +Tough +Trustee +Verma +Viaduct +Wilfrid breweries calm causal @@ -12076,7 +21291,34 @@ pillar priced stalls transformations -wavelengths +Andres +Armand +Balmain +Barking +Callahan +Camel +Champagne +Damage +Details +Disorders +Enteromius +Export +Fundamental +Gianni +Guildhall +Hess +Instant +Leyton +Nail +Petit +Pixar +Royalist +Saleh +Silvio +Taj +Tajik +Timber +Williamstown auditioned blooms damp @@ -12092,6 +21334,34 @@ spinoffs sportsperson steeply valuation +Admission +Ankara +Assamese +Atherton +Aude +Bye +Delft +Feather +Fidelity +Fleischer +Fonda +Frans +Getting +Hendrik +Introduction +Juilliard +Leach +Longhorns +Loren +Marconi +Oberea +Palghar +Pediatric +Ruiz +Serving +Structure +Waltz +XFiles authoring consulates copyrighted @@ -12107,10 +21377,33 @@ hats innate interwar jure -oz refurbishment sizable textures +Bald +Breed +Bullets +Carney +Carpenters +Chalmers +Clouds +Coyotes +Dutta +Examinations +Genome +IBMs +Irvin +Jalisco +Karma +Matador +Modified +Nagano +Orne +Pliocene +Print +Revision +Shift +Tirunelveli benches blenny calendars @@ -12129,6 +21422,21 @@ showrunner synod synthase virtualization +Bakers +Bayan +Cato +Collin +Diablo +Dreaming +Franciscos +Immortal +Innes +Lowry +Precious +Salinas +Sergey +Stampede +Winthrop antigens assemble australis @@ -12147,6 +21455,20 @@ illustrating jumps reliance transistor +Alexa +Ari +Calumet +Dolores +Fingers +Hawley +Kelsey +Mari +Millar +Nails +Novak +Shoot +Sturgeon +Sweat admit attends baptism @@ -12171,6 +21493,34 @@ sleeves spark thoroughly timed +Alden +Aquarium +Ballad +Besar +Bodies +Brody +Bundaberg +Charente +Coates +Consultant +Cuyahoga +Cyclone +Duval +Glenelg +Italiana +Jayne +Metcalfe +Nye +Salon +Specific +Stapleton +Susie +Temptations +Tito +Torch +Virgo +Whiting +Zorn appealing assortment benchmark @@ -12191,6 +21541,21 @@ socks sporadic veto wise +Angie +Brookfield +Clarendon +Filipinos +Montreux +Oakley +Procedure +Raton +Redman +Schistura +Schulz +Sud +Trafalgar +Underworld +Weimar abduction behave clarinetist @@ -12212,6 +21577,19 @@ stricken subsidized surprising tiein +Bonds +Brecon +Cellular +Guyanese +Him +Ike +Lantz +Mississippian +Spurs +Structural +Taranaki +Troubles +Valentino additives assert bearers @@ -12227,6 +21605,30 @@ puppets relaxed unreliable winters +Baden +Cases +Check +Croke +Delphi +Errol +Eternity +Hanks +Hellenistic +Jumping +Kristian +Liaoning +Marta +Min +Nicks +Odia +Potsdam +Sly +Svalbard +Trucks +Valiant +Visayas +Widnes +Zombies biopic casualty chronicling @@ -12245,6 +21647,39 @@ stabilize tastes toes tractors +Aegean +Average +Bennington +Blanchard +Britt +Dundalk +Endless +Etruscan +Fantasia +Fredericton +Funky +Gracie +Jong +Kaur +Kelso +Medici +Milligan +Molina +Oshawa +Osman +Poles +Priority +Pseudomonas +Raoul +Really +Rotary +Sonys +Sven +Templeton +Townshend +Transitional +Woodford +Yogyakarta analgesic annular communism @@ -12261,6 +21696,28 @@ stallion supremacy validated yielding +Amadeus +Bourke +Bowers +Cantonment +Celtics +Coco +Darjeeling +Dolichoderus +Engines +Friars +Humble +Lick +Mein +Might +Outreach +Pale +Rachael +Recorder +Reggio +Seventeen +Shade +Viareggio battling bottled confession @@ -12285,6 +21742,31 @@ skins socialite streamlined wolves +Arroyo +Bard +Biodiversity +Caladenia +Cattle +Chand +Collaboration +Dortmund +Freedoms +Grumman +Harman +Helmut +Heron +Libre +Mahabharata +Marlboro +Marlene +Pak +Rhapsody +Rideau +Sprague +Toll +Trier +Tyneside +Warrant aquaculture astrology banknotes @@ -12298,7 +21780,6 @@ enslaved footsteps mango mason -mi misuse orchestrated palsy @@ -12308,6 +21789,27 @@ sidings spire sterile subregion +Arya +Ayres +Brest +DirecTV +Geology +Gonna +Greeley +Handel +Heavenly +Instrument +Jiangsu +Loudoun +Lusaka +Mannheim +Messiah +Olfactory +Pot +Signature +Strathclyde +Vijaya +Zoological amounting aristocracy chapels @@ -12328,6 +21830,27 @@ stemming tectonic trademarked waist +Amusement +Asias +Aube +Beattie +Blades +Causeway +Ciudad +Epping +FreeBSD +Kamloops +Kootenay +Machinery +Merchants +Oakville +Reflections +Rink +Rooms +Shoals +Surfers +Thorn +Vicky apical bananas carvings @@ -12345,6 +21868,25 @@ pulses recaptured recreate tortoise +Amtraks +Balance +Barbie +Builder +Calliostoma +Camilla +Denison +Devin +Dress +Gandaki +Grevillea +Loan +OMalley +Patch +Sal +Spruce +Theban +Tune +Woodbury aeronautical affinis alkaloid @@ -12372,6 +21914,21 @@ urbanization vacancies vivid viz +Anatolia +Barony +Bushs +Characters +Eno +Groves +Guests +Hewlett +Inca +Mato +Mavericks +Mott +Parkinson +Starz +Throw aerodynamic alcoholism childless @@ -12393,6 +21950,34 @@ recommends sewing sidescrolling titanium +Abigail +Acharya +Bazar +Bunch +CPUs +Cartwright +Cosmopolitan +Deerfield +Dunkirk +Ferns +Fredericksburg +Furman +Gators +Gwent +Habsburg +Halle +Hirsch +Huey +Kashmiri +Madeline +Metacritic +Naidu +Rubus +Serpent +Swifts +Tarn +Tijuana +Wynne aegis breeders cabbage @@ -12421,6 +22006,19 @@ theorists transatlantic treasury wiring +Angle +Bainbridge +Balls +Beaches +Ezekiel +Gleason +Graf +Kirkwood +Lister +Mina +Patients +Rocco +Treviso adjoins badges cascade @@ -12444,9 +22042,36 @@ prohibiting sake seawater sheriffs -sixpart variability visions +Anonymous +Balaji +Bello +Boland +Brixton +Closer +Composed +Courses +DCs +Debate +Ernakulam +Falklands +Fergus +Flotilla +Freak +Galician +Gorman +Isabelle +Kala +Klang +Llanelli +Lumber +Martino +Requiem +Sunda +Tablelands +Tunbridge +Valor acrylic arcades certainty @@ -12458,10 +22083,32 @@ manifesto metrics navigational pejorative -se sequenced triggering westbound +Amazonas +Boon +Bungalow +Charlottetown +Chisholm +Combs +Cuthbert +Dent +Egyptians +Empty +Haydn +Ignacio +Kick +Lucien +Minerva +Parr +Radford +Royce +Scrabble +Statesbased +Terri +Tomatoes +Voluntary astrophysics beard blacksmith @@ -12469,7 +22116,6 @@ consulate dictator dieselelectric evaluations -firstround gloves gossip intercourse @@ -12485,6 +22131,25 @@ protruding roundabout slab tick +Aiken +Aleppo +Aqua +Avondale +Barnstaple +Curtiss +Females +Humanity +Investors +Journalist +Juneau +Mattel +OKeefe +Oahu +Pipeline +Saline +Shaanxi +Succession +Uxbridge adopts advertisers asteroids @@ -12501,13 +22166,33 @@ spouses toolkit topflight workflow +Aquinas +Ballantine +Cola +Concepts +Gospels +Habitat +Haggard +Jodhpur +Kieran +Kowloon +Magdalena +Milestone +Mole +Mud +Nas +Pristimantis +Representation +Rishi +Riviera +Throne +Versions accommodations averages biologists compilers cracks fined -iHeartMedia intending intervening isotope @@ -12517,6 +22202,30 @@ palate slam tussock undergoes +Aladdin +Bombing +Christies +Columbias +Cradle +Dulwich +Dwyer +Ellsworth +Euphorbia +Historia +Hutchison +Kosi +Nightingale +Novi +Paleolithic +Panamanian +Patient +Potato +Results +Rhythmic +Shades +Shoe +Subiaco +Webcom attendant bathroom booster @@ -12538,6 +22247,31 @@ shipment stalled topological whorl +Badger +Bergamo +Cummins +Fiber +Finley +Hanley +Hollis +Horizons +Hubei +Idea +Indigo +Isa +Maccabi +Nijmegen +Pharaoh +Queenstown +Rooster +Scratch +Signs +Squire +Taurus +Vilnius +Voss +Walmart +Wards budgets cellar cephalopod @@ -12564,6 +22298,37 @@ strategically subscriptions symmetric tomography +Acquisition +Alonso +Bantam +Cha +Chaudhary +Colgate +Cristina +Dating +Element +Forza +Hispaniola +Katha +Maclean +Mahmud +Marketplace +Mathias +Moro +Myself +Plenty +Preakness +Push +Racers +Rip +Scotties +Shaker +Skiing +Traction +Trujillo +Whiskey +Whitehorse +Worms alley antitrust blackish @@ -12581,10 +22346,35 @@ relaxation repetition separatist unsuitable +Asturias +Babe +Bhasi +Corinthian +Cosby +Covent +Fans +Forrester +Furnace +Hannover +Healthy +Herrera +Marist +Mendocino +Menzies +Outlaw +Pelham +Renfrewshire +Rockville +Roxbury +Saracens +Sci +Shelly +Statutory +Veteran +Westlake accompanies aiding amplitude -ax borrowing brig captives @@ -12610,6 +22400,30 @@ spliced sulcus volunteered wonder +Austen +Autism +Bruges +Bulldog +Clippers +Founders +Foxs +Fukuoka +Galle +Herring +Klan +Meena +Norbert +Objects +Olaf +Precision +Primitive +Reis +Renfrew +Scorpions +Signals +Stewarts +Surgical +Viper airfields analogs arithmetic @@ -12621,7 +22435,6 @@ dubious emulator fared festivities -fourstory hind massage molds @@ -12632,9 +22445,37 @@ peacetime polytechnic prevailed recalls -secondtier sheer thief +Acrocercops +Akhtar +Alderman +Annals +Anson +Antelope +Carex +Carlyle +Carrington +Chadwick +Cooks +Diva +Eugenia +Examiner +Follow +Hogg +Horowitz +Jakob +Larvae +Lewiston +Osteopathic +Realm +Roc +Tay +Ticket +Tramway +Transition +Visitor +Zimmer bathing bracts draining @@ -12651,6 +22492,36 @@ slapstick weighted welldefined yearlong +Aerial +Brant +Eduard +Hidalgo +Iyer +Jeffery +Johnstown +Levu +Malappuram +Mimi +Oldfield +Paleocene +Pemberton +Planetary +Premiers +Reconciliation +Saurashtra +Selma +Sept +Seti +Shining +Sight +Simply +Stu +Sumerian +Swedens +Turning +Vida +Westland +Worker booked centerright courthouses @@ -12668,6 +22539,29 @@ scaling seekers symbolism viper +Aechmea +Batu +Buick +Builders +Butterfield +Curtin +Dagenham +Grossman +Horticultural +Insane +Kalyan +Limits +Millions +Oberlin +Oncology +Owners +Sharjah +Sree +Thanks +Tiruchirappalli +Trident +Vauxhall +Winnebago arrows aspirations bytes @@ -12687,6 +22581,28 @@ refining tense tipped transduction +Bent +Campbells +Changing +Clarion +Cocoa +Endeavor +Forms +Hamlets +Haywood +Madsen +Nationalities +Parnell +Pedersen +Pennine +Pleas +Plummer +Rolex +Seaboard +Segal +Stillwater +Valve +Wait appropriately bedrock clarity @@ -12703,6 +22619,32 @@ reel reply tyrant weeklong +Alamo +Anuradhapura +Blow +Brabham +Broome +Ear +Fifteen +Gwangju +Hoffmann +Huff +Instagram +Jutland +Kinross +Maj +Mart +Marylands +Monkeys +Palin +Prima +Prisons +Reza +Separate +Sherry +Sire +Thriller +Turners academically bobsleigh canons @@ -12722,6 +22664,34 @@ spruce threaten turban volutes +Agenda +Arusha +Avatar +Balinese +Clostridium +Debian +Dyson +Edo +Everyone +Fatima +Jang +Janis +Layton +Licensing +Liza +Meyrick +Missoula +Morecambe +Mostly +Mushroom +Postgraduate +Razor +Riccardo +Rust +Soviets +Speaking +Sustainability +Vargas approximation arcs bulbul @@ -12743,6 +22713,40 @@ shafts sighted souls subprefecture +Aldridge +Avro +Dartford +Deportivo +Docklands +Gala +Gilmour +Guillaume +Inspection +Jagathy +Kline +Lucie +Mawr +Medicaid +Mojo +Murders +Muriel +Narrative +Nazarene +Negative +Nelly +Osborn +Painters +Pandey +Paradox +Penobscot +Ramirez +Savior +Schenectady +Sources +Thompsons +Torpedo +Wolverine +Yorke alludes ammonia aristocrat @@ -12757,11 +22761,34 @@ officio patriarch playlist renditions -ss subterranean trainee trunks zoning +Asiatic +Aspergillus +Bel +Bela +Condor +Dato +Deck +Elmore +Enix +Findlay +Gila +Habib +Leamington +Leung +Lionsgate +Moresby +Mountaineers +Mullen +Outlook +Pottery +Shandong +Stack +Tennant +Wadi cleanup clerical constrained @@ -12771,7 +22798,6 @@ disbandment disseminate homology hooks -il incidental interrupt journalistic @@ -12788,13 +22814,37 @@ rustic vesper viewership walkers +Arne +Benefit +Blackstone +Boniface +Charters +Clemente +Display +Eau +Francois +Gemma +Goss +Kangxi +Measures +Millionaire +Mora +Nebria +Niels +Ponte +Puzzle +Refugees +Revue +Samar +Sedgwick +Tau +Westmorland admits bans benefactor bulbs buyout censored -firsttime fluctuations inherently landscaped @@ -12811,6 +22861,28 @@ singleengined suspicious urging zoology +Athena +Buckeye +Cleary +Comanche +Constellation +Conventions +Frontiers +Fuji +Gottlieb +Historian +Huber +Jock +Politician +Questions +Republics +Riverview +Secure +Sonata +Starship +Strength +Videos +Waldorf anesthetic ascribed basalt @@ -12824,10 +22896,34 @@ funerary indices laundering premiering -r secretariat sheds wideranging +Aunt +Ballads +Barclays +Bender +Benevento +Boyer +Bubble +Collector +Engagement +Evangelist +Fires +Giulio +Gomes +Henrietta +Lansdowne +Linz +Madre +Minerals +Moments +Parti +Rea +Ryde +Shivaji +Somebody +Supremes arisen baseline fulfilling @@ -12837,17 +22933,36 @@ hoverfly industrys maneuvers melt -nu outpost reunite reusable -sa summarizes tariffs versatility vol weighed withdrawing +Anastasia +Arbuckle +Ask +Associazione +Chautauqua +Curator +Lunch +Maurizio +Minh +Offshore +Pluto +Pontypridd +Portions +Predator +Serra +Sigmund +Tongue +Universidad +Utility +Vertical +Winger aground aortic asbestos @@ -12874,6 +22989,31 @@ snap spawning stimulating updating +Argo +Artemis +Blossom +Chowdhury +Cortez +Cramer +Danes +Defenders +Grosvenor +ITVs +Marcello +Mulligan +Paschim +Penitentiary +Pitts +Raspberry +Renewal +SaaS +Schubert +Seinfeld +Sycamore +Tattoo +Valentines +Values +Wheatley adapter attribution constitutions @@ -12898,6 +23038,37 @@ thinks tokens torch winnings +Amitabh +Amor +Designers +Done +Enzo +Fairgrounds +Farrar +Frederik +Grundy +Hound +JayZ +Lanark +Linton +Listen +Mao +Massive +Matches +Mendes +Padang +Paraguayan +Pattern +Rainier +Ratnagiri +Scipio +Screaming +Sgt +Sheehan +Tabernacle +Thierry +Warhol +Yeovil adorned bloody boilers @@ -12920,8 +23091,27 @@ surgeries syntactic transcriptional triggers +Anarchy +Brigitte +Coordinating +Corbin +Edwardian +Enoch +Fang +Farewell +Heaton +Homicide +Humanist +Lackawanna +Maines +Nan +Ohios +Parlophone +Samaj +Sidi +Smoky +Specialty anthropological -aqueous cessation compromised coping @@ -12930,7 +23120,6 @@ diagnostics dispatched evangelist farmed -h helmets launcher leftist @@ -12945,6 +23134,31 @@ stuffed talked viability westcentral +Aguilera +Amritsar +Atchison +Cab +Circular +Consultative +Getty +Hebrides +Imagination +Isaacs +Luc +Malays +Moira +Moseley +Prizewinning +Ralston +Schuyler +Tianjin +Tramways +Warhammer +Weldon +Winds +Winnie +Worshipful +Zaire bacon clad clover @@ -12971,6 +23185,41 @@ spice stimulated strawberry upstate +Analytics +Aristotle +Asimovs +Athenian +Bundestag +Catania +Champlain +Christophe +Coconut +Counseling +Curb +Dawkins +Dix +Gino +Horatio +Jos +Khaled +Lowland +Makati +Nicki +Ojibwe +Pliny +Proud +Ramachandran +Reviewers +Seward +Shady +Swinton +Vault +Vexillum +Wants +Whitworth +Wiseman +Wooden +Wye antidepressant approx ascended @@ -12996,6 +23245,31 @@ posture refrain terraces waived +Adrienne +Composite +Corning +Durango +Essen +Franconia +Gems +Godfather +Hut +Journals +Kinshasa +Magical +Mahendra +Manu +Mitchells +Nexus +Ombudsman +Proclamation +Qikiqtaaluk +Radiation +Ramones +Registrar +Saab +Simulation +Sulfur adjustable agrees attire @@ -13014,6 +23288,31 @@ vague vegan watt witches +Anglo +Chew +Dario +Fokker +Gallipoli +Hundreds +Insight +Kelowna +Lava +Lovely +Mekong +Mogadishu +Mulder +Niall +Observation +Papilio +Railroads +Saber +Surveyor +Suva +Tagore +Topics +Vito +Wee +Zaragoza aphid astrophysicist bandmates @@ -13047,6 +23346,30 @@ registering standoff transcontinental wrought +Automated +Belinda +Bombardier +Climax +Corman +Enchanted +Henan +Jalandhar +Kia +Kinabalu +Magistrate +Masons +Parrish +Psilocybe +Riggs +Roof +Schofield +Somers +Susanna +Taman +Tap +Timberlake +Tomlinson +Winkler assimilation asymmetrical codename @@ -13064,6 +23387,33 @@ sparrow stipulated unorganized wired +Blackwater +Cactus +Chevy +Constant +Coupe +Creatures +Crichton +Degrees +Diplomacy +Docks +Ennis +Fatty +Finlay +Herkimer +Holbrook +Javed +Kellys +Landis +Lighting +Marcelo +Monticello +Occitanie +Opinion +Pugh +Renegades +Steinberg +Vigo aggregator antimicrobial biting @@ -13085,6 +23435,39 @@ restarted stole subsurface typhoon +Addiction +Audubon +Berklee +Bloemfontein +Burial +Chords +Faisal +Fatal +Greta +Harrisons +Justine +Lerner +Lizzy +Mau +Montagu +Mycobacterium +Myitkyina +Napoli +Padilla +Pensions +Phish +Relapse +Runaway +Smaller +Stout +Stubbs +Superstars +Tiberius +Turing +Udaipur +Venkatesh +Vivek +Waverly advisers afforded agaric @@ -13118,6 +23501,32 @@ supernova synaptic twentyseven undertakes +Arthurs +Assisi +Brandeis +Connelly +Corporal +Erode +Fond +Granger +Litchfield +Lovell +Lux +Lyme +Parkes +Played +Promotions +Raza +Shops +Sivaji +Smiley +Stardust +Strikeforce +Televisa +Toulon +Univision +Violin +Wadsworth ale amplification announcers @@ -13154,6 +23563,34 @@ tendencies triangles umpired unsafe +Amur +Andersson +Armistice +Aug +Bandy +Biennale +Branson +Cockburn +Dehradun +Dinamo +Dong +Enigma +Guadalcanal +Hiram +Intergovernmental +Keen +Lucca +Lucian +Mom +Muni +Palestinians +Rails +Sangsad +Stanhope +Telecommunication +Term +Twice +Wodehouse adherence ambition ashes @@ -13177,6 +23614,36 @@ tired unfavorable workstations yearolds +Appellate +Beneath +Bessie +Bhutanese +Brechin +Butt +Coppola +Cornelia +Flaming +Frankfort +Furness +Gurgaon +Investigative +Kabaddi +Libby +Literacy +Lynchburg +Maxine +Monks +Nabisco +Ono +Pocahontas +Spartanburg +Streisand +Supervisor +Tait +Underwater +Unplugged +Workshops +Xerox backstage bulbous cavities @@ -13205,6 +23672,36 @@ steroids sustaining symbolizes uncover +Address +Alias +Astrophysics +Boo +Cayuga +Cine +Communists +Dales +Defiance +Fur +Furious +Ganges +Garra +Hubble +Lenin +Liguria +Littleton +Mater +Minnie +Monrovia +OpenGL +Perrys +Pinus +Schroeder +Sim +Surya +Transformation +Unique +Weight +Woodville adjustments allrounder brainchild @@ -13237,6 +23734,32 @@ salvation shower thicker wildcard +Aeronautical +Beds +Bernice +Betfred +Blunt +Boomerang +Caithness +Dowling +Dutchess +Elsie +Foo +Hedgehog +Illusion +Joss +Ladd +Lourdes +Martini +Netscape +Nic +Oru +Pritchard +Retirement +Sangh +Stoughton +Taken +Vessel coalfired comarca composes @@ -13268,6 +23791,32 @@ villainous vineyards walkway whistle +Aerosmith +Chains +Danbury +Download +Dredd +Dwarf +Eisner +Hindustan +Laotian +Lodi +Lovett +Madan +Minaj +Montpellier +Organizational +Oscars +Pitcairnia +Proof +Renato +Stadio +Statement +Totally +Villiers +Wandsworth +Wash +Whittier antiques avoids bogs @@ -13290,6 +23839,41 @@ sanctioning schoolteacher synagogues thrive +Anglian +Argus +Arjuna +Banbury +Bennet +Berhad +Bois +Breast +Chapin +Colton +Ellesmere +Elsewhere +Garibaldi +Googles +Gregor +Hawkesbury +Karthik +Kessler +Larger +Loaf +Maroons +MotoGP +Nils +Nittany +Orchid +Peugeot +Plainfield +Profile +Scot +Seat +Snooker +Static +Tartu +Waits +Workington allusion appoints arctic @@ -13297,7 +23881,6 @@ auctions complemented detrimental dolphins -eightyear eve fourstar grindcore @@ -13305,7 +23888,6 @@ groupings marshal nails northerly -queue recommissioned reentered servicemen @@ -13318,6 +23900,36 @@ vinegar vines wandering workstation +Alvarez +Basingstoke +Bosworth +Cale +Czechoslovak +Dandy +Devlin +Expansion +Expression +Featherweight +Frith +Hamas +Lorna +Macbeth +Mala +Naughty +Opel +Photographic +Psalms +Samurai +Sides +Strongest +Tollywood +Tully +Uber +Unilever +Vila +Vogel +Wasps +Wrath achieves alga benthic @@ -13355,6 +23967,45 @@ templates triples umpires unsolved +Affiliated +Bangla +Basement +Belvedere +Bevan +Cabaret +Cali +Clover +Customer +Dalai +Dawes +Dei +Elmira +Fiscal +Gansu +Georgina +Holman +Intercity +Livery +Margarita +Mermaid +Microbiology +Needs +Newcomer +Oldies +Raider +Ramona +Reduction +Sandusky +Sangeet +Shout +Specification +Statue +Strickland +Temperance +Tolkiens +Vivekananda +Xtreme +Zionist accomplishment adaption agile @@ -13389,6 +24040,41 @@ testosterone unders upandcoming uptake +Accident +Britons +Bubbling +Coe +Doran +Ghar +Gras +Hallam +Hardwick +Helm +Holidays +Iberia +Infectious +Jacobean +Jansen +Leeward +Loss +Lutz +Mardi +Myspace +Norways +Parkers +Peanuts +Rostock +Scarlett +Semantic +Solomons +Spotify +Stavanger +Tahoe +Tenerife +Vacation +Vedic +Weller +Zac amounted bridging cataloged @@ -13397,7 +24083,6 @@ cloning counters debutant distilled -eSports entertain epistemology fountains @@ -13424,6 +24109,43 @@ terrible unrecognized wedge wherever +Abby +Ale +Assassins +Ayala +Belizean +Bowden +Brandy +Cajun +Canaan +Cassie +Chas +Creator +Enhanced +Felicity +Fried +Helms +Hustle +Jed +Lakota +Lens +Lent +Lyrics +Maze +Mist +Moravian +NCAAs +Omni +Oran +Ramesses +Rank +Sanremo +Shyam +Spelling +Suit +Tabor +Wien +Winery adequately agreeing alphanumeric @@ -13448,6 +24170,35 @@ tolerant twentyeight vastly venter +Barbarian +Candidate +Criminology +Developments +Din +Dryden +Fourteen +Genevieve +Hapoel +Harp +Holyoke +Jana +Jena +Jura +Koreans +Lonnie +Multan +MySQL +Nasir +OToole +Package +Palladium +Pittsburg +Rainer +Silas +Solapur +Srinagar +Sutter +Trainer allotted anticancer atoll @@ -13480,6 +24231,38 @@ subtitles summaries turkey uniformed +Aramaic +Beam +Chrysalis +Drift +Encore +Firstseeded +Freeport +Gentry +Gower +Guizhou +Janssen +Jovi +Lawyer +Magnificent +Merrick +Motocross +Myth +Navigator +Pin +Podcast +Ransom +Raya +Reasons +SBahn +Salvadoran +Samuels +Scorpion +Shasta +Swazi +Undergraduate +Vinnie +Wehrmacht acrobatic assaults barges @@ -13515,6 +24298,29 @@ visas vowel wellness willingness +Bara +Blythe +Boardwalk +Decree +Engel +Englewood +Firestone +Fit +Galleria +Gwalior +Johnnie +Least +Maroon +Michelangelo +Mondo +Muppet +Nellie +Novello +Raul +Redbridge +Spur +Wyman +Zoology abrasive amazing centering @@ -13541,12 +24347,46 @@ rains reappeared reliably sax -sevenyear umbilical urbanized widening wraparound wrongly +Bare +Bexley +Broadband +Cahill +Colonels +Consultants +Daniele +Dauphin +Eishockey +Galactica +Gin +Goldwyn +Hebron +Hui +Managers +Missy +Motel +Mysterious +Nationale +Notorious +Pavel +Pelican +Potters +Practices +Reece +Reeve +Retreat +Rockaway +Seminoles +Snakes +Surfing +Terrier +Treasures +Unorganized +Whatever assured brighter byte @@ -13572,6 +24412,40 @@ shrines stochastic weaponry woodwork +Advisors +Anambra +Bandai +Biggest +Cesare +Chao +Coaster +Dentistry +Flintshire +Gard +Gem +Glorious +Heartbeat +Lille +Mallory +Medan +Monterrey +Morristown +Mute +Orwell +Packer +Patrice +Remembrance +Request +Seattles +Selling +Sexton +Tao +Thayer +Universalist +Vermilion +Voivodeship +Volcanic +Wray accorded align banquet @@ -13601,6 +24475,32 @@ twinengined upgrading widest wineries +Advocates +Almanac +Ambedkar +Antiquities +Build +Compilation +Crusader +Falk +Gordy +Gresham +Hanuman +Inglewood +Kinney +Llewellyn +Mexicos +Nicaraguan +Northfield +Orbital +Phnom +Remixes +Robots +Severe +Solution +Spiders +Threatened +Venom agencys biologically bloom @@ -13631,6 +24531,35 @@ rents resultant selfdetermination trench +Abdel +Cent +Distillery +Dos +Experts +Eyed +Gallo +Gian +Giulia +Goshen +Influential +Knows +Kobe +Lear +Lenox +Linear +Lismore +Lizard +Maori +Muddy +Occitan +Originating +Oxygen +Posse +Pulp +Schloss +Shortland +Signed +Whelan abstracted accord chewing @@ -13655,6 +24584,39 @@ uniting vampires vent wrap +Algonquin +Asa +Ava +Barbra +Bayonne +Bottle +Brigades +Capua +Counter +Cronin +Donkey +Emir +Fancy +Fist +Hasidic +Hazard +Karlsruhe +Lakeshore +Loeb +Lucha +Nelsons +Painted +Pavia +Pooh +Procter +Purba +Razak +Rohan +Ronan +Saigon +Swain +Transactions +Womack aggregates allgirls anonymously @@ -13692,6 +24654,36 @@ uptodate urchin vodka walker +Authoritys +Blagoevgrad +Closed +Dagger +Duquesne +Gabriele +Grizzlies +Groton +Kangaroos +Kanyakumari +Keegan +Khans +Kidderminster +Kinks +Maid +Margot +Medias +Muscat +Nantucket +Napalm +Ouachita +Patron +Pulau +Sachin +Specialized +Televisions +Trash +Trivandrum +Would +Yesterday anarchism automaker biased @@ -13706,7 +24698,6 @@ diagnose dinghy distillation fanzine -firstyear formidable furnished glycoprotein @@ -13730,6 +24721,31 @@ tow transitioning widened worldfamous +Auguste +Blondie +Brookings +Carrollton +Charlemagne +Coffin +Console +Critic +Dandenong +Donetsk +Jeep +Kalam +Mervyn +Module +Nitro +Nonfiction +Noon +Plane +Pyeongchang +Revised +Runners +Tamaulipas +Thousands +Trax +Umar activates affectionately agrarian @@ -13765,6 +24781,36 @@ thinner tolerate transistors unequal +Adderley +Babcock +Bagh +Brantford +Cristo +Cub +Dai +Danzig +Darmstadt +Denbighshire +Etobicoke +Failure +Foxx +Hilda +Jodi +Joni +Kabir +Landau +Largo +Laughing +Majestic +Mika +Preliminary +Reception +Rosalind +Thebes +Tori +Tyrrell +Vellore +Welland adversary chambered coiled @@ -13782,6 +24828,39 @@ pedimented pesticide philosophies skirt +Alonzo +Ariyalur +Ateneo +Barbarians +Beetle +Cement +Collaborative +Dickerson +Dolan +Ebenezer +Escherichia +Eunidia +Fact +Gentle +Glenwood +Ideal +Jolla +Kampung +Kyrgyz +Lifestyle +Mantodea +Mitt +Newington +Operator +Recreational +Rhymes +Samesex +Syd +Townships +Transylvania +Utopia +Virus +Warcraft affection burlesque burrows @@ -13805,6 +24884,32 @@ scrumhalf skulls wearer wizard +Almond +Aqueduct +Banco +Bland +Chancery +Crouch +Dorian +Eastside +Everyday +Gables +Galileo +Joliet +Khartoum +Knock +Laurens +Lonsdale +Mariah +Miter +Owing +Petrie +Pistons +Presiding +Roper +Saloon +Unicorn +Won ammonites articulation ben @@ -13842,6 +24947,29 @@ turboprop urchins vineyard wellestablished +Banca +Biju +Conroy +Cruiser +Dada +Della +Frenchlanguage +Hmong +Homalin +Hooghly +Innovative +Lakeview +Mandeville +Mania +Medley +Nikita +ORourke +Oversight +Sinhalese +Southgate +Weiner +Worthing +Wylie ashore cafeteria cannabinoid @@ -13874,6 +25002,40 @@ traverse ventricular vigilante wheeled +Aretha +Arkham +Bhd +Cagliari +Carlin +Chiltern +Corcoran +Cowell +Cowley +Criticism +Dinesh +Ethical +Fontaine +Franciscobased +Freemasonry +Haskovo +Hoyt +Lose +Maricopa +Mayhem +Montessori +Morningside +Ospreys +Ping +Pistols +Proton +Ramsar +Simcoe +Snowden +Swallow +Tanjung +Terminator +Tinker +Widow advertise alluvial anymore @@ -13884,19 +25046,46 @@ deploying horseback martyred memorandum -ni paralyzed pharmacological phonetic popularize -prehistory ruckman sculptors -sp treasures turmoil vassal warn +Admirals +Aldrich +Alphabet +Benelux +Bypass +Canons +Chola +Consisting +Conwy +Cosgrove +Dunham +Dyschirius +Forfar +Giancarlo +Heisman +Iggy +Inspiration +Jacinto +Kandahar +Keighley +Landry +Ling +Loved +Poughkeepsie +Primera +Roosevelts +Taxation +Wickham +Wildwood +Yahya abridged americana amplified @@ -13929,6 +25118,46 @@ southwards spoon summarized wingspan +Abbotsford +Achilles +Aintree +Arbroath +Asians +Ayers +Bakery +Blink +Cashel +Cephalotes +Conn +Dalit +Dedicated +Denham +Exercise +Goldie +Goodwill +Goodyear +Hillman +Hung +Jocelyn +Joker +Kristina +Leno +Lviv +Marlow +Mortgage +Needham +Nizam +Prophecy +Quiz +Ripper +Sauk +Skyline +Strikes +Timbaland +Vassar +Wiz +Yangon +Zhou aerobatic alkali allele @@ -13954,16 +25183,43 @@ unacceptable vans vibraphonist vicechairman +Apex +Beasley +Bhatnagar +Bogart +Burgh +Clipper +Corinth +Crocker +Diabetes +Endowed +Felice +Fortuna +Fosters +Gautam +Handley +Haymarket +Libertadores +Mather +Miner +Mussolini +Patiala +Perlis +Playground +Rashtriya +Ricci +Starlight +Strategies +Tamar +Vasco caudal clumps completes dysfunctional electrification feasibility -fivepiece flightless fueled -highschool insane intermediary plotting @@ -13972,14 +25228,41 @@ salon scripture semiarid sins -spp stats strait unlicensed +Beggars +Bobcats +Carmine +Cheetahs +Choral +Click +Clovis +Cone +Corrigan +Duisburg +Faust +Flip +Frey +Gaels +Halen +Isfahan +Laden +Nickel +Otsego +Paleozoic +Pigs +Raritan +Reaction +Redford +Retro +Sandringham +Spitfire +Tee +Vienne boasted climbs clockwise -co eastwards exercising feather @@ -13993,7 +25276,39 @@ safeguard simulcasting spreadsheet strangers -wouldnt +Abroad +Accountability +Airports +Aleksandr +Altman +Badgers +Camino +Chauhan +Connell +Cutter +Electron +Euclid +Gabe +Goals +Harlequins +Hillcrest +Homecoming +Ibadan +Imran +Keeping +Kyiv +Liaison +Matlock +Merced +Motorway +Mutiny +Otherwise +Pilbara +Rampage +Script +Subaru +Thelma +Tierney belfry binomial bloggers @@ -14027,6 +25342,48 @@ spontaneously stabbed strained vandalism +Ashraf +Bantamweight +Bertie +Blount +Calais +Cascades +Chow +Coaching +Coburg +Counts +Dara +Dartmoor +Daylight +Dewsbury +Dianne +Dickey +Flagstaff +Flyer +Gully +Healey +Invitation +Jihad +Kivu +Menace +Monkees +Natchez +Naylor +Palisades +Palms +Pastoral +Patagonia +Ptolemy +Sdn +Sekolah +Sewell +Shed +Simeon +Splash +Tod +Trudeau +Tuscaloosa +Wallingford adoptive anomalies battleships @@ -14060,6 +25417,43 @@ unspecified ventured virgin zoos +Allah +Arthurian +Bays +Bison +Carriage +Chilton +Constructors +Crater +Curve +Frankston +Gelderland +Hamlin +Healing +Heathrow +Intended +Jen +Kaduna +Lachlan +Leif +Maury +Meteor +Olympians +Presented +Pyongyang +Shanxi +Shearer +Snell +Surrender +Tangerine +Tender +Tesla +Thunderbird +Unusually +Vidal +Wah +Witches +Zealandborn aircooled appointing auditor @@ -14086,6 +25480,46 @@ storyteller thirtyfive traversed vending +Abia +Abstract +Acclaim +Amazons +Approach +Aurangabad +Azores +Bautista +Chemicals +Columbian +Commodores +Cusack +Datuk +Definition +Dons +Dooley +Dylans +Emirati +Fenwick +Hen +Heywood +Jennie +Kirkpatrick +Liquor +Mana +Meek +Minster +Nadine +Ollie +Olmsted +Pterostylis +Pye +Realty +Semiconductor +Sha +Shiloh +Supernatural +Teeth +Tie +Try accommodates alQaeda ceilings @@ -14113,6 +25547,54 @@ usability vigorous vows yeshiva +Apartment +Apes +Arbitration +Basu +Bitch +Camps +Celine +Clooney +Crisp +Cthulhu +DCbased +Disorder +Dissolution +Else +Ephraim +Estrada +Fraternity +Guided +Guilty +Hanging +Hillside +Horner +Kenosha +Ladakh +Lizzie +Manley +Manners +Mantua +Medinipur +Nageswara +Nalgonda +Oath +Osceola +Pinnacle +Prudential +Puritan +Regia +Ryerson +Scotty +Seen +Selena +Smoking +Spotlight +Timbers +Torontobased +Travels +Vicksburg +Wounded abortions balances boulders @@ -14126,7 +25608,6 @@ latex liquidity morale nomen -nonLeague nonstop policemen protracted @@ -14141,6 +25622,47 @@ superhuman symbiotic totaled viewpoints +Acadia +Adjacent +Alston +Aquarius +Bieber +Broderick +Burgas +Cliffs +Coburn +Compensation +Cookie +Delano +Developer +Dina +Dio +Fahey +Gerber +Greenlandic +Hinckley +Irans +Kari +Lago +Leavenworth +Lowes +Merrimack +Micah +Moderne +Mowbray +Nicosia +Ontarios +Percival +Performances +Rattlers +Redgrave +Roar +Shorts +Tube +Velodrome +Whittaker +Wildcat +Woodbine amine bipartisan captaining @@ -14163,6 +25685,45 @@ ribosome spies sue syllabus +Aargau +Algoma +Aman +Antique +Boats +Butterworth +Candidates +Didier +Diptera +Drafted +Elsa +Famer +Gilman +Harlequin +Idris +Iona +Kershaw +Knapp +Luv +Luzerne +Minnesotas +Mombasa +Mon +Pension +Playmate +Pringle +Propulsion +Quechua +Quito +Ruskin +Schwarz +Severus +Shelf +Sociological +Ton +Tulu +Westinghouse +Yeh +Yerevan adjusting barbecue coffin @@ -14198,7 +25759,45 @@ splinter staining supercomputer suppressor -threepiece +Agnew +Balboa +Benoit +Braintree +Brice +Brookside +Cannonball +Chill +Coppa +Dani +Descent +Elimination +Ends +Essays +Freiburg +Gannett +Harwood +Hobson +Horst +Inquirer +Loiret +Lorenz +Maestro +Margarets +Mori +Overton +Pasco +Pershing +Pump +Secretaries +Simulator +Swamy +Teri +Thug +Torneo +Ulmus +Uno +Unreal +Vail absolutely admitting ambitions @@ -14235,6 +25834,42 @@ therapists topdown warhead weeds +Alamos +Almeida +Alter +Cara +Carrera +Copelatus +Cremona +Crypt +Designated +Dey +Dharmendra +Disabled +Dmitry +Dupont +Exposure +Hodder +Howie +Huntingdonshire +Jabalpur +Kettle +Meter +Nuevo +Onondaga +Orphan +Premio +Saxons +Shelburne +Siegfried +Spectator +Steen +Stowe +Survivors +Teller +Versus +Woking +Yuen assaulted atrium auditing @@ -14264,7 +25899,58 @@ stereotypical suspend virtues vulnerabilities -worldclass +Adjutant +Advocacy +Alf +Allium +Ara +Battersea +Braille +Buchan +Bulawayo +Cache +Clarksville +Clydebank +Developing +Dole +Epidemiology +Fog +Folly +Frisco +Gorilla +Griffins +Guerra +Hackensack +Hail +Horsham +Jeans +Juventus +Knob +Laramie +Liars +Lordship +Lyceum +Makes +Mercantile +Merck +Modesto +Morgans +Nederland +Peachtree +Physician +Pont +Practitioners +Revere +Riyadh +Rosary +Sheryl +Smyrna +Stanislaus +Utricularia +Vihar +Williamsport +Xrays +Yoko addon autistic believers @@ -14296,6 +25982,46 @@ unresolved vertebral visionary wit +Ackerman +Amit +Campos +Cassius +Chasing +Chickasaw +Chips +Clapham +Deposit +Discrimination +Draw +Fink +Firearms +Folsom +Goo +Humphries +Indiaman +Interscholastic +Jiangxi +Knicks +Lean +Maidenhead +Maryborough +Nuneaton +Pickens +Prisoners +Proceedings +Radiohead +Respect +Riksdag +Seaton +Selwyn +Share +Sheboygan +Tarrant +Tertiary +Tilburg +Umberto +Vanier +Wallonia adrenal carbohydrates cue @@ -14320,12 +26046,40 @@ tribunals unclassified uterine warlord +Amendments +Avenger +Balloon +Bars +Bayern +Burnt +Cocker +Conqueror +Cushing +Gossip +Kendra +Kumasi +Lander +Liang +Miley +Mingus +Mornington +Nagoya +Nashik +Nellore +Plato +Playback +Ramayana +Revolver +Sousa +Stripes +Toxic +Wren +Yonkers anomaly assigns broadnosed codec corpse -crosssection deter disposed emulation @@ -14345,10 +26099,53 @@ slum spear sticker tasting -touchscreen trivia valor weaknesses +Barbour +Bower +Bowery +Brahmaputra +Callum +Captains +Carpet +Chittoor +Cowdenbeath +Daniela +Darnell +Diagnostic +Documentation +Donatello +Dothideomycetes +Especially +Fairmont +Fern +Forte +Gershwin +Juliana +Leitrim +Mate +Maude +Mbeya +Mere +Newberry +Officials +Proper +Regensburg +Rembrandt +Roshan +Scarlets +Schlesinger +Schwarzenegger +Sedan +Shape +Showdown +Steuben +Swann +Tak +Thornhill +Warped +Witt antbird assent banners @@ -14381,6 +26178,46 @@ shingles stately tentative termite +Atwood +Bandit +Bizarre +Blum +Britten +Cabo +Campeonato +Chappell +Donahue +Enugu +Forde +Fredrik +Gilchrist +Gunnar +Haasan +Hickey +Hunterdon +Indianas +Irani +Latimer +Monti +Musician +NBCUniversal +Nader +Neapolitan +Pitcairn +Pollution +Pooja +Scenes +Slash +Stills +Struggle +Supplement +Suwon +Texan +Vancouvers +Vector +Wealth +Whitehaven +Yeomanry axial bequeathed brave @@ -14410,6 +26247,47 @@ spacing stuntman stylist swinging +Attenborough +Bacillus +Bayside +Brookes +Brutus +Burnie +Bydgoszcz +Cavalier +Cavite +Chechen +Chicks +Cougar +Digby +Eldridge +Fellowships +Galleries +Grow +Hamiltons +Herzog +Insider +Khalil +Leandro +Levinson +Muay +Nasser +Neurology +Non +Ogle +Oliva +Osmond +Palomar +Prunus +Shack +Slope +Statutes +Tariq +Tycoon +Vote +WWEs +Westbury +Woodhouse aliases archivist backstory @@ -14440,6 +26318,34 @@ tundra virtuoso warrants zoom +Advent +Airline +Berkley +Bhattacharya +Biggs +Blackrock +Chronic +Coffey +Cottonwood +Curtain +Dutchman +Ficus +Guzmania +Implementation +Injury +Leap +Lessons +Lotte +Nell +Nineteen +OLeary +Penh +Plague +Sail +Senecio +Silly +Stranraer +Waugh allmale annotated cassettes @@ -14456,7 +26362,6 @@ headteacher histone landbased longtailed -multilevel overarching pinch privatized @@ -14468,6 +26373,48 @@ transforms unaffiliated ups welded +Alger +Antonia +Appleby +Ardabil +Arlen +Bicentennial +Brilliant +Burley +Consumers +Cornelis +Dade +Dinah +Discovered +Fascist +Fishers +Fuck +Hamburger +Havre +Hawkeyes +Jayaram +Karoo +Kimmel +Konkani +Logo +Marcellus +Marlowe +Meetings +Metrolink +Morrisons +Moshe +Muskegon +Ozarks +Philatelic +Piacenza +Prices +Qualifications +Reims +Schiller +Sophronica +Tivoli +Upstate +Valentin abolish adolescence benzene @@ -14508,6 +26455,44 @@ variance villas wiped yogurt +Astley +Banquet +Barnstable +Berliner +Bonaparte +Buffaloes +Caterpillar +Detention +Dolby +Donny +Enrollment +Excellent +Finchley +Fuchs +Gravesend +Hounslow +Irrigation +Kendal +Lancers +Leger +Lombardi +Mahoney +Mikael +Moves +Mozambican +Pediatrics +Penal +Pistol +Planets +Reverse +Ritual +Sackville +Sindhi +Steady +Sunnyside +Tam +Therapeutic +Zones angled causeway cucumber @@ -14545,7 +26530,56 @@ spree surfers syrphid uphold -xx +Anime +Berne +Blog +Buddhists +Caitlin +Catherines +Ceres +Davie +Depeche +Diaspora +Disks +Durant +Feng +Fitz +Greco +Gymnopilus +Harford +Hons +Iglesias +Intervention +Jamieson +Janus +Jewels +Keyes +Landon +Mancha +Meier +Milner +Mons +Musics +Noir +Noted +Pharrell +Pratap +Primate +Restaurants +Sams +Sections +Sleepy +Statesman +Stoker +Suzy +Tops +Torture +Tri +Tyner +Ugandas +Vipers +Vital +Woodlawn aircrafts bestof bungalow @@ -14581,6 +26615,43 @@ syndromes teleplay theologians tugboat +Abortion +Account +Arlene +Brodie +Celeste +Charities +Chosen +Cyrtodactylus +Deo +Dinosaurs +Eglinton +Eremophila +Farnborough +Houstons +JCPenney +Killed +Landtag +Lycoming +Lynda +Maybe +Nino +Parc +Proponents +Protestantism +Prototype +Rum +Settlements +Staunton +Thrill +Verne +Vox +Whalers +Wim +Winifred +Witnesses +Woolf +Zambezi abrupt alkaloids augment @@ -14622,6 +26693,50 @@ stacks stoner subsystem threatens +Archers +Arizonas +Armin +Becoming +Bono +Brandywine +Brevard +Buckeyes +Caldecott +Controlled +Customers +Dancers +Declan +Dermot +Dunes +Eparchy +Goode +Gottfried +Harriers +Hillingdon +Holocene +Idols +Jeanette +Kirkby +LAquila +Nepean +Parent +Puppy +Rapti +Rekha +Rockers +Sandoval +Saud +Secular +Servant +Shame +Stolen +Supersport +Tesco +Trance +Vijayawada +Westbrook +Whitecaps +Yorktown acoustics biopsy capsules @@ -14657,6 +26772,40 @@ timetable underwear universes upbringing +Akshay +Aurelius +Avex +Bianchi +Blackman +Chaco +Chun +Column +Donington +Drink +Duvall +Fairmount +Falco +Florentine +Jekyll +Jodie +Korn +Latrobe +Magistrates +Mallorca +Marlin +Mohamad +Mosquito +Oldenburg +Palembang +Paleontology +Poly +Raith +Revivalstyle +Ruins +Shaftesbury +Toto +Waukesha +Wisden accommodated allergy ancillary @@ -14686,9 +26835,37 @@ raster reconstruct shortline submitting -subsp succeeds thigh +Acer +Awesome +Blakes +Bloch +Celia +Coalfield +Cordova +Creature +Criterion +Flo +Graffiti +Grainger +Gum +Highly +Hornsby +Jethro +Karel +Leonards +MLAs +Pickett +Piero +Plano +Santander +Searle +Sequence +Shaikh +Socialism +Vinton +Waldron antisemitism bests conductive @@ -14711,6 +26888,48 @@ scans stacked teaser visualize +Aga +Albright +Angelica +Archaic +Baffin +Beni +Bigelow +Bohemians +Bounty +Castello +Driscoll +Elkhart +Farah +Folkestone +Garnett +Generating +Gutierrez +Jewell +Kenora +Lunenburg +Mainly +Mice +Mille +Mitcham +Myrmecia +Nativity +Nesbitt +Nextel +Nguyen +Normans +Osama +Oyo +Punic +Releasing +Saaremaa +Squirrel +Successful +Swarup +Tana +Thoughts +Waterbury +Windward airway anxiolytic attaches @@ -14742,6 +26961,44 @@ trackage undercard ware waterfowl +Adidas +Ahmednagar +Allegany +Alligator +Batley +Bess +Birla +Brno +Callaghan +Cornwell +Courtenay +Davide +Destroy +Egypts +Godwin +Goldsmiths +Graduates +Henning +Hyperion +Jeju +Killarney +Maa +Mandel +Misfits +Moluccas +Nicol +Pali +Palmetto +Pinball +Possible +Pradeep +Rockin +Sacrifice +Sadie +Starbucks +Talmud +Titles +Viewers atbats backlash cardiology @@ -14778,6 +27035,41 @@ vitamins volunteering watercourse wearable +Accrington +Assets +Boarding +Cadbury +Capricorn +Chorley +Claiborne +Coached +Flex +Floating +Glyn +Hebei +Holliday +Jaw +Jeffries +Kemper +Konrad +Lahti +Lind +Mandi +Mango +Meritorious +Mess +Moby +Monique +Penney +PowerPC +Rakesh +Senna +Sounders +Soweto +Spector +Tmesisternus +Tommaso +Vanilla aerodrome biathlon billions @@ -14814,6 +27106,47 @@ tackling underserved weathering winkles +Advice +Albertville +Arriva +Beauchamp +Bhojpuri +Buckland +Carew +Chakra +Demolition +Elko +Footballer +Forget +Grim +Gucci +Holyrood +Ilaiyaraaja +Immunology +Juicy +Kearny +Kilimanjaro +Librarian +Lifeboat +Loreto +Maggiore +Mathura +Middlebury +Musica +Myron +Odense +Onion +Plasma +Quetta +Samir +Siam +Sukumari +Techniques +Terms +Tirupati +UBahn +Undercover +Unleashed acquires activating ample @@ -14850,6 +27183,42 @@ thirtytwo ticketing wildfire wrongful +Ajmer +Angelina +Astra +Babylonian +Bacteria +Balearic +Baloch +Bernadette +Bhavan +Biscay +Buffett +Chaudhry +Connections +Cranston +Elise +Flushing +Joseon +Kalan +Lovin +Luxury +Mane +Mecyclothorax +Northside +Novo +Oakwood +Pharmacology +Roddy +Sadler +Sexy +Skeleton +Slick +Spectacular +Tab +Uri +VHs +Vallejo calyx customize disappearing @@ -14882,6 +27251,34 @@ useless vaccination vowels writerdirector +Appointed +Beecher +Braga +Britishbased +Cochabamba +Concerts +Cortland +Elmo +Estes +Freshwater +Gable +Generations +Hear +Jah +Martinsville +Occupation +Pfizer +Pinellas +Songbook +Sonja +Suri +Valdez +Waite +Weinberg +Wiesbaden +Write +Zhao +Zoom artisans berths borrows @@ -14918,6 +27315,47 @@ supervise synthesize underparts weave +Accademia +Amboy +Anger +Aveyron +Bankruptcy +Baptiste +Baroda +Beery +Betts +Bobs +Camarines +Carrara +Client +Commands +Cortina +Cruel +Delegation +Firebirds +Garbage +Gotti +Humane +Jacobus +Laing +Linguistic +Lombardo +Malankara +Nag +Nominations +Ortega +Parke +Prado +Prostitution +Provence +Quill +Rennie +Sardinian +Shaffer +Solanum +Songwriters +Thank +Tierra adultery archiving avifauna @@ -14951,6 +27389,51 @@ steamed stranger swallow threeway +Anyone +Bouchet +Callaway +Carradine +Centerville +Conner +DDay +Dias +Dice +Dope +Fitch +Frequency +Goal +Hartmann +Harwich +Hinds +Huntley +Jamboree +Kwame +Lever +Magdalen +Mancini +Marr +Mubarak +Northwood +Oxley +Pandora +Pawnee +Philly +Picnic +Plot +Prometheus +Provider +Purpose +Representing +Retired +Rucker +Samajwadi +Sebring +Secunderabad +Slide +Spiegel +Trained +Venerable +Wilmot absorbing ammonium assassinate @@ -14977,13 +27460,59 @@ progesterone quantify radiated shingle -sixtime soulful stimulates tanager tenders unseen welcomes +Alarm +Aquila +Begum +Brookline +Clothing +Corf +Crowd +Currency +Delegate +Essentially +Etta +Fabius +Feed +Foxes +GAAs +Garvey +Gigi +Gorakhpur +Ince +Instinct +Jewelry +Kutch +Leela +Leila +Lethal +Masterpiece +Muppets +Narrows +Neoregelia +Newham +Ozzy +Pascoe +Playa +Poppy +Portman +Principle +Quake +Scales +Shipley +Sibley +Spiral +Sportiva +Towson +Trolley +Turk +Volga +Wolfpack altarpiece aqueduct avian @@ -15025,6 +27554,45 @@ tongueincheek tycoon vibrations xray +Abbottabad +Alloa +Armageddon +Astounding +Billion +Bowles +Byrds +Calls +Camberwell +Darwins +Deutscher +Eccles +Elbe +Emmys +Faisalabad +Fix +Gallatin +Gets +Kharkiv +Klux +Livorno +Lowestoft +Maloney +Mandalay +Manhattans +Morten +Nuggets +Ore +Palmyra +Rides +Russel +Shay +Sinhala +Skelton +Staphylococcus +Sulu +Whitmore +Yards +Yvette acetylcholine aftermarket allegorical @@ -15060,6 +27628,50 @@ taxpayer triad viscosity wonderful +Airdrie +Avellino +Bernese +Bey +Byers +Campion +Cartoons +Charan +Cromer +Dads +Daffy +Dew +Everglades +Fisk +Fortran +Geophysical +Gogh +Grenville +Idle +Kilbride +Laurier +Laval +Lite +Loser +Minot +Nomenclature +Nyasaland +Organizing +Pee +PreK +Rag +Shorter +Silvia +Simms +Slavery +Thirteenth +Tournaments +Trentino +Trotskyist +Udupi +Weld +Whigs +Whitehouse +Wolfson abandoning albedo ammonite @@ -15093,7 +27705,6 @@ renders reprises rhizome shipwreck -singlestory steals untitled unwilling @@ -15102,6 +27713,45 @@ widows worldrenowned wrapping zebra +Boswell +Caloptilia +Childers +Colorados +Dravidian +Duomo +Fabrizio +Firefly +Goodnight +Goodrich +Govan +Guidelines +HBOs +Hennessy +Hokkaido +Krauss +Lanier +Leary +Lonesome +Longview +Loyalist +Mach +Mackie +Madonnas +Metcalf +Networking +Pancras +Prosecutor +Romes +Sarthe +Shared +Sikorsky +Songwriter +Subcontinent +Therapeutics +Treat +Viet +Vincents +Warangal assigning attic calculators @@ -15139,6 +27789,53 @@ simulating steer trilobite tubing +Batangas +Bigg +Bioinformatics +Bora +Burg +Chavez +Circles +Combination +Confederates +Cooley +Diocesan +Discipline +Doubt +Elmwood +Empowerment +Enter +Eois +Epistle +Gnaeus +Goodall +Gophers +Gurney +Hennepin +Infant +Jacket +Jeddah +Kaohsiung +Magee +Manassas +Marge +Medicines +Murrays +Nasty +Negara +Niki +Orthogonius +Oulu +Rainy +Ridgeway +Schaefer +Sheet +Sopranos +Talladega +Telefilms +Telemundo +Temptation +Xtra bushes cantata compute @@ -15170,6 +27867,50 @@ vanished weigh weir welcoming +Aalborg +Abrahams +Academical +Academys +Bering +Borg +Bowies +Cantor +Chai +Conductor +Distinction +Fabric +Fanning +Femina +Folklore +Frenchborn +Hamad +Hamm +Hyman +Hynes +Imo +Initiatives +Jacobsen +Knopf +Laugh +Makeup +Moriarty +Mormons +Narasimha +Nashua +Nawaz +Pangasinan +Passing +Paw +Putney +Rate +Regiments +Rent +Roaring +Sarkar +Spains +Stigmella +Telstar +Vitis advancements aggregated anthropologists @@ -15209,6 +27950,50 @@ tentacles tides trafficked tribune +Alappuzha +Albury +Antoinette +Caerphilly +Coahuila +Corea +ESPNs +Eating +Envoy +Escort +Fables +Farming +Gregorio +Haag +Hakim +Hermes +Judson +Kongs +Krause +Luxor +Macy +Magdeburg +Manitowoc +Narayanan +Niven +Northridge +Odeon +Operated +Paola +Pescara +Pyrenees +Raising +Ralf +Salter +Santosh +Serbs +Spear +Spoleto +Stevenage +Stiff +Teton +Wallabies +Waterway +Zelda advert antibacterial berry @@ -15241,6 +28026,46 @@ tricolor ukulele upstairs woodworking +Astragalus +Azteca +Barnabas +Battlestar +Beverage +Borland +Brief +Coquitlam +Corby +Crocodile +Definitive +Django +Emporia +Gaya +Gordons +Hendrick +Horns +ISPs +Journeys +Lanes +Langdon +Luanda +Mechanized +Menlo +Mull +Nanda +Patten +Peking +Petaling +Pimlico +Plaid +Rabat +Riverina +Sher +Skinny +Squires +Srinivasa +Stellar +Tatum +Ville airship alleles appendages @@ -15255,7 +28080,6 @@ dismiss dissatisfaction dissatisfied enigmatic -er exhaustive fading fetish @@ -15278,6 +28102,56 @@ spectator stereotype tuba zoological +Aberdare +Ass +Bayesian +Brendon +Chakravarthy +Chicano +Columba +Confidential +Cornwallis +Coulter +Darin +Debt +Dilip +Emirate +Eucharist +Farr +Frazer +Freedman +Garrick +Giuliano +Goulding +Halfway +Helix +Hester +Husband +Instructor +Janine +Jordans +Kamrup +Kassel +Kenilworth +Kenney +Martyr +Mayflower +Neutral +Pathfinder +Priestley +Priya +Putin +Ricketts +Rimini +Romulus +Sailors +Sankt +Sarath +Sonnet +Stirlingshire +Storms +Velocity +Wil bulls buttercup californica @@ -15311,6 +28185,50 @@ unifying unintended usefulness wildflower +Amazonian +Balliol +Beit +Beside +Breeding +Bryson +Carinthia +Castel +Colman +Daimler +Denmarks +Directing +Drill +Explosion +Friuli +Handy +Hants +Ingalls +Inyo +Kickers +Kite +Kristine +Kwan +Mahindra +Managed +Massif +Mesoamerican +Mexicano +Mikey +Nedumudi +Oleg +Pilgrims +Rajinikanth +Rape +Reeds +Regardless +Saad +Sandro +Semitic +Shalom +Shroff +Sullivans +Valerius +Watergate adheres affirmative alcohols @@ -15353,6 +28271,49 @@ supervisory typefaces warmup waxy +Affordable +Afon +Beef +Bonneville +Brill +Catalyst +Culinary +Cuts +Emanuele +Erick +Frome +Gambling +Gisborne +Goethe +Govinda +Gympie +Haig +Haile +Hwang +Juba +KLeague +Learn +Lift +Macomb +Palmers +Pasig +Pasquale +Phipps +Prodigy +Pyaar +Repair +Roud +Russells +Salina +Sandman +Saved +Schoolhouse +Shooter +Specials +Sportsman +Totnes +Venezia +Villain abbreviations accents barren @@ -15381,6 +28342,39 @@ saturation stardom stationery thence +Answer +Antiquity +Assemblyman +Awardnominated +Consort +Cricketers +Criss +Explorers +Faro +Gama +Grease +Hossain +Hulme +Kentuckys +Labyrinth +Lowndes +Mackintosh +Manchu +Memoirs +Merge +Metals +Monongahela +Ocala +Petrus +Prey +Punisher +Satish +Snohomish +Soda +Sonya +Sticks +Waddell +Zodiac aisle antiviral arrivals @@ -15424,6 +28418,56 @@ tar twinengine violins wounding +Acalolepta +Afghanistans +Augustines +Autobiography +Bingo +Blacktown +Bongo +Brahma +Buddleja +Capo +Channing +Chawla +Che +Clio +Consulate +Cortes +Cynon +Det +Ecumenical +Estelle +Fijis +Gaetano +Glebe +Godzilla +Grote +Herd +Infirmary +Interpretation +Irons +Kush +Lavender +Luce +Manohar +Marsha +Pashtun +Popes +Racial +Revisited +Ridgewood +Shukla +Swarm +Thee +Tricks +Tull +Veikkausliiga +Verdi +Vodacom +Whitewater +Windermere +Yogi affixed bible calibration @@ -15456,6 +28500,49 @@ trenches typed warden wrongdoing +Altai +Antalya +Bale +Baronets +Bohol +Brenner +Breweries +Butter +Cardigan +Charm +Chinook +Daredevil +Defending +Dhanbad +Doordarshan +Dubois +Flavius +Gastropoda +Glipa +Gotta +Haden +Honeymoon +Hough +Ibiza +Jainism +Jervis +Johansen +Kant +Kills +Mandate +Measurement +Mindoro +Molloy +Nubian +Olof +Rains +Redlands +Rioja +Ronson +SMliiga +Salazar +Steamboat +Summerfield capillary coalitions combinatorial @@ -15474,7 +28561,6 @@ friary fundamentalist granules haplogroup -hasnt hemoglobin ignited infertility @@ -15499,6 +28585,61 @@ slipped sociocultural sucker vases +Accountant +Aligarh +Amiens +Ancona +Anjali +Ashe +Ayer +Baths +Begins +Carrick +Chevron +Competitions +Countryside +Cranbrook +Dingle +Divya +Felton +Foxtel +Germain +Germania +Hitachi +Holborn +Invincible +Jukebox +Kasaragod +Kindle +Kolhapur +Markup +Meera +Mentor +Minden +Mood +Muhammed +Murshidabad +Ode +Rahim +Recognized +Redfern +Regius +Reiner +Rosedale +Seram +Silesia +Sole +Stefani +Stourbridge +Stress +Tacitus +Toon +Types +Uma +Unless +Valparaiso +Walpole +Woolworths admiration artiste bait @@ -15532,6 +28673,55 @@ ticker triplefin vaulter vole +Aloha +Alpert +Alves +Amun +Andrade +Arno +Assent +Behar +Bluffs +Canis +Cartagena +Catawba +Changed +Colne +Corinne +Creuse +Cronulla +Deutsch +Elephants +Embedded +Fence +Finney +Fuse +Gerrard +Gull +Indre +Irma +Kerrang +Legislation +Loftus +Mulberry +Mule +Nanaimo +Northumbria +Oblivion +Ogun +Paine +Raipur +Rapture +Ruin +Runway +Sani +Sion +Srinivas +Triton +Valletta +Void +Woo +Zenith adjudged afterlife assembling @@ -15579,6 +28769,73 @@ theres typography whos widowed +Addington +Aguilar +Andalusia +Appalachia +Armitage +Artemisia +Bal +Bandra +Bankers +Baseballs +Bennetts +Beresford +Bertha +Cantal +Chitra +Cobras +Commendation +Communal +Communism +Consciousness +Cornerstone +Counselor +Delight +DoubleA +Ebola +Elisa +Ethnologue +Foote +Greenpeace +Gretchen +Grizzly +Illegal +Improved +Indomalayan +Inglis +Kingman +Laine +Lampoon +Livestock +Loudon +Magicians +Margin +Mascot +Mathieu +Meditation +Megadeth +Merzbow +Midsummer +Ministerial +Misty +Philadelphias +Plenipotentiary +Pompey +Portlands +Potential +Seeing +Skopje +Steering +Stiles +Stroke +Sturgis +Subhash +Universiteit +Vin +Welwyn +Yangtze +Yellowknife abnormally aggressively assure @@ -15618,9 +28875,46 @@ ransom reels shocking shutting -sixmonth trumpets uncles +Belles +Breaks +Coachella +Corus +Disciples +Dobrich +Dougherty +Earnhardt +Elkins +Emerita +Euston +Fake +Galilee +Ghanas +Invercargill +Junius +Luxembourgish +Manawatu +Mandatory +Melanesia +Mention +Mirrors +Narcissus +Nintendos +Quo +Ren +Renegade +Rhonda +Shakur +Sharing +Specter +Tactics +Tess +Tilak +Update +Wuhan +Yonge +Zak anecdotes asexual babbler @@ -15664,6 +28958,47 @@ steak twoplayer unexplained utopian +Adelaides +Badakhshan +Bashir +Blu +Cannibal +Challengers +Chiba +Clackamas +Cobham +Coeur +Commandos +Conti +Continents +Description +Dimitri +Featherstone +Hide +Hoosier +Hoskins +Kyustendil +Laswell +Lieberman +Locally +Montfort +Moog +Neptunes +Operators +Oromo +Outlet +Pampanga +Portfolio +Prakasam +Recipients +Seventy +Sharia +Stem +Surinam +Toad +Tuck +Tuttle +Zeeland afraid aft archers @@ -15712,7 +29047,60 @@ technologically threebay twentiethcentury weighs -wont +Abell +Adriana +Announced +Appomattox +Ashoka +Ballymena +Bats +Boroughs +Brookhaven +Brunner +Capture +Castor +Ciara +Corinthians +Corsican +Critically +Destroyers +Echoes +Efficiency +Enduring +Giordano +Glens +Hendon +Huxley +Imphal +Influence +Internacional +Margo +Marsalis +Missionaries +Mythos +Performer +Promising +Ranjit +Rating +Rendezvous +Rohit +Rude +Salta +Scilly +Sham +Shelbourne +Snowboarding +Sooners +Spartak +Sunbury +Systematic +Usenet +Viceroy +Vishal +Vries +Weavers +Website +Whitechapel alba allegory allowance @@ -15753,6 +29141,63 @@ sunny twentynine twigs vicechancellor +Abubakar +Academia +Aimee +Aloysius +Bilal +Biosphere +Birdman +Bleeding +Bostonbased +Carthaginian +Castles +Charing +Coon +Cora +Croats +Esplanade +Evesham +Fairest +Fong +Foss +Frogs +Gael +Grands +Hausa +Henrique +Hortons +Ilocos +Leopards +Lowery +Murad +Nose +Oskar +Pol +Probably +Raffles +Sandford +Scotsman +Scrolls +Separation +Stinson +Synthetic +Taos +Techno +Telekom +Thelonious +Toshiba +Toward +Tracking +Uzbekistani +Vandals +Wellcome +Wesson +Wetlands +Xperia +Yearly +Yong +Zuma allocate armory atheist @@ -15797,8 +29242,60 @@ slabs suggestive swapped trios -werent -ab +Abdallah +Amhara +Anhui +Athlone +Bastard +Beagle +Bilaspur +Brains +Bridgetown +Candice +Chiesa +Chomsky +Claxton +Conte +Curzon +Daviess +Deol +Documents +Figures +Fujitsu +Golgi +Herndon +Humor +Hymn +Jayabharathi +Kavanagh +Kennel +Kingsway +Labeo +Lilian +Loaded +Maas +Mahavidyalaya +Modular +Murchison +Parapan +Planned +Politburo +Provident +Pyrausta +Religions +Scofield +Sinaloa +Sponsored +Stellenbosch +Suites +Susanne +Sydenham +Taranto +Torrington +Trisha +Verdean +Waynes +Wingate accusing acknowledges adverts @@ -15837,6 +29334,55 @@ sync tagged transferable wintering +Adriano +Bhagat +Boutros +Breathe +Broom +Calloway +Cenozoic +Chevalier +Clegg +Cunha +Dances +Driven +Encounter +Gaddafi +Gawler +Gilliam +Gleeson +Golan +Guerrilla +Harland +Holme +Interdisciplinary +Invaders +Jayan +Jelly +Juniper +Katanga +Meta +Mod +Navan +Nets +Pebble +Pitbull +Politically +Punishment +Quan +Responsible +Saraswati +Shotgun +Smallville +Soo +Sordariomycetes +Suman +Supper +Tilly +Ute +Vandenberg +Warburton +Widely accelerating adenosine aldehyde @@ -15875,6 +29421,55 @@ terracotta thirtyone tilt translational +Afrotropical +Amata +Barbary +Bartolomeo +Beatz +Bharati +Collected +Combe +Commune +Cuomo +Curious +Dalmatia +Dalrymple +Dillards +Doon +Flavor +Gibsons +Giza +Howes +Immanuel +Jillian +Jurong +Kiwi +Klondike +Leones +Lindley +Linus +Mayan +Mehdi +Moderator +Moorish +Multnomah +Narnia +Nor +Oakes +Octagon +Prada +Priests +Ribeiro +Rocha +Rolfe +Sanjeev +Shorty +Simulations +Sins +Stour +Tandon +Temples +Yash anus arranges auctioned @@ -15904,6 +29499,75 @@ riverside scalp theorized twenties +Acrolophus +Aftermath +Alban +Amara +Anzac +Arora +Assassin +Attica +Awake +Banu +Basilicata +Bikini +Bonham +Breen +Campanian +Cheetah +Collie +Couch +Cygnus +Cymindis +Dakotas +Damn +Dordrecht +Downes +Drogheda +Dude +Duggan +Emotional +Erfurt +Francine +Globo +Greenbrier +Harz +Hervey +Jardine +Juliette +Kalgoorlie +Lightfoot +Mas +Mera +Minogues +Neale +Noam +Nvidia +Orthodoxy +Ottomans +Owner +Ownership +Perera +Pittsfield +Policing +Purulia +Quigley +Rab +Redcar +Sandhurst +Scary +Sefton +Shu +Siddharth +Sphinx +Substances +Symantec +Symbian +Tessa +Timeless +Triad +Turkmen +Vikas aphids atrisk broaden @@ -15943,6 +29607,46 @@ twentysecond twentythird walnut welldeveloped +Administratively +Aloud +Ashfield +Asura +Avignon +Beano +Bet +Blenheim +Bounce +Breath +Carmelite +Cetus +Clerks +Curly +Deakin +Detachment +Dung +Eustace +Germanlanguage +Havoc +Hearing +Hemiptera +Introducing +Knoll +Kpop +Liiga +MCs +Morgantown +Neilson +Newburgh +Newry +Notting +Orthopedic +Refinery +Sikhism +Sorrow +Wrigley +Yachts +Zimbabwes +Zindagi bindings bosses candles @@ -15977,9 +29681,75 @@ symposia turbulence vizier zombies +Already +Aquitaine +Bacolod +Bamboo +Beers +Benetton +Biennial +Boucher +Carabus +Cartier +Chaka +Charleroi +Chiswick +Cirque +Compliance +Corpse +Croce +Crowell +Demi +Emancipation +Ewan +Facts +Finlands +Finns +Galena +Gosford +Heartbreak +Honeywell +Hymns +Ilford +Inga +Kenyatta +Kingsbury +Kip +Ladder +Loomis +Malden +Murcia +Mustard +Myra +Narragansett +Nik +Olin +Orbison +Parking +Persians +Pierson +Pill +Posts +Powerful +Rajputs +Ratu +Rehman +Riots +Rites +Robby +Sometime +Spies +Subjects +Sung +Swat +Sylvan +Transparency +Vizianagaram +Weill +Willows +Wootton allergies appreciate -au beast camels charming @@ -16018,6 +29788,50 @@ transporters weird widescreen zine +Alabamas +Americanbased +Ananda +Apartheid +Bahru +Blessing +Bobo +Bondi +Burman +Chino +Dekker +Discworld +Dreyer +Fannie +Fells +Gangster +Gladiator +Gretna +Interaction +Krai +Lust +Markov +Marymount +Maulana +Nite +Particularly +Partition +Phelan +Protective +Quorum +Rainforest +Rath +Referendum +Ryans +Sanitary +Shillong +Stealth +Stitt +Supplemental +Thumb +Uniteds +Verse +Waylon +Wiggins accumulating atrophy authoritarian @@ -16069,6 +29883,70 @@ vulgaris wavy weakly whereupon +Abercrombie +Acrobasis +Ansari +Artie +Blackmore +Briscoe +Castile +Chic +Crab +Dera +Dispatch +Divas +Drakes +Dumb +Edmondson +Exclusive +FREng +Facing +Ferrer +Fluid +Fusiliers +Hush +Hussey +Learned +Leona +Lovejoy +Mariner +Marshes +Masterson +Mausoleum +Melodifestivalen +Nemesis +OShea +Onyx +Parque +Partnerships +Penrose +Phineas +Pia +Propaganda +Protector +Qureshi +Sana +Seaford +Servants +Sheela +Shut +Sreenivasan +Strikers +Sylhet +Timo +Told +Tomorrows +Torchwood +Trademark +Tshirts +UAVs +Valencian +Valenzuela +Vampires +Woolley +Workman +Ying +Zephyr aboveground ambushed archdeaconry @@ -16104,7 +29982,6 @@ natively opt planetarium prodrug -re scorers singly solves @@ -16115,7 +29992,61 @@ tonnage uncomfortable unify warp -z +Africanborn +Alchemist +Alexei +Amity +Attitude +Bikaner +Blige +Boardman +Cabrera +Cells +Chadian +Coos +Cotabato +Cultures +Doppler +Duarte +Durand +Experiments +Gao +Gervais +Granby +Grape +Internetbased +Jackman +Jat +Joke +Lazy +Lectures +Lists +Mangelia +Middleearth +Municipalities +Navi +Nipissing +Patience +Photoshop +Ponds +Preachers +Randwick +Rocroi +Samba +Sandler +Scripture +Shewa +Shipyards +Shoshone +Sirens +Spitsbergen +Strathcona +Sweetwater +Thailands +Tiwari +Urbana +Varese +Venkateswara accountancy advantageous androgen @@ -16126,7 +30057,6 @@ axons bargain canoes carnivores -catchphrase computerbased conveys decorating @@ -16148,7 +30078,6 @@ laughter learnt lettuce manors -nM navigator peas polyethylene @@ -16169,6 +30098,66 @@ uncontrolled unilateral warblers weavers +Acosta +Albrecht +Andretti +Baer +Bamberg +Banister +Barra +Benn +Caddo +Caliphate +Caste +Cheers +Chryseobacterium +Dacia +Dig +Duma +Dumas +Dun +Edgbaston +Electra +Frequently +Generator +Grammynominated +Greig +Hales +Hansa +Highness +Influenced +Josie +Kuhn +Laid +Leonid +Lopes +Lorain +Loyal +Lying +Macs +Meerut +Mehra +Miniseries +Nerve +Oppenheimer +Pompeii +Posey +Prism +Psychedelic +Refueling +Rennes +Salix +Sanborn +Sang +Santi +Shimla +Sitting +Sunnyvale +TMobile +Tilt +Trader +Uboats +Youve adversely aggravated appendix @@ -16178,10 +30167,8 @@ copyrights creamcolored designates filesystem -firstweek furthering grids -hp hurdle impairments jails @@ -16215,6 +30202,61 @@ watercraft waterproof wattle whereabouts +Acraea +Alt +Anglicans +Annunciation +Antonius +Barnum +Brew +Buried +Chesney +Chipping +Comstock +Corso +Corvette +Cotswold +Counting +Dalian +Drydock +Eldon +Elmhurst +Elstree +Esposito +Framingham +Galt +Gprotein +Haverhill +Hilltop +Huffman +Kadapa +Kalinga +Licinius +Loy +Ludacris +Madam +Maddox +Maronite +Noonan +Ondo +Pease +Phyllonorycter +Pikes +Pomeroy +Rajeev +Rapper +Rocca +Ronny +Seattlebased +Siddique +Skins +Sodium +Tydfil +Unification +Ural +Vadodara +Wicca +Yankovic agonists allboys amorphous @@ -16255,6 +30297,69 @@ undivided unlock weatherboard youngsters +Agarwal +Ahmadiyya +Bagan +Beg +Benning +Bong +Brides +Buckner +Bunbury +Carta +Cena +Davos +Deb +Dobbs +Dunbartonshire +Eon +Euphaedra +Flair +Flamingo +Gallup +Gambier +Getz +Hendry +Highlander +Icarus +Lalitha +Lancer +Lankas +Lark +Lobo +Longwood +Lucinda +Mechelen +Mersin +Natak +Niro +Northwich +Nouveau +Participation +Playoff +Puppet +Rational +Rouen +Rubio +Sable +Seeger +Size +Spaghetti +Squeeze +Stable +Submission +Talks +Tatiana +Terrible +Tight +Tories +Towne +Tupac +Ulsan +Uniting +Urophora +Woodpecker +Ypres activator airmen botanists @@ -16285,6 +30390,51 @@ unassigned undermine uniqueness vaults +Altogether +Alva +Aussie +Bolivar +Burden +Canaveral +Casting +Castleton +Cheadle +Coasts +Condon +Cosmopterix +Coverage +Cristian +Either +Enright +Esteban +Fairport +Flaherty +Fraud +Giving +Glynn +Gulch +Harrell +Headmaster +Hezbollah +Highlights +Hollywoods +Jumbo +Linkin +Machado +Marg +Miramichi +Munroe +Nestor +Primus +Prithviraj +Remy +Rigby +Suffrage +Trailer +Veil +Wicks +Zealander +Ziegler administrated anonymity archaea @@ -16334,6 +30484,61 @@ torpedoes tricycle unjust urea +Administrations +Amenhotep +Asif +Atlantas +Beasts +Bight +Britishtrained +Bulacan +Carlsbad +Codemasters +Comedian +Connaught +Dreamer +Earthquakes +Elbow +Flies +Gabonese +Goalkeeper +Gul +Hagerstown +Hain +Halsey +Ingham +Irina +Kean +Kirsty +Legs +Leven +Livy +Lomond +Lucio +Luiz +Mahadevan +Manatee +Marcy +Nederlandse +Newsletter +Paragon +Peckham +Pence +Perseus +Pfeiffer +Professors +Puma +Rawlings +Roughly +Schmitt +Siamese +Siren +Spaniards +Stonehenge +Sulla +Toolkit +Tzadik +Yazoo animators aroma brevis @@ -16378,9 +30583,61 @@ technologist thrice ticks twentyfifth -un woolen youthful +Barre +Bede +Camerons +Cardiac +Caribou +Centrals +Chapters +Char +Ebert +Egerton +Estimates +Fidel +Franchise +Fuego +Gannon +Gorkha +Govind +Grampian +Guidance +Hilliard +Hitlers +Italiano +Kaya +Methodists +Moderate +Mongols +Moser +Ogilvie +Palladian +Palos +Pawtucket +Picasso +Prentice +Radyo +Redeemer +Regard +Samaritan +Sanaa +Sarnia +Saville +Schweizer +Seaside +Seekers +Serrano +Sphere +Spoon +Stetson +Tamils +Technique +Thiele +Ulm +Viti +Wines aircrew antipsychotic appropriation @@ -16420,6 +30677,77 @@ southsouthwest supercomputers tolerated viscous +Abner +Asiad +Backyard +Bedi +Bernd +Bremer +Cantabria +Caruso +Chatsworth +Cleo +Coil +Corvallis +Coyle +Curia +Divorce +Dixit +Franck +Freshman +Fugitive +Gaynor +Heavens +Hecht +Helicopters +Hua +Husky +Isthmian +Jenner +Kohler +Labeobarbus +Lavigne +Lindy +Lisburn +Madera +Mennonites +Mock +Mozarts +Muskogee +Norsk +Ouse +Ozone +Palme +Pathanamthitta +Penske +Planetarium +Porcupine +Postwar +Pray +Primal +Protect +Quaternary +Relativity +Remo +Rhett +Robles +Ruff +Saare +Sergius +Sonoran +Springboks +Styx +Swallows +Theatrical +Tillman +Trench +Ujjain +Upland +Wakeman +Wooster +Workforce +Workplace +Yung abeyance acknowledging airtoair @@ -16451,7 +30779,6 @@ inevitably latitudes liners multiethnic -og polity prefabricated reggaeton @@ -16465,6 +30792,72 @@ stalked staunch validate videogame +Afar +Albertas +Aloe +Amanita +Ballpark +Beyer +Bhai +Boulgou +Bowler +Celestial +Chantal +Charaxes +Conley +Conrail +Deception +Distant +Donato +Efforts +Elam +Eldorado +Enemies +Eros +Genomics +Happened +Hauser +Havering +Hind +Hirst +Hispania +Inquisition +Interplay +Jagannath +Kok +Konstantin +Lace +Leander +Leica +Liberator +Margate +Mechi +Millie +Mort +Munson +Pathak +Picard +Playwrights +Razorbacks +Ryukyu +Saccharomyces +Sander +Sermon +Shaws +Sia +Spaces +Spatial +Survive +Tables +Tamale +Uriah +Vicious +Visconti +Vortex +Weasel +Wen +Windy +Zhu aborted acquaintance agitation @@ -16508,6 +30901,64 @@ stepfather thermodynamic uncontested unfortunate +Adaptive +Ainsworth +Ajit +Akira +Armies +Barbarossa +Barren +Benedetto +Brazzaville +Brompton +Chaim +Chesterton +Ching +Controversy +Coronado +Donner +Easts +Electro +Elf +Flea +Forman +Gan +Gimme +Hawkwind +Howells +Indra +Kin +Leech +Limassol +Lobos +Loring +Lotto +Magician +Manchesters +Manga +Marxism +Maserati +Mic +Nusa +Ola +Pakistanis +Presence +Pyle +Raghavan +Ramadan +Regimental +Reinhardt +Rodolfo +Sacrament +Scooter +Shorea +Skidmore +Souths +Srinivasan +Tisch +Tuskegee +Wisconsins +Wow allnew antiquities atrial @@ -16552,6 +31003,80 @@ vernal witty wording wren +Adkins +Altar +Asansol +Baguio +Barbera +Battalions +Beans +Belly +Bir +Biscayne +Cay +Clough +Commodity +Daejeon +Darwen +Dmitri +Duel +Euxesta +Expanded +Fen +Folds +Gaia +Galbraith +Girard +Grail +Guess +Harbin +Highgate +Holstein +Hoofdklasse +Kipling +Konkan +Lambton +Madang +Manns +Marthas +Memoir +Messengers +Missouris +Mistress +Monopoly +Moulton +Nemo +Novara +Oakdale +Obie +Oriel +Pearls +Pima +Pythons +Radiant +Reporters +Riverfront +Rope +Rosemont +Rosetta +Saban +Semarang +Shakespearean +Sold +Structures +Stupid +Tempo +Toros +Townsquare +Transnational +Trigger +Turns +Vogt +Waterfall +Werribee +Writings +Yen +Zimmermann abnormality antiquarian beginners @@ -16609,6 +31134,58 @@ uninterrupted webpage whiteeye workplaces +Archangel +Arran +Arte +Ashcroft +Bani +Barnaby +Beastie +Bluebird +Bombus +Casanova +Competitors +Crowns +Distributors +Example +Fitchburg +Galen +Geronimo +Hadrians +Hammerstein +Harts +Inaugurated +Karnali +Landers +Leahy +Lila +Lore +Macaulay +Madhavan +Maghreb +Maris +Mounds +Movements +Mystics +Nun +Omani +Outback +Passengers +Perpetual +Primrose +Progressives +Reforms +Rho +Sangam +Scorsese +Seamus +Springdale +Thurrock +Ultima +Vans +Virtue +Witwatersrand +Yamuna accountants adventurous baggage @@ -16648,6 +31225,62 @@ tubercles tv ulcers undocumented +Adolphe +Alegre +Alford +Altrincham +Aluminum +Ape +Armidale +Arvind +Attractions +Azure +Bamyan +Beaconsfield +Bheri +Blackfriars +Blanca +Brunel +Chengdu +Cirencester +Crocidura +Discover +Elvin +Flute +Gillis +Gnagna +Goldfields +Greensburg +Haplogroup +Hobbit +Hofstra +Huawei +Impressions +Lehmann +Liber +Lindisfarne +Madge +Manuscript +Mapping +Meaning +Payment +Pisces +Redd +Reinhard +Ritz +Rollers +Salamanca +Schulze +Sketch +Smashing +Sour +Supermarine +Susannah +Tania +Transgender +Venue +Volk +Walworth afield algorithmic apology @@ -16695,6 +31328,71 @@ unaffected whistleblower wingback yes +Abhishek +Adamawa +Asteroid +Astronaut +Autry +Bhaskar +Blakey +Bop +Bracken +Broke +Brugge +Bubba +Bun +Carvalho +Claw +Clearing +Clwyd +Coen +Coma +Dowd +Earache +Emmet +Endemol +Floorball +Franklins +Funimation +Geary +Geddes +Goliath +Haverford +Hitchcocks +Ivo +Jett +Jiang +Kinder +Lad +Langston +Lawless +Maldon +Mallet +Meri +Nayak +Nighthawks +Norah +Nunn +Pacheco +Petri +Pico +Pledge +Purana +Rajshahi +Ramone +Reactor +Reloaded +Rojas +Scrooge +Shanks +Suisse +Tennyson +Texasbased +Tides +Tre +Troopers +Whedon +Zwolle ammonoid basses billboard @@ -16737,6 +31435,67 @@ trough turbocharged uplift workload +Accredited +Akon +Anu +Array +Binary +Blackout +Bolsheviks +Calicut +Calypso +Centaur +Coldplay +Dalla +Deen +Diocletian +Dive +Drinking +Elders +Entertainer +Executives +Fallout +Frenchman +Gallant +Garfunkel +Geiger +Gent +Georgie +Holiness +Hornby +Innovations +Jehovahs +Khalsa +Laughlin +Lev +Licenses +Lott +Lucifer +Malhotra +Maoist +Miramar +Mobley +Mosul +Muncie +Nollywood +Olav +POWs +Pacers +Parisian +Pattison +Popeye +Porky +Richman +Seaman +Seva +Shoemaker +Srividya +Tarragona +Thomass +Thurman +Timmins +Tioga +Vitamin accelerators anion barristers @@ -16769,6 +31528,70 @@ straddling tango tendons voor +Aleutian +Allier +Ami +Bachs +Barge +Barkley +Bloor +Brazos +Camaro +Capri +Cariboo +Chanel +Chiranjeevi +Cobain +Collar +Cornhuskers +Cumming +Diner +Edwardsville +Elisha +Emblem +Escarpment +Etienne +Extensive +Fawr +Gifted +Gillan +Hamptons +Hashim +Hedley +Henk +Interpol +Isabela +Kurtz +Louver +Mahakali +Majid +Makkah +Marv +Montes +Novgorod +Omnibus +Pavement +Perspectives +Pew +Powhatan +Prop +Quarters +Roald +Romain +Roughnecks +Saipan +Salam +Selective +Sherbrooke +Snowdonia +Stockwell +Togolese +Trafficking +Tripp +Vere +Wali +Webby +Zonal absurd anyway apes @@ -16824,7 +31647,6 @@ risky runup sativa smoothly -sportswriter stemmed sterling stuff @@ -16833,6 +31655,80 @@ suitability tagging twisting waged +Alyssa +Analyst +Anatomical +Aria +Balan +Bally +Baru +Bassey +Beeching +Belknap +Benfica +Beulah +Blocks +Bozeman +Caltech +Capra +Carolingian +Centurions +Changsha +Circuits +Contribution +Conversion +Coogan +Cosmo +Creating +Darien +Deaths +Educators +Eggs +Eugenio +Excise +Feist +Freed +Gal +Gorham +Grosse +Havelock +Hutchins +Jams +Kremlin +Lanao +Linwood +Luxembourgian +Moravia +Nagasaki +Nigerien +Orpheus +Oshkosh +Palmas +Par +Pecos +Piet +Pitcher +Pomerania +Pomeranian +Ranjan +Rhea +Ringwood +Sandwell +Schenker +Sevenoaks +Shona +Stallions +Straus +Sundanese +Tal +Tangier +Tazewell +Terrapins +Thrace +Timur +Trumbull +Uwe +Waless avenge barb bequest @@ -16878,9 +31774,75 @@ torpedoed trucking tutoring undisturbed -wa wildfires wraps +Alphonse +Attempts +Bahn +Banjo +Beckham +Belo +Benefits +Boko +Briton +Circa +Coleridge +Colfax +Conditions +Cycles +Deanery +Dickie +Dwan +Eelam +Eskimo +Faithful +Fats +Fights +Formal +Gilberts +Griswold +Hacker +Haringey +Hunts +Hythe +Imaginary +Inline +Inman +Itasca +Jonathon +Knuckles +Leppard +Lullaby +Lumley +Manilow +Manus +Margherita +Martinsburg +Mauricio +Milt +Mindy +Musgrave +Neural +Nusantara +Orchestras +Paducah +Porters +Prehistoric +Reaper +Rebirth +Roulette +Rudi +Scotiabank +Squadrons +Themes +Traders +Turnout +Unable +Upstairs +Views +Waterville +Weed +Woodley ascomycete bitcoin chairwoman @@ -16903,7 +31865,6 @@ gynecology hallucinations honesty idealized -im ingestion inhalation jamming @@ -16926,6 +31887,59 @@ termites thirtysix unfortunately zigzag +ATMs +Adel +Amstel +Ani +Anti +Apps +Baillie +Biden +Brazils +Carbondale +Careys +Carousel +Cate +Caught +Collectively +Confederations +Correspondence +Coyne +Crenshaw +Dodger +Dum +Dungannon +Gaborone +Gaffney +Gobind +Golding +Griggs +Hadrian +Hamer +Heinemann +Heliport +Hoy +Isuzu +Naik +Olsson +Palatinate +Pentax +Penthouse +Persatuan +Pino +Priyanka +Reba +Reproductive +Rutledge +Salomon +Sans +Schreiber +Spitzer +Striker +Uranium +Vedanta +Vulnerable +Watershed affinities airframe alternated @@ -16972,6 +31986,72 @@ stitches thplace vicious warehousing +Abyss +Aspects +Barbershop +Beloit +Bio +Blaise +Brumbies +Burleigh +Canoeing +Catamarca +Chhatrapati +Cooperstown +Cousin +Daleks +Degrassi +Died +Doreen +Earthquake +Ebony +Eighteen +FCs +Fenway +Flowerclass +Futuna +Gillies +Hemel +Hooks +Hygiene +Interview +Jacoby +Jahan +Karloff +Kurnool +Lancia +Largely +Lombardia +Macleod +Makassar +Mohave +Needle +Notice +Padova +Pampa +Paranormal +Peaches +Philippa +Pickford +Poseidon +Providers +Rusk +Saif +Shall +Singida +Sumo +Sundar +Taggart +Talib +Thy +Tippecanoe +Trimble +Ukhrul +Valentina +Variable +Varna +Vue +Zebra ballerina bluish circumference @@ -17013,13 +32093,88 @@ thrived tit toss twolane -twoweek umpiring violates watchdog watersoluble whitewater widgets +Affleck +Agha +Alvarado +Anthonys +Ars +Babes +Benghazi +Beryl +Bonifacio +Burgos +Colegio +Continuous +Cooney +Crying +Dames +Duckworth +Elevator +Emmylou +Employers +Essence +Farrow +Fears +Ferrell +Foy +Futebol +Gabby +Gallus +Gatineau +Gerrit +Helene +Hog +Hogarth +Hoot +Idiot +Incs +Kato +Kulkarni +Kumbakonam +Lancelot +Langton +Lenape +Loco +Marburg +Mashonaland +Mears +Minimum +Moi +Mor +Murdock +Murfreesboro +Nordiques +Olney +Ong +Pago +Paulus +Pittman +Poirot +Pollack +Pura +Pussycat +Radial +Romford +Roseville +Rowlands +Says +Sexuality +Shashi +Sniper +Sybil +Tecumseh +Threats +Tricky +Tuna +Wasp +Witherspoon +Xlinked achene airliners allmetal @@ -17049,7 +32204,6 @@ immunoglobulin inexperienced jealous lowercase -nom nonverbal parentage perfection @@ -17073,6 +32227,56 @@ thickened thinktank westerly wonders +Arnaud +Aryan +Bea +Bolshevik +Boulton +Carrolls +Chandran +Charmed +Closing +Colvin +Coxs +Creeks +Devo +Dressage +Dugan +Email +Euxoa +Frampton +Frankel +Gillard +Gloves +Gunther +Hurts +Invention +Italo +Knesset +Liar +Littlefield +Lovato +Mansell +Necropolis +Orangeburg +Parkland +Pau +Paulson +Persona +Prema +Presleys +Queenslands +Ruler +Siding +Strachan +Sudamericana +Sum +Terrance +Thani +Trapani +UMass +Undertaker +Yoon abide acne alters @@ -17130,6 +32334,77 @@ taxed tunneling tutorials warmth +Abington +Alcatraz +Aron +Ashburton +Beaverton +Bowes +Branches +Brubeck +Bruneian +Burch +CEOs +Cannons +Chaldean +Chaser +Chromosome +Cock +Com +Copley +Dann +Fixed +Formally +Forsythe +Fribourg +Gabriels +Gambino +Genoese +Glamor +Hammers +Hernando +Hocking +Iraqs +Jacky +Kentish +Keyboard +Kohli +Kuching +Langer +Lindbergh +Linlithgow +Magsaysay +Mahon +Marshalls +Meistriliiga +Midler +Nayanar +Nuts +OKeeffe +Patriarchate +Perlman +Phuket +Pixel +Precambrian +Rajah +Rathbone +Royston +Saatchi +Sabina +Satanic +Sayers +Schumann +Scrubs +Siddiqui +Sokoto +Spell +Squaw +Tryon +Warners +Wilkie +Youngblood +Zara +Zorro abstained abstracts adobe @@ -17182,6 +32457,70 @@ untreated urethra veil wastes +ATPase +Acute +Adil +Adolfo +Alchemy +Anupam +Attention +Bacchus +Baruch +Bassist +Beaux +Bridgwater +Brig +Bumps +Continent +Contracts +Crack +Dealer +Dichomeris +Dominguez +Fusinus +Gita +Gosling +Harden +Homers +Jamaicas +Kicks +Kingfisher +Locarno +Mahmood +Marisa +Monarchy +Monsignor +Montpelier +Myer +Nearctic +Neighboring +Payton +Peas +Photographer +Position +Raffaele +Raptors +Settlers +Shatner +Sheets +Shrek +Skagit +Stahl +Stenhousemuir +Stronger +Sultans +Synthesis +Takahashi +Touchstone +Tremont +Tuam +Tupelo +Vuitton +Wellness +Whitbread +Wholesale +Xhosa +Zafar bribes callers complying @@ -17193,7 +32532,6 @@ effected electrolyte evangelism falcon -fivestory fostered gunfire hauls @@ -17227,6 +32565,80 @@ verge viridis waned waveform +Acadian +Addams +Adnan +Altoona +Annandale +Ardmore +Aroostook +Astrid +Baileys +Blackbird +Blur +Bonaventure +Brgy +Burundian +CBeebies +Camelot +Centurion +Chak +Clem +Commentary +Controls +Cupid +Dillinger +Dye +Eilema +Eoin +Feinstein +Frye +Gabriela +Gaiman +Gamecocks +Glenda +Goldwater +Gosport +Guzman +Hawes +Hearn +Hunslet +Jeannie +Jef +Jrs +Kingdombased +Lively +Mahoning +Miniature +Modest +Montauk +Moreau +Nexstar +Nut +Optics +Pacifica +Prosoplus +Radiology +Rajkot +Reckless +Sala +Sanger +Schmid +Seema +Skype +Spartacus +Spread +Stallone +Stott +Tanah +Thunderbolt +Transcription +Umbrella +Villains +Walcott +Yarrow +Yoo +Zheng asserting chronicler clades @@ -17263,11 +32675,75 @@ spore systematics taxonomists toxicology -u understory unfit vents weakening +Abi +Acta +Alexanders +Anantapur +Ariana +Ariane +Aulus +Bakker +Berrien +Bossier +Butlers +Chittenden +Conklin +Cosenza +Cuddalore +Daventry +Detroits +Elizabethtown +Elwood +Felicia +Follies +Freeview +Friary +Gameplay +Gaylord +Hack +Haram +Harrier +Hiawatha +Inclusion +Infection +Iowas +Kampong +Kenan +Khel +Llandaff +Locks +Macerata +Marshals +Martel +Moshi +Nanak +Osh +Phytoecia +Polka +Powered +Presbytery +Pritzker +Pumas +Pumpkins +Qasim +Roadshow +Satara +Shaheed +Shit +Silverstein +Tewkesbury +Thorp +Untold +Usman +Vee +Vientiane +Vijayan +Watching +Wayanad accrediting amnesia anabolic @@ -17317,6 +32793,70 @@ toast turntable twentyfourth unimproved +Abdulaziz +Agencys +Aire +Astaire +Available +Avant +Avril +Bajaj +Binder +Bitcoin +Boletus +Cardiovascular +Caterina +Causes +Compaq +Condition +Cwm +Darul +Dendrobium +Divided +Elizabeths +Esperanza +Eurodance +Faction +Farnsworth +Ferrers +Hiller +Hollands +Hyland +Iridomyrmex +Karlsson +Kisses +Kurds +Lauper +Load +Meagher +Minto +Mohr +Mundo +OGrady +Pasir +Pharma +Pixies +Ruhr +Rus +Sapphire +Scarface +Sephardic +Solano +Sorry +Spezia +Srikakulam +Steely +Stow +Taff +Texarkana +Tip +Torn +Trumpet +Tum +Valeria +Veritas +Villeneuve +Waratahs agility anamorph assays @@ -17368,11 +32908,80 @@ somebody substation tenancy tending -threemonth transfusion tritons tungsten violently +Aam +Agile +Ainternational +Albanians +Andrey +Anthrax +Arif +Ashram +Biloxi +Biswas +Boyne +Chabad +Chiles +Colonials +Crews +Demetrius +Demo +Demos +Deng +Dept +Directions +Dragonlance +Dumont +Dunkeld +Ego +Ehrlich +Enos +Eunice +Fore +Grahams +Groupe +Haider +Hazrat +Heilongjiang +Hema +Hopi +Infrared +Kallang +Karzai +Kauffman +Kigali +Kodiak +Korfball +Lemmon +Lindberg +Lupus +Malloy +Manchuria +Mercalli +Monasteries +Nakhon +Novice +Oberon +Orang +Originals +Panay +Pennsylvanian +Pentium +Plovdiv +Putra +Ratna +Redcliffe +Richfield +Rousseau +Seventeenth +Strain +Surviving +Transverse +Treehouse +Vineyards alder antihero aquariums @@ -17436,6 +33045,73 @@ synthetase tectonics thirdgeneration twists +Accrediting +Anthidium +Bas +Bayfield +Bebe +Bestseller +Bhatia +Bochum +Bock +Bonus +Buganda +Businesses +Chat +Chowk +Contributions +Crispin +Delicious +Dire +Distrito +Eighteenth +Filly +Flatbush +Garda +Geek +Hadi +Haworth +Heathcote +Helmet +Heracles +Herod +Hobby +Ilex +Jonesboro +Kenai +Kermit +Lombok +Lugo +Majlis +Masses +Maurer +Meeker +Mesopotamian +Mumford +Nathalie +Newtons +Novell +Ooni +Palaearctic +Phantoms +Prato +Realtime +Renamed +Sack +Sasanian +Serenade +Solent +Sportsnet +Stages +Stallion +Tarantino +Tonbridge +Tung +Usha +Vincennes +Wacker +Warfield +Wingfield afflicted asleep attributable @@ -17465,7 +33141,6 @@ mandibular melanogaster meridian minima -ml newfound nicotine nonstate @@ -17492,6 +33167,94 @@ threequarters townhouse trimmed yourself +Abul +Aishwarya +Algonquian +Alvania +Aosta +Atalanta +Balakrishna +Bareilly +Batak +Beebe +Bellini +Boney +Braithwaite +Branford +Brockton +Caen +Chandrasekhar +Charlene +Charlies +Chattahoochee +Chest +Chilliwack +Coleraine +Councilman +Dies +Edgewood +Factors +Fig +Flemington +Flyweight +Fries +Fujifilm +Gad +Halliday +Harvards +Herrmann +Higgs +Hillsdale +Huguenot +Huntly +Iglesia +Irishborn +Italianborn +Jha +Khanate +Knott +Krishnagiri +Ledger +Llandudno +Lockyer +Macedon +Mackinac +Maniac +Marek +Marko +Mast +Mortensen +Mummy +Nance +Nervous +Nuffield +Olde +Options +Pants +Penzance +Prosperity +Providing +Qinghai +Ramya +Raytheon +Rebbe +Requirements +Rhododendron +Roslyn +Saarland +Scopus +Shoreditch +Sialkot +Snider +Southwell +Swinging +Tandy +Teletoon +Tinsley +Travelcard +Travolta +Unite +Westcott accolade adhering alienation @@ -17524,7 +33287,6 @@ overtly palliative partylist plethora -pregame recounting renounced richness @@ -17534,7 +33296,6 @@ saxophones scaly sensations sessile -seventime snRNAs starship storefronts @@ -17544,6 +33305,67 @@ timer townlands unaired underdeveloped +Appel +Argos +Bakshi +Benz +Bund +Cartel +Conversation +Decoration +Dene +Diddy +Dodson +Eidos +Elba +Ellicott +Epsilon +Fey +Feyenoord +Fitzwilliam +Gangsta +Hsu +Ina +Infogrames +Issa +Kapur +Kee +Larsson +Lockport +Lowther +Massa +Meehan +Mercia +Misery +Naresh +Narrow +Natchitoches +Northcote +Northumbrian +Oglethorpe +Pankaj +Pashto +Pawan +Pirie +Postmaster +Potassium +Rectory +Replacement +Ribble +Robbery +Shi +Shoal +Shots +Speedy +Statistique +Straw +Tad +Technically +Trobe +Twente +Vegetation +Verity +Vicariate aces adaptable allegation @@ -17614,6 +33436,81 @@ voltages westsouthwest worldview yuan +Alhambra +Baez +Bigger +Bite +Botha +Busby +Cimarron +Colm +Connecticuts +Coombs +Cyrillic +Dantes +Delray +Dhawan +Dillard +Edinburghs +Effingham +Eid +Eintracht +Elphinstone +Esk +Francophone +Freda +Freeze +Freleng +Frontline +Function +Gadsden +Grandview +Grosseto +Hamill +Harborough +Hazara +Holcomb +Intent +Isley +Jeopardy +Jing +Joness +Lecce +Leh +Litigation +Maison +Malton +Mayenne +Maynooth +Mayotte +Muda +Multicultural +Nassar +Navia +Notch +Nur +OHare +Pernambuco +Pesaro +Pets +Quartermaster +Reclamation +Rendell +Richardsonian +Rounder +Rumors +Rustic +Sample +Sheraton +Slaves +Sweetheart +Tandem +Theta +Thun +Transnistria +Vendetta +Vidarbha +Walthamstow actuators anthems archetype @@ -17666,6 +33563,100 @@ westnorthwest widget woodwind zoned +Affiliate +Alder +Altos +Applegate +Arrowhead +Athabasca +Atlus +Austins +Barrel +Batista +Beal +Bmovie +Bos +Byrnes +Calle +Campbelltown +Connery +Daft +Defenses +Desam +Dhillon +Doomsday +Entering +Fifteenth +Finest +Formosa +Garza +Geometry +Girlfriend +Grinnell +Hamasaki +Hardie +Hippo +Howarth +Humberto +Hungerford +Improv +Indianborn +Intensive +Jinnah +Joining +Kalmar +Keswick +Kinsey +Labdia +Lambs +Larne +Lawrenceville +Libertad +Loans +Lomax +Luisa +Lyell +Mankato +Marissa +Marti +Melford +Mitchum +Montoya +Morehead +Morehouse +Nairn +Nitin +Onslow +Ornithological +Parenthood +Paton +Perot +Picks +Pictou +Qantas +Rudyard +Scania +Schiff +Sell +Shaggy +Solothurn +Tachina +Tavistock +Tenggara +Tomlin +Tres +Tribunals +Tron +Tshirt +Unger +Venkata +Vibe +Wai +Waking +Warne +Westerns +Westgate +Xaviers ailments airbase amending @@ -17702,7 +33693,6 @@ megawatt mess morals neo -nonLGBT overthrown pertinent phenotypes @@ -17722,6 +33712,95 @@ videotape waltz westerncentral witnessing +Advantage +Background +Bayley +Beatrix +Bihari +Breakdown +Breakout +Carrillo +Catechism +Caversham +Chainsaw +Chechnya +Chipmunks +Clarkes +Cochise +Components +Crompton +Decisions +Dionysius +Dixons +Dorothea +Doves +Downhill +Dufferin +Elon +Este +Everywhere +Extraliga +Fade +Fung +Ganguly +Garnet +Gruber +Gustave +Hispanics +Hive +Honiara +Hussars +Investor +Isobel +Javelin +Jayhawks +Jimenez +Jupiters +Kan +Latinos +Leanne +Livonia +Losing +Marengo +Marker +Mello +Modoc +Moreland +Musik +Namur +Nanded +Naveen +Newfield +Nightmares +Nos +Pebbles +Pere +Pictish +Pocono +Pondicherry +Qualcomm +Rafi +Raging +Reaching +Redditch +Roja +Satya +Simi +Slavs +Soleil +Stables +Streptococcus +Thetford +Ting +Tiverton +Triomphe +Tulare +USAs +Veer +Vivendi +Vodka +Westphalia +Whittington adhered appointee backyard @@ -17783,6 +33862,83 @@ trike unicellular whatsoever woodenhulled +Aamir +Apparently +Augustin +Ayurveda +Beethovens +Biscuit +Boundaries +Brooker +Busta +Busy +Calosoma +Candida +Carteret +Clarita +Contractors +Crag +Crassus +Crooks +Cyndi +DArcy +Deir +Desi +Dragoons +Femme +Frasier +Geographically +Gert +Grier +Grip +Heston +Hopes +Irishbred +Justus +Kya +Lamborghini +Lewiss +Lexus +Lifes +Manorama +Marches +Mature +Mercado +Mumtaz +Nagarjuna +Neustadt +Nickelodeons +Ora +Oriya +Parris +Pepperdine +Picton +Pointer +Pontypool +Promenade +Rede +Reorganization +Roebuck +Saffron +Seminar +Sentai +Shamrocks +Siddeley +Siskiyou +Socorro +Stalingrad +Sternberg +Structured +Substance +Surveys +Tavares +Treatise +Vai +Vero +Wausau +Weis +Whistle +Yolanda airflow ambulances annum @@ -17810,7 +33966,6 @@ heron immersed indistinct jubilee -kV lawmakers mover novelists @@ -17843,6 +33998,78 @@ upperclass vanity werewolf wuxia +Abba +Aged +Agreements +Alright +Ants +Ashkenazi +Ayub +Bemidji +Berlusconi +Bisons +Conventional +Cortinarius +Dionne +Eason +Edgewater +Enniskillen +Evangeline +Ewart +Falun +Faster +Filmmakers +Fundy +Garwood +Ghazi +Ghostbusters +Goblin +Hex +Inns +Intense +Ionian +Jaws +Kaunas +Kelli +Kitsap +Leek +Lleida +Loveless +Malini +Mayall +Melkite +Merkel +Minotaur +Montgomeryshire +Morden +Nikhil +Oakleigh +Olcott +Oxnard +Pays +Prelude +Rayner +Relationship +Reruns +Rialto +Rik +Rundgren +Seats +Shekhar +Shiraz +Sinatras +Siri +Sita +Soares +Soman +Spaulding +Stuck +Sundaland +Supported +Technician +Tralee +Trotter +Tulip africana alumna approving @@ -17875,7 +34102,6 @@ invaluable lingerie melancholy midnineteenth -nineyear oppressive percentages plasmid @@ -17893,6 +34119,99 @@ thencurrent thirtyfour unaltered utilitarian +Acme +Airy +Alderney +Alliances +Amis +Aphrodite +Astrophysical +Babyface +Bankstown +Bayview +Benevolent +Bexar +Bibliography +Blame +Bletchley +Bodmin +Booksellers +Brooklynbased +Capability +Cardiology +Catalunya +Chairs +Cherie +Chop +Conasprella +Dragoon +Dynamos +Falconer +Fours +Freeform +Friz +Fuentes +Geodetic +Glaser +Glossop +Goff +Gundam +Harish +Harness +Heerenveen +Helmand +Holarctic +Invicta +Kamen +Knitting +Lansdale +Luz +Mariam +Marrakech +Maths +Meriden +Mickeys +Microbacterium +Mirpur +Nantwich +Oldsmobile +Opium +Optimus +Outsiders +Parthian +Pentecost +Percussion +Pittsylvania +Possum +Pradhan +Qaeda +Raines +Rawlins +Reagans +Righteous +Rios +Ronstadt +Salah +Samiti +Sharada +Sixty +Slip +Sportscar +Srikanth +Thaddeus +Thorns +Trend +Turismo +Ugo +Uverse +Vanua +Viral +Watsons +Weald +Whisky +Williston +Worm +Yak acknowledgement acquainted barring @@ -17946,6 +34265,84 @@ upholding victor violist youre +Aedes +Alfie +Andrzej +Annabelle +Antenna +Ayn +Bankura +Boggs +Bola +Bonita +Bristow +Bucket +Bully +Cigar +Clients +Coin +Contested +Dayak +Demonstration +Elgar +Endotricha +Fairey +Fonseca +Goodwood +Gotha +Governmental +Grenfell +Greyhawk +Harkness +Hire +Hisar +Hypsopygia +Jalal +Junkers +Kennett +Kher +Magellan +Manmohan +Mariposa +Mikmaq +Moyer +Nocardioides +Numan +Ophthalmology +Ott +Parental +Partial +Payments +Pell +Perrin +Perspective +Photographers +Pillar +Pimp +Planes +Raghavendra +Reinhold +Saha +Seitz +Sharkey +Snap +Stairs +Subramaniam +Supercup +Supervision +Swinburne +Thea +Tract +Tunstall +Verlag +Verticordia +Voorhees +Wailers +Warrnambool +Wikimedia +Willi +Winans +Yin accusation barcode barrage @@ -17989,6 +34386,95 @@ subduction surveyors unintentional veneer +Accomack +Amen +Ararat +Ashokan +Atmosphere +Attraction +Atwater +Autodesk +Basra +Birkbeck +Bradenton +Brough +Capel +Catalans +Cenomanian +Chancellors +Chateau +Chiara +Childress +Chippenham +Conversations +Copies +Crowded +Cusco +Dealers +Dodds +Dominick +Eco +Edie +Equinox +Eulima +Forced +Gare +Girardeau +Goswami +Graveyard +Grenadian +Hagar +Hildesheim +Horde +Husbands +Hwy +Jarman +Kader +Kashyap +Kidman +Kilburn +Kinsella +Knew +Kongo +Lowlands +Lynyrd +Macpherson +Mayes +Mexicans +Multi +Murthy +Nakamura +Netherland +Nude +Olusegun +Omo +Pakatan +Pasay +Pendle +Pittsburghs +Prejudice +Preschool +Radnor +Rapp +Residency +Roxburgh +Sevier +Shakira +Silla +Starkey +Stax +Stefanie +Stepney +Stryker +Taf +Telly +Theophilus +Tutor +Ustad +Walther +Watling +Wycliffe +Yeats adapts apologized avionics @@ -18049,6 +34535,83 @@ vestibular walkways wearers westwards +Afghans +Aura +Basildon +Belcher +Bloods +Bogor +Cebuano +Comeback +Container +Contributors +Cruiserweight +Crusades +Dagestan +Delia +Deloitte +Deportes +Drenthe +Eastlake +Elevated +Entrepreneurs +Epiphany +Epps +Eusebius +Fagan +Farrington +Flack +Frick +Galium +Gatwick +Gerardo +Gibraltarian +Goofy +Gravel +Groom +Halford +Hamar +Hamza +Hattie +Heinlein +Homeless +Hurd +Integrative +Jar +Kokomo +Levis +Lillie +Lisle +Meadowlands +Medallion +Memorandum +Messier +Minutemen +Mixing +Modernist +Monika +Proteobacteria +Quimby +Ramblers +Removal +Robeson +Ruggles +Salsa +Sathyan +Seagulls +Sengupta +Seuss +Stags +Stiller +Tauranga +Teddington +Thad +Thurles +Tidal +Valli +Vict +Whiteman +Wildstorm aloud biennially bingo @@ -18098,6 +34661,90 @@ territorys unlocked veneration withheld +Adoption +Annenberg +Anselm +Aru +Avi +Bader +Baltimores +Barefoot +Bharti +Bhartiya +Bobbie +Bradfield +Breckenridge +Brisbanes +Caesarea +Coats +Coldfield +Continuum +Coromandel +Cotter +Detectives +Dukakis +Earp +Embrace +Gator +Greats +Hampshires +Hillsong +Hosts +Hyposmocoma +Jacopo +Kankakee +Kraus +Krieger +Laundry +Lublin +Madura +Manpower +Maputo +Meghan +Mobil +Nettwerk +Nix +Nyman +Ossetia +Overlord +Owings +Pala +Parrot +Penns +Pic +Prolog +Psychic +Puya +Qajar +Quicksilver +Redblacks +Revolutions +Rollin +Roos +Rosso +Ruthven +Sahel +Sasikumar +Scorpio +Sealift +Seine +Superfund +Surfer +Swarthmore +Tabriz +Tongues +Tram +Tsunami +Tug +Wilhelmina +Woodard +Worksop +Yao +Yardley +Yeo +Ypsilanti +Zamora +Zeta abode abscess accommodating @@ -18147,6 +34794,82 @@ theyve uncial undulating wildly +Abstracts +Afrika +Aris +Aztecs +Bahujan +Bauhaus +Begun +Berea +Bernal +Bhat +Brickell +Cameo +Candace +Carling +Contributing +Cuneo +DPhil +Deacons +Deeds +Doing +Dore +Dornier +Elks +Execution +Exiles +Fieldhouse +Flux +Fredrick +Frontenac +Grit +Hatcher +Hawking +Honest +Howland +IoT +Jalgaon +Jilin +Judi +Jyoti +Kesteven +Larissa +Lata +Lennons +Lichtenstein +Livin +Luo +Mackey +Mellor +Meryl +Muzik +Nonesuch +Orinoco +Pair +Pilkington +Puente +Puppets +Runaways +Sayed +Sejm +Skid +Specialists +Spooner +Stockbridge +Suharto +Swedes +Tablet +Trajan +Tyndall +Unwin +Victim +Viennese +Warlock +Werewolf +Wheatbelt +Youssef +Zoot adversaries almonds apprenticed @@ -18176,7 +34899,6 @@ inspectors mentorship midget multiculturalism -multiyear naturalistic ophthalmology osteopathic @@ -18209,6 +34931,79 @@ unconfirmed vowed webcam wouldbe +Alices +Almighty +Aravind +Atlantabased +Ayrton +Bartley +Beechcraft +Bennie +Bessemer +Birbhum +Bishkek +Bred +Britpop +Broxbourne +Caelostomus +Convergence +Cooperatives +Dafydd +Dates +Descendants +Eastleigh +Ellery +Fylde +Gallic +Gambit +Geraldton +Gustaf +Harrys +Infamous +Istria +Ivanhoe +Kidney +Kingswood +Kohn +Kroger +Licking +Loyalists +Maastrichtian +Maia +Maldonado +Malwa +Mediacorp +Milltown +Nene +Ochs +Oklahomas +Owain +Packaging +Paget +Papyrus +Plastics +Possession +Salute +Sandeep +Ska +Skynyrd +Sommer +Sphingomonas +Startup +Strathmore +Tahir +Tankard +Technicians +Telesistema +Tiber +Tractor +VMware +Vasquez +Viejo +Warrick +Washoe +Wat +Wyre agglomeration alphabets amnesty @@ -18255,6 +35050,88 @@ treatises trending underrepresented wrapper +Absolutely +Accords +Acrobatic +Administered +Agua +Ala +Andi +Arenas +Attila +Barth +Belafonte +Browser +Camillo +Carina +Clone +Connected +Cops +Couple +Denning +Devizes +Dileep +Doolittle +Dublins +Edgware +Eng +Farmhouse +Finsbury +Fogarty +Freemasons +Giuliani +Hibiscus +Kalyani +Karelia +Kilgore +Kwon +Lawler +Liturgy +Llywelyn +Loft +Lyttelton +Madhuri +Mamas +Masquerade +Observers +Olivet +Omagh +Oratory +Orville +Peake +Peasants +Pietermaritzburg +Prendergast +Purdy +Rascal +Rasmus +Receiving +Rosewood +Roux +Sherborne +Shingle +Shoreham +Silverado +Silvers +Simmonds +Sinners +Steppenwolf +Sublime +Sudden +Sumatran +Surry +Susana +Sutcliffe +TPain +Tchaikovsky +Terebra +Trento +Vijayakumar +Visit +Winn +Woodson +Worrell +Zaidi aspiration biophysics blasphemy @@ -18278,12 +35155,10 @@ excuse extravagant fasciata federalism -fivemember flyover hinted indeterminate italics -ka lefthand lobbies logistic @@ -18313,6 +35188,83 @@ sensational suction unisex weaken +Allsvenskan +Amon +Analytical +Auschwitz +Avila +Avis +Beloved +Beninese +Brando +CWs +Cannock +Datu +Delany +Detection +Diver +Euphoria +Exotic +Ferdinando +Filter +Geyser +Gianfranco +Goats +Growers +Guayaquil +Guysborough +Haouz +Hof +Holes +Hollingsworth +Hounds +Hype +Iliad +Jamison +Kaufmann +Kincaid +Leichhardt +Lib +Louisianas +Maccabiah +Manic +Mela +Melvins +Mil +Mildura +Morcha +NOCs +Nagapattinam +Nara +Natives +Paco +Piney +Rambo +Raquel +Rodman +Rune +Satellites +Sheena +Sinister +SiriusXM +Sitka +Situation +Spicer +Spit +Spoken +Streetcar +Tilden +Tinto +Tocantins +Tramp +Tsar +Vines +Vitale +Weezer +Winding +Wool +Wranglers +Yap allusions amphetamine autograph @@ -18363,6 +35315,85 @@ unionism unnoticed vengeance yarns +Aadmi +Abergavenny +Acapulco +Akan +Amalfi +Ambon +Archeparchy +Artur +Azmi +Azul +Babar +Bembidion +Bernini +Bowdoin +Buller +Caius +Cassette +Clockwork +Colette +Computation +Cooch +Crabtree +Cristiano +Darussalam +Depp +Dietz +Difference +Dios +Druid +Dunhill +Dunning +Eltham +Farina +Favorites +Fruits +Garson +Ginsberg +Girolamo +Grapevine +Happen +Harker +Harrisonburg +Hartwell +Isidro +Iskandar +Kamchatka +Krazy +Lawrie +Lina +Litoria +Loon +Magellanic +Melvyn +Messaging +Michaela +Mold +Molson +Morissette +Nalanda +Narain +Needles +Nobles +Oceanography +Plattsburgh +Prabhakar +Presidio +Rehoboth +Ronde +Rowdy +Safavid +Saros +Shayne +Tammany +Tear +Trina +Walsingham +Wolfram +Wolfsburg +Zayed affective android antisocial @@ -18432,6 +35463,97 @@ turbojet unsaturated vaguely waivers +Accelerator +Airdrieonians +Alhaji +Anywhere +Arezzo +Ashworth +Asmara +Assyrians +Ayurvedic +Azam +Bayard +Broadbent +Bugle +Butts +Caro +Casual +Clearfield +Colonia +Concerned +Convoy +Dahlia +Dollars +Euros +Faraday +Faris +Fauna +Friedrichshafen +Geordie +Grind +Gypsies +Hartland +Haskins +Istituto +Josephus +Kilpatrick +Koo +Laurentian +Legislatures +Lenovo +Ley +Lithgow +Liver +Lolita +Manukau +Marais +Meenakshi +Menard +Mingo +Mobb +Newsday +Nikola +Nimrod +Oba +Odell +Omloop +Oneonta +Osprey +Pinkerton +Porte +Poultry +Professionnelle +Promoted +Qin +Radhika +Raghu +Raise +Rasbora +Reardon +Reiss +Rijeka +Riverton +Ropica +Sagan +Sari +Schaeffer +Senatorial +Silesian +Skipper +Sledge +Subgroup +Supervisory +Sylvain +Texaco +Thanhouser +Tilbury +USThis +Urvashi +VLeague +Vagrant +Wagners +Weser abstinence accumulates aerials @@ -18496,6 +35618,89 @@ ubiquitin vocalistguitarist wholesaler william +Afrikaner +Agrarian +Agyneta +Ambika +Arcana +Asaph +Bley +Bonnet +Cadiz +Climbing +Cognition +Colliers +Conquer +Coors +Crematogaster +Cricketer +Cruces +Cyclones +Debuting +Denali +Doyles +Drawn +Egmont +Emu +Feathers +Feeder +Fully +Georgios +Gondwana +Greenhouse +Grown +Haim +Halim +Hargreaves +Histories +Horrors +Iringa +Ishmael +Jahangir +Jeezy +Jhansi +Kitten +Kloster +Ladysmith +Leviathan +Lewin +Lillooet +Liston +Loyalty +Mak +Methuen +Militant +Monde +Nautilus +Neri +Odds +Opry +Orb +Padmini +Padre +Parsi +Pax +Plank +Prophets +Reflection +Rodger +Roundhouse +Seo +Sleeper +Southall +Spade +Stamps +Stoddard +Stormy +Sturm +Tapestry +Telugulanguage +Til +Timmy +Udine +Vinson +Wilco +Xian addict adipose amide @@ -18557,6 +35762,103 @@ turnaround uniformity volatility wardrobe +Abbeville +Adelphi +Algarve +Ashish +Aslam +Bane +Batang +Beacons +Bijapur +Boop +Bromsgrove +Bundy +Capone +Cargill +Cavanagh +Chameleon +Combining +Conservatoire +Contestants +Crop +Daewoo +Danforth +Dubbo +Easley +Eighty +Elvey +Emacs +Encounters +Ending +Espoo +Exchanges +Fannin +Fermi +Finale +Franciscans +Fujairah +Ginny +Globes +Glove +Gozo +Haddon +Hemphill +Hiroshi +Hoods +Illustration +Immediate +Integral +Internment +Investigators +Kiowa +Liv +Lovecrafts +Lubin +Luka +MEPs +Manitou +Mink +Minus +Moline +Myrna +Nuncio +Pardo +Parkside +Parole +Patterns +Persson +Pheidole +Rad +Raptor +Rhineland +Romana +Roseau +Rosenwald +Sandia +Semi +Shameless +Shipbuilders +Sorrento +Stringer +Sumba +Threshold +Tokelau +Tuskers +Unser +Ursa +Usk +Vercelli +Vermillion +VfL +Wayland +Wellman +Whitesnake +Wittenberg +Wound +Wynton +Yeah +Yee acidity agar alienated @@ -18597,7 +35899,6 @@ larynx lowers macroeconomics multitasking -nightshade nurturing paleontological pans @@ -18626,12 +35927,109 @@ tiled topranked transplants trawler -twostage visitation visualized vitality warheads watering +Aborigines +Abram +Administrators +Anns +Athol +Auvergne +Balkh +Belton +Bonny +Burnet +Caernarfon +Chitral +Clevelands +Competitive +Compound +Daves +Dewar +Diliman +Dixieland +Drysdale +Ducati +Dupri +Ekta +Engels +Eudonia +Extensions +Gallia +Garhwal +Graaf +Haida +Harbors +Havant +Hazelwood +Headley +Hopeless +Hummel +Ife +Imogen +Israelites +Jamshedpur +Kaveri +Keats +Klingon +Lacs +Loggins +Lshaped +Ludovico +Mahila +Marathas +Merdeka +Mian +Micronesian +Mirab +Moreira +Musketeers +Nilgiris +Northants +Novella +Numbering +Octave +Ops +Orchestral +Oren +Pang +Pauli +Processor +Psi +Pushcart +Quantitative +Rawat +Rhein +Roskilde +Royalty +Salvia +Sauer +Selman +Socotra +Stabilization +Stockings +Streep +Sula +Symphonies +TIs +Terriers +Tomahawk +Trends +Turbine +UFOs +Urbino +Utahs +Vandross +Verdes +Verification +Voltage +Volusia +Whalley +Whipple +Zoos aerodynamics apiece battered @@ -18643,7 +36041,6 @@ clump counteract diodes earths -fourseat freeways gelding herbivores @@ -18688,6 +36085,106 @@ undead waiver wasting wreckage +Agassiz +Annabel +Answers +Apeldoorn +Ares +Armadale +Aruna +Begin +Bligh +Blockbuster +Cagney +Calcium +Candlelight +Cham +Coding +Columbiana +Confusion +Cowes +Crataegus +DNAbinding +Deepwater +Deus +Devereux +Dignity +Dimensions +Dolph +Elia +Elie +Euclidean +Everly +Existing +Fab +Fedora +Feelings +Fireworks +Flemings +Flemming +Fortitude +Fosse +Freehold +Galvin +Gilead +Glencoe +Guianas +Hanford +Hostel +Jaunpur +Kangra +Kiefer +Kira +Lawrences +Leg +Maddy +Malda +Marques +Mechanic +Molise +Mosman +Namakkal +Napoleons +Naya +Neely +Opportunities +Pawar +Performers +Piraeus +Preventive +Ravichandran +Regarding +Reptile +Rivals +Sameer +Santee +Sarsfields +Sato +Segundo +Sextus +Shahi +Shaolin +Shooto +Shoulder +Spinal +Stalybridge +Standish +Sticky +Supplies +Surrounding +Teens +Tickets +Treason +Trooper +Uncanny +Vadim +Variants +Vela +Vieira +Volley +Voltaire +Widespread +Yankton academician acetic adhesives @@ -18750,6 +36247,117 @@ vest warty whimsical youngadult +Accidental +Addition +Adonis +Agrilus +Allie +Andorran +Anya +Batch +Bentham +Bharathi +Blackjack +Bringing +Brink +Bucky +Camponotus +Caspar +Chant +Charterhouse +Chionodes +Cipher +Commanders +Complications +Cong +Connector +Conyers +Croquet +Cuttack +Deirdre +Deshmukh +Dijon +Downie +Drowning +Earldom +Employee +Estero +Faizabad +Felder +Flannery +Fourier +Fudge +Geeta +Grammys +Greenleaf +Hardys +Hollister +Instituto +Jolie +Kamala +Katowice +Kaushik +Keele +Kenwood +Kicking +Killa +Kristy +Leavitt +Linfield +Marple +Martine +Mavis +Mehmood +Micky +Midget +Milburn +Mutt +NASCARs +NBAs +Nia +Nineteenth +Omoglymmius +Pad +Pals +Partisan +Pascagoula +Passions +Playboys +Pohl +Polands +Ponnamma +Powerhouse +Prom +Rabin +Radhakrishnan +Rafferty +Researcher +Ridgefield +Rocker +SMEs +Saanich +Sac +Samithi +Sasi +Sax +Schwab +Secondly +Shastri +Siobhan +Springfields +Synchronized +Tama +Teague +Tens +Tent +Tian +Timeline +Tui +Virtus +Warringah +Waterways +Wirth +Wit acquaintances afterschool audiobooks @@ -18784,7 +36392,6 @@ isthmus jerseys karting molars -mp mtDNA nonbiting oscillation @@ -18815,6 +36422,102 @@ typified ulnar unconditional worry +Adolphus +Adrien +Albini +Alor +Altona +Anatolian +Arabidopsis +Ayatollah +Backward +Barksdale +Beaker +Beaudine +Beckley +Berwickshire +Bigfoot +Broads +Buford +Cadastral +Cappella +Carltons +Catocala +Chama +Chitty +Clutch +Darlene +Darshan +Dax +Dine +Donal +Eberhard +Ganzourgou +Gut +Gwinnett +Headingley +Hemidactylus +Hexham +Ilya +Ishq +Jaffe +Jeeves +Jewry +Jhelum +Joyner +Kiki +Kinect +Koenig +Krzysztof +Kurunegala +Laila +Lala +Lip +Locomotives +Marijuana +Med +Mendel +Monsoon +Mulholland +Neufeld +Neurological +Opponents +Patnaik +Patras +Perception +Pilar +Pir +Plug +Purbeck +Riva +Roque +Runcorn +Ruston +Sacha +Scars +Seaway +Senates +Sensation +Shaft +Slipknot +Sorrows +Starke +Taco +Tanglewood +Tedder +Teesside +Thoothukudi +Thread +Ties +Tilley +Ulf +Uva +Vichy +Virtually +Whitchurch +Wicker +Yavapai +Zandt acceded algal amines @@ -18889,8 +36592,115 @@ uppermost watersheds woodframe yellowgreen +Able +Adding +Alis +Anacostia +Anthurium +Anvil +Anymore +Aoki +Asante +Ascoli +Bagley +Baines +Barbican +Barkers +Barrows +Bauchi +Bayreuth +Beckman +Belgrave +Beltway +Borussia +Buzzard +Cattaraugus +Charteris +Cinta +Cobalt +Cracker +DAngelo +DJing +DSouza +Daybreak +Dinajpur +Enron +Eriogonum +Estrella +Figueroa +Flowering +Fuzzy +Gall +Gilroy +Glow +Gotland +Gowda +Gulshan +Herbarium +Herberts +Hitchin +Hollins +Homewood +Huntsman +Ignition +Jeffersonville +Julianne +Keeler +Kharagpur +Knee +Knopfler +Koh +Liddell +Longest +Lyne +Mace +Mansur +Marchant +Maugham +Meir +Mila +Misamis +Monongalia +Montezuma +Naismith +Neve +Nixons +Normand +Octopus +Osiris +Oswestry +Pate +Patents +Pepe +Perths +Pipers +Pork +Promoting +Quaid +Quarterback +Quite +Ran +Rashtra +Scuderia +Selva +Serixia +Sinfonia +Socrates +Speaks +Subba +Supermarket +Telus +Timorese +Tooting +Trillium +Unfinished +Vacuum +Valdosta +Visible +Whiteley +Yuba +Ziggy acreage -af afloat amusing antisense @@ -18924,7 +36734,6 @@ intrigue jerk kelp landline -lb lukewarm magnum marginata @@ -18954,6 +36763,98 @@ thoroughbreds trespass undisputed uprisings +Actual +Aitkin +Anderlecht +Bellows +Benigno +Blakely +Bonanza +Bruckner +Byzantines +Cashs +Castell +Challenges +Chipwi +Cohens +Coker +Create +Criteria +Dawg +Denvers +Entwistle +Excalibur +Feral +Flintstones +Formica +Handsome +Hayman +Hermans +Hometown +Hooters +Idukki +Immigrant +Ito +Jeb +Kennington +Kristofferson +Lack +Maru +Medalist +Moloney +Mulshi +Nassa +Neha +Noyes +Nuys +Oceanian +Ovens +Palacio +Particular +Patrons +Paulsen +Peg +Philosophers +Pinky +Presbyterians +Pupation +Que +Quintana +Racism +Rainey +Renton +Rockdale +Romagna +Sadiq +Savitri +Secondseeded +Seeking +Shari +Simba +Specimens +Sridevi +Statewide +Strokes +Tampines +Telluride +Tentacles +Teramo +Textiles +Timberwolves +Transatlantic +Triplophysa +Unexpected +Uyghur +Viasat +Virginian +Walks +Wareham +Wasatch +Wetherby +Worsley +Yun +Zeller +Zip abolishing addicted biofuel @@ -19021,6 +36922,110 @@ vigorously whaler whence windmills +Aisha +Alkmaar +Allegro +Amador +Ambient +Amphibious +Anthropological +Arnett +Austrias +Balmoral +Bedouin +Blackwall +Blueprint +Bravery +Callan +Calvinist +Capacity +Chemically +Converse +Cord +Covering +Curley +Dakshina +Debub +Deuce +Ding +Dominik +Epoch +Etheridge +Ethmia +Euphrates +Exorcist +Fareham +Fjord +Folio +Gangs +Gliding +Grocery +Guglielmo +Gynecology +Hana +Hazzard +Herne +Imola +Inferior +Kearns +Keepers +Kells +Kingstone +Kongbased +Lampeter +Lateran +Laughter +Lino +Lobby +Mendelssohn +Mesquite +Miramax +Nadi +Nanny +Nava +Newer +Nizamabad +Noongar +Othello +Otway +Outline +Paramaribo +Pea +Prasanna +Pratchett +Radioactive +Ravindra +Rawal +Reborn +Relative +Rhagoletis +Riau +Rizzo +Rowdies +Rui +Russianborn +Sauce +Saxophone +Seagull +Sentinels +Shiite +Socket +Soundgarden +Stockdale +Talley +Tennessees +Teo +Tidewater +Torbay +Uhuru +Uncial +Uttara +Vos +Wagoner +Wanganui +Wits +Woodman +Youths abrasion acyl annuals @@ -19089,6 +37094,99 @@ undetermined unloading unregistered wafer +Admissions +Alevels +Annapurna +Antiguan +Arias +Barley +Barnstormers +Bastrop +Bataan +Biz +Bruton +Canvas +Carpathian +Chauncey +Chopper +Choudhury +Chula +Citigroup +Closure +Corral +Dang +Dawsons +Diegos +Dill +Dryandra +Dunstable +Exxon +Foothills +Francia +Franconian +Gianluca +Gilberto +Graduation +Grimaldi +Hallelujah +Haze +Henriksen +Herat +Ivey +Jawahar +Kennebec +Kilmer +Kirke +Knives +Koster +Kwara +Lido +Manuscripts +Mendip +Merv +Miomantis +Mitchel +Mong +Monson +Moorhead +Nationality +Nicktoons +Omen +Ortalis +Petter +Policies +Popstars +Princely +Replay +Reston +Revelations +Richey +Roddenberry +Roo +Sakhalin +Shattuck +Shipp +Stag +Standardbred +Streak +Talmadge +Tanaka +Tanks +Tcell +Thanet +Tru +Tupolev +Ukrainians +Varghese +Virgins +Viswanathan +Wale +Wallaces +Whiteside +Wushu +Xanadu +Zapata +Zia abbeys archetypal arrondissements @@ -19112,7 +37210,6 @@ desktops diminish dimorphic dwindling -ed embarrassing evennumbered fingerprints @@ -19131,7 +37228,6 @@ malformation musculoskeletal nana newscaster -nm oneparty opioids otters @@ -19158,6 +37254,115 @@ voltagegated wargaming wheelbase winemaking +Accountancy +Achaea +Afton +Amrita +Anxiety +Apia +Aruban +Assunta +Azalea +Belief +Binding +Bioethics +Bites +Blackhawk +Bog +Bokaro +Bracknell +Breathing +Busters +Caenorhabditis +Carruthers +Caswell +Concepcion +Contreras +Coombe +Cris +Darkest +Denys +Drilling +Drunk +Ebbw +Eesti +Elvira +Ester +Fairs +Famine +Fateh +Fiennes +Filthy +Font +Galapagos +Ghat +Gramophone +Gunung +Highfield +Humberside +Hustler +Inheritance +Jaffa +Jalpaiguri +Jeannette +Kaleidoscope +Kellie +Kincardine +Knowing +Lapland +Latif +Lucasfilm +Lytton +Macarthur +Mashhad +Mayne +Mesoamerica +Metheny +Miamis +Moraine +Morrell +Moynihan +Nada +Neotropics +Newlands +Noize +Odo +Owensboro +Paschal +Pillars +Platoon +Professions +Rappahannock +Ratheesh +References +Rewa +Robe +Rolando +Rushden +Samuelson +Scarecrow +Shoalhaven +Shute +Skipton +Sorensen +Stunt +Subang +Subdistrict +Sucker +Taito +Therese +Tomato +Toussaint +Transperth +Umm +Underhill +Urquhart +Vanishing +Vern +Volumes +Vuelta +Whitlock +Yip airtime alchemy appended @@ -19195,7 +37400,6 @@ imperfect impromptu inherits isolating -l logically mailed mattress @@ -19227,13 +37431,117 @@ symbiosis tapering tapestry travelog -twomember ungulates unsure uploading wholesalers workflows worried +Afro +Antananarivo +Arie +Atco +Attacks +Badu +Bandstand +Baumann +Beckwith +Biscuits +Bottoms +Brood +Bucknell +Caballero +Cardwell +Carnage +Ceremonies +Constantin +Cordelia +Crowes +Crowther +Dindigul +Dragonfly +Dru +Durgapur +Ecstasy +Ethniki +Forester +Frankford +Freaks +Fulda +Gish +Goth +Guilds +Hams +Hats +Highest +Hopman +Inge +Ingersoll +Items +Izzy +Jani +Jefferies +Jindal +Kaviyoor +Keck +Legionella +Ligurian +Lili +Lilley +Lokomotiv +Lutherans +Madhav +Maktoum +Meteorology +Methodism +Mohun +Momentum +Mos +Moussa +Muses +Naam +Nagel +Narcotics +ODay +Orangemen +Orford +Oscarwinning +Parliamentarian +Peirce +Pharaohs +Pip +Plunkett +Pontefract +Profit +Pudukkottai +Rabindranath +Renzo +Rijksmonument +Rounds +Rubinstein +Saleem +Scottishborn +Segas +Shen +Shiny +Sperry +Spyro +Steels +Stingers +Sui +Sundown +Supermarkets +Supernova +Thilakan +Thrasher +Tires +Tundra +Twains +URLs +Udea +Valerio +Virudhunagar +Wolseley absorbs altercation apprentices @@ -19272,7 +37580,6 @@ masking metaphorical mistletoe neoNazi -offscreen optimism orthogonal pantheon @@ -19306,6 +37613,92 @@ twopronged vaulted whipped wicketless +Ahn +Alaskas +Alcorn +Alternatives +Ashgabat +Asquith +Bandcamp +Bannon +Bearcats +Bhavnagar +Breaker +Burdon +Burwood +Cartman +Celsius +Chamberlin +Champaran +Coins +Cowper +Cruelty +Crump +Doughty +Dusk +Emotion +Exam +Explosive +Firefighters +Fittipaldi +Futurama +Geetha +Gerd +Gyeongju +Hawaiis +Henrico +Hutchings +Hyperolius +Immersion +Intels +Israelis +Jafar +Jalil +Kath +Kosciusko +Lan +Lederer +Lipman +Longs +Mag +Marshfield +Monogram +Montreals +Mulroney +Muskingum +Nasr +Natures +Neighbor +Nigerians +Octavia +Offering +Opal +Parkin +Poul +Qualified +Resonance +Richmonds +Rosebud +Saitama +Sennett +Siti +Southfield +Spooky +Stray +Sully +Sunflower +Synergy +Takashi +Tasmanias +Tejano +Terrorist +Theobald +Uplands +Vidor +Visionary +Werft +Whispers +Wilshire adept adjectives appellation @@ -19381,6 +37774,106 @@ undersides unto waning workpiece +Antebellum +Approved +Argonne +Aster +Authorization +Bassano +Batchelor +Becks +Beowulf +Blackheath +Bowyer +Buyers +Byway +Cello +Charisma +Chord +Chrissie +Cinematographers +Claudette +Connick +Correction +Courant +DirectX +Dozen +Dunmore +Flights +Foreigner +Glazer +Grahame +Gwyneth +Hallett +Hatchet +Headline +Heck +Hee +Hildebrand +Hittite +Hoare +Hoo +Horsemen +Hydroelectric +Hypericum +Isola +Jacobi +Jeffersons +Jeffreys +Judea +Junk +Knut +Kollywood +Lactarius +Lassen +Maasai +Mallee +Manoa +Matty +Metzger +Midas +Nagercoil +Najib +Nationalists +Nikolaus +Norths +Obstetrics +Ogilvy +Ord +Orphans +Outta +Pai +Piala +Pipes +Prefect +Principals +Rampur +Randal +Readiness +Remedy +Republika +Ricks +Rosalie +Roseanne +Sera +Severin +Shepparton +Shy +SpaceX +Stoll +Stump +Theodosius +Vasu +Venkat +Vir +Waring +Whangarei +Witney +Yannick +Yehuda +Yosef +Zappas +Zuckerman adapters astrologer brandy @@ -19455,6 +37948,98 @@ unheard usergenerated usurper vagrant +Aguirre +Airmen +Almere +Astral +Auction +Aung +Australianbased +Babel +Bakr +Balsam +Bangladeshs +Barrage +Barrio +Bega +Belvoir +Bernards +Boynton +Broomfield +Burkes +Certificates +Ceylonese +Chainz +Chaplains +Commandments +Conscience +Costas +Curiosity +Danilo +Datta +Dayal +Dewi +Diwan +Docs +Eleutherodactylus +Esthetics +Eugen +Ewell +Exmouth +Farooq +Finder +Firebird +Floridabased +Gartner +Ginn +Godolphin +Hals +Handels +Harder +Harriman +Haunting +Huon +Husain +Indonesians +Jeet +Kalpana +Karo +Kelloggs +Marianas +Medusa +Murugan +Nobodys +Odin +Perumal +Populations +Possibly +Potenza +Qingdao +Rascals +Reigate +Rida +Ridgway +Rochford +Rockport +Samara +Sark +Sat +Sathya +Scioto +Screening +Sevilla +Singhs +Sinner +Sudhir +Tensei +Tissue +Tonk +Transporter +Trish +Upendra +Vivienne +Weil +Went amputee angiogenesis annulled @@ -19464,7 +38049,6 @@ beet blankets boasting carbonyl -cd circumcision conceptions crowdsourcing @@ -19489,7 +38073,6 @@ mighty misconception misunderstanding multifunctional -multistory nonspecific obstructive oncologist @@ -19522,6 +38105,99 @@ valueadded viscountcy wares whistling +Alamance +Americanbred +Annecy +Atta +Aurivillius +Beermen +Blume +Bodo +Buddies +Budge +Burghs +CBSaffiliated +Castlemaine +Cervantes +Christos +Clydesdale +Cockney +Colossus +Convocation +Corvus +Didi +Doo +Downton +Eel +Elbert +Entercom +Exhibitions +Fourman +Frisell +Gaurav +Glasgows +Gorton +Goya +Gregson +Hailey +Heres +Hertz +Increased +Ingolstadt +Islay +Jocara +Kazi +Kisan +Koda +Laconia +Leesburg +Lovech +Loveland +MPhil +Malesia +Menengah +Miconia +Minangkabau +Misra +Mitromorpha +Moms +Mutants +Nome +Northgate +PDAs +Paiute +Pantheon +Paoli +Participating +Pender +Philo +Pinewood +Ponsonby +Raft +Ramsgate +Ria +Robison +Salesian +Saran +Sathyaraj +Schell +Setting +Sink +Sivan +Solway +Switzerlands +Tarlac +Tsai +Tsui +Uncut +Upanishads +Vader +Varun +Vinay +Wightman +Yancey +Ysgol +Yue amalgam announces antipersonnel @@ -19611,6 +38287,109 @@ unnatural valet woodpeckers youngster +Advances +Aichi +Alun +Animations +Araneta +Authorized +Bahama +Bahr +Barossa +Belong +Berthold +Bibles +Bless +Bleu +Brainerd +Butchers +Candle +Chorale +Choreography +Constitutions +Convair +Cryptanthus +Daman +Danvers +Deshpande +Dia +Dining +Douala +Duets +Essay +Essentials +Expeditions +Feels +Ferret +Footy +Freitas +Furtado +Getaway +Gwyn +Handgun +Haque +Instrumentation +Internazionale +Kasai +Khulna +Knot +Kubrick +Lada +Lager +Lauder +Lei +Lufthansa +Lupe +Mahathir +Malachi +Manitobas +Marvelous +Maxime +Meads +Mena +MiG +Molokai +Mormonism +Motley +Mountbatten +Nambiar +Neighborhoods +Orbiter +Osun +PFunk +Philanthropy +Posner +Prints +Probation +Prost +Pumpkin +Rabbis +Rajendran +Ramachandra +Regeneration +Rollo +Roush +Sagittarius +Sangamon +Savages +Send +Sep +Sherrill +Silverton +Solis +Stillman +Suzhou +Tarun +Trainor +Tutu +Vase +Vrije +Wayans +Wedge +Wildfire +Wishbone +Yugoslavian +Zionism abdication allowances artistically @@ -19686,6 +38465,107 @@ utensils velocities wicked zonal +Adolescent +Agar +Airstrip +Alexey +Aotearoa +Apicomplexa +Argent +Autonomy +Ayesha +Badlands +Beaton +Believers +Beretta +Bianco +Bona +Brace +Braddock +Bump +Climb +Cloyne +Daz +Eisenberg +Eloise +Ervin +FBIs +Floral +Frames +GTPase +Gonzalo +Grohl +Gunnison +Hallows +Hammill +Hangzhou +Hawkeye +Helpmann +Higham +Honorius +Hospice +Hydrogen +Kaine +Killah +Layne +Leeuwarden +Levitt +Lomas +Mankind +Mano +Maryville +Medak +Mol +Monsanto +Murphey +Mustapha +Nadal +Obasanjo +Obi +Opposite +Passau +Peanut +Peng +Piotr +Plow +Pontus +Porn +Prasophyllum +Primo +Puno +Quinlan +Rang +Ratings +Reckoning +Rhyme +Ros +Routing +Scoop +Searchlight +Semple +Shoreline +Shrapnel +Skaggs +Slocum +Starrs +Steeles +Suraj +Taxes +Tere +Thales +Thracian +Tiruvarur +Toxicology +Tran +Tripathi +Tuff +Ullman +Uni +Ure +Wasserman +Wasteland +Willa +Woburn accordionist alarms amputation @@ -19718,7 +38598,6 @@ extraordinarily federated filings ginseng -hadnt hated hematopoietic hydrographic @@ -19726,13 +38605,11 @@ inciting inertia interferes invalidated -kW keratin liverwort lowfloor metabolized minimizes -ms multifamily musicianship negligent @@ -19763,13 +38640,133 @@ socialdemocratic teenaged townhouses twentyseventh -twovolume unbiased uphill viewable wallpaper wedgeshaped worshippers +Adoration +Ahmadi +Amal +Amateurs +Anglophone +Arshad +Ayyavazhi +Bangs +Batten +Beauregard +Believer +Blantyre +Brea +Burrard +Calm +Cathcart +Caverns +Chapmans +Circulation +Clancys +Clitheroe +Comprising +Corbyn +Cottrell +Dalby +Damansara +Dennison +Denzel +Doctoral +Embarcadero +Eriksson +Esbjerg +Farrer +Fee +Ferro +Filmmaker +Finalist +Fold +Fueled +Gander +Garo +Garuda +Gelder +Gig +Gilded +Gros +Harapan +Harveys +Heer +Icons +Intelsat +Janta +Kingsland +Kisumu +Kristiansand +Kronos +Langham +Lhasa +Malin +Mangan +Mats +Mayoral +Mbits +Meetinghouse +Mei +Menteri +Mohandas +Montanas +Mundi +Nazism +Necessary +Negev +Nilgiri +Northam +Oberoi +Octavian +Option +Ordained +Ottawas +Outpost +Ovid +Pacino +Pascual +Photographs +Pilgrimage +Portraits +Powells +Pre +Puff +Radiotelevision +Raitt +Rallycross +Randle +Recife +Rutherglen +Samarkand +Saviors +Schoharie +Shaughnessy +Sheeran +Shuffle +Slack +Soni +Southbank +Stine +Stoner +Swaminarayan +Syzygium +Tappan +Tarot +Teach +Telemark +Tolerance +Treaties +Trinamool +Tula +Tuvaluan +Vorarlberg +Wellknown +Werder +Wilma acquittal adaptor antloving @@ -19806,7 +38803,6 @@ endpoints fairies finegrained fist -fivepart flyers fumble furry @@ -19847,7 +38843,6 @@ summons swans sweeps tampering -thirdtier tooling topfive totalitarian @@ -19857,6 +38852,133 @@ unveiling upkeep urge yearbook +Abacha +Amityville +Arquette +Arrested +Automobiles +Bartholomews +Bethnal +Bits +Blaster +Bleed +Bootleg +Borgo +Camperdown +Capuchin +Centralia +Champs +Christiansen +Collision +Complaints +Covers +Crittenden +Crucible +Dailey +Deadwood +Delimitation +Draco +Dreyfus +Ears +Edgerton +Elms +Ennio +Evert +Everybodys +Exploring +Fahrenheit +Forecast +Fredericks +Fredric +Gabriella +Gaeta +Ganesha +Garter +Gauntlet +Gauthier +Gears +Genghis +Girish +Goin +Gollancz +Gutenberg +Hemlock +Hippodrome +Huw +Inhabitants +Insular +Interfaith +Ironside +Jagadish +Jenson +Jeroen +Jerzy +Juanita +Kalabhavan +Kalahari +Kanal +Kaul +Khammam +Kingstown +Knudsen +Konitz +LEDs +Lalitpur +Langkawi +Letterkenny +Liability +Lombards +Luang +Malo +Maribor +Matchbox +Mauritanian +Maxi +Meru +Minorities +Mordecai +Muskoka +NBCaffiliated +Nandamuri +Nicolson +Nowra +Nubia +Olivella +Parco +Peacekeeping +Phoenician +Portadown +Pristina +Procurement +Psychopathic +Rabbinical +Rangoon +Rarities +Ratcliffe +Raye +Remi +Remixed +Riordan +Rival +Rotorua +Ruthless +Salish +Scare +Schilling +Shilpa +Slightly +Strict +Supergirl +Supremacy +Syme +Timmons +Tracker +Tricholoma +Truly +Waldemar +Whenever +Whisper +Wigmore airwaves amassing aneurysm @@ -19921,6 +39043,124 @@ upperparts vow wading waitress +ABCaffiliated +Abdulla +Adventists +Akita +Alauddin +Archeologists +Assistants +Atul +Austrians +BLeague +Banker +Banten +Barnwell +Barratt +Bayshore +Bixby +Borges +Budweiser +Burra +Calf +Camry +Castes +Cirrus +Cobbs +Daihatsu +Darbhanga +Differences +Digger +Dilettantistica +Dir +Doge +Edson +Enz +Federer +Ferndale +Fillies +Flamsteed +Flavia +Giri +Goan +Gorda +Gurdwara +Hargrove +Haverfordwest +Heap +Hein +Hepworth +Hermon +Hialeah +Hiroden +Hosur +Hurwitz +Illusions +Jeffs +Juniata +Kees +Kravitz +Kress +Kyrgyzstani +Ladys +Laxmi +Leitch +Leominster +Leong +Limnaecia +Llyn +Lush +Mair +Marquez +Megami +Minoan +Narmada +Nationally +Nautical +Nines +Novosibirsk +Olimpico +Palpita +Parle +Pats +Pest +Pickwick +Pong +Pran +Proving +Qualifiers +Renwick +Roadrunners +Sade +Sankaradi +Sao +Sarai +Sascha +Savaii +Scar +Shabana +Sketches +Songz +Speyer +Spinning +Spotsylvania +Sputnik +Steal +Streamline +Sustainment +Sveriges +Tame +Tameside +Tunku +Unione +Valens +Vascular +Vermonts +Wairarapa +Wenatchee +Wipeout +Yell +Zune agribusiness alla allwhite @@ -19998,6 +39238,128 @@ ugly unionists whitetailed wingman +Abad +Aeros +Alessandra +Alicante +AllSEC +Aly +Amato +Ammonite +Amravati +Anant +Asad +Athenaeum +Babbar +Baen +Bark +Belvidere +Bhutto +Bibi +Bideford +Blohm +Bobsleigh +Centauri +Cheddar +Cheer +Chenango +Chillicothe +Collette +Conde +Creators +Deadline +Dividing +Durrell +Duterte +Ewen +Extremadura +Farmstead +Federally +Foresters +Gaspar +Gaunt +Gbits +Ghazni +Glenview +Goodhue +Greaves +Groot +Hardwicke +Hollander +Hoops +Ingraham +Kapil +Kebangsaan +Khasi +Krebs +Krueger +Lamp +Lennie +Longfellow +Lumia +Manju +Marysville +Matabeleland +Mecklenburgische +Meng +Midsomer +Morello +Munda +Munger +Naxos +Nelvana +Newbridge +Newcomb +Newsom +Nicklaus +Nikolay +Nominated +Nui +OCallaghan +Obsession +Oceanside +Olympiads +Orientale +Pillow +Potawatomi +Preparedness +Presenter +Probe +Proteins +Pull +Puntland +Raglan +Ramu +Recorders +Reeder +Rohini +Roxanne +Saptari +Scoparia +Shooters +Silverberg +Smiles +Smit +Smythe +Squares +Sure +Tangerang +Tendulkar +Theravada +Transaction +Vesuvius +Vidyasagar +Vitaphone +Waterside +Wetland +Wetzel +Wheres +Woolsey +Wordsworth +Yachting +Zeiss +Zoroastrian +Zucker abbess adventurers affords @@ -20047,7 +39409,6 @@ insists irrational lander lathe -lightsport lorry lynx macromolecules @@ -20056,7 +39417,6 @@ mezzanine monkeyflower mouthpiece mucosal -op overload paralleled phenol @@ -20076,7 +39436,6 @@ stoves strung subsidence thirtyeight -threehour timbers twoterm unconnected @@ -20087,6 +39446,106 @@ wasted weathered webcast yolk +AMc +ATCvet +Acquired +Agaricus +Alessandria +Arrangement +Ashbourne +Ashmore +Attendance +Ayodhya +Baring +Batmans +Baums +Bombs +Borno +Bushnell +Campaigns +Canisius +Caron +Cocktail +Congregations +Coughlan +Coup +Crawl +Darke +Daviss +Disarmament +Discus +Equatoria +Fallujah +Felt +Ferraris +Flagler +Genova +Ghaziabad +Greetings +Hagan +Haldane +Hammonds +Happening +Harriss +Hefner +Hollies +Hopwood +Hylton +IGNs +Inaugural +Infernal +Iwo +Jabal +Johar +Keri +Klub +Kunchacko +Lovelace +Maier +Marianna +Matti +Melba +Morpeth +Mudd +Mufti +Nastro +Naturally +Nomination +Parliamentarians +Philadelphiabased +Placer +Plympton +Processes +Puffin +Radisson +Ramat +Rawls +Referee +Regarded +Renaud +Respiratory +Roch +Roseland +Rosenbaum +Roundabout +Roxas +Rykodisc +Sangguniang +Sawtooth +Seenplatte +Seger +Shackleton +Siddhartha +Stake +Stead +Swale +Tapinoma +Temagami +Tragic +Tricia +Tylers +Undead +Walkley abuts addons alluded @@ -20164,6 +39623,124 @@ usages vests weakest wildcat +Alessio +Amina +Andros +Antietam +Anurag +Approval +Bachman +Blaenau +Borthwick +Bukidnon +Cadence +Campground +Carlsberg +Carnarvon +Cassel +Castlereagh +Chau +Clothes +Colosseum +Comilla +Conceived +Cormac +Creativity +Cum +Darley +Dedham +Denman +Dockers +Dominions +Donbass +Downer +Dykes +Elkhorn +Embankment +Erigeron +Exceptional +Filth +Gamer +Golds +Gourmet +Granny +Hades +Haq +Haw +Hayat +Heep +Heffernan +Hoff +Hyper +Ibsen +Insect +Intimate +Invented +Islip +Italic +Jagged +Jayalalithaa +Joaquim +Kickboxing +Kidder +Kilmore +Korg +Kurukshetra +Laughs +Lipton +Longhorn +Louder +Lunatic +Mauretania +Mayhew +Metrorail +Mockingbird +Nano +Ningbo +Nola +Nomad +Nuno +Nyanza +Ofcom +Offenses +Pancrase +Patricio +Pegg +Pineapple +Pottsville +Prijs +Protocols +Psocoptera +Pyar +RBsoul +Rabbits +Ringgold +Schmitz +Seaforth +Semien +Sharman +Shulman +Siouxsie +Soriano +Spenser +Sts +Swingin +Thabo +Thikkurissi +Tillamook +Timia +Tones +Tonic +Tropic +Umpqua +Unitary +Vasudevan +Wedgwood +Wexler +Whitlam +Yearbook +Yorkers +Zorns addictive aircrews allround @@ -20228,11 +39805,9 @@ poplar rifled rotunda rubra -secondlevel selfsufficiency semesters simplifying -singletrack sodomy sophistication spillway @@ -20249,11 +39824,119 @@ tripartite turbo unilaterally variegated -w weeknights withholding workout writein +Ahafo +Antonov +Batticaloa +Beware +Biafra +Brenton +Buhari +Canfield +Clarksburg +Columbine +Corrado +Curl +Damme +Deanna +Dhaulagiri +Diu +Dots +Dottie +Erotic +Escondido +Exmoor +Fallin +Fingal +Firstly +Fitzmaurice +Freeland +Gana +Gandhinagar +Gillett +Gilligan +Gilmer +Glaucocharis +Goths +Gregorys +Halmahera +Harps +Hens +Hepatitis +Hewson +Ilkeston +Interuniversity +Jem +Kenmore +Kumi +Latium +Legio +Maharishi +Mahdi +Mandaluyong +Marcella +Matriculation +Merah +Merion +Midleton +Mistake +Mixtape +Murrow +Namibias +Newburyport +Nightly +Novices +Ornithologists +Overground +Paid +Pallas +Panjang +Parvati +Passiflora +Perdue +Peterhead +Photos +Pierrepont +Pirojpur +Promises +Puja +Quixote +Ramanathapuram +Redstone +Reina +Ruffin +Sakamoto +Salmonella +Sandakan +Sanitation +Shaheen +Shui +Slice +Sparrows +Stability +Steffen +Steinman +Stocks +Sunlight +Surakarta +Swimmer +Sylvania +Tempore +Thomasville +Tristram +Tuxedo +Vilas +Villanueva +Wiki +Woodburn +Worley +Yamamoto +Yost +Youll +Zug armys awardee beasts @@ -20339,6 +40022,117 @@ unpaved veterinarians warring zenith +Aeneas +Agrippa +Akin +Albian +Amersfoort +Apparel +Aries +Babangida +Bagram +Baking +Becket +Beeston +Belgiums +Belk +Benue +Bhagalpur +Boilermakers +Bureaus +Centreville +Cider +Colville +Concerning +Cordell +Curate +Cyborg +Deadpool +Delilah +Departure +Dread +Dwarfs +Edelman +Enduro +Equator +Fierce +Filip +Fin +Friar +Furlong +Fuzz +Garratt +Gosforth +Grenadier +Greville +Grinstead +Grubb +Guan +Gunter +Hager +Hailing +Hardman +Harvester +Havens +Herrick +Herron +Horus +Hywel +Insects +Kalem +Karaikal +Karimnagar +Karla +Kola +Lease +Lenoir +Lohan +Lualaba +Mahinda +Mailer +Manish +Marchand +Mathers +Maxx +Melanesian +Mendez +Metric +Milanese +Minnelli +Montego +Mus +Norristown +Okeechobee +Optus +Patric +Polonia +Pons +Ponzi +Raine +Rashad +Rasheed +Recycling +Rinpoche +Salamander +Sec +Semifinals +Skunk +Snowboard +Snowdon +Spearman +Storch +Stylistically +Suspension +Swartz +Tanga +Terme +Texass +Thurgau +Tipu +Toast +Turpin +Wanderer +Wrecking ablation antidepressants begging @@ -20420,6 +40214,124 @@ washes worshiping writs wrongfully +Adana +Affinity +Alanis +Ambrosia +Anarchist +Aragonese +Askew +Bamford +Banque +Barrackpore +Beaulieu +Bibb +Boulogne +Bundle +Byzantium +Cantrell +Cassino +Chernobyl +Cleaver +Colonna +Concorde +Crucifixion +Cuenca +Cumbernauld +Cychrus +Deli +Engage +Error +Federalists +Feeney +Fiorentina +Flick +Frisia +Fusarium +Ghani +Granth +Hawick +Hensley +Highs +Hungarians +Ionia +Iranians +Juncus +Jurisdiction +Kaiserslautern +Keita +Kiama +Kodi +Kwok +Largest +Laver +Legally +Limbaugh +Malla +Mallard +Materiel +Meigs +Morang +Mountaineering +Muammar +Muhammadu +Murs +Myths +Ndebele +Nepals +Newmans +Nigh +Observations +Ophelia +Ovation +Pep +Peralta +Petr +Pidgeon +Pineda +Plumas +Prosecutions +Prosser +Purvis +Quayle +Raigad +Recession +Redevelopment +Robotic +Rothmans +Rowling +Safeway +Schaffer +Seaplane +Searching +Sebastiano +Setanta +Silverbacks +Softly +Solitaire +Solon +Songwriting +Steinbach +Stretch +Studebaker +Surtees +Sweets +Takeover +Talon +Tarachodes +Thrashers +Tonawanda +Umayyad +Untitled +Unusual +Vaccine +Vasant +Vevo +Visayan +Wokingham +Wolfs +Wyandotte +XMLbased addictions anorexia archenemy @@ -20444,7 +40356,6 @@ firehouse flipping formalism fortunate -fourdoor freak garde gentlemen @@ -20482,7 +40393,6 @@ rigor roasting rob rushes -secondyear selfportrait sensibilities skimmer @@ -20498,6 +40408,142 @@ vanadium variegata whats worsening +Aditi +Advisers +Allianz +Amarna +AmigaOS +Anthems +Assyria +Ballistic +Ballot +Berlins +Bhatti +Bicol +Bramble +Bremerton +Brexit +Burtons +Caravaggio +Citi +Cleese +Closet +Combatant +Concurrent +Consolidation +Cookbook +Copland +Crossley +Dibrugarh +Diplo +Dischord +Discourse +Dispute +Dushanbe +Ekiti +Elan +Eriksen +Essendons +Evangelista +Facedown +Focusing +Foxaffiliated +Funded +Gandhis +Gentile +Grammywinning +Grotto +Gruffydd +Guevara +Hainaut +Haliburton +Handsworth +Haslam +Hazaribagh +Headed +Hellman +Highbury +Hoop +Inspectorate +Interprovincial +Ironically +Ituri +Janaki +Jarrod +Jesper +Kerouac +Kirkcaldy +Lamas +Leucanopsis +Macleans +Maharlika +Mahler +Maidan +Makerere +Matera +Melon +Minter +Monaro +Monorail +Morbihan +Murat +Paley +Palliser +Papanasam +Parekh +Pasteur +Pattukkottai +Paulina +Pelicans +Pendulum +Petaluma +Piranha +Pistoia +Positioning +Pouteria +Presto +Pryce +Rattus +Renner +Repubblica +Rices +Riddell +Rothwell +Russula +Sainsburys +Serb +Serenity +Served +Severino +Shallow +Sherpa +Sinbad +Skaters +Smt +Spray +Stewie +Suede +Sulaiman +Supervising +Switching +Theron +Theroux +Thirsk +Throat +Tiburon +Twister +Upshur +Urs +Vella +Verdun +Vernacular +Wasted +Wellingborough +Whitford +Witham +Yakovlev +Yom +Zynga aan apnea armaments @@ -20555,6 +40601,147 @@ turnpike twentysixth vicepresidential vouchers +Acinetobacter +Adama +Akali +Amjad +Approaches +Assen +Bait +Baloncesto +Bartow +Bayelsa +Binibining +Biophysics +Brake +Breuning +Briar +Bro +Brower +Bushwick +Cameroons +Capitalism +Castletown +Catharine +Celts +Chariot +Cheek +Chidambaram +Classified +Clementine +Clowns +Conservatorium +Culex +Daugherty +Daze +Dialects +Dieppe +Diggers +Domination +Doria +Druze +Dugdale +Duties +Egon +Eminent +Emmanuelle +Envy +Ffestiniog +Freaky +Friedlander +Fright +Fripp +Genes +Gennaro +Globalization +Gooch +Goole +Guetta +Hajj +Hereditary +Hermosa +Hinsdale +Hofmann +Holdsworth +Horsley +Humayun +Hutch +Ile +Ironworks +Ivar +Jacqui +Joost +Kafka +Kaliningrad +Kalutara +Kanata +Kart +Kobayashi +Kowalski +Kuomintang +Lastly +Masood +Maywood +Mikes +Mondale +Mythology +Nagesh +Nether +Newnham +Nonprofit +Novartis +Numidia +Nuova +Ostend +Overijssel +Paloma +Pinal +Pisgah +Pitman +Polymer +Pompeius +Producing +Psychotherapy +Purge +Putrajaya +Quartz +Queensway +Radium +Rami +Rattle +Redondo +Residences +Resnick +Rickey +Ringling +Roleplaying +Seafood +Searcy +Seng +Sepik +Seremban +Shank +Sheba +Shockwave +Sopwith +Spanishspeaking +Spawn +Springbok +Staple +Starfleet +Suleiman +Thampi +Thurgood +Vie +Villas +Visser +Vivien +Vulture +Vyas +Waveney +Whittle +Wilford +Wrote accustomed addicts allotment @@ -20641,6 +40828,136 @@ trestle trolleys twentyeighth undermined +Add +Aemilius +Aglaia +Anaconda +Anoop +Aran +Arrival +Auer +Austens +Authentication +Banjul +Banmauk +Bethune +Bhavani +Bhojpur +Billiards +Blandford +Bodyguard +Boles +Boolean +Boylston +Bulge +Cables +Cahn +Candler +Carp +Cartoonists +Cates +Compostela +Crunch +Dolla +Eaters +Edina +Elaphropus +Elevation +Emlyn +Enjoy +Expectations +Fens +Flock +Franklyn +Genovese +Grahamstown +Gridiron +Grimshaw +Hakea +Hambleton +Hiking +Huns +Improvements +Installation +Jeevan +Johnathan +Jordi +Jug +Junkies +Kailash +Khurd +Kshatriya +Lit +Llano +Lodges +Lots +Magi +Malaita +Mansoor +Messages +Mildenhall +Miri +Misha +Mistry +Mohali +Nabil +Nimbus +Oryza +Pakenham +Pannonia +Papas +Parlor +Partons +Pas +Periodic +Pillsbury +Proposed +Prosecution +Racquetball +Rated +Redland +Riddick +Rihannas +Rimes +Rinehart +Riverhead +Rossini +Rugrats +Salma +Sandhya +Savile +Savona +Schaumburg +Schenck +Schrader +Scope +Sharps +Sosa +Span +Sportive +Starling +Sturges +Sudha +Swenson +Swizz +Symbol +Tabu +Tinggi +Tippeligaen +Topper +Transitway +Trincomalee +Tyrrhenian +Vaishnava +Victorious +Vijayakanth +Welk +Wilkesboro +Wollaston +Yar +Yardbirds +Zeke +Zeno agamid allosteric anamorphic @@ -20726,6 +41043,134 @@ weeping whichever wildflowers writerproducer +Achille +Afraid +Akers +Alasdair +Alphonso +Amma +Ammons +Ansar +Argentinas +Arles +Asphalt +Assisted +Assisting +Bachmann +Bastion +Begawan +Betrayal +Billys +Bionic +Blasters +Boleyn +Brosnan +Bukhara +Buzzcocks +Calliotropis +Centrum +Centuries +Chaffee +Chefs +Colwyn +Contracting +Coulson +Couples +Crowder +Daltrey +Destinys +Distortion +Dulles +Eiffel +Emmen +Entity +Esoteric +FAcSS +Fungi +GPUs +Gaby +Gatos +Geller +Gharana +Ghazal +Ghostface +Gliese +Guo +Gurdaspur +Haddington +Hemmings +Hilversum +Histone +Holley +Holyhead +Horned +Hsawlaw +Huckleberry +Interiors +Jima +Jingle +Keel +Kilometer +Lassie +Ledge +Liszt +Lithium +Lokmanya +Maids +Malice +Mardan +Marry +Marton +Mataram +Monochamus +Murrumbidgee +Nuttall +Oban +Omer +Pelt +Pits +Poes +Popcorn +Prose +Provincetown +Quantico +Ratio +Runs +Sacks +Saini +Sarandon +Sedimentary +Seeley +Selina +Shabbat +Shannons +Sharad +Shelleys +Sherwin +Shwegu +Sisterhood +Stranglers +Sunbeam +Svetlana +Tabasco +Tails +Theyre +Torrey +Tosh +Trapped +Tse +Tuolumne +Universiti +Varney +Viterbo +Wadia +Wahlberg +Windowsbased +Wirt +Wisbech +Yau +Yuki +Zaman accomplice alDin anagram @@ -20748,7 +41193,6 @@ edging empress etchings eugenics -firstplace flatworms flyer harmonized @@ -20786,7 +41230,6 @@ scallops scribes seceded shales -sixstory slipping spar specialism @@ -20794,7 +41237,6 @@ steamboats stipe talkshow tannins -threeweek tint trackbed tryout @@ -20805,6 +41247,132 @@ viewfinder webcomics whistler wills +Aesops +Airplanes +Akhil +Alana +Allegiance +Alyson +Arnolds +Athanasius +Babbitt +Barstow +Batting +Beverages +Bintang +Bradleys +Brazilians +Brownlee +Bruford +Cabell +Capella +Changchun +Changi +Clans +Clausen +Collider +Compiler +Consensus +Corfu +Couture +Cowles +Creamery +Crumb +DSc +Dido +Div +Drain +Drainage +Duffield +Dury +Eamon +Eater +Ediacaran +Enhancement +Eoophyla +Fascism +Fenn +Fitzgeralds +Forums +Foursquare +Gadget +Gautama +Gifts +Glitter +Gnome +Gustafson +Haller +Homme +Innocents +Jaan +Juarez +Kain +Kandi +Kents +Khazar +Kinetic +Koko +Kortrijk +Kruse +Lair +Leiber +Lia +Lundy +Macrobathra +Maida +Majorca +Mansour +Marxs +Melanoplus +Monahan +Months +Muhlenberg +Naseeruddin +Nkrumah +Notropis +Nutcracker +Osgoode +Pains +Paintings +Palacios +Panchayath +Passive +Peers +Pennines +Pleasantville +Presque +Puritans +Rada +Rapa +Rave +Retford +Rincon +Rota +Rourkela +Rubicon +Rukh +Sculls +Sensor +Shootout +Spokesperson +Springvale +Stitch +Stokers +Streaming +Sufism +Symphonic +Teal +Traci +Translational +Trowbridge +Tsang +Tunnels +Unbreakable +Utes +Velasquez +Warburg +Welling +Wildes aides albatross altcountry @@ -20889,7 +41457,6 @@ thematically theses thirdhighest tibial -topclass topless transformational tuft @@ -20899,6 +41466,131 @@ warns wheelchairs wordplay yachting +ADivision +Agostino +Alamein +Alnwick +Archidioecesis +Asianet +Auerbach +Auld +Aviator +Barat +Barbosa +Belushi +Bielefeld +Boban +Bok +Boylan +Burrito +Caledon +Calico +Caps +Carenum +Cerebral +Christiana +Coincidentally +Covert +Culpeper +Cyclocross +Daydream +Delmar +Dem +Denbigh +Deportiva +Disclosure +Diwali +Etihad +Farnese +Floyds +Foggia +Fray +Giroux +Har +Haveli +Hitman +Holywell +Horticulture +Huge +Huggins +Hymenoptera +Ihouse +Increasing +Insomniac +Irfan +JLeague +Jamia +Jamuna +Justinian +Karur +Kathak +Kindred +Kirtland +Knotts +Lakshman +Lateef +Latur +Leverkusen +Locations +Losers +Lufkin +Lundgren +Makin +Malang +Malaria +Mambo +Marl +Martens +Martindale +Mellow +Metros +Mohs +Monegasque +Moonee +Morro +Moulin +Mugabe +Narcotic +Nebraskas +Neue +Nuestro +Nupserha +Ogg +Olivers +Olt +Patan +Pickle +Pod +Preacher +Pup +RBIs +Ratan +Roundtable +Rushton +Sankar +Scared +Selassie +Snelling +Sorority +Springsteens +Sta +Staines +Stato +Strafford +Suarez +Sujatha +Superstock +Surround +Takeshi +Tengku +Thornbury +Tilton +Tubman +Unemployment +Wenlock +Wilberforce +Yam +Zealandbased abortive accretion algebras @@ -20937,7 +41629,6 @@ info integers intracranial kart -ki laevis leveraging mammary @@ -20976,6 +41667,124 @@ ventricles vying waited wreath +Aba +Adilabad +Agung +Aida +Ambala +Avoca +Banshees +Batavian +Baz +Bolu +Bowe +Braden +Burnette +Buru +Busway +Byng +Camara +Capaldi +Captive +Carrs +Casas +Censorship +Chee +Claudine +Cofounder +Coldwater +Companions +Coote +Dalles +Deeper +Deming +Desolation +Dunstan +Dupree +Emmalocera +Eubanks +Foxy +Gilgit +Glenorchy +Gremlin +Hama +Horizonte +Hydraulic +Jeong +Kal +Keppel +Labatt +Lasse +Lately +Lenore +Lindgren +Lyndhurst +Maguindanao +Malmesbury +Marginella +Marikina +Matson +Mechanism +Michal +Midge +Mizo +Molyneux +Morelos +Mungo +Nunes +Overkill +Overture +Paderborn +Pant +Paribas +Penstemon +Pettis +Polaroid +Procedures +Provisions +Pur +Ranjith +Ravenswood +Receiver +Rewind +Rosas +Rundfunk +Sahrawi +Satyajit +Sayyid +Seaport +Seashore +Settle +Sheikh +Sinocyclocheilus +Soling +Sondheim +Spilarctia +Spotted +Surigao +Syco +Symons +Teutonic +Tiago +Tok +Tolentino +Toodyay +Trigonopterus +Turrentine +Udo +Unseen +Vinny +Vulgate +Wageningen +Wald +Walken +Whatcom +Wheatland +Widows +Wilkerson +Xenia +Yunus +Zander accompanist advertiser ailing @@ -21011,7 +41820,6 @@ governorate heme hobbyist hopeful -id imitations insecure insiders @@ -21047,7 +41855,6 @@ seedling stances standin taverns -te teak trimming tutors @@ -21058,6 +41865,166 @@ vestry watermill weblog yardage +Abreu +Added +Agusan +Airtel +Aizawl +Akins +Alla +Anas +Appointments +Aquaculture +Archbishops +Arches +Ashtabula +Azlan +Bao +Bayswater +Baywatch +Beatnuts +Bedlam +Bermondsey +Bharath +Bothwell +Brantley +Brodmann +Bullard +Camorra +Canaria +Carrot +Carsten +Celebes +Charismatic +Chariton +Christmasthemed +Compassion +Conduit +Corel +Corrie +Crassispira +Crick +Cuisine +Decline +Dern +Doobie +Dorn +Drinks +Duet +Eck +Emmons +Enschede +Esmeralda +Ettore +FRHistS +Famicom +Fergusson +Fiddler +Flaccus +Fra +Fragile +Francophonie +Genus +Gia +Grambling +Graphium +Halcyon +Halliwell +Halstead +Hammett +Hockley +Holcombe +Holdem +Houser +Iced +Infocom +Initiation +Ipoh +Isolation +Janesville +Janson +Kabbalah +Karina +Kempton +Khorasan +Killian +Kish +Kremer +Kurstin +Lads +Lap +Larnaca +Latifah +Lazer +Librarys +Lucero +Lumsden +Maniacs +Maseru +Mastodon +Matara +Misraq +Moir +Moonshine +Moretti +Motian +Ney +Niko +Noahs +Ochoa +Olly +Optimization +Osgood +Oss +Overdrive +Overwatch +Particle +Pawn +Peregrine +Pohang +Produce +Queanbeyan +Rack +Radicals +Ramen +Recommendation +Repository +Rhoda +Rossa +Salvage +Sambalpur +Satyanarayana +Shanahan +Shelbyville +Shermans +Singaporebased +Spencers +Spiro +Sridhar +Steeplechase +Stevensons +Stuyvesant +Summerhill +Sundaram +Taiping +Timaru +Tisdale +Tonopah +Tornadoes +Troma +Trott +Ulmer +Uranus +Vojvodina +Waddington +Weatherford +Weisman +Whales +Whelen +Whoopi +Williamss +Willson +Yew aeruginosa alum americanus @@ -21076,7 +42043,6 @@ brigsloop brokered brotherhood bulky -bw caching carols censors @@ -21148,7 +42114,6 @@ tailwheel taxing tenuis thirtynine -ti tinged titleholders transposition @@ -21160,7 +42125,169 @@ upheaval vacate waveforms winningest -xm +Agony +Agustin +Alia +Allstars +Altamont +Analysts +Anatoly +Anselmo +Antigonish +Apogee +Arian +Artsakh +Bandon +Barb +Barrys +Beatriz +Bergmann +Berwyn +Bhakti +Blennidus +Booster +Boughton +Boutique +Bree +Brindisi +Cabanne +Cacia +Caligula +Caliph +Cammell +Cavern +Chaucer +Christa +Configuration +Constantius +Coy +Cutie +Cycas +Dasgupta +Dilemma +Distillers +Divers +Electronica +Englishmedium +Entries +Extinction +Faithfull +Farid +Filmworks +Frequent +Fugitives +Garber +Gazetteer +Generic +Gooding +Goon +Guanajuato +Haber +Hackman +Haus +Headteacher +Hellas +Hendrickson +Hermione +Herodotus +Horrible +Hyder +Jaap +Kanagawa +Kannadalanguage +Kei +Keir +Kita +Klagenfurt +Kolb +Kona +Kot +Lansbury +Layla +Letts +Logical +Mantle +Marinus +Marquee +Menu +Millington +Millstone +Minnehaha +Minuteman +Montmorency +Montrealbased +Movietone +Mulcahy +Mundial +Muscogee +Myotis +Negotiations +Nikos +Northport +Oconee +Ornette +Outsider +Paddock +Palaces +Pantera +Peres +Pippin +Placentia +Plates +Praetorian +Prosecutors +Psychotria +Rajasthani +Rancid +Rawson +Reflecting +Ricard +Rivas +Roberson +SUVs +Salas +Saves +Schizothorax +Scribners +Scroll +Sentimental +Serve +Seychellois +Shakers +Sheng +Shepp +Sherri +Sindhu +Sit +Sixteenth +Smits +Sommers +Splendrillia +Summertime +Svensson +Talkies +Tangled +Tarawa +Tiki +Tiruvannamalai +Tombstone +Topps +Tourists +Transdev +Tredegar +Tuberculosis +Twoman +Uday +Vasily +VfB +Vixen +Wangaratta +Warminster +Waterworks +Westward +Winwood +Yasmin +Yeung accesses accrued acupuncture @@ -21186,14 +42313,12 @@ echoed etiology flavorings flycatchers -fourtrack germinate grotesque hacked heterotrophic ignite inheriting -ji lifeboats materialize materiel @@ -21227,7 +42352,6 @@ rubbing rundown scrimmage seaboard -secondclass shipwrecked silo sixissue @@ -21250,6 +42374,138 @@ volcanism weeknight whiting yellows +Abandoned +Actions +Aggarwal +Asti +Atheist +Bada +Bamako +Barwon +Beckenham +Boaz +Bogdan +Brann +Brecker +Bronco +Bundeswehr +Bust +Cabernet +Calaveras +Carlsson +Cattedrale +Cesena +Chaitanya +Checklist +Cocos +Competitiveness +Congleton +Craddock +Cranes +Dassault +Deere +Dhule +Disraeli +Domitian +Downstairs +Dyck +Earthly +Ellerslie +Fabrice +Fairies +Figaro +Fragments +GMs +Gardener +Gastroenterology +Girona +Globetrotters +Glyphodes +Gothicstyle +Grasshopper +Greenbelt +Gurus +Hanseatic +Headbangers +Hornchurch +Hose +Ideally +Inez +Jama +Jamil +Jigsaw +Jolson +Kashi +Kissing +Klasse +Koninklijke +Krista +Lavinia +Lazar +Lifelong +Linder +Longley +Lumix +Macro +Mahan +Marleys +Merriam +Middelburg +Mirchi +Mughals +Muldoon +Nassarius +Nee +Nimoy +Oncideres +Oulton +Peaceful +Penticton +Petes +Petro +Pied +Pola +Praveen +Proteus +Psygnosis +Rarely +Rental +Romanticism +Sambo +Sauvignon +Sevastopol +Shepperton +Shimoga +Signaling +Smallwood +Sonam +Sprinter +Surbiton +Symonds +Tampico +Tegan +Teja +Thutmose +Titian +Tomasz +Traditions +Trask +Trying +Twitch +Tyra +Universitas +Upolu +Velasco +Vest +Viswanath +Vitali +Waitakere +Watanabe +Websters +Wellingtons +Werauhia +Westin +Yorkville anatomic anode aquaria @@ -21282,7 +42538,6 @@ dreaming echelon endusers enlistment -firstgrade fullpower gallium glorious @@ -21345,7 +42600,151 @@ wallet woodlouse wormlike writerartist -___ +AFLs +Abbasid +Abra +Agartala +Aggie +Aguascalientes +Aided +Algernon +Allendale +Angelis +Antiques +Appalachians +Aylmer +BTech +Berrys +Bishopric +Blackfoot +Blairs +Bolan +Bubbles +Bulk +Calum +Camellia +Carrasco +Catanzaro +Chandpur +Chandrapur +Chesham +Classroom +Clue +Cnemaspis +Coca +Cocteau +Collide +Compagnie +Constables +Cosimo +Cosmetics +Cuckoo +Cyclophora +Dans +Delbert +Deon +Dua +Eccleston +Ein +Eisteddfod +Fiore +Footballers +Gaither +Glider +Grapes +Greenes +Gtype +Gulzar +Hanlon +Hannon +Hermit +Holkar +Hossein +Idlewild +Iman +Increasingly +Isham +Jayson +Jujuy +Kerrigan +Killaloe +Kogi +Kono +Krishan +Labuan +Lehrer +Lobster +Lupino +Madawaska +Maidens +Mangeshkar +Maplewood +Marauders +Marblehead +Margery +Marinette +Maternity +Mayr +Megacephala +Melbournebased +Melo +Menominee +Meters +Mose +NATOs +Nagy +Nanotechnology +Nauvoo +Neutron +Niklas +Nineveh +Nirmala +Nomads +Nuovo +ONeills +Oceana +Paramore +Paths +Pattaya +Paulette +Perpignan +Pinocchio +Podocarpus +Poem +Polska +Pretenders +Quinton +Ragged +Raimi +Recruitment +Restigouche +Retrospective +Rinaldi +Rosenfeld +Rossendale +Rothesay +Rowell +Sargodha +Shai +Smethwick +Sonu +Speer +Statess +Stomp +Stork +Suicidal +Surendra +Sydneybased +Texts +Thelymitra +Threes +Vadivelu +Vessels +Visalia +Vlad +Whitefish +Willesden +Yuvan actioncomedy actuator afterword @@ -21397,13 +42796,11 @@ maths measles medallists membranous -miR midwives mismatch mixedrace mooring multiday -multitrack mutton naturalists nomads @@ -21447,6 +42844,144 @@ usurped vibe vibraphone webbing +Airbase +Albinus +Alda +Antoni +Apollon +Archimedes +Athenry +Backup +Banwa +Baptism +Benji +Bhumibol +Bidar +Bouchard +Bramley +Brokers +Calderdale +Caliente +Centaurus +Citra +Cleburne +Combo +Congresswoman +Cranford +Cupertino +Dakshin +Dampier +Danson +Dench +Devgn +Dewhurst +Dijk +Dreyfuss +Drifters +Dubbed +Dubliners +Eastland +Ecosystem +Emount +Estefan +Femi +Feud +Flathead +Friel +Geri +Globally +Gnostic +Gopalakrishnan +Grosset +Gujranwala +Hairy +Handling +Hitch +Horan +Immortals +Infants +Inspirational +Janne +Jerkins +Jetty +Jozef +Kabhi +Kasey +Kasper +Kirkham +Kuti +Kweli +Lae +Lawley +Laxman +Limp +Loews +Lofty +Maracaibo +Metellus +Minuscule +Misiones +Mnet +Montebello +Moodys +Nakuru +Nizamuddin +Nostra +Ocampo +Paradiso +Parsa +Perimeter +Pinkney +Pleasanton +Pocatello +Pools +Portobello +Proms +Provision +Racquet +Raghunath +Recruited +Rosales +Rourke +Sabinus +Saskia +Scalia +Schafer +Scoring +Scriptures +Serer +Sill +Skinners +Slang +Soar +Sorbonne +Splendor +Steinbeck +Structurally +Sukarno +Suwannee +Szczecin +Tequila +Tete +Thunderbolts +Timbuktu +Titanium +Tortoise +Trofeo +Troupe +Truss +Tyrell +Valhalla +Vesta +Viborg +Vile +Waltons +Whit +Wuppertal +Wyeth +Yearwood +Yitzhak +Zoey abstractions antiseptic anxious @@ -21518,7 +43053,6 @@ seasoning sectional seminatural setups -sixweek sloops slumped stocking @@ -21535,6 +43069,171 @@ unsupported vocation weaves wrench +Abbotts +Abolition +Actually +Adrenaline +Afzal +Alberni +Alcoa +Alexia +Allerton +Alucita +Amalie +Ammunition +Amsel +Andrena +Angers +Auden +Audley +Bakar +Balakrishnan +Banaras +Bcell +Bernhardt +Bickford +Biltmore +Blackie +Bnai +Boden +Bollinger +Boost +Brophy +Bucculatrix +Cefn +Charming +Chartres +Cherbourg +Clerkenwell +Coed +Coimbra +Coley +Confidence +Dacian +Deering +Dees +Dim +Dingwall +Dota +Elector +Elinor +Elves +Erle +Excavations +Fable +Faire +Faridabad +Faversham +Felixstowe +Firenze +Fondazione +Franken +Frida +GOGcom +GPs +Ganja +Georgians +Geosciences +Grasse +Groovy +Gustavus +Haughton +Hazen +Hedge +Heinkel +Hessian +Hillel +Holton +Howling +Hyannis +IIera +IceT +Ilan +Incubus +Jia +Juke +Junagadh +Kanchipuram +Kesha +Killeen +Kino +Kirklees +Kirkman +Kunal +Lamberts +Lanchester +Leto +Liebe +Lilith +Lunda +Lynette +Lyra +Lytle +Madigan +Mahogany +Mammal +Mansa +Maries +Matisse +Mattia +Meadowbank +Messer +Mitochondrial +Morin +Nne +Norden +Oceanographic +Oppenheim +Packing +Pancho +Pekin +Pennant +Pio +Pizzarelli +Portishead +Protest +Ptolemaic +Rhytiphora +Rijksmuseum +Rona +Safi +Sanga +Sankey +Scribner +Scruggs +Secretly +Shattered +Sleaford +Solstice +Sorcerer +Stanwyck +Stedman +Stormont +Stortford +Strabane +Stratemeyer +Sylvie +Tanjong +Taras +Tariff +Theosophical +Tiananmen +Tigre +Tiller +Tillis +Trams +Trim +Turkana +Turkestan +Valery +Veena +Viewer +Viluppuram +Vittoria +Waupaca +Whalen +Xpress +Yann aberration actuality affirmation @@ -21568,7 +43267,6 @@ empowers endoscopic euphemism familyrun -fu funnelshaped fuscous glamorous @@ -21580,7 +43278,6 @@ interconnecting interlude kmh lance -laughingthrush livelihoods mashed masque @@ -21597,7 +43294,6 @@ plateaus playwriting plebs postcard -postgame powerlifter propagating redshift @@ -21623,10 +43319,8 @@ subfields subspecialty suck summarize -thirdyear tripod trophic -twotier unstaffed unsustainable upriver @@ -21638,6 +43332,144 @@ waking weft winemaker workhouse +Accepted +Acmaeodera +Ahsan +Aileen +Akola +Alberti +Aldwych +Anastasio +Aram +Asahi +Aspire +Assemblys +Atwell +Baran +Baseline +Bhi +Bimbo +Boomtown +Boyds +Bunting +Bunyan +Campodea +Centered +Choose +Clergy +Closely +Coughlin +Crosbie +Daring +Derg +Dharmapuri +Dickenson +Durante +Edoardo +Elio +Endicott +Esso +Etna +Everlasting +Evers +Extensible +Familys +Farrah +Finnegan +Flour +Fortnight +Fountains +Fuels +Glenmore +Goh +Gombe +Gopher +Greeces +Greyfriars +Guthries +Haydon +Horry +Hosea +Imperium +Indicator +Infiniti +Instructional +Iraqis +Irvington +Jimma +Koblenz +Lackey +Leibniz +Leonidas +Limehouse +Lizards +Lorient +Lutyens +Maize +Mancuso +Manistee +Mansehra +Mantra +Manufactured +Maxwells +Melodi +Menachem +Mikko +Morobe +Nahuatl +Navratilova +Noll +Notification +OEMs +Obesity +Oculus +Olympiacos +Oviedo +Oxfords +Pembina +Penarth +Petite +Pharoah +Pim +Piso +Pohnpei +Proceeds +Pupils +Puss +Puteri +Rabaul +Rainbows +Rothenberg +Sadat +Saxena +Scholz +Seagram +Seeker +Sees +Shook +Showbiz +Sienna +Smalltalk +Smiling +Snipes +Solicitors +Spine +Splinter +Stanmore +Sugarloaf +Sumbawa +Tenants +Thi +Tibetans +Tuanku +Umatilla +Ushaped +Vijayanagara +Waheed +Welega +Winterthur +Worthy +Yusef archbishops aux bastard @@ -21736,7 +43568,160 @@ warranted webseries westerns yeasts -adDin +Aaj +Abrahamic +Acura +Adria +Agonopterix +Allergy +Allin +Aucklands +Aurelia +Aymara +Bake +Balu +Bankhead +Beavis +Beehive +Bellshill +Beltrami +Blender +Blundell +Blyton +Bolts +Brandi +Bukowski +Bursa +Canto +Capitan +Carrickfergus +Caterham +Cerrado +Chairwoman +Chieftains +Choudhary +Churchills +Cilicia +Clonfert +Coatbridge +Cocks +Coda +Cohan +Comer +Congenital +Cotswolds +Coverdale +Cycliste +Daystar +Dhar +Diddley +Differential +Dime +Divisione +Dokken +Donga +Dorman +Drunken +Earnest +Ectoedemia +Enja +Epworth +Eurosport +Fiske +Flavobacterium +Footage +Foucault +Fullers +Giller +Giorgi +Glacial +Grammer +Gurkha +Gyeongsang +Hannity +Ikot +Illini +Intangible +Iolaus +Jaeger +Jains +Johnstons +Junta +Kastamonu +Keke +Kennesaw +Kinnear +Kitt +Koroma +Kurtis +Lakeville +Laverne +Lode +Lua +Maddalena +Madhavi +Mads +Manama +Mantegna +Marillion +Marquesas +Medicinal +Meriwether +Milam +Millbrook +Moffett +Moya +Mullin +Munn +Myristica +Nainital +Narada +Neel +Netaji +Normanton +Ostia +Outdoors +Pall +Pappas +Pepin +Pile +Plantations +Poetic +Pussy +Quirino +Ranks +Rates +Regierungsbezirk +Rogan +Rommel +Ruud +Sahni +Sama +Secaucus +Sensing +Serpentine +Sethi +Slavonic +Sprout +Staley +Stichting +Streatham +Sunder +Surge +Telegram +Tema +Templars +Titular +Toomey +Topic +Transits +Tumblr +Tumor +Ukraines +Wallach +Wandering +Woolen +Yamhill adversity antimony appendage @@ -21762,7 +43747,6 @@ diluted disapproved discoidal dominions -eighttime elliptic farreaching firewood @@ -21776,7 +43760,6 @@ gravelly greenlit guardianship hallucinogenic -highthroughput homonymous hydrochloride hydrophilic @@ -21830,6 +43813,172 @@ vulgar wrinkled yam yew +Abellio +Ability +Academics +Achaemenid +Aiden +Aker +Akkadian +Alastor +Annesley +Ards +Assemblage +Awarded +Azusa +Baroquestyle +Bharatpur +Bingley +Bisexual +Bretton +Brong +Cajon +Camacho +Canonical +Capps +Carman +Carnevale +Caserta +Cassia +Cclass +Cellar +Ceramics +Chekhov +Chinna +Chopin +Cinematographer +Clonmel +Colima +Congresses +Connecting +Corwin +Cossacks +Dells +Donohue +Dorymyrmex +Dunblane +Ecija +Elsinore +Enders +Engineered +Ephesus +Esthetic +Examiners +Fabricius +Faroese +Farquhar +Feminism +Folks +Foothill +Formby +Frantz +Fucking +Garret +Ginsburg +Goldmines +Greed +Gunner +Gunpowder +Gyan +Habana +Hannes +Hingham +Honshu +Ili +Irishman +Irkutsk +Jamnagar +Jax +Jepsen +Joko +Joondalup +Joyces +Kao +Kayak +Keble +Kellerman +Kimoon +Kirwan +Kushner +Laidlaw +Lalo +Laughton +Lonergan +Looks +Loos +Mansions +Maryam +Mende +Metra +Michener +Muirhead +Mundy +Mwanza +Nansen +Napolitano +Negri +Nels +Nevadas +Nterminus +OFarrell +Ould +Periyar +Phyllophaga +Plowshares +Plumb +Polygram +Pramod +Priscus +Pruitt +Puck +Quirk +Quit +Randers +Reads +Regulator +Reinmuth +Reznor +Rococo +Rosehill +Rosh +Rutter +Saks +Schott +Scotias +Sequoyah +Shear +Sivakumar +Skater +Spock +Stover +Stretton +Summerside +Swell +Tahitian +Talmudic +Tamla +Teng +Tera +Terminalia +Throwing +Tonkin +Tropics +Unionists +Unofficial +Upright +Ursus +Vaishali +Vandal +Ven +Vespasian +Wage +Wanneroo +Wardrobe +Wendys +Westlife +Wiccan +Winkle +Wishaw acknowledgment acuminata adjusts @@ -21877,7 +44026,6 @@ hickory homework hotly howitzer -iHeartRadio incisors infringing inhaled @@ -21939,6 +44087,146 @@ varnish waterbased worldly yen +Agnihotri +Ahom +Anantnag +Anthene +Antoninus +Arad +Aviators +Bacharach +Bandera +Batrachedra +Bellary +Bioko +Bonaire +Bootle +Botetourt +Bowser +Brogan +Bruces +Byte +Cann +Carposina +Carriers +Cassavetes +Celebrate +Cessnock +Chances +Chertsey +Cowie +Curragh +DLeague +Darrow +Devan +Devendra +Diemens +Dinos +Dolce +Donuts +Durst +EUs +Eccellenza +Entourage +Fabolous +Farris +Foyle +Gaulle +Guarantee +Guardia +Haan +Hachette +Hafiz +Haridwar +Heathfield +Hellraiser +Helmond +Hera +Hewett +Hotchkiss +Howden +Hun +Interstellar +Italianlanguage +Jenn +Jessup +Knots +Lahiri +Lipscomb +Longman +Lothar +Lynchs +Lynden +Maan +Mee +Merriman +Milliken +Minardi +Miscellaneous +Moana +Monolith +Morbid +Mulhouse +Nadar +Neelam +Nevins +Nicene +Nizhny +Nuuk +Ogre +Orangeville +Oriented +Outfit +Pambansa +Paresh +Parkersburg +Phacopida +Planters +Pokhara +Portia +Pullen +Punjabis +Raga +Richardsons +Rode +Rosanna +Russellville +Sauber +Schweitzer +Screw +Sets +Shriver +Soaring +Speranza +Spill +Spire +Springville +Statuary +Stenalia +Stormers +Storytelling +Sultana +Suncorp +Suryapet +Svenska +Sympathy +Talkin +Tatra +Theories +Thou +Tolstoy +Trampoline +Transcontinental +Ultratop +Usage +Vantage +Vigil +Wartime +Whaley +Whitten +Wildside +Woodcock +Wrangler aero amaranth angiosperms @@ -21970,13 +44258,11 @@ hijackers hydrological ibis ignorant -ii innervated inquest insightful invocation labelmate -lato lectin lemurs lexicographer @@ -22035,6 +44321,148 @@ walleye watercourses wikis yoke +Abdi +Adjustment +Africanus +Albatross +Alexandru +Archana +Arequipa +Ashburn +Bakewell +Barracuda +Belluno +Blondes +Bolivarian +Caan +Castiglione +Caymanian +Charly +Chikara +Chimney +Choo +Chucky +Cloverdale +Coasters +Coleoptera +Comin +Consequences +Considering +Consultancy +Containing +Cowlitz +Croton +Curtiz +Dalziel +Decay +Dili +Disciple +Environments +Fairtrade +Fez +Fiasco +Fizz +Flake +Fulani +Funniest +Gallaudet +Genealogical +Geospatial +Geylang +Goodluck +Graceland +Graces +Greenaway +Guise +Hairspray +Hangover +Hariharan +Hasselt +Hedwig +Hilbert +Holger +Hoon +Horseman +Incline +Item +Ivanov +Javan +Jorhat +Juhi +KRSOne +Kakinada +Kapurthala +Karmala +Kawartha +Khiladi +Khosla +Knighton +Lalit +Lathrop +Lewisburg +Lungsod +Maja +Malus +Marseilles +Mathur +Mississippis +Motorcycles +Nagle +Nant +Newsroom +Nias +Nicolai +Olds +Ortigas +Paradigm +Parra +Patapsco +Pemba +Peren +Piccolo +Pickard +Pickles +Plutarch +Printers +Probable +Pumping +Ragusa +Randi +Rebekah +Ripple +Rondo +Ruger +Ruslan +Sahu +Sajid +Saroja +Saugus +Seek +Selander +Sentry +Shuswap +Sittard +Srivastava +Steubenville +Strom +Talented +Terrestrial +Thick +Toba +Tombs +Troyes +Twitty +Tyrolean +Utama +Vas +Vaux +Vivid +Wanstead +Warrenton +Whitefield +Wodonga +Yucca +Yule adherent airconditioned airways @@ -22072,7 +44500,6 @@ fasteners fingerstyle folly fortyfour -fourthplace frightening gelatinous graze @@ -22128,7 +44555,6 @@ sucrose suing tangent tenement -threemember threestar thrill timbre @@ -22147,6 +44573,186 @@ vena vitreous votive warts +Adeline +Aeronautica +Agrawal +Albin +Aldeburgh +Aldgate +Alexandrian +Algorithms +Altenkirchen +Ambition +Amigos +Antonin +Apis +Audie +Avia +Baghlan +Baringo +Bate +Bettina +Biff +Bighorn +Blackadder +Brahms +Bridger +Broussard +Buccaneer +Buncombe +Burslem +Bushman +Calabar +Canadianbased +Casale +Cashbox +Chantilly +Chelyabinsk +Chiropractic +Chloroclystis +Cima +Cinemax +Cinnamon +Context +Converge +Copperbelt +Coryell +Coshocton +Cuthberts +Dacre +Daredevils +Delmarva +Devotion +Dhofar +Dorney +Dresser +Druids +Eclectic +Ede +Eliteserien +Eminems +Eucithara +Existence +Eyewitness +Farhan +Farman +Finbarrs +Finishing +Fleur +Fukushima +Galatasaray +Gemmell +Glarus +Goel +Gouda +Greenwald +Gulfport +Habit +Hamasakis +Hameed +Hargrave +Harmonix +Harsh +Harte +Hensons +Hesketh +Hightower +Huckabee +Hurry +ICs +Imus +Jakes +Jinx +Jpop +Juma +Kam +Karam +Kargil +Karol +Kohl +Koi +Liverpools +Logos +Longer +Manlius +Mastering +Maura +Mensa +Mirzapur +Mohanty +Moultrie +Mynydd +Naperville +Nayarit +Neurobiology +Nigam +Nothin +Organist +Orrin +Padak +Parishes +Paste +Peloponnese +Peril +Perris +Pharmacists +Pinckney +Pinot +Portrayed +Praja +Prashant +Praxis +Preview +Promised +Prudence +Quinnipiac +Quitman +RNAbinding +Ratchasima +Redfield +Regio +Rena +Ronaldo +Samford +Sandhu +Saturninus +Sayer +Schema +Scholarships +Sedaka +Sepulcher +Serampore +Sexiest +Shao +Shaped +Siliguri +Siluriformes +Skulls +Snapper +Somerton +Somethin +Sotto +Srl +Stagg +Streams +Suhasini +Sukhoi +Summerville +Summits +Terrebonne +Transmembrane +Undisputed +Ups +Vander +Vibes +Vivaldi +Voyages +Wink +Wynette +Yass +Zacatecas +Zell +Zeppelins agendas aminopeptidase anecdotal @@ -22263,13 +44869,195 @@ voles vortex warlords weeklies +Abidjan +Agincourt +Ahern +Akhenaten +Alachua +Albatros +Alberts +Alisa +Almelo +Amr +Anugerah +Aquariums +Arthrobacter +Atholl +Austell +Autodromo +Baikal +Bancorp +Bebearia +Belair +Bendix +Bhardwaj +Biddle +Bol +Bridport +Burge +Burgeon +Busted +Cairn +Capistrano +Catering +Chastain +Chhota +Christiane +Corsair +Crain +Crematogastrini +Creston +Cucurbita +Dag +Dangerfield +Diadelia +Downpatrick +Ecole +Elfman +Familiar +Favartia +Femmes +Fiordland +Frenzy +Funkadelic +Garvin +Genuine +Geraghty +Gestapo +Glades +Goldsboro +Grierson +Halesowen +Hancocks +Harem +Heaney +Heartbreakers +Heist +Imelda +Import +Ingo +Intruder +Irv +Jaclyn +Jagdish +Jewett +Kapadia +Karaoke +Keanu +Keneally +Keogh +Kishan +Kolar +Koontz +Krupp +Kumaon +Kuopio +Lasioglossum +Lauenburg +Leonora +Lesson +Lotta +Lurie +Macabre +Majapahit +Majumdar +Marten +Masked +Massachusettsbased +Mates +Meiji +Mendelsohn +Metroplex +Millville +Moat +Mower +Mukti +Netanya +Nicollet +Nirmal +Ossory +Ours +Partly +Paulding +Pauly +Perdana +Performed +Pervez +Phacelia +Pierrot +Pilipino +Pitkin +Plas +Polistes +PostgreSQL +Printed +Projekt +Publicity +Quadrant +Query +Rajat +Ramallah +Reddit +Redhill +Redux +Relentless +Remaining +Riches +Rickman +Ricoh +Roane +Rushmore +Salad +Sava +Scanlon +Schengen +Schleswig +Seddon +Shaka +Shephard +Shibuya +Shruti +Sippy +Sola +Someday +Sothebys +Spielbergs +Spinefarm +Spirituality +Squibb +Suppression +Suzie +Swede +Taiwans +Tallulah +Tat +Telebabad +Teruel +Theatre +Thoma +Thrash +Tia +Tora +Tulsi +Uddin +Unchained +Unincorporated +Unni +Vani +Variant +Vettel +Vishnuvardhan +Volker +Wadham +Warlord +Winstone +Zakir abusing acronyms adjudication affirming alluding amateurbuilt -antiSemitism apportioned apprehension aristocrats @@ -22311,7 +45099,6 @@ grinder handdrawn hatchery herons -higherlevel highvalue homologues honoree @@ -22359,7 +45146,6 @@ revisionist riverboat robbing septic -sevenmember shearing shoegazing shredded @@ -22376,6 +45162,183 @@ unloaded unproduced vie voicemail +Aesop +Albano +Angell +Appreciation +Aquarii +Archdeaconry +Archduke +Arnie +Ashdown +Assassination +Astronautics +Augustana +Avenida +Bastards +Batteries +Battleship +Bonavista +Boonville +Bootsy +Bor +Borghese +Bradman +Brecht +Brinkley +Brumby +Budokan +Careers +Charlottes +Chattopadhyay +Choices +Cholas +Citytv +Coffs +Colac +Colobothea +Comorian +Cranberry +Credits +Crestwood +Dansk +Dominicans +Donnell +Dorking +Dreamers +Dreamland +Droid +Edited +Edsel +Egyptologist +Encryption +Eulepidotis +Fela +Frusciante +Fullback +Futura +Gaussian +Gibbon +Gilgamesh +Ginebra +Gorillaz +Gorky +Griff +Gwynne +Hacking +Heal +Hokies +Hutcherson +Ibanez +Idiots +Indirect +Isidore +Ismaili +Jaco +Jesu +Jomo +Kamil +Keener +Kessel +Kidz +Kiley +Kims +Kingsport +Kirkus +Kissimmee +Kurup +Landulf +Lenz +Lieber +Limbo +Lipa +Lucan +Lui +Lynwood +Mahadev +Manipal +Manivannan +Melting +Microwave +Miki +Morrill +Mraz +Mulgrave +Nadir +Nanyang +Neeson +Nevill +Newland +Notonomus +ODonoghue +Oaklands +Odette +Oleksandr +Opie +Ormiston +Patrik +Patuxent +Petrov +Pettit +Prayers +Prediction +Promotional +Quinta +Raaj +Ratchet +Rautahat +Recruit +Referees +Reindeer +Restricted +Rigg +Rockbridge +Rodin +Rove +Runtime +Sacco +Sanam +Sandefjord +Sarlahi +Satans +Savanna +Selections +Selim +Shlomo +Sibelius +Siraha +Skeptics +Slattery +SoC +Sorenson +Soundtracks +Stalins +Steer +Steiger +Strasburg +Subterranean +Sucre +Suddenly +Summa +Surveyors +Suzi +Tanna +Thang +Thiago +Thicke +Thrift +Tiffin +Tile +Tobruk +Tryavna +Uffizi +Unionville +Veera +Wahab +Wahl +Washingtonbased +Westbourne +Winged affirm albumin allocations @@ -22479,6 +45442,202 @@ volumetric wafers whistles winless +Abramson +Adulyadej +Ajith +Alberton +Allard +Allegan +Allende +Anabaptist +Arapahoe +Arkin +Arrington +Arriving +Astronauts +Auxerre +Avid +Baath +Badal +Bahawalpur +Balanchine +Bartonella +Berkeleys +Bhagwan +Billbergia +Blooming +Bolling +Boomer +Brannon +Breslin +Brito +Burlingame +Burney +Cardoso +Catlin +Centrale +Ceramic +Chua +Cinque +Citibank +Colley +Compression +Cosworth +Cote +Cram +Czechoslovakian +Daria +Decades +Deftones +Deployment +Diogo +Dongfeng +Drones +Durbin +Eerie +Emiliano +Errors +Faced +Factories +Farragut +Fausto +Feeding +Ferrier +Folketing +Forel +Forming +Gameloft +Gascoyne +Glade +Gord +Grau +Greenhill +Grisman +Gwendolyn +Haakon +Haggerty +Hangar +Harney +Heelers +Hitchhikers +Hoyle +IIlisted +Imperials +Injuries +Interlingua +Intrepid +Inverclyde +Iyengar +Jamaicanborn +Jazzy +Jolley +Jurisprudence +Kayla +Kea +Kerman +Kosher +Kuiper +Langa +Lasker +Lennart +Leskovac +Mamluk +Manisha +Martians +Matos +Maurier +Mawson +Mexicali +Mineola +Mintz +Monotype +Montgomerys +Moroder +Muscatine +Nasdaq +Neto +Numerical +Nutter +Nyack +OBriens +Oldman +Orem +Oriole +Otley +Paladin +Parable +Parrott +Pathway +Pearse +Peep +Penalty +Pepys +Petronas +Pirelli +Poitier +Polje +Pratapgarh +Prentiss +Protests +Psalter +Pseudonocardia +Rambler +Ranked +Rauch +Rayagada +Refining +Reids +Relationships +Reliable +Renard +Reportedly +Rickard +Roadside +Roehampton +Rohtak +Rupandehi +Sandys +Santhosh +Schoolboys +Shaji +Shaver +Shenyang +Shinde +Shubert +Slamdance +Sleeps +Sodom +Somersets +Stansted +Steffi +Steinburg +Suffering +Talia +Tartan +Thapa +Toyah +Trapp +Troubled +Trudy +Ultravox +Unseeded +Valladolid +Vancouverbased +Veda +Verses +Vincentian +Visby +Viv +Walford +Walkin +Wallsend +Warrens +Westmount +Whirlwind +Wilbert +Wilmer +Xylophanes +Yousuf acraea affine allgirl @@ -22593,8 +45752,188 @@ videography wartorn whoever wingforward -ya zOS +Afterward +Algebra +Appearing +Appendix +Arapaho +Ascent +Assignment +Auditions +Axelrod +Baca +Bahu +Ballets +Bedingfield +Bedroom +Bemis +Benguet +Blacksmith +Blows +Blumenthal +Borromeo +Branco +Brion +Britannic +Butthole +Cady +Caloocan +Catcher +Catfish +Cedars +Chanda +Claptons +Claro +Clemons +Cliffe +Collingwoods +Continues +Copernicus +Coutts +Crossover +Cumnock +Cyclops +Defoe +Deutsches +Dominos +Doodle +Einsteins +Emilie +Enclave +Epirus +Equatoguinean +Espinosa +Faison +Fastest +Fernand +Flashpoint +Follett +Gabba +Galton +Gant +Gauls +Gibberula +Glam +Goldstone +Gonville +Graded +Grama +Grandpa +Gretzky +Gump +Hani +Hauer +Hendersonville +Hindley +Hospitaller +Hylarana +Ilyushin +Jenni +Jhapa +Join +Joris +Judaic +Kannan +Kar +Keefe +Kinski +Knighthawks +Komuter +Kranti +Lapeer +Lasky +Latitude +Lautoka +Leer +Legg +Lemonade +Linnean +Loki +Ludington +Luger +Macromedia +Mains +Mamet +Managua +Margrave +Matterhorn +Maxis +Mayday +Meijer +Metadata +Mithridates +Monroes +Moo +Neff +Nitty +Nook +Noosa +OOnt +Oakenfold +Octavius +Optional +Paleogene +Palgrave +Pamplona +Papacy +Parallax +Parkdale +Parklands +Partij +Pedestrian +Pickup +Pidgin +Pippa +Piscataway +Punks +Pyke +Reichstag +Romandie +Sakura +Sangha +Scores +Scuola +Seabrook +Shakeys +Sheppey +Shiner +Shoppers +Showground +Skateboards +Smithville +Soma +Spacey +Spaniel +Stingray +Suburb +Suspect +Taney +Teixeira +Telltale +Ternate +Thana +Tippett +Tiruvallur +Trifolium +Troll +Tuareg +Tubb +Tupper +Tuscarora +Universals +Verge +Vitesse +Volt +Weeknd +Willey +Willing +Wimpy +Wins +Winterbottom +Wishart +Wittgenstein +Zvezda abutments acceptor acidosis @@ -22642,7 +45981,6 @@ goldsmith gooseberry gotra grandeur -havent hen hillock idealistic @@ -22671,7 +46009,6 @@ nonfunctional nonpermanent novelette obscurus -onepiece pagasts palmar pancreatitis @@ -22719,6 +46056,199 @@ veiled vinifera waits weld +Acoustics +Adalbert +Adriaan +Alderson +Alevel +Ambush +Anak +Anam +Anja +Antioquia +Argento +Artisan +Aya +Barenaked +Barros +Bases +Beginners +Beveridge +Bicycles +Bikes +Birminghams +Blackberry +Bluffton +Boi +Booty +Bridgestone +Brookville +Buckethead +Bunnymen +Bure +Caldera +Carbery +Cardozo +Carle +Carols +Carstairs +Carte +Cassa +Chemnitz +Chemung +Chepstow +Chetan +Christiaan +Clapp +Clontarf +Clues +Coetzee +Compromise +Coronet +Cossack +Cowritten +Crofton +Crossfire +Crozier +Dat +Directly +Drillia +Dromore +Drone +Economists +Eggleston +Esperance +Explosives +Farringdon +Fates +Fiends +Flavio +Fortunes +Foxe +Friesen +Funen +Gagas +Galaxies +Gardners +Garrard +Gasconade +Gatorade +Gau +Geelongs +Geer +Geert +Gor +Gores +Groff +Haigh +Hara +Harewood +Harrelson +Helping +Heroic +Hieronymus +Holst +Hoshiarpur +Ingleside +Itself +Jeanie +Jonestown +Kagan +Kayes +Kinston +Knickerbocker +Koirala +Krasnodar +Lederman +Lexicon +Locker +Longo +Maltas +Mantis +Mapleton +Margie +Martius +Mash +Meeks +Mesolithic +Mexicana +Miliband +Millionaires +Moll +Morena +Motte +Musselburgh +NCAAsanctioned +Narbonne +Naucalpan +Nevin +Newly +Norcross +Norwegians +Olen +Oregonian +Pahlavi +Panavision +Picts +Plimpton +Poitiers +Potchefstroom +Pothyne +Prahran +Primer +Priyadarshan +Quin +Recurring +Reservations +Rizvi +Romblon +Roost +Rother +Roys +Rutger +Saar +Sabin +Sabu +Sangeetha +Sangli +Sentencing +Sextet +Shafi +Shatrughan +Sheerness +Shuster +Simran +Spinners +Stephenville +Strabo +Subic +Sundowns +Sync +Tambo +Technologists +Tele +Timing +Tribhuvan +Tsinghua +Tweede +Unicorns +Upjohn +Uttam +Valenciennes +Vangelis +Vegan +Vive +Vladislav +Wahid +Warera +Washtenaw +Watters +Weddings +Whitey +Whitsunday +Wofford +Yanni +Yonder abort abstention alerted @@ -22828,7 +46358,6 @@ ripped scoop searly sedges -sedis semipermanent shrews silverware @@ -22851,6 +46380,173 @@ vibrating virtuous whitebellied widower +Accelerated +Airwaves +Akash +Allstar +Allyn +Altair +Ancestral +Anjouan +Arce +Argonaut +Athenians +Aurobindo +Aykroyd +Basically +Basti +Batt +Betula +Bleach +Bolzano +Bremerhaven +Brierley +Briers +Brightman +Bromfield +Businessman +Cabuyao +Callie +Cambrai +Caproni +Carnell +Carpi +Carswell +Casio +Castelo +Cauldron +Cenotaph +Chakwal +Chor +Clinics +Coconino +Consejo +Cunard +Damodar +Decorative +Dhanusa +Diallo +Diplomat +Djiboutian +Dogra +Dubey +Eburia +Emotions +Equine +Eucamptognathus +Eves +Falcone +Faribault +Fiend +Flagship +Gain +Gerontology +Gerson +Glengarry +Gloster +Gormley +Gradually +Gujrat +Guldbagge +Heyman +Homosexuality +Hulbert +Huntingtons +Ilokano +Ilse +Includes +Influenza +Info +Interviews +Israelite +Jealous +Jenks +Jochen +Jono +Kaizer +Kats +Kimble +Koehler +Krasnoyarsk +Lampoons +Lanza +Lefty +Loosely +Lorde +Lynton +Lyricist +Manipuri +Manuela +Marrakesh +Massie +Mbeki +Meltdown +Merovingian +Mesostigmata +Minolta +Minstrels +Mistral +Mongoose +Monsieur +Montero +Mopti +Mornings +Mourning +Naming +Nathanael +Neogene +Node +Opens +Orchids +Oxfam +Pao +Parner +Peripheral +Philippi +Planners +Plante +Prine +Pros +Radnorshire +Rajahmundry +Ravine +Repton +Rhythms +Ricos +Rogues +Rosberg +Sewanee +Shams +Shimon +Shiromani +Shrestha +Simonds +Sina +Solitude +Sorex +Spitfires +Spooks +Stanfords +Stoneham +Suzuka +Tabitha +Taoist +Tasha +Tatar +Tomorrowland +Tourneur +Trichy +Trolls +Turkeys +Uele +Undersecretary +Vlaanderen +Voronezh +Waldman +Webbs +Wemyss +Yomiuri +Zakaria aberrant adorn aphasia @@ -22952,7 +46648,6 @@ steelhulled stromal tantalum testimonies -threestage tomentosa transceiver trigeminal @@ -22970,6 +46665,178 @@ walnuts wander weighting zipper +Addicted +Ago +Ainslie +Allston +Altitude +Alwar +Amersham +Annihilation +Aoti +Argosy +Ariadne +Artifacts +Artwork +Ashington +Asli +Atacama +Backus +Basset +Bezirk +Biograph +Boa +Bolsover +Borealis +Bossa +Boxes +Boyfriend +Boz +Brawl +Breeds +Bullen +Burwell +Buzzards +Caecilius +Castlevania +Chiu +Citrix +Clarissa +Concourse +Confessional +Conseil +Coroner +Cozy +Crandall +Crass +Cruze +Ctype +Dafoe +Daughtry +Deliverance +Dendropsophus +Durrani +Eastgate +Elliotts +Entomological +Escobar +Esher +Esq +Exhibits +Fatboy +Fauquier +Flashback +Foro +Franke +Frasers +Furry +Gamblers +Ghazipur +Giovanna +Godley +Gonzo +Gulbarga +Heine +Heredia +Holderness +Honky +Humes +Interests +Ismael +JPMorgan +Janette +Jars +Jawa +Jerrys +Jirga +Judicature +Keiths +Koen +Korda +Kroll +Kyushu +Kyuss +Lampung +Lauda +Levon +Lilydale +Limoges +Liner +Lita +Llangollen +Lollapalooza +Loom +Louisiade +Magnusson +Menai +Methodology +Metroid +Miquelon +Miwok +Modernism +Montmartre +Morey +Mosby +Multiplayer +Nanking +Nebo +Ojibwa +Ojo +Olimpia +Palanca +Palmdale +Pappu +Parson +Peels +Poona +Prebendary +Pressman +Productivity +Proposal +Quik +Ramsden +Raynor +Reliability +Remus +Rhyl +Ricans +Roz +Sausalito +Schaffhausen +Scholarly +Sensory +Senthil +Sheri +Sicilia +Softworks +Sten +Steph +Stingrays +Stonehouse +Suspense +Tabulation +Thomsen +Thru +Thurlow +Thwaites +Tigris +Tirumala +Topklasse +Totten +Traces +Transcript +Truckers +Tuva +Twinkle +Tyldesley +Ulaanbaatar +Unmanned +Upside +Valenti +Warhols +Wherever +Wilds +Xiamen affections angina anticoagulant @@ -23075,6 +46942,203 @@ vulva whitethroated widen womb +Abramoff +Acker +Adlai +Admirableclass +Aegis +Aki +Akim +Anbar +Ancylosis +Andys +Arhopala +Aurangzeb +Austral +Bacall +Bahasa +Ballina +Bannerman +Barak +Beechwood +Beginnings +Berlinbased +Bermudas +Blossoms +Bottling +Brahman +Braid +Brattleboro +Brockville +Brought +Buddhas +Butterflies +Buttons +Cadogan +Colburn +Comox +Constituencies +Cor +Costner +Crambus +Crystals +DAmato +Dahomey +Dalits +Dawood +Dempster +Denial +Denim +Discrete +Dona +Drammen +Dropkick +Dube +Dummies +Eddies +Electrics +Evolved +Farnum +Filipe +Fournier +Framed +Gampaha +Gangwon +Geauga +Geranium +Germanoccupied +Glipostenoda +Gombak +Gornji +Gruppo +Guha +Guyanas +Helios +Himself +Hodgkinson +Hopea +Hostage +Houdini +Hucknall +Iban +Ibarra +Illustrators +Infosys +Jackal +Jackass +Jayapura +Jerez +Jeux +Jian +Kathakali +Kavita +Ketchikan +Kilometers +Kinda +Kitson +Kmart +Knowlton +Kula +Limelight +Lockdown +Longterm +Lorimer +Lurgan +Macedonians +Macroglossum +Mamelodi +Mandrell +Martinus +Matias +Mediator +Medvedev +Michiel +Mohegan +Mohit +Molde +Morricone +Morte +Mun +Muzaffarpur +Nabokov +Naughton +Navodaya +Nellis +Nodaway +Nortel +ODell +OHalloran +OLoughlin +Offenders +Olean +Ooty +Orthaga +Outagamie +Outcomes +Overnight +Oxon +Peaceville +Peat +Peet +Perelman +Petoskey +Plainview +Poltava +Rags +Ramapo +Raycom +Rehab +Relays +Resolute +Ringer +Rises +Rostov +Rosy +Rotem +Rowntree +Sampdoria +Sancti +Sandton +Sawai +Sclass +Seligman +Servilius +Setia +Shawano +Shemp +Sinking +Solberg +Southwick +Specializing +Spectra +Stalker +Starks +Stepping +Strata +Sugababes +Supercross +Supermans +Swabia +Taguig +Torfaen +Tourenwagen +UNESCOs +Underbelly +Vedas +Versace +Vitus +Vonnegut +Vultures +Waltrip +Wand +Wardha +Watchmen +Waukegan +Weve +Wigram +Yekaterinburg +Zala +Zona abovementioned acrobatics allvolunteer @@ -23099,7 +47163,6 @@ darner devotes disconnect doityourself -eightpart embed fabless fortieth @@ -23143,7 +47206,6 @@ nanny needlelike noontime offensives -oldschool outings panda passer @@ -23168,7 +47230,6 @@ sacramental screwed shaken shout -sixthrate sixyearold smashed snorkeling @@ -23200,7 +47261,201 @@ wingless wiping workspace wrasse -www +Abdur +Accolade +Adela +Agni +Ahmet +Akershus +Alleghany +Aparna +Aptian +Arliss +Artery +Badulla +Bastia +Batala +Benalla +Bhandari +Blastobasis +Bodleian +Bolger +Bookstore +Bougouriba +Bufo +Bullfrog +Burlesque +Calpurnius +Camarillo +Captured +Celina +Cerberus +Chadderton +Chardonnay +Checker +Chivas +Christophers +Cluj +Colon +Confucian +Congregationalist +Cowen +Criminals +Crofts +Cumbrian +Daan +Darrin +Detail +Dionysus +Dougie +Dvorak +Ebb +Echuca +Edmundsbury +Edvard +Electorate +Emden +Emo +Equitable +Erected +Erics +Everard +Fail +Fairlie +Fatah +Fiddle +Financing +Firozpur +Flexible +Folkways +Fortis +Forts +Gallantry +Georgi +Gilda +Ginetta +Gravy +Gubernatorial +Halperin +Hardee +Hartnett +Hawthorns +Hazleton +Helotiales +Hendersons +Indo +Intracoastal +Jak +Jeon +Jezebel +Joculator +Judging +Kapp +Karsten +Kernel +Kirbys +Kirkuk +Landscapes +Leacock +Lepontine +Loach +Loder +Luhansk +Lupinus +Lyrical +Maritimes +Martell +Masekela +Masque +Meitei +Merseyrail +Mesosa +Metamorphosis +Michels +Millicent +Mingin +Mirko +Mischief +Mollie +Nalini +Nazrul +Nesmith +Niigata +Nugget +OMeara +Oberstdorf +Oka +Opuntia +Orca +Osvaldo +Outrageous +Overbrook +Overlook +Pallava +Pardee +Parkview +Parmar +Pencil +Penrhyn +Pern +Perryville +Persoonia +Phool +Phylogenetic +Piaggio +Popper +Populus +Pori +Prodigal +Proposals +Psychoanalytic +Rattlesnake +Reproduction +Rockwood +Rowena +Rupp +Sadlers +Salome +Sankuru +Sasso +Scanlan +Schechter +Schwyz +Seleucid +Senses +Shafer +Sharpes +Shells +Smalls +Smithers +Snowball +Subhas +Sugden +SuperG +Susa +Switched +Teaneck +Tenney +Theodora +Tick +Tired +Transcendental +Trips +Uli +Valkyrie +Varieties +Vaudeville +Viscounts +Visigoths +Waziristan +Weiland +Welding +Widener +Wiles +Willcox +Wolfman +Zuria +Zwickau abstentions afferent anytime @@ -23253,7 +47508,6 @@ gristmill haploid headliner hypertrophy -incertae incompatibility innumerable kingfishers @@ -23270,7 +47524,6 @@ mangoes marbles maxi mechanization -midyear minelayer mink motherinlaw @@ -23314,6 +47567,202 @@ uninsured unscrupulous utterance wellsuited +Actinobacteria +Ade +Alloy +Alois +Amba +Anglicized +Anjou +Ansbach +Arkansass +Arti +Autosport +Babys +Badly +Banning +Bathgate +Bhavana +Bhosle +Billing +Billingham +Billingsley +Bissell +Blancpain +Blane +Bodybuilding +Bomberman +Boycott +Brackett +Brat +Brians +Bridgnorth +Broadhurst +Buff +Carnation +Carthaginians +Casimir +Chads +Cheat +Cherwell +Chez +Chicopee +Chimera +Chios +Clogher +Commemorative +Conakry +Courtyard +Crusoe +Dachau +Dano +Deed +Dependent +Deseret +Discount +Ditton +Dothan +Ducal +Duchovny +Dunwich +Dwarka +Eifel +Erykah +Eucharistic +Fames +Ferb +Filmation +Finlayson +Fir +Firms +Fitzgibbon +Fives +Fletchers +Franca +Freeborn +Frideric +Fugazi +GUnit +Gass +Gayes +Genting +Gielgud +Glentoran +Glyphidocera +Gopinath +Grocers +Guilt +Gymkhana +Heaths +Hillyer +Hoard +Hummingbird +Illinoiss +Isha +Isthmus +Iverson +Jadhav +Jae +Jayaraj +Jeetendra +Jigme +Justified +Kareem +Katarina +Kembla +Kennard +Kubota +Kushboo +Lankans +Length +Luthers +Malmsteen +Maree +Marla +Massimiliano +Maumee +Mehmet +Melayu +Mellencamp +Mendota +Mohsin +Mover +Mujahideen +Nadeem +Nai +Newby +Newquay +Norge +OBrian +Orpheum +Oued +Pardon +Parenting +Partito +Pear +Pentathlon +Picea +Pixie +Plenary +Portnoy +Privilege +Privileges +Ramin +Ratnam +Recon +Relatively +Revealed +Rig +Roi +Rotherhithe +Rotunda +Rovigo +Sarma +Sarsfield +Sassari +Sayles +Schulman +Sepak +Shep +Sian +Siang +Sixties +Smurfs +Snipe +Spandau +Spitz +Stair +Stig +Stoller +Strathfield +Sundsvall +Superfortress +Sympistis +Tajikistani +Takeda +Tehachapi +Temperature +Tetris +Thalassery +Thoreau +Tien +Towner +Tucci +Tweety +Venda +Vick +Visitation +Vitagraph +Ween +Wilding +Winchell +Witter +Wogan +Woodhead +Wrestler +Yellowhead +Zandvoort +Zodarion abiotic ablebodied abundantly @@ -23376,7 +47825,6 @@ instudio interfered italic jib -kb legbreak livia louder @@ -23441,6 +47889,205 @@ trope tryptophan validly velodrome +Aklan +Aline +Alok +Alpena +Alstom +Ancuabe +Annually +Anuradha +Anyang +Apr +Arkwright +Arras +Avanti +Avian +Ayumi +Bacterial +Bandaranaike +Bannockburn +Biel +Biographical +Blacksburg +Bluefield +Bode +Boni +Breakwater +Brecknock +Broadmoor +Brutal +Burying +Cabinda +Calamba +Camborne +Cashmere +Cents +Colonization +Commencement +Cookies +Correa +Cortlandt +Cotonou +Crohns +Crosses +Dalbergia +Dalston +Daphnella +Dashboard +Defeated +Delawares +Demeter +Derulo +Deschutes +Dogwood +Donne +Dunaway +Dunk +Dunns +Duryea +Fairbairn +Fairly +Faustus +Fernanda +Festuca +Fincher +Fishery +Flagg +Fortescue +Gazelle +Gera +Geyer +Gori +Graph +Greenlee +Groucho +Gwynn +Hacienda +Hamdan +Handler +Harm +Hayworth +Heber +Heerlen +Hilo +Issued +Istana +Jools +Kabaka +Katholieke +Kell +Kennet +Kindness +Kintyre +Kohls +Kol +Kristi +Ktype +Larkins +Lilium +Limb +Lofts +Lumberjacks +Maddie +Mankiewicz +Mattias +Mauna +Meer +Mercian +Microbial +Minna +Moffatt +Mordechai +Multinational +Murry +Musharraf +Nandini +Nasarawa +Neosho +Neurosurgery +Nielson +Ninjas +Nolte +Nominees +Notebook +OHiggins +Occupied +Oconto +Offenbach +Offender +Ontology +OpenBSD +Orathanadu +Orwells +Ossett +Oude +Payson +Peerless +Petula +Pleasures +Pogues +Potteries +Probate +Purgatory +Pushkin +RBHip +Ramana +Ramasamy +Ramgarh +Ranunculus +Realism +Reddick +Roda +Roraima +Roselle +Sabaragamuwa +Safran +Sainsbury +Sassanid +Scinax +Screenwriter +Sculptor +Sequential +Shirin +Shweta +Sidhu +Sills +Sriram +Steadman +Steinway +Tabernaemontana +Tacomaclass +Tenor +Tenpin +Tension +Theni +Thirdseeded +Thirsty +Timiskaming +Tranter +Trnava +Trusted +Turonian +Tyrannosaurus +Ultralight +Ulu +Vagabond +Verbal +Villegas +Vineland +Visualization +Visually +Volendam +Wayside +Wearing +Weeds +Whisperer +Xiao +Zadar +Zahir +Zambales +Zeitung absentee abstain alleys @@ -23495,7 +48142,6 @@ grasslike graybrown hydrodynamic illiteracy -inc indentation instinct intelligibility @@ -23535,13 +48181,11 @@ polities poroid potash precede -prefecturelevel pretext preuniversity prospecting psychopathology pyrotechnic -queues rationing rebroadcasts remission @@ -23564,6 +48208,230 @@ undertakings upfront windshield wrath +Aarons +Abay +Acceptance +Africana +Aldermen +Alix +Allyson +Alo +Ama +Anopheles +Apalachicola +Ardfert +Arp +Azhar +Balikpapan +Bandicoot +Banton +Barbieri +Beda +Berkowitz +Blanchett +Blanton +Bobbi +Borderlands +Bourgeois +Bridgeton +Brubaker +Brus +Bugatti +Bulgarians +Buscemi +Cabral +Carnes +Cashman +Cayo +Chaffey +Changwon +Charger +Charlevoix +Chasers +Cheever +Chieti +Chrysobothris +Clepsis +Clique +Cobourg +Comix +Controllers +Copacabana +Cosmetic +Costanzo +Craigie +Cramp +Cranfield +Cterminus +Cue +Currents +DAgostino +Dardanelles +Darden +Depth +Desh +Diggs +Drafts +Eames +Edict +Elastic +Elis +Endemic +Enquirer +Epcot +Erna +Escambia +Estoril +Factbook +Fairhaven +Fellowes +Fergie +Festus +Fiorentino +Fogg +Foolish +Frosty +Fyodor +Gamers +Ganganagar +Garde +Garment +Gasoline +Gastonia +Goetz +Gondar +Grist +Haney +Harvick +Hattiesburg +Haugesund +Hayek +Heavily +Helga +Helston +Hemsworth +Hobo +Horgan +Illyrian +Ilves +Indoors +Internationalist +Invader +Iqaluit +Ironton +Irrawaddy +Islamists +Jessop +Jonson +Junkie +Kamp +Karnak +Karnal +Kenji +Kerns +Khabarovsk +Kosovar +Kunming +Langhorne +Leghorn +Listener +Lynns +Macao +Madman +Maersk +Mage +Magenta +Maki +Malkovich +Mander +Mastermind +Mercurys +Midwifery +Mobilization +Moods +Muar +Mutya +NSAIDs +Naa +Nandan +Nani +Navin +Newt +Nocturnal +Nuns +Obsidian +Offutt +Omsk +Orphanage +Panthera +Panvel +Pathways +Perfection +Philharmonia +Pomo +Poppins +Poster +Preparation +Radley +Rapides +Recital +Reconstructionist +Redhead +Releases +Res +Rhetoric +Rhinolophus +Rieti +Romer +Rossetti +Sabir +Salinger +Samples +Saravanan +Savoie +Scissor +Seacrest +Seduction +Seidel +Septimus +Shostakovich +Singaporeans +Slime +Slot +Slovan +Snaefell +Sneha +Soden +Sohail +Specialties +Squier +Starkville +Storrs +Strawbs +Streeter +Sueur +Sumathi +Supermodel +Symbolic +TEDx +Tatyana +Tendencies +Terje +Thimphu +Tracts +Tremblay +Trios +Tubbs +Urmila +Vegetable +Viljandi +Walid +Wallenberg +Walrus +Waxman +Wheelers +Zacharias +Zomba absurdist accuse actordirector @@ -23665,7 +48533,6 @@ righthander rockpop scarcely scratched -secondround semiannual setae sociolinguistics @@ -23684,7 +48551,6 @@ tightened toasted tolerances transiting -twentyyear undergrowth unfolding unrecorded @@ -23697,6 +48563,213 @@ wed withdrawals wizards zona +Abbots +Acropolis +Alina +Amalda +Anstey +Aquileia +Archaea +Ardent +Ataris +Azadegan +Ballantyne +Bambi +Bangka +Barwick +Batra +Belconnen +Bellarine +Bergerac +Biggar +Bioscience +Biostatistics +Buell +Burgoyne +Buskerud +Carrey +Castres +Catharina +Centaurea +Ceromitia +Chancellorsville +Christendom +Civilizations +Colemans +Communicator +Compare +Concerns +Confessor +Continued +Cortese +Cowichan +Cromarty +Dallara +Dally +Dawa +Decius +Dingo +Diop +Dip +Ditch +Donor +Drowned +Eamonn +Ebrahim +Edel +Eder +Egbert +Ekaterina +Endocrinology +Eurythmics +Exploitation +Fathom +Feat +Fredrikstad +Freemans +GTPases +Galesburg +Gaulish +Gayatri +Gays +Gheorghe +Glide +Grieve +Griquas +Gritty +Gulls +Gyeonggido +Happens +Harmer +Haydns +Hebrews +Herts +Hessen +Hindmarsh +Houma +Identifier +Ilocano +Indianola +Injection +Inventions +Isleworth +Jamey +Jester +Kays +Keyser +Khotang +Kittery +Kreis +Kuch +Kumara +Lalu +Linklater +MITs +Macfarlane +Magda +Magpie +Malling +Mandala +Marcin +Maule +Medea +Menaka +Mews +Midi +Milland +Milwaukees +Miniatures +Mischa +Monet +Munch +Mushtaq +Muthuraman +Mymensingh +Nacogdoches +Nascimento +Natarajan +Newhart +Newstead +Nicaea +Nidularium +Nieuwe +Norske +Oberliga +Odom +Offa +Osmania +Palauan +Pandya +Parsonage +Participatory +Parvathy +Patria +Paynes +Peri +Petersfield +Philipps +Phu +Pizzo +Playford +Prescot +Prichard +Quilt +Rabindra +Raccoon +Ramnagar +Rangpur +Rastafari +Ratner +Ravikumar +Recognizing +Redruth +Reichsbahn +Rejects +Replacements +Riff +Rothman +Royalists +Rutan +Saheb +Sakai +Samad +Sandberg +Santas +Saxton +Segment +Septuagint +Shirt +Silene +Skywalker +Snows +Southam +Spare +Spittal +Sponge +Stadler +Stannard +Stat +Subregion +Suck +Switzer +Tek +Terminals +Thunders +Tlaxcala +Trivedi +Umaru +Umpires +Varley +Vary +Vaucluse +Vegetarian +Vineeth +Viz +Vizcaya +Waratah +Wroclaw +Yelena +Yorkton actuarial admirer aeronautics @@ -23769,7 +48842,6 @@ lingual lossy maritima maturing -midweek minaret murine netting @@ -23779,7 +48851,6 @@ oceanographer offended officeholders offshoots -offtheshelf outtake overheating overturning @@ -23788,7 +48859,6 @@ phenethylamine pheromone piloting populate -postmedial postoperative proboscis prompts @@ -23798,7 +48868,6 @@ pterygoid quilts radially recharge -recordsetting renumbering respectful restrain @@ -23818,7 +48887,6 @@ superstars supper sympathies texana -threevolume thresholds tombstone topper @@ -23834,7 +48902,211 @@ unskilled unsold waterline whistleblowers -zu +Agen +Agricola +Akram +Albarn +Alipurduar +Amasya +Amory +Anania +Andrej +Angkor +Apaches +Arakan +Archival +Atticus +Banga +Banka +Barks +Barranquilla +Batesville +Beanie +Beatport +Bedes +Benchmark +Benedetti +Bida +Boiling +Bolitoglossa +Boyles +Breach +Brereton +Bujumbura +Burdick +CIAs +Calamity +Canyons +Capsule +Carmelo +Cassini +Cavanaugh +Chamonix +Chaves +Cheyne +Chota +Chuuk +Cilla +Cir +Clackmannanshire +Clares +Cleethorpes +Combine +Compulsory +Conestoga +Corgan +Creedence +Cretan +Culp +Damen +Debating +Decathlon +Detailed +Dioceses +Dobie +Domestically +Dutchborn +Ekushey +Elemental +Ember +Epicrocis +Episcopate +Estola +Euronext +Excellency +Feld +Fenner +Fishburne +Fishermans +Flamengo +Flatts +Foulis +Gallaghers +Galley +Gatehouse +Geometric +Ger +Germaine +Goyang +Grisham +Hannan +Harrigan +Haskellclass +Hazelton +Hemant +Hemingways +Herr +Hoxton +Hydrangea +Hydrozoa +Ident +Immingham +Infected +Inspectors +Instructors +Jaffrey +Jessy +Katsina +Kaushal +Keeley +Kerrys +Khwaja +Lactobacillus +Lamia +Langdale +Lemuel +Lindner +Listing +Litton +Lorre +Loughton +Luzern +Mannar +Marinobacter +Maruti +Matching +Meltzer +Mensah +Moldavia +Moldavian +Mukim +Neptis +Nez +Nostalgia +Nuwara +ORegan +Onset +Org +Pairc +Palpa +Pape +Paperback +Peromyscus +Peshwa +Pevsner +Physiotherapy +Playlist +Plunket +Polisario +Polyvinyl +Pompano +Postumius +Prestwick +Primavera +Printer +RNase +Ragtime +Raina +Raphoe +Rathore +Recommended +Recruiting +Relic +Rewari +Ridder +Rijn +Risparmio +Roden +Romanians +Rosslyn +Ruislip +Scherens +Scituate +Scotti +Seafarers +Seongnam +Shalimar +Sharmila +Solute +Stanfield +Stansfield +Starfish +Steak +Swanton +Synapse +Thurmond +Toa +Toe +Tonto +Transparent +Trombone +Tubes +Vajpayee +Variation +Vejle +Verhoeven +Vincis +Vivo +Whirlpool +Whyalla +Wimborne +Wyckoff +Wylde +Xie +Yeti +Zahid +Zawisza +Zola adoptions allpurpose amenable @@ -23960,11 +49232,230 @@ willows wilt worthless xylem +AFIs +Abydos +Adaptation +Agong +Ales +Alkaline +Amicus +Appointment +Arcata +Arcot +Aronson +Assad +Baglung +Baluchistan +Bassus +Battaglia +Bec +Begonia +Belper +Benedicts +Berar +Berberis +Biotech +Birney +Blackford +Bledsoe +Bleecker +Borgia +Brackley +Broadwater +Bromberg +Bukhari +Buldhana +Bullitt +Butuan +Campana +Caprice +Carrying +Celebrities +Ceuta +Champhai +Chaotic +Clawson +Cortona +Counselors +Cows +Cranbourne +Cristal +Cuanza +Custos +Danner +Dedication +Designing +Diageo +Dinas +Doak +Donoghue +Dov +Dummy +Edd +Edmontons +Educator +Eflat +Eichsfeld +Erste +Evo +Exhibit +Fennell +Fernie +Festa +Fightin +Fleck +Gardening +Gaslight +Gdynia +Gere +Gershon +Giddings +Glick +Gol +Gonsalves +Goody +Gorbachev +Grassroots +Greiner +Grouse +Guin +Gunning +Gurung +Hellcat +Helloween +Hilde +Hodgkins +Hopton +Hou +Howlett +Intercultural +Intersex +Invictus +Islamia +Iver +Jackpot +Javabased +Jayasurya +Jukka +Kalu +Karolinska +Katharina +Ketchum +Kev +Kiryat +Kissinger +Kitikmeot +Kleiner +Knowsley +Landover +Lentulus +Letcher +Lifeline +Lise +Logans +Logue +Longtime +Lydon +Maryhill +Mauboy +Megaforce +Mercier +Montefiore +Natick +Njombe +Nogales +Nucleus +Oats +Occasional +Ojai +Operative +Oryzomys +Palladio +Parham +Pendragon +Pertwee +Peta +Peterhouse +Petre +Phraya +Physically +Pinacoteca +Piracy +Poonam +Popolare +Procession +Psychologist +Pulmonary +Putt +Pyne +Quadra +Quays +Ramaswamy +Rands +Recall +Richelieu +Ridges +Riptide +Roadhouse +Robben +Robotech +Rood +Rooks +Rumor +Rumsfeld +Ryu +Sapienza +Schumer +Sekhar +Selatan +Sequel +Shaquille +Sigourney +Skippy +Skyway +Smell +Smithsonians +Sneak +Sparkle +Spots +Symbols +Tailteann +Tarsus +Taupo +Teamsters +Tetragonoderus +Thameslink +Tiptree +Tomoxia +Toth +Touched +Tripartite +Tropicana +Tubular +Tuckers +Uniontown +Urology +Usambara +Uses +Vane +Vecchio +Vladivostok +Wantage +Wiggles +Winder +Winehouse +Winsor +Winterberg +Woden +Wolds +Woodall +Worry +Zahn +Zed accomplishing actiondrama adjutant alchemical -antiSemitic applause bailiff barbarian @@ -24032,7 +49523,6 @@ microfilm midAtlantic midlate monies -multistage neurotoxin notations novices @@ -24065,17 +49555,14 @@ seriousness shaggy sheltering shuffled -si slantfaced slugging substandard surety tenminute -thenPresident threading trajectories tripled -twopiece underpass upholstery vanishing @@ -24084,6 +49571,228 @@ volts wig windsurfing withhold +Aaliyah +Accept +Afonso +Ait +Aliyev +Allis +Allo +Alwyn +Amedeo +Amerindian +Angeli +Annales +Anoka +Atlantics +Auditing +Backstage +Banbridge +Barmer +Basics +Battleford +Bedtime +Begley +Belew +Bens +Biblioteca +Biosciences +Blazing +Bornean +Bowerman +Bruner +Calabrese +Caliber +Callao +Callisto +Camper +Cart +Chambersburg +Cheong +Chien +Chindwin +Clarity +Cleland +Clip +Clips +Clubhouse +Cockermouth +Coelho +Coffman +Completion +Complexity +Conlon +Consent +Consett +Cookson +Coorg +Copperfield +Crank +Cranmer +Craugastor +Cripple +Cruickshank +Cubans +Cursed +Cushman +Delirium +Derived +Derleth +Dicky +Duniya +Dysart +Eilat +Enneapterygius +Entebbe +Espiritu +Fireball +Franciscus +Frawley +Fuca +Gills +Goodrem +Gorgeous +Goryeo +Gossett +Graff +Grappa +Greenbank +Gulmi +Gyllenhaal +Haddad +Hadleigh +Haight +Halpern +Harbinger +Harburg +Harlingen +Height +Hillbilly +Homoeosoma +Hondo +Hotline +Interceptor +Irian +Jandek +Jhargram +Kamran +Kellner +Kestrel +Kevins +Knocks +Komodo +Lamu +Larimer +Leggett +Leighs +Letchworth +Levan +Linde +Lippert +Listeners +Locals +Logistic +Lorena +Loretto +Lundin +Luttrell +Madinah +Maesteg +Mandurah +Masada +Meighan +Meissen +Melchior +Melina +Mercers +Michell +Migrant +Mikkel +Mittal +Mogwai +Monteiro +Monumental +Moorcock +Nargis +Nashvilles +Neverland +Nilotic +OShaughnessy +Oberst +Orientation +Orsini +Outcast +Parbhani +Parva +Pears +Pekka +Perm +Petition +Pineville +Poco +Powerlifting +Prescription +Primorye +Prospects +Rake +Ramblin +Ransome +Rayleigh +Resolutions +Rivero +Rods +Roundup +Saco +Sandi +Saracen +Scrum +Senanayake +Shaba +Shimmer +Shipman +Sidewalk +Sivaganga +Sled +Slingsby +Slipper +Softwares +Sohn +Sorcery +Spender +Sriwijaya +Starrett +Stewardship +Stravinsky +Stuarts +Supplementary +Taxpayers +Technologys +Techs +Teluk +Tenant +Thematic +Thruway +Tips +Tokyopop +Transplant +Trollope +Tualatin +Tynwald +Unholy +Valkenburg +Venable +Veronika +Vlaams +Volvarina +Webbers +Whidbey +Wynyard +Xing +Yaakov +Yamada +Yolo +Zedong +Zosterops acclamation achievable acuta @@ -24187,7 +49896,6 @@ rosy sacrificing saffron satirized -selffinancing seminarians shamanism skid @@ -24210,7 +49918,235 @@ visualizations webmaster whipping workmen -worthwhile +Aalto +Aardman +Abbie +Abdullahi +Accidents +Agonum +Alans +Algeciras +Altus +Amer +Amrish +Anisian +Ansel +Antichrist +Antiquaries +Arco +Arellano +Arianna +Ashleigh +Asom +Astralwerks +Aurelio +Avenged +Avinash +Awan +Ayacucho +Badr +Ballou +Baraka +Barreto +Bellaire +Bellefonte +Bev +Bid +Bischoff +Blondell +Bluewings +Bnei +Bran +Brassica +Breckinridge +Bregenz +Broadcaster +Brodsky +Bugis +Burkholderia +Busey +CWaffiliated +Canned +Capote +Carell +Casket +Chandni +Chatterton +Cheerleaders +Claim +Clarinet +Continuity +Crombie +Cutters +Cypriots +Dalmatian +Danby +Dancehall +Darlinghurst +Dass +Defiant +Demarest +Dialogs +Didcot +Dipper +Discharge +Disputes +Doro +Drinker +Durbar +Durg +Eaves +Eights +Elixir +Eliya +Elphin +Emmerich +Fahd +Fairweather +Fallowfield +Fatehpur +Federalstyle +Ferraro +Fielder +Flanker +Functions +Futbol +Gabor +Genk +Gigabit +Gobi +Greenpoint +Hanif +Headington +Hobbes +Hubbards +Hughs +Illness +Impression +Incorporation +Intrust +Inventor +Istat +Izzard +Jadakiss +Jie +Jorgensen +Kehoe +Khomeini +Kiri +Kjell +Kootenai +Krystal +Kuantan +Lauryn +Legislator +Loddon +Lollipop +Lompoc +Lowenstein +Lungotevere +Lymington +Macleay +Mainline +Mallick +Mallika +Mamadou +Mammals +Marnie +Metairie +Metarctia +Missal +Moel +Mortuary +Motowns +Musique +Mutton +Navarra +Nevers +Nickerson +Nilsen +Nissen +Noe +Nokias +ObjectiveC +Oda +Ormonde +Panathinaikos +Passover +Pelton +Pinehurst +Pitney +Platforms +Pljevlja +Poa +Porch +Porirua +Postmodern +Practitioner +Proxy +Pte +Puddle +Purchasing +Purley +Qamar +Quadrangle +Qutb +Rash +Readings +Retribution +Ribes +Rileys +Rogaland +Romy +Ropes +Sag +Sagamore +Santhanam +Satriani +Scribe +Sebastopol +Seminars +Sendai +Seraphim +Serjeant +Servius +Sheehy +Shehu +Skeena +Skeet +Smalley +Snowman +Sonar +Soprano +Southerners +Statham +Strang +Stripped +Superhero +Sway +Swayamsevak +Syllepte +Talisman +Telkom +Tenkodogo +Thibodaux +Threads +Tlemcen +Toei +Turdus +Tusculum +USled +Unstoppable +Vert +Wacky +Wain +Wednesbury +Welshpool +Wendt +Wester +Westpac +Wyn +Zambias acoustically actionable alleviating @@ -24251,7 +50187,6 @@ equidistant exon extinguish fallax -fifthrate fissile folktale gearboxes @@ -24295,7 +50230,6 @@ municipalitys mythos nautiloids navigators -ninemember nucleophilic obstetrician omit @@ -24349,6 +50283,244 @@ victimization whitefish widths workmanship +Abduction +Activated +Afrotropics +Ambler +Arlo +Ashutosh +Aten +Baal +Bannu +Barretts +Barts +Bastian +Bilateral +Bizkit +Bjorn +Boathouse +Broadcasts +Brockman +Brougham +Busia +Byelections +Cains +Calgarys +Canale +Carmelites +Caryl +Changan +Charleville +Choirs +Chou +Clever +Cloak +Cloth +Coniston +Consiglio +Corgi +Correia +Craiova +Cryer +Danko +Daya +Deepa +Depository +Dermatology +Dior +Diversion +Dlamini +Dolomite +Donalds +Dudes +Dyar +Dyckia +Edens +Edessa +Eglin +Emeryville +Englund +Episcopalian +Eustis +Evolve +Exton +Facial +Faerie +Fano +Farber +Fergusons +Fetus +Filmmaking +Firehouse +Flor +Florent +Fogerty +Fontainebleau +Gali +Gardeners +Gauri +Gilling +Gokhale +Goldsworthy +Goodwins +Goran +Grandstand +Graphical +Greencastle +Haiku +Hamel +Heros +Hitchens +Homeobox +Homie +Hoodoo +Hopkinton +Hutson +Impala +Incidents +Indah +Indio +Interoperability +Inventors +Ipecac +Janie +Janney +Jiu +Jorma +Jumeirah +Jus +Karbala +Karting +Keira +Kippur +Kirti +Kongsberg +Kora +Kossuth +Lando +Leckie +Lejeune +Lending +Lessing +Leyden +Linuxbased +Lowells +Madoff +Malt +Mannix +Marden +Markers +Massillon +Masterton +Masterworks +Matha +Mayers +Mehboob +Methylobacterium +Minimal +Moeller +Moesia +Molesworth +Monicas +Moths +Munir +Nagendra +Netherlandish +Netherton +Nukem +Nusrat +Oliphant +Oni +Oranges +Ordered +Oundle +Pabst +Panicker +Panipat +Pantai +Paranoid +Pearlman +Pei +Pella +Pellegrino +Penner +Peppermint +Phonetic +Pipestone +Playmates +Pocock +Populist +Pordenone +Portugals +Postcards +Pregnancy +Presidium +Psapharochrus +Raghuvaran +Raisin +Ranbir +Reebok +Revathi +Revell +Ries +Rima +Saddleworth +Sadhu +Sails +Salahuddin +Scindia +Screenwriting +Sedgley +Sensitive +Shahs +Shammi +Shannara +Shuttleworth +Simplified +Sinclairs +Sind +Sindhupalchok +Singha +Slovenes +Somare +Speight +Sportivo +Sprite +Staveley +Stefania +Stewards +Stoneman +Sushi +Switchfoot +TVOntario +Tancred +Tanzanias +Terrain +Thrust +Titusville +Tolbert +Torridge +Townes +Tring +Troubadour +Truckee +Tunica +Tyga +UCLAs +Unveiled +Varanus +Varela +Vshaped +Wasco +Wendover +Wetmore +Wishes +Wyclef +Xander +Yasin +Yngwie +Yoshida +Zain alt anew anhydride @@ -24402,7 +50574,6 @@ handy harlequin hedgerows highpitched -highvolume hilarious inept infrastructural @@ -24412,7 +50583,6 @@ legacies machined microtubule morphed -multivolume neatly newsreel nonacademic @@ -24467,7 +50637,6 @@ tortoises towel triumphed troubleshooting -twodoor ubiquitously unannounced unfold @@ -24480,6 +50649,266 @@ waving worsened yaw zines +Agora +Alisha +Anderton +Androidbased +Antlers +Antonys +Aquabats +Arjan +Ashurst +Auster +Azamgarh +Bae +Bago +Baie +Bambang +Bards +Bathinda +Bava +Bearer +Beckford +Belgravia +Bentonville +Bicester +Bina +Birley +Bittersweet +Bowlers +Branning +Bridlington +Broadly +Burst +Buuren +Capitoline +Cardiganshire +Castilian +Cauca +Cerithiopsis +Chamberlains +Chamorro +Checkers +Chesley +Chisel +Ciaran +Claes +Claypool +Collapse +Commentators +Conejo +Cordero +Cormack +Cornel +Cotta +Coupee +Courageous +Crabbe +Cravens +Dae +Dateline +Daud +Delmark +Demerara +Diuris +Dol +Dressed +Drops +Dubrovnik +Ebro +Edinburg +Eggers +Emarginula +Erewash +Evangelicals +Ewald +Farida +Fishman +Fitzsimmons +Florey +Frea +Futurity +GNULinux +Gangneung +Gilpin +Giridih +Girlfriends +Givens +Gordonia +Goring +Gotthard +Griqualand +Gruffudd +Gustafsson +HIVpositive +Habits +Hadfield +Hansel +Hansson +Haring +Harnett +Haut +Headmasters +Hearne +Hebden +Helier +Helium +Henricus +Hermits +Hildegard +Homburg +Horacio +Howick +Hubli +Hydrographic +Hysteria +IDs +Iditarod +Illinoisbased +Impressionist +Improving +Indiegogo +Initiated +Isaak +Jadavpur +Jebel +Jello +Joyful +Kadhal +Kamara +Kamel +Kapilvastu +Katja +Keeling +Kel +Kimura +Kinky +Kleine +Kristoffer +Kurupt +Landfill +Lash +Lauri +Lecithocera +Leighlin +Leopoldo +Lesticus +Lloydminster +Locked +Logging +Lookin +Luba +Macnee +Madina +Mahayana +Malaysians +Mamba +Mamma +Manitoulin +Marbles +Margolis +Meister +Meralco +Messrs +Metrobus +Migratory +Mordaunt +Mukhtar +Museveni +Nazim +Nerds +Newbold +Newsnight +Nutt +Nutty +Oreodera +Ormskirk +Ouest +Owerri +Pekan +Persephone +Petersham +Pha +Pinter +Plume +Politico +Polonnaruwa +Posen +Postman +Poulton +Prins +Prosthetic +PvdA +Quesnel +Qwest +Racket +Raekwon +Raion +Rajapaksa +Ramakrishnan +Razorback +Redwoods +Reedy +Regulus +Renaissancestyle +Renate +Rin +Rix +Roca +Roku +Ruckus +Saharan +Sakshi +Salvo +Sanatorium +Satin +Sculptors +Seamount +Sedona +Selden +Sepultura +Sherburne +Shotts +Sickness +Simultaneously +Skill +Skys +Sopot +Spirou +Spree +Stornoway +Subversion +Sussman +Targets +Tatarstan +Temecula +Tengo +Terrys +Tlingit +Tokio +Trapper +Trotting +Turtledove +Udinese +Ultrasound +Underneath +Valente +Valentia +Vann +Veitch +Vereniging +Vinayak +Viticultural +Welton +Wensleydale +Wishing +Wolcott +Worse +Wraith +Wyler +Yadkin +Yarbrough +Yasser abbots admissible analgesia @@ -24623,7 +51052,6 @@ shapeshifting shinty sideeffects sills -sixpiece skewed sloped smoothing @@ -24645,6 +51073,268 @@ valuables vanguard wharves wrecks +Aberavon +Abernethy +Achham +Aftab +Aldous +Allred +Altered +Antillean +Anushka +Appenzell +Appetite +Archies +Arduino +Armani +Ascenso +Asperger +Asterix +Asymphorodes +Atal +Atelier +Auditors +Azar +Barabanki +Barrens +Basford +Baskerville +Bassetlaw +Beardsley +Becca +Beefheart +Bei +Belgians +Belgrano +Berner +Bertelsmann +Bharathan +Bhaskaran +Blois +Boldklub +Bonney +Brak +Bremner +Brera +Brittain +Broadview +Brouwer +Burnout +Canals +Cantabrian +Capitols +Carmona +Carnian +Cassell +Celebrations +Chalukyas +Chaparral +Chaplins +Chubut +Chute +Citing +Clank +Clathrina +Coll +Colombias +Combustion +Comyn +Contrast +Corks +Cornhill +Corolla +Cos +Coster +Coulee +Cumberbatch +Daisies +Dalkeith +DirectD +Disposal +Dolomites +Donn +Drapers +Driffield +Drillers +Eats +Eko +Elim +Elson +Enderby +Energys +Erhard +Etheostoma +Eze +Federazione +Feedback +Feinberg +Fijians +Funafuti +Gabi +Galerie +Gato +Gawad +Genealogy +Geophysics +Gillen +Gipuzkoa +Glanville +Godard +Grandes +Gretel +Grigory +Halley +Hamirpur +Harelbeke +Herbs +Hiding +Hoek +Huck +Husseins +Hyams +Ijaw +Inna +Jahn +Jetix +Joubert +Jussi +Kabupaten +Kapoors +Karlovac +Karosa +Keokuk +Kieron +Kiplings +Knightley +Koala +Koji +Kosovan +Krishnam +Kun +Lahn +Lanny +Latest +Laurentiis +Lavelle +Layout +Lecco +Leduc +Legrand +Leverhulme +Lindenwood +Lippincott +Longmont +Lovano +Manado +Maranoa +Marciano +Marcius +Marini +Matsumoto +Mattie +Mavor +Mayberry +Meiers +Merino +Milledgeville +Mitford +Moy +Naan +Nahyan +Nawalparasi +Neanderthal +Nehemiah +Nightline +Noelle +Obscura +Odetta +Oglala +Okanogan +Orillia +Oroville +Ossie +Overseer +Pagoda +Parbat +Peasant +Peek +Perrier +Plaxton +Pritam +Pritchett +Psyche +Puig +Quinto +Raheem +Raindance +Rau +Rayburn +Regenerative +Regime +Reiter +Remnants +Reputation +Revd +Rohilla +Rosenborg +Rugged +Ryedale +Saka +Savatage +Schindler +Schoolboy +Seagal +Sejong +Sensible +Shang +Shotokan +Sittingbourne +Sliding +Slug +Smokin +Som +Sora +Spink +Springhill +Stanislav +Storting +Storyville +Sudans +Sudheer +Suffragan +Sultanpur +Swayze +Takoma +Taming +Taran +Tarek +Thrilling +Tooele +Touro +Tranquility +Traumatic +Tulloch +Tuscarawas +UConn +UNs +USs +Umpire +Velez +Veneta +Vibrio +Victorianera +Virtua +Wages +Weak +Weitz +Westover +Wilders +Wimmera +Witton +XFactor +Yeltsin +Ziegfeld +Zou adhoc airshow allconference @@ -24653,7 +51343,6 @@ annulata anole antarctica antiCatholic -antshrike arbitrage artisanal aspartic @@ -24745,7 +51434,6 @@ panther peacekeepers phishing phoenix -pl poetics postulates prejudices @@ -24792,7 +51480,6 @@ tetralogy throwers timesharing tun -twolevel unexplored unproven urethral @@ -24807,6 +51494,293 @@ wickettaker wipe workloads zirconium +ATeam +Agrotis +Aha +Alcock +Almora +Ampang +Ampara +Ancients +Animas +Antti +Arguably +Ariola +Arsi +Artesia +Ashwini +Asturian +Atheneum +Attitudes +Bab +Bananas +Bangui +Barito +Barrowman +Bascom +Beadle +Benham +Berbice +Bhanu +Bicyclus +Bloomingdale +Boating +Bombo +Bostic +Bounds +Branded +Bratton +Brazoria +Bruni +Bulmer +Bungie +CDROMs +Calathus +Camillus +Campbellsville +Carmody +Cartoonist +Casco +Chace +Chandos +Chaz +Chesnutt +Chromium +Clack +Clap +Cleaning +Commitment +Cookes +Cordoba +Cortex +Counterterrorism +Crabb +Cradock +Craighead +Cropper +Crouse +Cruising +Cyberspace +Dayanand +Deepika +Detroitbased +Dimple +Disasters +Dithmarschen +Doty +Duc +Egremont +Eligible +Embraer +Erbil +Espinoza +Ethiopias +Ettrick +Evangelization +Everyman +Expressionism +Fabien +Famers +Fatimid +Feroz +Firmicutes +Flatiron +Fowl +Franc +Freund +Gandhian +Garcinia +Ghraib +Gingrich +Goenka +Goodfellow +Gramercy +Grandma +Greyhounds +Grief +Grillo +Grogan +Groveland +Guiseley +Guitarists +Hamden +Handle +Hazardous +Heathen +Hem +Hertha +Hibbert +Hiro +Holladay +Hug +Hurstville +Hypercompe +Icehouse +Imperia +Indic +Inscription +Intellivision +Izmir +Jann +Jellyfish +Kakamega +Kass +Keeneland +Keitel +Kelleher +Kickapoo +Kilwinning +Kimi +Krakow +Kursk +Lacombe +Ladders +Lafourche +Lakhimpur +Lamjung +Laude +Leatherhead +Leys +Libreville +Lier +Liotta +Loggia +Lytham +Mahottari +Maisie +Malls +Mares +Maung +Mendis +Menzel +Mewar +Miltons +Minnetonka +Miroslav +Moratuwa +Morriss +NMEs +Naas +Nablus +Nav +Naypyidaw +Ndrangheta +Nederlands +NetBSD +Nieto +Ninian +Nisha +Novelette +Novelty +Nowak +Null +OMahonys +OMara +Ogmore +Olathe +Oscarnominated +Ourense +Overs +Ozzie +Paras +Pearsons +Pentland +Permanente +Petros +Petrucci +Physiological +Pina +Plaines +Planner +Polling +Porcelain +Primeira +Profession +Provincia +Punggol +Pusan +Qazi +Quark +Rabbinic +Radboud +Rasa +Reaves +Recipes +Reena +Referral +Referred +Regionalliga +Relational +Renowned +Reynard +Rhone +Ried +Riker +Rook +Rossiter +Rothstein +Sake +Sangre +Saturns +Sawmill +Sewall +Shad +Shahrukh +Shalini +Shana +Shanthi +Sheedy +Signet +Sigrid +Slayers +Sleepless +Snuff +Spanning +Spiller +Steinfeld +Stew +Stride +Suffield +Supercomputing +Supergroup +Surrounded +Sweepstakes +Tae +Taraba +Tarleton +Tet +Tickle +Tolland +Toluca +Transplantation +Traynor +Trivia +Troon +Trough +Ubi +Unison +Ussuri +Vermeer +Vietnams +Wachovia +WaffenSS +Walgreens +Wallington +Waynesboro +Welt +Whaling +Wheelock +Whetstone +Whitcomb +Whitton +Wilber +Williamite +Wurlitzer +Yep +Yoder +Yum +Yupik +Yvan activeduty adenocarcinoma adjoined @@ -24826,7 +51800,6 @@ blurring boggy boycotts bulimia -bunchgrass cased cataracts checker @@ -24913,7 +51886,6 @@ slur songbirds sourcebook spaceships -standofffiveeighth stirring stoneflies stormy @@ -24939,6 +51911,249 @@ webisodes windy worshipers zygomatic +Abbasi +Actuaries +Aegon +Agelasta +Alcamo +Almarhum +Alvaro +Ameer +Amenities +Andheri +Angelou +Angles +Antiquarian +Antitrust +Arnulf +Assiniboine +Bana +Barbus +Barnegat +Baskin +Beira +Bergin +Bhutans +Bias +Binns +Blaney +Bocelli +Bonne +Borgnine +Brie +Brooksville +Buckman +Bundelkhand +Burgers +Burgundian +Carsons +Characteristics +Chery +Chickamauga +Clinch +Clun +Coalville +Cogan +Collett +Comment +Concentration +Consular +Convenience +Copts +Costumes +Courland +Cowbridge +Craigs +Cricklade +Cristobal +Crum +Crux +Cucamonga +Cudi +Daddys +Danske +Dazed +Deemed +Designation +Disguise +Dispensary +Distributing +Domitius +Electrotechnical +Ellwood +Engler +Entomology +Equus +Erins +Esporte +Excess +Experiences +Ferrovie +Fowey +Foyt +Frederiksberg +Frieda +GHz +Galli +Gamal +Garofalo +Gatsby +Gaz +Geeks +Gendarmerie +Gentlemans +Ghoshal +Glad +Goldfinger +Graafschap +Grandin +Granta +Grey +Guaranty +Guerin +Gwar +Hannaford +Harju +Harpur +Hartnell +Harun +Heel +Hetherington +Hock +Hordaland +Housatonic +Hula +Hymenobacter +Hypotia +Ingeborg +Issaquah +Jaa +Jac +Jacquet +Jaki +Jayasudha +Jemima +Jokers +Jost +Kamaraj +Kartik +Kati +Keef +Ker +Kewaunee +Keweenaw +Kovacs +Krall +Kristensen +Krypton +Kuan +Lanegan +Laporte +Lateral +Laut +Lemieux +Lipstick +Loko +Loo +Louw +Lutheranism +Lyall +Madisons +Maes +Magallanes +Mailman +Makeover +Makkal +Manta +Masala +Mediterraneantype +Mikado +Minton +Motorized +Mountjoy +Munitions +Musk +Namboothiri +Naugatuck +Nerd +Nettles +Ning +ODowd +Odontocera +Optare +Optimist +Pancake +Panola +Pelosi +Pettigrew +Phule +Platz +Pollak +Prevost +Provide +Pterostichus +Puccini +Puckett +Puntius +Purefoods +Rais +Rakhine +Ratina +Ravenscroft +Reitman +Rohingya +Rojo +Rolla +Rolle +Sampath +Sassoon +Sassuolo +Scion +Scrub +Seca +Sender +Sent +Sforza +Sigismund +Silhouette +Smothers +Solace +Sonning +Soundscan +Souvenir +Sparky +Srirangam +Statler +TWh +Tengah +Thorburn +Tonya +Transcaucasia +Tutsi +Tweedy +UKwide +Ullah +Unforgettable +Untouchables +Vaduz +Ventnor +Victorians +Virginiabased +Watchdog +Weathers +Weaving +Weigel +Weiser +Westerly +Winslet +Woodworth +Wooten +Wouter +XForce +Yisrael +Yuva +Zaria +Zito acacia aggregating alleviation @@ -25081,7 +52296,6 @@ terrier tread triptych twig -twomonth ulcerative upliftment vagrants @@ -25092,6 +52306,295 @@ winloss worries wrappers youthoriented +Abhay +Activist +Agaricales +Agave +Akiva +Alas +Alcoholic +Andrus +Angelika +Anishinaabe +Anniston +Antiochus +Arndt +Aware +Babur +Baitadi +Baldwins +Banja +Barents +Barnhart +Bausch +Baw +BeOS +Beith +Belli +Benguela +Berke +Bidvest +Bindu +Birgit +Booklist +Boothe +Boro +Bren +Briarcliff +Brinkman +Buchholz +Bum +Burford +Burleson +Canandaigua +Carcassonne +Cardinale +Cardona +Chalukya +Christgau +Chubby +Cirsium +Cisneros +Claws +Cleve +Clift +Collegium +Comore +Considine +Cooder +Corr +Craton +Cronkite +Cytochrome +Dadar +Dasari +Debby +Dems +Dennehy +Dependency +Deschanel +Dilla +Diller +Dinefwr +Dozois +Dumfriesshire +Eckert +Ecsenius +Edda +Educations +Elitserien +Epilepsy +Equateur +Erasure +Essequibo +Etruria +Evgeny +Evie +Fences +Fictional +Freese +Gajah +Ganjam +Ganz +Garbo +Gekko +Glenville +Gliders +Godalming +Gojjam +Gstaad +Halland +Hambledon +Hazards +Heffron +Heflin +Hegel +Hellboy +Herning +Homelessness +Homs +Hoppers +Hornblower +Huesca +Humanitas +Ibis +Iceberg +Ilam +Iles +Independiente +Individually +Inquisitor +Interleukin +Jarrow +Juniperus +Kennewick +Kilsyth +Kingsville +Kisii +Lage +Leake +Liao +Librarians +Lifesaving +Lionheart +Lowcountry +Lumpkin +Machakos +Malick +Manda +Manna +Mannerist +Marked +Martinelli +Meisner +Melendez +Merchandise +Merrion +Miaenia +Millfield +Mostafa +Moti +Moyle +Multilateral +Mumbaibased +Mya +Naturalist +Nemacheilus +Nesbit +Newgate +Newhall +Niamey +Nona +Notagonum +Nurul +Nylon +Oakey +Oceanus +Oireachtas +Outlawz +Outram +Pacifics +Paignton +Pallavi +Pancholi +Pandoras +Pati +Percent +Perfume +Peth +Philemon +Playwright +Poors +Porgy +Porno +Princesa +Promontory +Pudsey +Puppies +Qaasuitsup +Quintin +Rabi +Radeon +Ragonot +Ratlam +Reasoning +Relevant +Reliant +Restored +Ret +Retrieval +Rhiannon +Rhoads +Rhymney +Roby +Romanesquestyle +Rooke +Rubiks +Rulers +Rundle +Rylands +Saikumar +Sarabhai +Sarmiento +Sarpsborg +Scepter +Schuller +Scum +Sedum +Selznick +Semen +Shapes +Shatabdi +Shearing +Shepton +Shimmy +Shiver +Showalter +Showtimes +Sikar +Sila +Sine +Skeptical +Sneaky +Sokol +Sona +Souris +Speculative +Stacks +Staying +Steves +Stipe +Stonebridge +Suggs +Suillus +Suits +Suomen +Surinder +Synuchus +Testimony +Tetsuya +Thiel +Tied +Tonys +Topaz +Torque +Tubby +Tuzla +Tye +Udayarpalayam +Ufa +Urbanism +Utara +Uttoxeter +Vaal +Vanda +Velde +Vibrations +Volodymyr +Vulgar +Waikiki +Waldeck +Walkman +Warley +Warming +Weekends +Weeklys +Weizmann +Westbound +Westville +Whispering +Whose +Wicomico +Willett +Wnt +Wynnum +Xena +Xenophon +Yankovics +Yeager +Zahra +Zilla +Zuni accelerates adrenergic airfoil @@ -25136,7 +52639,6 @@ determinations diphosphate doorways dredged -eCommerce embankments epileptic ethers @@ -25217,7 +52719,6 @@ ribonucleoprotein romanization sailer serrata -sevenstory shunned skips smuggle @@ -25250,6 +52751,259 @@ wallaby webzine wedges weedy +Additions +Afrobeat +Agdistis +Agostini +Aids +Albers +Alibi +Altarpiece +Alte +Amharic +Arborea +Ardagh +Ashwin +Atletico +Ault +AutoCAD +Awakens +Ayo +Badajoz +Balachandra +Bangles +Bannock +Barneys +Bayne +Becomes +Berbers +Betterment +Biak +Biochemical +Blueberry +Bodine +Bogan +Bohr +Bole +Bou +Brasenose +Bretherton +Buckhead +Burl +Cablevision +Cakes +Cambuur +Camus +Cantwell +Carpentaria +Carthusian +Catwoman +Celje +Chitwan +Chuy +Cigarettes +Clampett +Clarksons +Cockrell +Collieries +Commissioning +Confused +Continuation +Coronel +Cosa +Cosmodrome +Crawfords +Cricklewood +Crosbys +Cryptocephalus +Curie +Damnation +Darko +Dependencies +Differentiation +Dioscorea +Drago +Droitwich +Dulce +Dungeness +Durhams +ESPNcom +Edit +Egyptology +Elo +Escalante +Eventing +Excessive +Fandango +Fare +Fei +Fenimore +Fisherman +Freising +Freshmen +Fritsch +Frosinone +Gawker +Geologists +Goosebumps +Grewal +Guilherme +Hadoop +Harrods +Herz +Hisham +Hogs +Hollinger +Hopson +Horizontal +Hornsey +Horrocks +Ignite +Illustrator +Immigrants +Inoue +Intermountain +Ipomoea +Ivana +Jakub +Jambi +Jaye +Jewelers +Jims +Juha +Jungian +Kavi +Keach +Kelis +Kenn +Kerri +Koulikoro +Kutcher +Kwinana +Lament +Lani +Lefebvre +Legge +Liberec +Lieutenants +Limca +Livonian +Loa +Lom +Longchamp +Lozano +Luciana +Ludovic +Luthor +Maithili +Malawis +Manowar +Marmaduke +Maternal +Maybach +Microtus +Middleburg +Milling +Milnes +Modernization +Nameless +Necklace +Neurosciences +Neva +Ninety +Nouvelle +Nunciature +Objective +Odissi +Oldbury +Olenecamptus +Orono +Othman +Pachybrachis +Paravur +Parisbased +Password +Pataki +Peary +Peculiar +Perce +Polishborn +Pounds +Prashanth +Prinz +Psychoanalysis +QTip +Rambha +Rattanakosin +Rifkin +Riverhounds +Ronda +Rosamund +Rosser +Ruggiero +Saharanpur +Salesians +Sansom +Saylor +Scanner +Scherzinger +Sepang +Shaan +Shabazz +Shazam +Shobha +Shocker +Showgrounds +Sideways +Sith +Sixtus +Slopes +Slowly +Sobers +Sonali +Sovereignty +Sowerby +Soy +Spectral +Spinoza +Statik +Stikine +Stockade +Stonington +Stretford +Sus +Swati +Syangja +Sylva +Syntax +Tatars +Teds +Thrills +Token +Tracing +Transkei +Translators +Transmitter +Triptych +Troup +Tub +Tutong +Twos +Ulla +Underdog +Uniquely +Valence +Vinegar +Vishwa +Watauga +Weedon +Welshlanguage +Wires +Wyandot +Wyong +Yamaguchi +Ychromosome +Zamia acrefeet adjourned affectionate @@ -25340,7 +53094,6 @@ orthoplex oud outcast outhouse -ox paperbased particulars partowner @@ -25352,7 +53105,6 @@ polynomials polypropylene posse powerplant -pp preK premRNA pretense @@ -25398,6 +53150,287 @@ varietal waterlogged welldocumented zeal +ATPdependent +Aeroflot +Alum +Amundsen +Andalusian +Andromedae +Anticon +Anubis +Archainbaud +Artois +Asda +Augmented +Authentic +Awkward +BAFTAs +Babington +Baile +Balachander +Balwant +Banteay +Bellinzona +Berenices +Bhadra +Bikram +Bioengineering +Bithynia +Blakeney +Blumberg +Boness +Booths +Bout +Brigid +Bristols +Brooklands +Bruck +Budgie +Bunn +Byker +Cabbage +Cabelas +Calculus +Cambridges +Camron +Canongate +Carlile +Cawley +Cerritos +Challis +Chelan +Cheviot +Chine +Cigarette +Clinidium +Collectables +Coltranes +Comte +Conant +Conducting +Conflicts +Cookstown +Corazon +Corte +Cottages +Cottbus +Covina +Creme +Cubas +Damiano +Darth +Datsun +Dayne +Defeat +Degmada +Didsbury +Donji +Dunphy +Earhart +Earley +Edouard +Elissa +Eloy +Emporium +Ensenada +Erlangen +Esquimalt +Eugenie +Eukaryotic +Expanding +Fajardo +Fanshawe +Farmingdale +Fawkes +Finisterre +Firing +Flamenco +Flensburg +Flicker +Folding +Formosan +Fuchsia +Fuente +Galba +Gallows +Gambler +Ganda +Gaur +Gena +Geraint +Geriatric +Gopala +Graziano +Grimms +Guamanian +Gulliver +Gymnothorax +Halal +Haleys +Hao +Harms +Harum +Hauraki +Heating +Hebert +Hechtia +Hercule +Hersh +Hiatt +Hokkien +Holtz +Honored +Huelva +Humanism +Inkster +Innisfail +Installations +Intentions +Inwood +Irishmen +Ishaq +Isherwood +Jada +Jayant +Jeonju +Jermyn +Jonsson +Josephson +Jumper +Karelian +Karimganj +Kenner +Kenseth +Kiwis +Kohima +Laboratorys +Lat +Lawndale +Leasing +Leukemia +Lian +Lied +Lillywhite +Lineman +Lockerbie +Mahabharat +Malek +Mambazo +Manhunt +Manne +Manon +Mariel +Masud +Mattei +Meant +Meher +Melee +Menorca +Minder +Montour +Morogoro +Morty +Mowat +Multiverse +Myst +Myx +NoSQL +Offer +Olli +Organs +Orme +Ormsby +Parades +Paranoia +Pare +Pavan +Pickaway +Pleurotomella +Plumbing +Polybius +Ponca +Postdoctoral +Powderfinger +Presentations +Pretender +Proprietary +Quail +Racings +Rafe +Reflex +Returned +Rina +Risi +Rollergirls +Romneys +Royer +Rube +Runnerup +Ruthin +Saluda +Sandon +Saphenista +Sasaki +Saskatchewans +Satisfaction +Schatz +Scheldeprijs +Serpents +Shires +Silliman +Silvestri +Slant +Slippery +Smedley +Soledad +Solitary +Somogy +Sood +Sorrell +Spikes +Stallings +Starry +Sterns +Streisands +Sudhakar +Sushil +Sweep +Swissborn +Takoradi +Talons +Tantric +Taoism +Thais +Thundering +Timex +Tosca +Transform +Tritonia +Trumans +Tustin +Tyrant +Tysons +USThe +Umesh +Uta +Uzi +Venango +Vigna +Vignola +Vixens +Vizier +Volpe +Wala +Wattle +Weintraub +Wessel +Whittingham +Wildflower +Winnipegs +Worden +Wozniak +Yaba +Yersinia abandons accomplices adversarial @@ -25481,7 +53514,6 @@ melodious meniscus mesic mexicanus -mg misguided monocytes mutilated @@ -25537,7 +53569,6 @@ strangled stubborn succumbing suppresses -ta teambased texanus theologically @@ -25546,7 +53577,6 @@ transducers transgenic transmedia transparently -twelveyear undo unlawfully vasopressin @@ -25555,6 +53585,295 @@ vita washer waveguide wiry +Abdoulaye +Acceleration +Activists +Adyar +Aetna +Ahuja +Aleister +Aleksander +Aleph +Algorithm +Amol +Andra +Anesthesia +Arbutus +Aspect +Astrodome +Atriplex +Azadi +Backbone +Balthazar +Bambusa +Bargain +Barua +Bechtel +Bedrock +Belasco +Bengkulu +Benidorm +Bergh +Bicknell +Bluebell +Bluth +Boiler +Bolo +Bottineau +Bravos +Brayton +Breakaway +Breguet +Brun +Buggy +Camanachd +Camila +Camouflage +Camrose +Canna +Cassiopeia +Circuito +Clarkston +Claud +Clavus +Cliftonville +Colo +Corin +Corrupt +Creep +Crickets +Cries +Crokes +Crotone +Cullman +Cullum +DSi +Dabney +Dahlgren +Dandelion +Dannii +Davina +Diehl +Dimas +Dimes +Doren +Doss +Dozens +Dupuis +Eastmancolor +Eben +Einar +Elegy +Elkton +Elma +Emission +Engle +Erebus +Esmond +Espionage +Etawah +Etruscans +Evander +Exceptions +Extremely +FMs +Fiedler +Filho +Fleets +Fogel +Frankensteins +Fredonia +Freer +Fricke +Frontman +Frys +Fuqua +Gamboa +Geoghegan +Gipsy +Gluck +Glue +Golfers +Gotee +Grassy +Greenport +Grylls +Guttenberg +Gutter +Hashmi +Hatchery +Hates +Haydock +Hazell +Heim +Henshaw +Hermetic +Hitmen +Hitz +Hombre +Horvath +Hosni +Howlin +Hoya +Icahn +Imtiaz +Innovators +Iveagh +Iveco +Jago +Jardin +Kendricks +Keplerb +Kingsford +Knaresborough +Kothari +Krishnamurthy +Laborers +Landshut +Lawlor +Leng +Lepidochrysops +Lewisville +Loxton +Luapula +Lucretia +Lune +Luxembourgs +Maneuver +Manifest +Mapuche +Markey +Markle +Markt +Matsushita +Matthau +Maysville +Measuring +Meldrum +Milian +Milos +Monteith +Motu +Mucilaginibacter +Mudaliar +Muhammads +Najaf +Nakhchivan +Naturalists +Nearest +Nightwish +Nocturne +Nonviolent +Numbered +Nunez +ODwyer +Oakham +Ohiobased +Oland +Orrell +Otero +Outbreak +Palatka +Pandulf +Pari +Parveen +Patagonian +Patriarchs +Penistone +Pequot +Piedmontese +Poehler +Potentilla +Pow +Premios +Prestwich +Proculus +Protea +Pseudophilautus +Quattro +Quebecs +Raadhika +Raf +Rafflesia +Rajasekhar +Raney +Rann +Reale +Redistribution +Reduced +Repeat +Rinaldo +Risdon +Romsey +Rosenheim +Rushdie +Saito +Salyut +Sankaran +Sardis +Sarwar +Sawant +Schalke +Sengkang +Shaivism +Shenton +Shrimp +Shriners +Sibi +Sidcup +Sidon +Skokie +Skrillex +Skylar +Slum +Snodgrass +Sodor +Solheim +Soros +Spadina +Squamish +Starbuck +Stoddart +Strangler +Stripe +Sudeep +Sulpicius +Summary +Sutra +Swap +Tala +Tasso +Tecmo +Telenor +Tenali +Thiessen +Thorndike +Thornycroft +Throckmorton +Tiffanys +Tino +Tiruppur +Titled +Took +Traitor +Traralgon +Tura +Ummer +Unfair +Urals +Vallarta +Vapor +Varus +Vigor +Viktoria +Wojciech +Wrap +Xiu +Yaqui +Yesvantpur +Ystrad +Zachariah +Zapp accented adenine alerting @@ -25701,7 +54020,6 @@ sustainably suturalis technologybased terrifying -thirdrate threefold threshing thrombin @@ -25718,6 +54036,310 @@ vibrational villosa whelk worsen +AMCs +Activation +Agios +Ahmadu +Ahrens +Aku +Alfreton +Allround +Amado +Amstelveen +Amsterdams +Anatoma +Andries +Aniston +Anjan +Apna +Appearances +Asker +Asteroids +Astin +Asus +Ata +Auger +Badghis +Bags +Baig +Bajwa +Baldock +Ballinger +Baltistan +Barden +Bauman +Beersheba +Bellville +Bergeron +Bflat +Bhagyaraj +Biarritz +Billericay +Binnie +Bishan +Bleak +Bobcat +Bogota +Bonilla +Bonin +Bouncing +Bowell +Brae +Breuer +Brigada +Burdekin +Calcasieu +Candid +Canine +Canopy +Cantopop +Chairmen +Chatswood +Chaturvedi +Cineplex +ClassA +Clevedon +Combinator +Compson +Conceptual +Costs +Coulthard +Courtland +Crawfordsville +Crist +Cutts +Cyclists +DAmico +Dao +Deltora +Denholm +Dennys +Dinwiddie +Donizetti +Doufelgou +Downham +Dragnet +Dubh +Duchesne +Eastwoods +EdD +Eleonora +Elyria +Enforcers +Englishmen +Ernestine +Evanescence +Fellini +Flickr +Frau +Freudian +Freuds +Gardiners +Ghostly +Glenfield +Godflesh +Gowrie +Greendale +Handicapped +Hashimoto +Hayakawa +Heidegger +Henny +Herbst +Hillier +Hired +Hodson +Hoe +Holsworthy +Hondas +Horwood +Hostess +Housed +Hulst +IVs +Idi +Informal +Ioannis +Iola +Iwan +Jagjaguwar +Jedburgh +Jenkin +Jerk +Jeter +Jitendra +Jory +Jul +Kalenjin +Kamla +Kanan +Karwar +Kaski +Kemble +Kendriya +Kindersley +Kodagu +Kottarakkara +Kouritenga +Langs +Lawford +Livia +Logitech +Lommel +MMORPGs +Maeve +Magnesium +Mahadeva +Mahama +Makoto +Malheur +Mallow +Mamie +Manheim +Maurya +Meal +Meanchey +Measurements +Mette +Miao +Michaelson +Mickie +Migos +Mithila +Moorthy +Morrisville +Mosher +Movin +Murrayfield +Mythic +Nampa +Nanticoke +Naruto +Nebelhorn +Nel +Newall +Nicolae +Noi +Nuba +ODriscoll +Oedipus +Oenopota +Organizers +Osei +Osment +Outlander +Output +Paraburkholderia +Parakou +Patrician +Payback +Pemiscot +Perri +Petersons +Petrophila +Phill +Phoebus +Phyllocnistis +Piceno +Pikeville +Piletocera +Pinchot +Placebo +Poli +Por +Poropuntius +Poso +Pottstown +Prabhat +Preble +Presidente +Probability +Propeller +Pula +Puranas +Pushing +Ragini +Rankine +Reade +Recipe +Reinforced +Reuter +Riccarton +Riverland +Riverwalk +Romances +Roslin +Saale +Safford +Sajan +Samrat +Savers +Scone +Seale +Segovia +Seguin +Selig +Sephardi +Sevendust +Shania +Significance +Sime +Singularity +Skytrain +Soca +Somalis +Soren +Spellman +Spivey +Stairway +Stawell +Steakhouse +Stena +Stops +Stovall +Strode +Strummer +Suetonius +Summerland +Superintendents +Superspeedway +Taichung +Teodoro +Thalia +Thoroughbreds +Timely +Tomcat +Toots +Torricelli +Toyland +Transjordan +Turton +Tv +Udaya +Upstream +Urgleptes +VLine +Valdivia +Valerian +Vanuatuan +Vedder +Verdis +Verna +Vijayalakshmi +Vimeo +Vitellius +Wardle +Warri +Weekes +Wildrose +Wilts +Witte +Woonsocket +Yales +Zainal +Zebulon +Zhong +Zipper abdicated admirals aerosols @@ -25765,7 +54387,6 @@ dew documentarian draped dreamlike -eBook enteric espresso ethically @@ -25861,7 +54482,6 @@ synchrotron tainted taxonomically tenements -threeseat throwback transponder tremolo @@ -25876,6 +54496,275 @@ vocally waterborne webpages woodwinds +Achim +Addie +Addy +Airs +Ajman +Alcoholics +Alianza +Althea +Alyn +Annas +Anup +Aristotles +Audrain +Augustan +Australis +Austrianborn +Axl +Bacchisa +Bandini +Bangorclass +Barbers +Bardo +Barham +Bashar +Beauties +Belen +Benassi +Berenger +Bhiwani +Bibby +Billed +Bimal +Bosque +Bricks +Brilliance +Buckle +Buono +Burkett +Canty +Caretaker +Carib +Cartesian +Casuarina +Cathal +Cayenne +Centipede +Chandlers +Chubb +Clematis +Commodities +Confucianism +Consider +Corry +Culloden +Curitiba +Cyana +Darker +Darwinian +Davidsons +Debs +Decommissioned +Deeside +Deja +Delay +Deliver +Denney +Dhanush +Distaff +Doane +Drakensberg +Drosera +Duncans +Dunkin +Duns +Dunsany +Eburodacrys +Eclipta +Elfin +Eller +Ems +Etowah +Euan +Expressions +Eyck +Faculties +Fantagraphics +Fawn +Findley +Finds +Fogo +Follette +Fraxinus +Futurist +Gainsbourg +Gallienus +Gaslamp +Gecko +Georgette +Gesta +Gestalt +Giffen +Glenbrook +Godsmack +Gora +Grad +Guaranteed +Habitats +Harsha +Hassell +Hatter +Hendrixs +Henkel +Herpetogramma +Humanistic +Iberville +Idahos +Ilkley +Induction +Ingredients +Insolvency +Instructions +Isanti +Islami +Iva +Ivanovich +Jaques +Joanie +Junggu +Justicia +Kami +Kaunda +Keeps +Kelton +Kerrville +Kibaki +Kibera +Kitcheners +Kraftwerk +Krio +Krupa +Krusty +Kumaran +Lancastrian +Lanois +Likely +Lilac +Lindi +Llandovery +Lodhi +Longinus +Lugosi +Lyudmila +Mammillaria +Mamta +Mangifera +Manton +Marmion +Marriages +Masta +Mer +Metropolitana +Michie +Miyazaki +Mizrahi +Moga +Mogul +Molesey +Morel +Multipurpose +NGage +Nadezhda +Nala +Natatorium +Nationalism +Neonatal +Newcap +Numa +Nuwakot +Offroad +Opinions +Panjab +Paradis +Pascale +Pashtuns +Peeters +Pelargonium +Perpendicular +Persija +Philosopher +Poirier +Pompeo +Poulsen +Pour +Prithvi +Profiles +Programmers +Proteuxoa +Pteropus +Pulsar +Puppis +Quarantine +Quatro +Rackard +Radius +Randell +Reiser +Restore +Rishta +Rivington +Ronk +Roop +Roorkee +Royle +Rushen +Sabo +Saman +Sapp +Sausage +Schooner +Schwartzman +Selo +Servers +Sheepshead +Shellharbour +Shobhana +Shocking +Shower +Sicilies +Silverdale +Sissy +Sizemore +Skelly +Slugger +Snail +Snoopy +Sovereigns +Spontaneous +Staircase +Syrians +Tailor +Terai +Testa +Thatchers +Thugs +Ticonderoga +Timms +Tipula +Toi +Trappist +Tsuen +Tuggeranong +Uist +Viale +Waalwijk +Walhalla +Wampanoag +Warnes +Weekender +Weeping +Whincup +Willenhall +Woodham +Woodroffe +Wythe +Wythenshawe +Xin +Yank +Zora +Zvi acorn acuity aerobics @@ -25968,7 +54857,6 @@ metaanalysis microbe milliseconds mishaps -multipart navigated numismatics objectionable @@ -26026,7 +54914,6 @@ sundial sweeter taper theorems -threegame tipping toned toponym @@ -26044,6 +54931,303 @@ wrecking yellowishgreen zooplankton zygote +Abercorn +Abyssinian +Aeneid +Aguinaldo +Agusta +Albee +Alsop +Amala +Ansonia +Arcola +Arrangements +Ashdod +Attleboro +Audiences +Backlash +Bailiff +Bailiwick +Balch +Banshee +Barberini +Bardot +Basheer +Bashkortostan +Bendis +Bernardi +Bheem +Blandings +Bonnier +Boykin +Brabazon +Brava +Broadrick +Brolin +Brookwood +Brunton +Burnell +Burris +Bustos +Calif +Caller +Calvo +Camas +Carcass +Carolines +Castrol +Cavallo +Cee +Centre +Chalcedon +Chalice +Chaoyang +Chatfield +Cheech +Chemist +Cheras +Chilcotin +Cincinnatis +Coghlan +Colter +Columbo +Comitas +Conover +Consumption +Coproduced +Crackers +Crate +Cronenberg +Cyrenaica +Dagupan +Darya +Debates +Dena +Deserts +Detour +Dhivehi +Diagnostics +Diodora +Distinctive +Doggett +Druk +Eatons +Edgecombe +Eudendrium +Exclusion +Fahad +Fairleigh +Falkner +Fazal +Fearing +Federative +Fermo +Ferranti +Flavors +Florio +Fryer +Fula +Furies +Furs +Gaithersburg +Gambela +Gann +Gatton +Gautham +Giffard +Golson +Goodmans +Goondiwindi +Goulds +Goundamani +Grayling +Gunners +Hagley +Hauptbahnhof +Hawn +Hegarty +Helper +Herzliya +Hippocrates +Hogans +Hopkinson +Hrishikesh +Humpty +Imitation +Jawad +Jayalalitha +Jojo +Kaishek +Karp +Keynesian +Kievan +Kottonmouth +Kranky +Kwong +Lacinipolia +Landi +Leda +Levett +Libra +Lilo +Limnonectes +Lisboa +Literally +Lochaber +Lotteries +Machilipatnam +Magarey +Mahi +Makeba +Manjula +Manufacture +Marita +Marth +Massachusettss +Masson +Mathieson +Matra +Mattress +Mazur +Mediation +Mexborough +Michiganbased +Mindscape +Mireille +Mixtec +Montano +Moorehead +Moot +Morison +Moyes +Moyne +Mudgee +Mukhopadhyay +Mullingar +Mycenaean +Nama +Natalya +Newhouse +Newsboys +Nieuport +Nita +Nueces +Numismatic +Obadiah +Offset +Onward +Ordo +Orman +Overstreet +Owsley +Palance +Parkhurst +Pauley +Paulinus +Peloponnesian +Pierces +Pigott +Pinch +Pinks +Piquet +Poetics +Politicians +Ponder +Powerball +Printz +Propagation +Psychologists +Puna +Qadir +Quesada +Raab +Raat +Rahal +Rasul +Realignment +Realtors +Regulators +Remain +Renshaw +Renzi +Replica +Riaz +Roast +Romanus +Rosita +Rossellini +Rubenstein +Sadness +Salleh +Sallie +Samastipur +Sandesh +Sangeeta +Scheer +Scotian +Scourge +Seabury +Segall +Seltzer +Shauna +Sica +Siem +Sigurd +Simonson +Skylab +Slap +Smolensk +Socialista +Soissons +Sorbus +Spam +Sphingobacterium +Spinks +Sportvereinigung +Spottiswoode +Stauffer +Strahan +Straub +Stype +Sudirman +Swings +Syndicated +Tamaki +Tani +Tayside +Taz +TeX +Tedeschi +Tej +Telling +Temporal +Thaman +Thirds +Thurso +Toarcian +Trempealeau +Trot +Trotsky +Tyndale +Upson +Ustinov +Utley +Vertebrate +Voight +Vyacheslav +Wacken +Wahlkreis +Watermelon +Wellbeing +Westerners +Wildhearts +Willowbrook +Winterbourne +Witten +Wulf +Yoweri +Zeenat +Zuckerberg absorbent acetylcholinesterase airman @@ -26093,7 +55277,6 @@ fibrillation filesharing fitz folks -fourthyear gasfired genotypes gilia @@ -26120,11 +55303,9 @@ legless liquidcooled loaders loam -lowerlevel loyalties lumberman lyase -ma mandating mashups massed @@ -26217,6 +55398,334 @@ waterworks woodcreeper youve zoonotic +ALevel +Abeokuta +Achievements +Adetus +Adhikari +Adur +Agrippina +Ahoy +Almirante +Alpharetta +Amadou +Ambani +Amici +Amo +Apprenticeship +Asplenium +Assist +Astronomer +Aswan +Athabaskan +Avraham +Axiom +Babb +Balanced +Bartram +Bassi +Basso +Bastar +Bau +Beazley +Became +Berengar +Bhawan +Biddulph +Bilingual +Birr +Blackett +Bothell +Bourges +Branagh +Bras +Brenham +Broker +Bronte +Bruxelles +Brydon +Bumper +Burgesses +Businessweek +Caloundra +Cambuslang +Camerino +Candles +Cares +Carlingford +Carnahan +Carshalton +Catching +Charless +Charnwood +Chenoweth +Cheri +Chrono +Ciceros +Clays +Cocaine +Colborne +Colson +Comparison +Constantia +Contents +Converted +Corbusier +Corley +Corse +Crested +Critique +Crusher +Cubitt +Culbertson +Czechs +DOyly +Dams +Danielson +Danmarks +Deaflympic +Decibel +Decoy +Delacorte +Denominazione +Dereham +Despair +Devanagari +Disturbed +Ditko +Docherty +Dolphy +Dundonald +Earring +Ebonyi +Educating +Edwina +Eliots +Elysian +Emly +Emmerson +Enlisted +Enya +Espen +Expressionist +Fach +Faenza +Faithless +Farmville +Flore +Foggy +Fortunato +Gamba +Garifuna +Garrido +Gaskell +Geneseo +Gisela +Glas +Glasses +Gmail +Goch +Godrej +Gofa +Gordie +Gow +Goyder +Greensand +Gresley +Grose +Grubbs +Gygax +Harrahs +Hash +Heartache +Hellfire +Henryk +Herbal +Honiton +Hoshihananomia +Hoyas +Innis +Inorganic +Internally +Invasive +JBoss +Jaisalmer +Jez +Johnsen +Juju +Jyothi +Kabhrepalanchok +Kahani +Kanaka +Karunanidhi +Khas +Khrushchev +Kiernan +Krewe +Kull +Kumars +Lacuna +Lamport +Landsberg +Largs +Letting +Libertas +Limavady +Lockett +Lottie +Loveday +Loyd +Lucena +Lundberg +Lusk +MNet +Maceo +Macklin +Madeley +Madhubani +Magno +Mahbubnagar +Manyara +Mapinduzi +Marios +Mestre +Milsap +Mimulus +Modes +Mohabbat +Mooresville +Moroni +Mossley +Mullan +Murderer +Murdochs +Napster +Narrated +Nayyar +Neiman +Nihon +Nitish +Noddy +Normanby +Norrie +Northallerton +Notation +Nuestra +OByrne +OQuinn +Oamaru +Odysseus +Ojibway +Oldfields +OpenVMS +Orpington +Osijek +Pandemic +Pansy +Paracles +Parnassus +Patersons +Peart +Permission +Persistent +Pogo +Pontchartrain +Pontic +Prairies +Premonstratensian +Prestons +Prides +Priorities +Prosenjit +Pyrmont +Qumran +Rapporteur +Rashmi +Ratt +Rebus +Richa +Richmondshire +Rosemarie +Rushs +Sabatini +Sadhana +Saladin +Salafi +Sampler +Sar +Sarum +Savant +Schreyer +Screeching +Seibu +Seifert +Semper +Sentral +Septimius +Shahu +Shahzad +Shamir +Shantaram +Shem +Sheringham +Shura +Sibiu +Silanus +Sima +Skeeter +Smita +Soderbergh +Sorkin +Sorvino +Spokesman +Spyder +Stettin +Steyr +Strayer +Stroudsburg +Superboy +Swimsuit +Tabora +Targa +Tazim +Thessaly +Thomason +Thomsons +Thoracic +Thule +Tipo +Toyo +Transfiguration +Transient +Tsimshian +Tsing +Tudors +Turritella +Twentyfive +Twista +Tycho +Ultimatum +Vaginal +Vanderburgh +Venter +Veolia +Vestal +Villupuram +Virgils +Vitebsk +Wada +Wander +Wayward +Wendel +Wigtownshire +Williamsons +Wortley +Xzibit +Yuga +Zaki +Zeitgeist +Zig +Zoroastrianism acoustical adductor admixture @@ -26333,13 +55842,11 @@ multifunction multiplexes multiplying neutrinos -ninetime nonmedical nourishment oars obtainable offpeak -oneweek orbitals paraffin pathophysiology @@ -26365,7 +55872,6 @@ senegalensis sharpened shuffling singlecylinder -singlegame singularity socializing spectacled @@ -26373,7 +55879,6 @@ starving steroidal stockings stockpile -stricto studentathletes subcontractor submontane @@ -26403,6 +55908,300 @@ ventrally volunteerism watery wrestle +Abbaye +Acleris +Aim +Ajmal +Alamitos +Albertine +Alister +Allaire +Allstate +Alon +Anima +Anka +Antara +Antipolo +Apennines +Archbishopric +Argentino +Arvada +Attribution +Babi +Backhouse +Balaban +Barman +Barsuk +Behold +Believing +Belonging +Benet +Bharadwaj +Bharatanatyam +Bharu +Biagio +Birdie +Bissau +Bisset +Bissett +Bistro +Blanket +Bled +Blend +Blessings +Bloodhound +Bognor +Bolin +Bonfire +Boomers +Boreham +Bowker +Breslau +Brule +Buckleys +Buddah +Burnsville +Cadell +Calton +Camilo +Canaries +Carolinian +Casinos +Castilleja +Celle +Chatto +Clemsonclass +Clowes +Colla +Colossal +Colquitt +Contender +Cosmology +Crestview +Crossword +Cuddesdon +Cunliffe +Custard +Dancin +Dandridge +Daws +Debre +Delos +Desiderius +Diplomas +Dollhouse +Domus +Donation +Dyk +Eastham +Edisto +Egmore +Ente +Escher +Eurocup +Ewe +Exposed +Fanclub +Fangoria +Fes +Fishguard +Flugzeugbau +Fluxus +Freya +Friedkin +Galindo +Gangsters +Gantt +Germanbased +Gilford +Giorgos +Gorgon +Gramm +Greenlight +Grissom +Groening +Gypsum +Halsted +Hannigan +Haro +Harolds +Hedda +Hegde +Helmholtz +Heyer +Holistic +Hoople +Hora +Huth +IgG +Incubator +Jonze +Jordin +Kiln +Klugh +Kroeger +Kym +Lalita +Landlord +Landsat +Lauer +Leonhard +Lepidus +Letitia +Limes +Loi +Lougheed +Loup +Lucid +Macapagal +Machina +Macworld +Madlib +Mandan +Manfredi +Maples +Maran +Marbella +Masbate +Massilia +Mathilde +Maxima +Mayweather +Mechanicsville +Metabolic +Micheal +Midshipmen +Milkmen +MoMA +Moab +Modesty +Mohammedan +Mohsen +Mortality +Mullah +Mulvey +Murmansk +NCOs +Neuwied +Newborn +Nickelback +Nicolette +Nocardiopsis +Norges +Notwithstanding +Noy +Nsukka +OHanlon +Octane +Oder +Okhotsk +Oli +Paladins +Palumbo +Panchkula +Pandanus +Patchogue +Pattinson +Paulin +Pavarotti +Peele +Perugino +Piggy +Pivot +Pizarro +Plantagenet +Prabang +Prager +Pricing +Principate +Purity +Pym +Quicken +Quranic +RBSoul +Raichur +Raigarh +Ralls +Rancheria +Rattray +Raveena +Rayman +Redmen +Relics +Renville +Rhymesayers +Robards +Robertsons +Rochefort +Rocking +Rohrbach +Rosebery +Rotulorum +Rudra +Salih +Saltillo +Samnites +Saurabh +Sayre +Schiedam +Schuman +Scissors +Sclerosis +Sebastien +Seer +Sentence +Serengeti +Shapur +Shreya +Signing +Simona +Skateboarding +Smithson +Sorel +Sotho +Southsea +Spinelli +Stadt +Stonehaven +Stowell +Strasberg +Sweethearts +Szeged +Tain +Tangipahoa +Taubman +Territorys +Theseus +Thorold +Thuringian +Tiara +Tilghman +Tondo +Totem +Trapeze +Tuan +Tuticorin +Twentynine +Udall +Ulrike +Unwritten +Visvesvaraya +Vranje +Walmsley +Watchers +Weights +Welby +Widodo +Wilkin +Wilks +Winnetka +Wolverton +Yarraville +Yaw +Zabrus +Zalman +Zevon +Zim absorbers accuses alia @@ -26556,7 +56355,6 @@ smuggler songbook spermatozoa splitter -sportswriters starshaped stilt stuttering @@ -26567,7 +56365,6 @@ telepathic ternary theyd threeman -threephase tutored tweet uncontrollable @@ -26579,7 +56376,345 @@ wand wield wormsnake yearling -yr +Abies +Accommodation +Advani +Airing +Alessi +Alnus +Als +Amoebozoa +Anguillan +Antares +Aperture +Appian +Assuming +Atelopus +Aurelian +Aye +Azim +Babylonia +Baldy +Bamber +Barns +Barrack +Barracudas +Batson +Battersby +Battleground +Baumgartner +Bayeux +Bayliss +Beals +Beauvais +Benitez +Besson +Bhave +Bickley +Biella +Birding +Birdland +Blayney +Blok +Bloomsburg +Bodil +Boll +Bombshell +Braidwood +Braunfels +Brigg +Brooklyns +Bubblegum +Burks +Bustamante +Byard +Caerleon +Calvinistic +Campeche +Canadabased +Canarian +Capilano +Carpets +Celestine +Cereal +Cerrito +Characteristic +Charli +Chincoteague +Choreutis +Cinematheque +Cirebon +Civ +Cleeve +Cockpit +Commercials +Composites +Connectivity +Coordinated +Corbet +Coroners +Creeper +Crocus +Cromwells +Cronquist +Cubes +Cymothoe +Dahls +Darla +Dawley +Deitch +Denby +Denzil +Denzongpa +Dever +Dictator +Dieu +Dioryctria +Diplomats +Dolittle +Donaghy +Drives +Dwarves +Eckstein +Edisons +Eilean +Elke +Emissions +Engelbert +Englishbased +Ewa +Extremes +Failing +Fane +Fanfare +Farren +Fastpitch +Feni +Fireman +Flare +Fleece +Foam +Forsberg +Freescale +Fugue +Fundamentals +Gahan +Gaiety +Ganassi +Gangnam +Gari +Garros +Gauhati +Geisel +Git +Glace +Golconda +Gorges +Graduating +Grampians +Gravina +Guanacaste +Gujjar +Gunsmoke +Hammerheads +Haroon +Hashemite +Hatteras +Havok +Heckler +Hine +Hirsh +Hookers +Hoovers +Hotham +Hubbell +Humana +Hungarianborn +Ikeja +Improvisation +Insanity +Insights +Installer +Isotope +Jeffers +Jeonbuk +Jerks +Jerseybased +Jizan +Joels +Joshiy +Journeyman +Juhani +Kajal +Kampuchea +Kedar +Keyboardist +Khanzada +Kilifi +Kirkwall +Kitimat +Klickitat +Kokoda +Kolding +Koren +Kosmos +Kristopher +Kuban +Kuo +Kuril +Laclede +Lavery +Legions +Lehi +Levantine +Liptena +Lovelock +Lucile +Luster +Lygodactylus +Lyte +MGs +Madagascan +Madrigal +Manni +Marathwada +Marsa +Mellons +Melodic +Mendenhall +Menegazzia +Methyl +Mies +Minoru +Modine +Moffitt +Mostar +Mujibur +Mukul +Mum +Muna +Negra +Nek +Nepenthes +Neponset +Nicolaas +Nigerianborn +Nizams +Oberland +Oils +Okehampton +Okhaldhunga +Olomouc +Omineca +Omnisports +Oxycanus +Pangaea +Panmure +Pardubice +Peavey +Pecan +Penfield +Permit +Phoenicia +Phylloscopus +Phylogeny +Piggott +Pinder +Pious +Pittston +Poblacion +Pratchetts +Pratibha +Prieto +Prussians +Punt +Puram +Pusha +Qom +Radioheads +Ramanathan +Rarotonga +Ravana +Reactions +Remastered +Renuka +Rhinoceros +Ribera +Richs +Riversdale +Rolland +Romantics +Rookies +Runciman +Ryman +Salesman +Sanctus +Saraswathi +Scarsdale +Scheldt +Schoenberg +Secession +Segments +Seiter +Shanklin +Sheffields +Skylark +Slavia +Smuts +Sociedad +Sorsogon +Spending +Spillane +Spry +Staniforth +Staton +Subramanian +Substation +Sudanic +Supa +Superdome +Supriya +Swank +Swindle +Tableland +Taliesin +Tanja +TfL +Tobey +Torrent +Torsten +Tortola +Trombidium +Truce +Trypanosoma +Tusk +Tutankhamun +Twyford +Undergrounds +Unfortunate +Ursuline +Validation +Vibhushan +Vinu +Vives +Wabasha +Waka +Walshs +Warlords +Watercolor +Wazir +Wenham +Whitecross +Whitestone +Wickes +Wildman +Windup +Woolworth +Wotton +Wynter +Xerxes +Yevgeny +Yoakam admirers admittance airstrike @@ -26667,7 +56802,6 @@ letterpress lianas lifelike lumps -mGluR medic micrometer microstructure @@ -26743,18 +56877,364 @@ volute weatherman wildfowl willowherb -windscreen woes yeomanry +Abbreviation +Abyssinia +Advaita +Advantages +Agosto +Ahly +Ajaccio +Albay +Albertson +Albizia +Allister +Amanullah +Amberley +Amore +Amour +Andria +Angiosperm +Animorphs +Arabella +Arica +Arman +Armas +Asbestos +Aspinall +Ate +Aunor +Autograph +Awadh +Bachelorette +Badami +Bair +Bakke +Balaoclass +Baraboo +Behr +Bekasi +Bhola +Bhuj +Bilston +Birt +Bisbee +Boing +Boman +Bonanno +Bookshop +Borderline +Branca +Breckland +Britta +Brut +Buckler +Burdett +Burj +Cabello +Cahir +Cameras +Canteen +Capes +Caprivi +Carbine +Cardboard +Categories +Cercospora +Cerithium +Chandan +Chinn +Cmon +Cockatoo +Comeau +Concho +Conciliation +Congressmen +Cooktown +Corden +Cousteau +Coward +Coxon +Crayford +Cripps +Crossings +Cushitic +Cyprian +Dany +Delphinium +Determining +Devaraj +Diadegma +Diefenbaker +Dinagat +Dose +Downers +Duplex +Dyfed +Ecologist +Edible +Eklund +Eldred +Electromagnetic +Ellyn +Euriphene +Euzophera +Fasti +Fatherland +Feelin +Fill +Fitzhugh +Fleury +Floris +Formations +Fortunately +Fronts +Fujita +Furneaux +Galina +Gallacher +Gallop +Gamo +Gardena +Garnier +Gault +Geno +Geraldo +Gerlach +Gibney +Goleta +Graduated +Grassi +Greystone +Grice +Guerre +Gullah +Hackers +Hakeem +Haliotis +Haredi +Harries +Hasselhoff +Hayter +Heike +Hemming +Henriette +Herreshoff +Hickam +Hin +Hindenburg +Homebush +Horten +Hougang +Howl +Hunchback +Ironwood +Isolated +Iversen +Jacek +Jagan +Jager +Jaro +Jepson +Jimbo +Kama +Kandiyohi +Kanu +Kaos +Karlovy +Kassim +Katzman +Kept +Kirkovo +Kix +Klaas +Kon +Koti +Krefeld +Kross +Krumovgrad +Kyla +Lamour +Larkspur +Lemons +Lemyra +Leoni +Leptostylus +Lexi +Lien +Lillard +Lingo +Lumet +Macchi +Mahone +Mako +Malpighiales +Mamaroneck +Maribyrnong +Marmalade +Marwan +Mastertronic +Maurits +Medallist +Melancholy +Melling +Menezes +Menken +Metamorphoses +Midnapore +Modules +Moen +Moller +Monro +Monteverdi +Mostyn +Munshi +Musso +Nanette +Napo +Nauruan +Newstalk +Newtownards +Ngozi +Nordisk +Nouakchott +Novelists +ODoherty +Okavango +Operas +Orthopedics +Otho +Oudh +Oxalis +Pagano +Paltrow +Paltz +Pandan +Pandian +Parrys +Pasar +Pasture +Pathan +Pausanias +Peradeniya +Persuasion +Perus +Philpott +Phyllanthus +Phytophthora +Pictorial +Pleasence +Pontevedra +Pornography +Portillo +Pragmatic +Prather +Priors +Prokofiev +Promote +Pukekohe +Pusey +Pyotr +Pyramids +Quatermass +Queensferry +Quine +Quinns +Rahway +Rane +Ratnapura +Republik +Resilience +Retailer +Revel +Rimmer +Roches +Roni +Roths +Ryo +Ryuichi +Safed +Saloncom +Saraswat +Satanism +Satu +Scherer +Scorseses +Sealy +Seberang +Sect +Seiler +Sheer +Shevchenko +Silverlight +Simian +Sixes +Skien +Sliema +Snapchat +Sofie +Sorcerers +Sothern +Spacecraft +Spec +Speers +Spilosoma +Sportswoman +Stainton +Stealing +Stiftung +Storyteller +Sunn +Tacloban +Tapia +Tarantula +Tawi +Tenterfield +Thesis +Tiraspol +Tizi +Tomkins +Tore +Toshiko +Tremonti +Trentham +Triennial +Trigg +Tullius +Turvey +Uncensored +Universality +Urgent +Vaccinium +Vashon +Ventimiglia +Veronicas +Vickery +Vimy +Vliet +Vought +Wallachia +Watsonville +Wedderburn +Willingham +Wimmer +Winstanley +Wyse +Xenopus +Yatra +Yle +Yousef +Zap +Zena +Ziguinchor abalone absentia accomplishes airframes airspeed alDawla -allthrough amoebae -amp annelid approvals articulating @@ -26801,7 +57281,6 @@ flatbacked flugelhorn forgeries formality -fourhour fourteam fourthhighest gameshow @@ -26905,7 +57384,6 @@ semantically senders showrunners sidecar -sixmember smokeless solidly soot @@ -26944,6 +57422,336 @@ viticulture watermelon whitewinged wielded +ATTs +Aalst +Abarema +Abernathy +Abraxas +Agro +Airbnb +Allocation +Amaro +Amaya +Ambegaon +Amenemhat +Amphetamine +Angelic +Anjana +Anyway +Appanoose +Aprilia +Arctostaphylos +Arnott +Arrowsmith +Asim +Asner +Assessments +Autopsy +Avicii +Babygrande +Bagot +Baldurs +Bananarama +Barrios +Bassila +Battambang +Baxters +Beanstalk +Beerschot +Belait +Benoni +Bentleys +Berkman +Bermingham +Bernsteins +Bishopsgate +Blench +Blowing +Boas +Bohlen +Bonzo +Boring +Botticelli +Boxers +Braemar +Buccleuch +Burner +Butters +Cabarrus +Cadillacs +Careful +Castries +Catamounts +Cather +Cauvery +Cavalera +Chander +Cheam +Chicoreus +Chippewas +Choiseul +Cicely +Clackmannan +Clodius +Coastguard +Cobblestone +Codrington +Colle +Constantino +Conyngham +Corriere +CortexA +Courtauld +Creswell +Crispa +Criterium +Cuesta +Currier +Dall +Damaged +Dando +Danica +Deathwish +Denpasar +Dex +Dharam +Dhawalagiri +Discoveries +Distress +Dnipropetrovsk +Dory +Duhamel +Dyffryn +Dynasties +EMIs +EMUs +Effie +Eldredge +Elisabetta +Elly +Els +Ematheudes +Exact +Fader +Fairness +Farthing +Fewer +Finkelstein +Flipper +Floors +Flowing +Fluvanna +Freddys +Funhouse +Gadd +Gagnon +Garston +Gaughan +Genera +Gewog +Gilder +Glamorganshire +Glidden +Grable +Grazia +Greenspan +Grenier +Gunnery +Gyeongsangnamdo +Hammock +Harty +Headmistresses +Helcogramma +Heroine +Hollie +Holywood +Hoysala +Huntclass +Husbandry +Illumination +Immunity +Incognito +Indomalaya +Infections +Ingmar +Invest +Itchen +Jaishankar +Joh +Joined +Justo +Kalewa +Kani +Kates +Kerwin +Kingwood +Kirstie +Kitui +Konstantinos +Koper +Koppel +Kurri +Kwai +Kyra +Lafferty +Lalor +Lamoille +Lamprosema +Larval +Laureates +Lemoore +Lindo +Lithophane +Lived +Livelihood +Livesey +Luise +Luxe +Makepeace +Manas +Mandolin +Mangum +Maranatha +Marinos +Marlo +Masi +Mastroianni +Medicago +Mikkelsen +Minors +Minstrel +Mizuki +Mohini +Monckton +Monkton +Moorabbin +Mulan +Mural +Naim +Nares +Nazar +Neros +Nil +Nitrogen +Nyon +ODea +Okrug +Olmstead +Optometry +Ostrava +Overhead +Parallels +Param +Parcel +Paws +Pedagogical +Peekskill +Penryn +Peperomia +Perambalur +Plaskett +Pomfret +Porbandar +Porth +Powerpuff +Praga +Priestess +Princesses +Procol +Pun +Qatars +Rachid +Raje +Ramaiah +Ramsbottom +Rathod +Rec +Rei +Relocation +Renoir +Repeating +Rewards +Rhimes +Riki +Riverclass +Roan +Rosenblatt +Roxborough +Sackler +Salo +Salyan +Samaritans +Sane +Saranac +Schizophrenia +Schuberts +Schweppes +Scuba +Segeberg +Sensors +Seyfert +Sidmouth +Silvester +Sixers +Songbird +Speck +Spectacle +Spiel +Squid +Steeleye +Stickney +Sumitomo +Sura +Swabi +Synonyms +Taboo +Taplejung +Taupin +Telecaster +Tench +Thacker +Theodoric +Tohoku +Touchdown +Townley +Toya +Trost +Trumbo +Turnhout +Uncharted +Uncommon +Unnikrishnan +Unrest +Unterfranken +Updike +Ushers +Valles +Varro +Vermeulen +Vicarious +Vico +Vidyarthi +Vigilance +Viruses +Vishwanath +Voigt +Votes +Waris +Waycross +Weisz +Wharfedale +Willys +Wollo +Wollondilly +Wonka +Woodhaven +Xenomania +Yesterdays +Ynez +Yucatan +Zbigniew +Zolder +Zsa abusers affidavit amniotic @@ -27000,9 +57808,7 @@ flattopped flourishes foolish fourengined -fourmonth fusiform -ga gastronomy genitive glycosylation @@ -27131,6 +57937,353 @@ welldrained whalers xmetre zodiac +Aarti +Aldi +Altenberg +Amistad +Anatole +Ancaster +Anhalt +Anker +Antwerpen +Anzio +Apo +Aral +Arend +Armadillo +Artful +Artis +Arup +Atoms +Austereo +Ayckbourn +Backed +Balachandran +Bapu +Barbecue +Barguna +Barris +Bastille +Bclass +Bearing +Become +Belitung +Benioff +Bentinck +Bhim +Bhima +Biomolecular +Bodie +Bonnaroo +Boomin +Bradyrhizobium +Breakin +Bridal +Brien +Brigids +Brockway +Brunson +Burbridge +Butlerclass +Byfield +CDi +Cade +Calochortus +Canes +Canmore +Caplan +Carton +Castellaneta +Catlett +Catterick +Cavour +Charged +Chavan +Cheatham +Chemists +Cheshunt +Chia +Chiricahua +Christo +Christopherson +Chrysoprasis +Comedians +Completely +Coogee +Coombes +Cormier +Cormorant +Corozal +Crayon +Crowleys +Cryptic +Custody +Cutoff +Daddies +Dari +Dawe +Dela +Delirious +Delphine +Demme +Desmia +Deventer +Dewayne +Dhani +Dian +Dispatches +Dissent +Djokovic +Dowager +Dres +Dumaguete +Dumbo +Duxbury +Dyers +Earlham +Easington +Echols +Ellensburg +Eluru +Emmynominated +Estill +Euroleague +Extraction +Floods +Foligno +Footwear +Forgive +Fothergill +Friction +Frontera +Fyfe +Gagarin +Gerda +Goodson +Gorizia +Gove +Grooves +Guaimar +Guinevere +Gulab +Gymnobela +Gymnoscelis +HDNet +Hamiltonian +Hanbury +Hasina +Hatters +Havasu +Heir +Helicobacter +Hemicrepidius +Heralds +Hilal +Hinkle +Hiphop +Hite +Hohenzollern +Hutu +IIThe +IITs +Ibrox +Idaea +Igls +Inhumans +Insignia +Ioan +Ischia +Ivers +Jagapati +Jamalpur +Jamar +Jehan +Josep +Kafkas +Kanwar +Kareena +Karlin +Karns +Kasim +Katya +Kaz +Keil +Kempston +Kfar +Khawaja +Kiedis +Kildas +Killswitch +Kimber +Kirov +Kohistan +Kos +Kostas +Kumamoto +Kurtzman +Lally +Lantana +Latirus +Lilli +Littoral +Lonestar +Looe +Lora +Louisvilles +Lyles +MWe +Mago +Maharani +Malan +Malavika +Manalo +Manasseh +Mannie +Manzano +Mareeba +Marrickville +Meals +Medeski +Mediolanum +Mell +Mendon +Menuhin +Morgana +Motif +Mudhoney +Mulhall +Munros +Murree +Mycoplasma +Nagai +Nagaur +Nerva +Ningxia +Nnewi +Nodejs +Nordland +OConnors +Ogdensburg +Ok +Ongole +Ornithology +Otus +Ouled +Pajamas +Paphos +Partai +Passo +Pelletier +Pentagram +Perrett +Phenomena +Phir +Pimpernel +Placed +Platos +Polls +Polygon +Poornima +Prabha +Preceptory +Professionally +Prong +Protecting +Prototypes +Puerta +Puraskar +Rasrelated +Rawdon +Rawlinson +Reb +Recommendations +Reformers +Regine +Renovation +Rickenbacker +Rittenhouse +Ruse +Rustenburg +Saigal +Saldanha +Salmond +Salton +Samburu +Sandgate +Sandhills +Santoro +Sanya +Sati +Sawyers +Schaus +Schiphol +Schwerin +Seaview +Secretarys +Seetha +Semantics +Sheard +Shoppe +Sikandar +Siloam +Sistan +Skillet +Slams +Snatchers +Sobel +Sonics +Soria +Souk +Soundsystem +Stans +Stole +Storer +Stratocaster +Swine +Swire +Swope +Talal +Tamer +Taylorsville +Tedd +Teesdale +Thomaston +Tiga +Tikva +Tirol +Todds +Tove +Tow +Trammell +Trang +Translations +Tripuri +Tropidion +Troughton +Truths +Turned +Universitaria +Uplift +Valsad +Venues +Verdict +Veronese +Vestfold +Vet +Violets +Wealdstone +Wears +Wein +Wessels +Whitelaw +Wigston +Wilf +Wounds +Woy +Yuji +Zaporizhia +Zapotec +Zea absorber abutting agronomist @@ -27153,7 +58306,6 @@ brochure cached capitata castaway -catchphrases cavern celiac cenotaph @@ -27231,7 +58383,6 @@ littoralis masterclasses maxim mesenchymal -midlevel minelaying motorist multimillion @@ -27301,11 +58452,9 @@ superset sympatric tenancies tetrapod -transAtlantic trident tunings twoplace -ul unavailability underpinning unfavorably @@ -27320,8 +58469,388 @@ vittatus watertight willed wrists -ye yunnanensis +AMDs +AMs +Abdus +Abkhaz +Abnormal +Adolescents +Aikido +Airforce +Airman +Alumnus +Amaral +Annotated +Annunziata +Antonine +Anybody +Apatelodes +Apennine +Api +Appice +Applicants +Aquin +Arabias +Arkestra +Armament +Armistead +Arriba +Asghar +Ashman +Auf +Aurealis +Awful +Bahnhof +Baikonur +Banstead +Barcroft +Barmouth +Barrera +Bassa +Bata +Batgirl +Baytown +Beaumaris +Beckton +Beenleigh +Benazir +Benchley +Billington +Billionaire +Birdy +Blown +Boers +Bogle +Bomba +Bonar +Bondage +Borzage +Bowness +Boyzone +Bradina +Brainiac +Branden +Brighouse +Bronwyn +Brussel +Buda +Cagle +Calabasas +Calamotropha +Canaanite +Caputo +Carne +Caxton +Cellars +Charges +Cheerleading +Chhindwara +Chimes +Chineseborn +Cid +Claydon +Cobden +Coccothrinax +Collinsville +Comoro +Condensed +Coosa +Cotten +Cottesloe +Covey +Craigavon +Critters +Crocodiles +Cybermen +Daggett +Danziger +Dargah +Darkside +Daron +Dementia +DemocraticNPL +Descendents +Devika +Dexters +Dialect +Dichagyris +Dimitrios +Dini +Dives +Dnipro +Douro +Drucker +Dubin +Ease +EazyE +Elseworlds +Encephalartos +Encino +Endgame +Endoclita +Engelberg +Esteghlal +Ether +Eustatius +Evangelism +Everson +Ezio +Favre +Ferrante +Finkel +Float +Flop +Frisians +Frizzell +Fusus +Glendora +Gleneagles +Goldbergs +Grampus +Greening +Grimston +Grows +Grozny +Gruen +Gund +Haddock +Hambantota +Hann +Hannay +Hannu +Hardcastle +Hardly +Harrold +Headless +Heald +Hedmark +Heikki +Heng +Heraldry +Hezekiah +Hibs +Hildas +Hinchinbrook +Hoey +Hooked +Horsfieldia +Housekeeping +Huda +Hummer +Hyllisia +Hypena +Ignazio +Ilona +Incarnation +Inger +Insomnia +Intifada +Itanium +Jackals +Jagapathi +Jamaicans +Jari +Jazze +Jessore +Jingbao +Julianna +Juventud +Kalki +Kalle +Kantor +Kariba +Katrin +Khamis +Kiambu +Kildonan +Kinsale +Knebworth +Kunduz +Kuwaits +Lagan +Lancs +Lanham +Lawes +Lesbos +Lesh +Ligonier +Liskeard +Lucchese +Machynlleth +Maddison +Mademoiselle +Maeda +Magalona +Mahanadi +Maltby +Mandya +Mardin +Mathematicians +Matthieu +Maupin +MeTV +Mechanicsburg +Melilla +Menjou +Messalla +Metropole +Missa +Miu +Molotov +Morgenstern +Morrisseys +Mote +Murex +Myrrh +Narva +Nass +Navigators +Nazario +Nectandra +Neeraj +Neisseria +Neots +Neu +Newhaven +Nicolaus +Niphona +Noreen +ODonovan +Odinga +Olivetti +Omahas +Omiodes +Onitsha +Ordway +Oswalt +Ove +Ovids +Padmanabhan +Pani +Panlalawigan +Pennywise +Philology +Piel +Pieris +Pilsen +Pips +Polley +Pomponius +Porthmadog +Praia +Puglia +Purnell +Pushpa +Puyallup +RAFs +Rabbitt +Raeburn +Rakim +Rappers +Rav +Razzie +Recess +Redwall +Reema +Rheumatology +Riemann +Rikki +Riverbend +Robo +Rot +Rote +Sabotage +Saddleback +Sakha +Salient +Santonian +Saranya +Satoshi +Scalable +Schenley +Schism +Schreiner +Searchers +Sessue +Sevenfold +Shahin +Shakib +Shaman +Shears +Shimizu +Sho +Sindhudurg +Skegness +Smriti +Sock +Soraya +Spiers +Spikers +Stained +Stainless +Stalinist +Stands +Statistician +Stephane +Steptoe +Stoned +Stronghold +Studi +Stylidium +Taliaferro +Tami +Tantra +Teck +Tegucigalpa +Tejas +Terni +Thal +Thame +Theodorus +Throttle +Tibor +Tigres +Timah +Tipping +Tissa +Todmorden +Toh +Toyotas +Trelawny +Tshwane +Tuba +Tweet +UKThe +Ulama +Vallance +Vang +Vasa +Vekoma +Venetians +Venlo +Venturi +Venugopal +Verkhovna +Vig +Vigilante +Volgograd +Warrensburg +Warrier +Weatherby +Wile +Willkie +Wold +Wolfenstein +Woodridge +Ybor +Yeoman +Yury +Zale +Zanuck +Zechariah +Zeros +Zululand abolitionists acrimonious adaptability @@ -27346,17 +58875,14 @@ beaks biplanes bloodiest bluet -bn boldly botanic -bp breechloading bribed candida carburetor catacombs centerfold -cf chalice charaxes checkout @@ -27397,12 +58923,9 @@ equinox eschewed extents ferromagnetic -fifthplace fiftyone firemen -firstchoice flounder -fm foreclosed formalize franchisee @@ -27538,6 +59061,420 @@ wop workrelated worrying worships +Aarau +Aberdeens +Absence +Accentorclass +Ackermann +Adena +Advancing +Agee +Aimed +Ainu +Aitutaki +Albertus +Alibaba +Americanled +Americanstyle +Amesbury +Amethyst +Amid +Amreli +Ancash +Ansell +Anthonomus +Antonella +Antonios +Appliance +Arendal +Arguments +Aristide +Attlee +Aubert +Aukclass +Awash +Aylward +BAe +Bade +Bains +Bandyopadhyay +Baptista +Barasat +Barnesville +Basques +Beardmore +Bedminster +Bedok +Beecham +Belagavi +Bena +Benatar +Berge +Bernalillo +Bettie +Blackley +Blacklist +Boettcher +Booking +Boones +Bophuthatswana +Boronia +Borrowed +Botanist +Bramhall +Brickman +Brits +Bubanza +Buffalos +Bulger +Bulletproof +Bushrangers +Cabana +Caecum +Calabrian +Calliope +Cassowary +Casualties +Chamba +Charmaine +Cheema +Chica +Chickens +Churchyard +Civilisation +Clusters +Cnidaria +Coloma +Columns +Comments +Compsibidion +Contingent +Cornet +Cort +Corydon +Costco +Coven +Craigslist +Crave +Credited +Crude +Crushers +Cruzeiro +Cursive +Cybersecurity +Cyperus +Dagmar +Deauville +Defects +Deuteronomy +Dions +Diya +Doan +Donati +Dorff +Dorji +Dotson +EAs +Eddington +Edgeworth +Elgon +Elizondo +Eremiaphila +Ershad +Estella +Ethiopians +Evacuation +Everitt +Farnell +Favreau +Felis +Finite +Flintstone +Focal +Foel +Freeholders +Freelance +Freiherr +Fuad +Fudd +Fulford +Funke +Ganymede +Gastromyzon +Gaumont +Geminus +Generales +Genre +Gettin +Gilliland +Glynne +Gnomidolon +Goodies +Gordo +Gort +Greenbush +Greenough +Gurley +Gyeonggi +Hanrahan +Hansard +Harpoon +Helmsley +Hemp +Heretic +Hexachaeta +Higginson +Hipposideros +Hiscott +Holgate +Holness +Homeopathic +Hyla +Iguana +Imams +Inspire +Interlaken +Internazionali +Italiani +Jats +Jefferis +Jerky +Jimmys +Jukes +Jungs +Jute +Kailas +Kampen +Kapamilya +Kayan +Kebbi +Kellaway +Kemi +Kerstin +Kiko +Kikuyu +Kittens +Knud +Korail +Korps +Kotoko +Kyles +Laban +Lado +Lar +Leena +Legoland +Leni +Lenk +Leslies +Libyas +Liebman +Lindmania +Lingua +Llamas +Llanberis +Lodging +Lothair +Lucys +Lupo +Lys +Macho +Mackinnon +Magyar +Maji +Malakand +Mance +Mangrove +Martyrology +Mascara +Matts +Mesorhizobium +Messianic +Metius +Midhurst +Mikel +Mild +Minecraft +Minguo +Mio +Mitzi +Mixes +Mommy +Mongo +Monroeville +Montez +Moradabad +Moree +Morges +Mossad +Mountaineer +Moura +Muaythai +Munk +Muzaffar +Muzium +Nacht +Nand +Narok +Neko +Nes +Nevil +Nicoll +Nisbet +Nominee +Nouri +Nowell +Nyeri +Obergefell +Okada +Olu +Oracles +Organizer +Orland +Pamir +Pampas +Pardosa +Parkville +Paseo +Pederson +Pelle +Pianos +Pilatus +Pita +Plessis +Pollok +Ponderosa +Popov +Portlaoise +Possessed +Preceded +Presidentelect +Presse +Prevent +Principe +Promoters +Proterozoic +Psychrobacter +Purchased +Putting +Pygmalion +QoS +RBpop +Rabe +Radiance +Ralphs +Ramechhap +Rampart +Ranjeet +Rauf +Reigning +Reigns +Reluctant +Renata +Repeal +Replacing +Resolve +Revels +Rhee +Rockabilly +Rogen +Roker +Royalton +Ruabon +Runnymede +Ryders +Sadan +Samoans +Samos +Sanity +Saqqara +Sarpanch +Scan +Schoolcraft +Scorpius +Sehgal +Seljuk +Selly +Sepp +Serangoon +Settled +Setzer +Sewer +Shave +Sinden +Sindhuli +Sinus +Skryne +Skyscraper +Smugglers +Snape +Snyders +Sperm +Spud +Steyn +Stockholms +Stoppard +Strathearn +Stryper +Superstore +Sutherlands +Swanage +Swanston +Swaraj +Systema +TVseries +Tallaght +Tally +Tasker +Taunus +Tcells +Teenager +Tenby +Thinkers +Thirunal +Thornley +Toma +Translated +Translator +Treadwell +Treble +Trueman +Tuscola +Twentysix +Tyco +Uinta +Unforgiven +Upham +Uppland +Utilizing +Vacaville +Vaccaro +Vandalia +Vantaa +Vazquez +Veen +Venables +Vendor +Vespers +Viana +Viewpoint +Viggo +Viscountess +Vorbis +Vulcans +Wartburg +Wealden +Wert +Westworld +Willingdon +Winer +Woolston +Wormwood +Wrench +Wrestlers +Wrestlings +Zanesville +Zhuhai accredit acidification airmail @@ -27562,7 +59499,6 @@ buoys cardiopulmonary cartels causa -ccTLD charisma chats circling @@ -27616,7 +59552,6 @@ fallow fanshaped fells fiftythree -fivedoor flavus fluxes frescoed @@ -27663,7 +59598,6 @@ maximizes meticulously misappropriation morphogenesis -mu netwinged nootropic noticing @@ -27747,6 +59681,436 @@ withstood woo wort xeric +Abney +Accused +Acevedo +Acquisitions +Adventurer +Aemilia +Aeolian +Afterlife +Agnostic +Aleksey +Alenia +Alfaro +Allari +Alleyne +Amalia +Amaryllis +Amnesia +Amway +Anal +Angeline +Angelique +Annika +Anstruther +Apparatus +Apu +Aquaman +Arado +Arbitron +Aristolochia +Arsenio +Asrani +Assoli +Audiovisual +Aulonemia +Aventura +Babson +Baddeley +Bahram +Baiju +Baily +Baldry +Banfield +Banke +Banksy +Barone +Beep +Bek +Believed +Belleza +Berns +Bethpage +Bhil +Bibliotheca +Bijelo +Bitches +Blackmon +Bloomer +Bly +Bohs +Borgou +Botswanas +Brasilia +Breathless +Britishbred +Brockport +Brownes +Brunt +Burchard +Burk +Byzacena +Cadw +Cai +Calvinism +Camels +Canby +Canova +Capers +Cappadocia +Capsicum +Cardiacs +Caritas +Carnoustie +Carrol +Casady +Casson +Cavalli +Censor +Chalet +Chapleau +Chippendale +Cicindela +Cleator +Clines +Clones +Cluny +Colli +Commonwealths +Comunale +Conditioning +Conrads +Coomera +Cordon +Corleone +Corymbia +Counterintelligence +Cracked +Cradley +Cramps +Crampton +Crematorium +Crosscountry +Cults +Curves +Cyrano +Czar +Daoud +Dearden +Decorated +Deewana +Deighton +Dennett +Depressionera +Descartes +Dimitris +Dobrichka +Dodo +Doi +Doig +Donatus +Dozier +Dropbox +Druce +Duan +Edges +Eldoret +Eliezer +Emmaus +Empirical +Epicauta +Epyx +Erikson +Erzurum +Eskenazi +Eurosceptic +Eurozone +Fading +Faiths +Falstaff +Fangio +Farmiga +Fascination +Favor +Fiery +Finalists +Flume +Fraunhofer +Frederiksen +Frei +Frimley +Fyffe +Gallardo +Galways +Garin +Gaze +Gelechia +Goldblum +Goldin +Goodridge +Grin +Grodno +Gullivers +Hadid +Hakka +Hanger +Hanns +Haris +Hark +Harkin +Hau +Hellinsia +Hennig +Henriques +Heteropsis +Hetty +Hibbing +Hiligaynon +Hoag +Hodgins +Hollingworth +Hollys +Homi +Horsens +Houten +Hyun +Increase +Insiders +Intermodal +Iredell +Irishtrained +Iserlohn +Jami +Janelle +Jaynagar +Jesters +Jhunjhunu +Jovian +Julianus +Kabylie +Kainji +Kalidas +Kanta +Karthika +Katt +Kavli +Keeravani +Keiko +Khatri +Kheri +Kilo +Kirksville +Klinger +Kondoa +Kyneton +Labasa +Lakshadweep +Lalla +Lamberto +Lancet +Languedoc +Larks +Leeson +Leeton +Lenawee +Lettres +Lewy +Liceo +Linked +Lol +Loot +Lophocampa +Lucullus +Luhya +Luxemburg +Lynsey +Maccabees +Maidu +Malanje +Maneuvers +Markowitz +Masami +Matale +Mbarara +Meghna +Mentawai +Mercenary +Mignon +Mihai +Milind +Millet +Milwaukie +Mimosa +Minnesotabased +Mises +Miyamoto +Molonglo +Molton +Montcalm +Moriah +Morita +Mortis +Morwell +Motive +Moyet +Mugu +Mulgrew +Mykolaiv +Myrmica +Nathanson +Nayaka +Newcombe +Nguni +Nieman +Nikolaos +Nimmo +Nob +Nonsuch +Northwoods +Nothings +Omethylated +Opole +Orthotylus +Osbournes +Paddys +Palladino +Paramedic +Pattons +Petah +Pett +Phenix +Photonics +Pigeons +Pitbulls +Pixars +Platymantis +Platyptilia +Podgorica +Pontotoc +Porcellio +Presumably +Prieta +Primula +Probus +Prosper +Prospero +Pudding +Queers +Quidditch +Raff +Raskin +Ratliff +Rayne +Resettlement +Rete +Retriever +Rhacophorus +Rhinelander +Rib +Rickettsia +Ritesh +Roark +Robbers +Roblin +Roeselare +Rogerson +Romanias +Roseburg +Rosson +Rumi +Saarinen +Saira +Salado +Saltash +Sanitarium +Sarathkumar +Schemes +Schon +Schwimmer +Sealed +Seco +Seimas +Sellars +Shakin +Shamus +Shankaracharya +Shek +Sheva +Shipwreck +Shraddha +Shulgin +Sidewinder +Siebert +Sig +Simha +Skyrunner +Slab +Slovakian +Soham +Solan +Somewhat +Sooke +Soper +Soule +Spectroscopy +Speedwagon +Splendid +Spurius +Stavros +Steamhammer +Stebbins +Stimpy +Stoic +Strath +Stronach +Struthers +Sufjan +Sunan +Suvarna +Swamiji +Syrias +Systemic +Tachi +Tallapoosa +Tamaraws +Tamsin +Tarja +Tarver +Taxis +Textron +Thurber +Tigray +Topical +Touche +Tovey +Transpo +Turley +Tyburn +Uniformed +Urmia +Vakuf +Valdemar +Varner +Vasudeva +Vikki +Villarreal +Virtues +Wallasey +Walvis +Wanderlust +Wasson +Weissman +Weybridge +Wiese +Xeon +Yamagata +Yishun +Yusof +Zakk +Zemeckis +Zoning +Zulfiqar academicians aggressiveness airsea @@ -27792,7 +60156,6 @@ crewman cristatus croquet crossbar -dOro datadriven deadend dedicates @@ -27865,7 +60228,6 @@ legendarium lick lobata luncheon -ly lyre lysosomes macrophage @@ -27885,7 +60247,6 @@ multitouch nanoscience nationstates neuroprotective -nonfirstclass nuances nullified oneminute @@ -27939,8 +60300,6 @@ subsided supersede synergistic tentiform -thirdlevel -thoughtprovoking threeminute transdisciplinary treachery @@ -27961,6 +60320,395 @@ wasteful waterpowered welltodo westeast +ATPbinding +Abdulrahman +ActiveX +Aerobic +Alejandra +Aller +Allowance +Allu +Amani +Amrit +Ancestors +Andriy +Anni +Apollonius +Apulian +Arafat +Aranda +Arion +Armen +Aro +Asp +Atop +Atype +Avantgarde +Bacons +Bann +Barrister +Basile +Basirhat +Batasang +Bayclass +Beall +Berkhamsted +Bestselling +Bettis +Beveren +Bhabha +Billiard +Billikens +Bix +Blackdown +Blaenavon +Boothby +Bounded +Boyes +Braddon +Brasserie +Brenon +Broccoli +Brownie +Bruin +Bulloch +Bullseye +Burdwan +Cana +Carlotta +Carpathians +Casamance +Catacombs +Catonsville +Cerf +Chamillionaire +Chard +Chineselanguage +Choy +Chukchi +Chunky +Ciro +Clam +Clary +Commelina +Confrontation +Conroe +Consultation +Conviction +Corday +Corio +Correggio +Corrosion +Corsicana +Cosmosoma +Councilmember +Cristiana +Crutchfield +Cyrille +DJproducer +Dadra +Dailekh +Damiani +Daw +Deadliest +Deidre +Delroy +Desjardins +Dhanmondi +Dillingham +Dolakha +Doti +Dressler +Droylsden +Eberle +Edmonson +Empoli +Energie +Enoggera +Epinephelus +Equivalent +Ericson +Establishing +Estevez +Estonias +Ethnicity +Eudora +Euler +Eulimella +Eupatorium +Extinct +Fain +Fares +Favors +Fazil +Ferrero +Fetal +Flin +Florin +Forecasting +Fowlers +Freesat +Gandy +Gans +Garg +Garib +Germano +Ghoul +Gibraltars +Gilson +Gladwin +Glasser +Globus +Gola +Golders +Goma +Goodness +Gravitational +Gunns +Gur +Hadiya +Helensburgh +Heterachthes +Hickson +Hoceima +Hodgman +Holston +Holts +Hoyland +Huis +Hump +Hyderabadi +Iligan +Illingworth +Ilsung +Indraprastha +Input +Interval +Intro +Irwell +Italico +Jaafar +Jasmin +Jatt +Jigawa +Jnr +Johny +Joi +Kaba +Karyn +Kasich +Kluge +Koli +Korman +Kumanovo +Kunar +Kuringgai +Kurzweil +LAmour +Landkreis +Larvik +Latinized +Leadville +Leakey +Leal +Leos +Lewistown +Libera +Lilies +Lingerie +Linking +Lithocarpus +Llewelyn +Lokesh +Loops +Lorin +Louvain +Lydney +Madhouse +Madisonville +Mah +Mahim +Maigret +Mandell +Mandrake +Marathons +Marcellinus +Marinduque +Marischal +Maron +Martyrdom +Matta +Mazza +Mbabane +Mearns +Meizhou +Melica +Melk +Membrane +Merlo +Metabolism +Meydan +Miro +Mitte +Modeled +Moni +Montgomerie +Moodie +Morant +Mota +Mukerji +Mullaitivu +Muntinlupa +Murakami +Murda +Myriam +Natale +Nayar +Nea +Neanderthals +Newsome +Nila +Nuri +Nussbaum +Nutan +Nyctemera +Occult +Ongoing +Orania +Oriente +Oxbow +Paddle +Paganism +Paraiso +Partisans +Pauper +Peacemaker +Pelli +Pendergrass +Perrine +Persepolis +Petronius +Phair +Phalonidia +Phantasm +Phenomenon +Philatelists +Philp +Pianist +Picardy +Plantago +Pockets +Prout +Pterocerina +Queensberry +Queensbury +Rabinowitz +Radiophonic +Raffaello +Rajagopal +Redistricting +Reichs +Rembrandts +Renovations +Repo +Reservoirs +Reward +Ripleys +Romeos +Rua +Ruling +Rumford +Rustam +Ruta +Sab +Sager +Sahyadri +Salil +Sanyal +Sarita +Sartre +Scaggs +Schuler +Scramble +Scrap +Scythian +Seagate +Seasonal +Sebadoh +Sergeants +Sergipe +Sewage +Shakhtar +Shifting +Shinty +Shoulders +Sibu +Sibyl +Silvanus +Sione +Skirmish +Slocan +Snead +Solidago +Solving +Songwe +Soulja +Spearhead +Speedwell +Spennymoor +Spey +Springwood +Stadtbahn +Standings +Stasi +Steers +Suntory +Suspicion +Suter +Suzukis +Swordsman +Sybase +Symmetry +Tashi +Temper +Ter +Thaw +Theretra +Thorsten +Threadgill +Tollcross +Tomar +Toolbox +Toons +Toxteth +Transforming +Trenchard +Truscott +Twentyone +Twiggy +Understand +Utilization +Utopian +Vaudois +Villard +Vishwavidyalaya +Visigothic +Wadada +Waitaki +Waterston +Welle +Wenzel +Wham +Wilsonville +Wilt +Withington +Wizardry +Wolfmother +Xiang +Yacoub +Zagros +Zedd +Zips accredits adjudicated alumina @@ -28038,7 +60786,6 @@ hamper handbooks harnessed herein -highclass highnetworth hum imagining @@ -28165,6 +60912,401 @@ waterpark windowing wrongs zoophilic +Academician +Accent +Acheson +Adarsh +Ado +Aja +Amaravati +Ambulyx +Ameritech +Anarchism +Appaloosa +Appliances +Arleigh +Aslan +Asynchronous +Atheists +Attendees +Attock +Badfinger +Badi +Bahar +Bansal +Bantry +Barako +Bardstown +Barletta +Beas +Bechuanaland +Bellators +Bertolt +Biddeford +Blain +Bolland +Bornholm +Botafogo +Bott +Bra +Branigan +Bridgman +Budi +Busoga +Camilleri +Canberras +Candlewick +Cannery +Cano +Cardenas +Carretera +Cas +Castlebar +Cathay +Caton +Catriona +Cavalcade +Ceanothus +Champlin +Chandrakumar +Chandrika +Chappelle +Chehalis +Cheriton +Chetwynd +Chilwell +Chinsurah +Chipman +Christiania +Cilento +Clonakilty +Columbas +Contractor +Crespo +Cristoforo +Cucumber +Cunninghams +Cuxhaven +Cyathea +Cynic +Daniella +Danza +Dartington +Dawgs +Dealing +Debi +Deficient +Devaney +Dierks +Displays +Dissanayake +Divergent +Diverse +Divisjon +Dongguan +Donovans +Dori +Driftwood +Dukedom +Dunklin +Dunster +Dunwoody +Eas +Echinolittorina +Eckhart +Edi +Ellice +Ellingtons +Elwes +Entrepreneurial +Erroll +Escuela +Esham +Esme +Exe +Exploited +Extras +Factual +Fairbank +Fiddlers +Fluke +Foghorn +Forensics +Fowley +Freire +Frisch +Frogmore +Galashiels +Galatea +Galaxie +Galore +Gargan +Garrity +Gauss +Geist +Gentlemens +Gervase +Giannini +Gogo +Gomer +Gott +Goucher +Groundwater +Gubbio +Gundersen +Gurudwara +Guts +Haldia +Hamzah +Hanoverian +Hap +Haridas +Harringay +Hayashi +Helder +Hideki +Higginbotham +Hippolyte +Holbein +Horwich +Hosking +Huddleston +Hue +Ilorin +Incas +Inder +Investing +Islamophobia +Islet +Jagat +Jargon +Jarreau +Jayanti +Jayaprakash +Jenifer +Jesmond +Jobe +Joiner +Jolene +Jux +Kalat +Kancheepuram +Kanda +Karakoram +Karas +Kash +Kata +Keaggy +Kellett +Kielce +Killala +Kimbrough +Kirkintilloch +Koerner +Kom +Kosciuszko +Krug +Labels +Labonte +Ladbroke +Laika +Laptop +Legislators +Leopardstown +Leucania +Levee +Levski +Liane +Liechtensteiner +Linehan +Lippi +Listeria +Littlehampton +Littorinimorpha +Llantwit +Lordi +Lorelei +Loudness +Lugar +Lunas +Lunn +Lyga +MDiv +Maimonides +Mandaue +Manhasset +Manifold +Marbury +Marceline +Mariani +Marrs +Masks +Matheus +Mediaset +Mehldau +Mendelson +Mentoring +Mentuhotep +Mercyhurst +Metallurg +Midgley +Millwood +Milly +Mitsui +Moa +Mohmand +Monographs +Morea +Mosh +Mosport +Motilal +Murano +Mysterio +Naja +Nantlle +Neverwinter +Newlyn +Newtonian +Nikolas +Nobility +Noire +Northolt +Nottoway +Nourse +OHagan +Orazio +Orchards +Organisms +Osamu +Ozzfest +Paar +Palliative +Pandavas +Panjabi +Panton +Parfitt +Parochial +Partei +Passed +Perai +Persib +Personalities +Pettersson +Pfister +Piercy +Pinkett +Polis +Polokwane +Pompidou +Poston +Profound +Prospective +Rabobank +Ragnarok +Rakuten +Ramstein +Raphaels +Realizing +Redneck +Rein +Reinhart +Relating +Rhombodera +Ricochet +Ridgely +Rif +Risen +Riser +Roemer +Rosanne +Rosemount +Rutte +Saas +Sabri +Salar +Saltzman +Salween +Samman +Samoas +Sankara +Schifrin +Secundus +Sedalia +Sei +Serco +Sethu +Sheltons +Shim +Shirleys +Shonda +Sideshow +Sidgwick +Similkameen +Sinan +Sitcom +Solariella +Somalias +Sore +Southworth +Spaniard +Spellbound +Stanly +Stardock +Stoltz +Storytellers +Suceava +Sukma +Supertramp +Surendranagar +Suriya +Tambaram +Taree +Tasty +Teater +Teenagers +Terminology +Tewksbury +Thessalonica +Thevar +Tiberias +Tilbrook +Toler +Tome +Triangular +Troublesome +Tsonga +Tswana +Tullamore +Tumkur +Tunney +Tusker +Unbroken +Underdogs +Unearthed +Vacant +Vibration +Viburnum +Vik +Warsi +Waterlooville +Waushara +Websites +Weinberger +Wenders +Westley +Westmont +Winch +Wingham +Workout +Worldcon +Wrekin +Wrestle +Wymondham +Yakub +Yarborough +Yogesh +Yuriy +Zine abatement adenoma adultoriented @@ -28187,7 +61329,6 @@ bookbinding brainstorming brilliance burnet -cAMP cauldron cautionary chamomile @@ -28205,7 +61346,6 @@ contradicts cordata corticioid crappie -crosssectional crucified crunchy cryptocurrencies @@ -28382,7 +61522,6 @@ tunica turboshaft tworeel ultramafic -um unabridged understated undirected @@ -28404,6 +61543,397 @@ xenophobia yams yellowbellied zebrafish +Aboriginals +Adamu +Adcock +Adventurers +Agassi +Aggression +Aharon +Albi +Aldabra +Alderley +Amigo +Amys +Anastacia +Anelaphus +Anthela +Appleseed +Aqaba +Archbold +Archean +Armillaria +Atkin +Attachment +Autobots +Aweil +Bagdad +Baldacci +Bandara +Barba +Barrhead +Bathytoma +Bax +Baylis +Beaverbrook +Bedworth +Beenie +Benedictines +Bensons +Bere +Berryman +Berton +Bhadrakali +Bhagavad +Biker +Binney +Boehm +Boeotia +Bom +Borisov +Bosley +Bowdon +Brahmanandam +Bramwell +Breyer +Buckhorn +Buckshot +Burnin +Burstyn +Cagefighting +Calexico +Canara +Carn +Cecile +Cecily +Ceremonial +Ceryx +Chadha +Chalfont +Characterized +Charlesworth +Cheboygan +Chicagoland +Chimneys +Cielo +Cited +Civitas +Clanricarde +Clef +Cleptometopus +Cliburn +Cockerell +Comber +Compiled +Comunista +Concertgebouw +Concurrently +Controlling +Cookeville +Cooling +Copse +Corky +Costigan +Creech +Cuneiform +Daemon +Dairies +Dashiell +Dazzle +Deathmatch +Decent +Demographic +Digrammia +Dike +Directorates +Discovering +Donlevy +Donnybrook +Dornoch +Dreamtime +Dreamworld +Dryanovo +Eads +Einhorn +Elwyn +Engraving +Enthroned +Estevan +Euboea +Euphemia +FPGAs +Fakenham +Falchuk +Famagusta +Farnworth +Feldmann +Fier +Fired +Flax +Flon +Fraternal +Frink +Fromm +Fusco +Gandhara +Gawain +Geese +Geir +Gerhardt +Godspeed +Grassland +Greve +Gridley +Hage +Haldeman +Harbison +Havel +Hawa +Hayling +Heide +Helsingborg +Hickox +Hoffmans +Hogeschool +Homegrown +Hooda +Horncastle +Horwitz +Hungaria +Hydrolysis +Hymnal +Ilagan +Impaired +Incarnate +Integra +Interagency +Interfaces +Interpreter +Inuktitut +Ixodes +Jabbar +Jacobites +Jans +Jarre +Jaz +Jehangir +Jind +Jonglei +Josip +Judds +Junaid +Jutta +Kadir +Kalispell +Karunakaran +Kasem +Katerina +Kits +Kojima +Korba +Koror +Korte +Kovai +Koya +Kristiansen +Kwakwakawakw +Labelle +Larkhall +Latha +Latta +Lech +Lene +Leonie +Liberalism +Liffey +Linen +Linke +Lippe +Lis +Maatschappij +Machu +Maga +Majeed +Malai +Manville +Margera +Marmara +Marquand +Marrow +Masan +Masvingo +Matron +Maxie +Mazhar +Meadville +Merionethshire +Messing +Mesurier +Mew +Mey +Microfinance +Midday +Middlewich +Midtjylland +Milla +Millcreek +Mineo +Mircea +Missiles +Morals +Morelli +Mortlake +Mortons +Moyo +Multituberculata +Mumbais +Murwillumbah +Musser +Myrick +Nashvillebased +Natura +Netflixs +Neutrality +Newsweeks +Norberto +Nothofagus +Nuer +OBannon +Obelisk +Obereopsis +Observing +Okayama +Oksana +Onkaparinga +Oratorio +Ordinariate +Osmanabad +Ouzou +Paints +Panadura +Pankhurst +Pans +Paramounts +Parvathi +Pelly +Pena +Penton +Penwith +Perch +Pernod +Pettys +Phaseolus +Phat +Philbin +Phobos +Phrynobatrachus +Piedras +Polanski +Polkinghorne +Popularly +Postsecondary +Preference +Presses +Priddy +Probst +Professorial +Prokuplje +Pskov +Ptah +Putnams +Rachmaninoff +Radiological +Radu +Ragin +Rallye +Randhir +Ranganathan +Rayalaseema +Reap +Recilia +Rehnquist +Reinvestment +Reitz +Responses +Rhodri +Ridgeland +Rockwall +Rollercoaster +Sabarmati +Sainte +Salamis +Samy +Sandor +Sandow +Sanilac +Sass +Schulte +Sedgefield +Selleck +Serhiy +Serling +Shinto +Sidings +Slane +Slumdog +Snowflake +Sober +Sohrab +Spades +Spurrier +Squared +Stanleys +Statesboro +Stazione +Stereolab +Strains +Studying +Sundarrajan +Svoboda +Swapna +Sylvers +Talwar +Tapping +Tarpon +Tates +Testaments +Thampuran +Tiruchirapalli +Torrence +Totality +Transformer +Tremors +Tribunate +Trichromia +Tshopo +Tuckahoe +Turturro +Unguja +Unnatural +Urge +Vaidya +Vain +Valves +Vavuniya +Vespa +Victors +Vistula +Wadena +Wangchuck +Warragul +Weare +Weehawken +Whistling +Wittman +Wollheim +Wolters +XLeague +Xcel +Yokosuka +Yul +Zeit +Zilog +Zyl abound acetyl actionoriented @@ -28441,7 +61971,6 @@ chattel chipmunk clears closedcircuit -col compacta compensating coolers @@ -28466,7 +61995,6 @@ exaggeration extensibility eyebrow feisty -fiveweek florist flowered foodborne @@ -28554,7 +62082,6 @@ refute regrowth reloading reoccupied -rep reprocessing restyled retrospectives @@ -28624,6 +62151,453 @@ wayward wellstudied wrestles zither +Abhimanyu +Ablett +Absent +Accessibility +Accession +Accompanying +Acilius +Adivasi +Aelius +Agabus +Aggressive +Aiello +Alagoas +Algebraic +Allans +Alvis +Ammar +Amwell +Annius +Apa +Apertura +Aphex +Arabesque +Architecturally +Aschaffenburg +Asgard +Aspley +Atlarge +Auntie +Awad +Bakula +Banderas +Barnyard +Barretto +Barringer +Basilan +Batocera +Bayburt +Bayhawks +Beams +Belden +Bellflower +Bene +Benno +Benth +Berlinale +Bewdley +Bharani +Birnbaum +Bishnupur +Blackfeet +Blazer +Blob +Blowfish +Bluewater +Bongaigaon +Bossi +Bowland +Brakes +Brinsley +Brudenell +Brushy +Bueno +Buffer +Caillat +Cajamarca +Calculator +Camelopardalis +Caracalla +Caring +Carlsen +Castilla +Cataract +Catron +Caudron +Chases +Childish +Chilly +Chitradurga +Chivalry +Chrysostom +Churu +Cleavage +Clunes +Coheed +Compendium +Conscious +Coolpix +Correspondents +Cottle +Cotto +Coweta +Cowgirls +Crabs +Cresswell +Crosland +Cru +Crvena +Culkin +Cupar +Daerah +Dancemania +Dangerously +Daren +Darnley +Deadman +Debora +Dham +Dharamshala +Dhruva +Diagram +Dima +Diospyros +Dobbins +Donnington +Dor +Dossier +Downfall +Dramatists +Drescher +Drifting +Dubaibased +Duleep +Dump +Dungarvan +Durrant +Edenton +Editorinchief +Efficient +Ena +Enquiry +Epidemic +Eugnosta +Eurocopter +Everythings +Exarchate +Expositions +FInstP +Feliciana +Fertile +Fishbone +Flava +Flooding +Focused +Foe +Fractal +Fremantles +Frere +Friedberg +Frosts +Fruitvale +Fulk +Fulvius +Gardenia +Gascoigne +Gatti +Gauguin +Geely +Gehry +Geils +Genomic +Georgiana +Giambattista +Girija +Glaciers +Glock +Goldfarb +Goldfrapp +Goyal +Grantland +Grazer +Grieg +Grime +Grudge +Gudrun +Habra +Haemophilus +Haileybury +Haka +Haldimand +Hamelin +Hariri +Harmonic +Headlines +Healer +Hednesford +Helle +Hennessey +Hersey +Hinson +Hives +Honoris +Horo +Howdy +Husayn +Illicit +Impressionism +Indicators +Informa +Interactions +Internets +Intertoto +Irrational +Jal +Jansson +Jaxx +Juana +Kamikaze +Kandyan +Kankan +Kardar +Karlheinz +Karn +Kashif +Kasparov +Kasteel +Kegalle +Keshav +Khadr +Khalji +Kiely +Kitwe +Kokila +Kopp +Koro +Kottke +Krieg +Kuk +Kunlun +Lagrange +Lamongan +Langlands +Laserdisc +Lasting +Lebanons +Leccinum +Lecrae +Ledesma +Legazpi +Leman +Lesnar +Liana +Lias +Lira +Lobel +Lomb +Longoria +Lopezs +Luft +Lula +Luscombe +MacOS +Machin +Macklemore +Mada +Magoo +Maharashtrian +Mahavishnu +Malatesta +Malayali +Malkin +Mallett +Manali +Mannequin +Marauder +Marvins +Marwari +Mauser +Median +Memorials +Mentalist +Mesh +Metallurgical +Midwood +Milans +Milestones +Mineworkers +Ministrys +Modal +Mok +Morais +Morsi +Multicast +Mura +Murillo +Nabi +Naish +Namgyal +Natickclass +Nerang +Netanyahu +Niche +Nighthawk +Niobrara +Nomadic +Novus +Nowlan +Nyssa +Oakridge +Oneness +Oprahs +Oschersleben +Ottumwa +Ourselves +Outward +Owusu +Pap +Papi +Papp +Pasta +Patriarchal +Persecution +Persiba +Pettibone +Phelsuma +Phra +Pickers +Pinner +Pires +Platonic +Playfair +Poisson +Polices +Polsat +Pooley +Pottawattamie +Prealps +Pregnant +Preis +Premadasa +Premierships +Publishings +Purna +Purse +Quince +Ravel +Reddish +Remarkable +Revelstoke +Ribot +Ricki +Ritu +Rizzoli +Roles +Romanov +Rovio +Rowles +Roxana +Ruf +Rumsey +SEPTAs +SQLite +Sadashiv +Saharsa +Sajik +Sandnes +Sarada +Saratov +Schlumberger +Schola +Scrobipalpa +Seb +Seibert +Seiko +Shakeel +Shanachie +Sharan +Shigeru +Shinoda +Shrew +Siddha +Silo +Simpkins +Sizwe +Sling +Smet +Soler +Solos +Soundarya +Spina +Stalling +Starts +Steep +Stef +Stillwell +Strasser +Stratofortress +Stratovarius +Subs +Substantial +Suburbia +Sukumar +Sundari +Supergrass +Superheroes +Superiore +Swimmers +Swisher +Sydow +Tacna +Tehama +Telfer +Tempah +Tewahedo +Thammasat +Thigpen +Tims +Tirtha +Toit +Toowong +Tumi +Tynan +Tynemouth +Tyranny +Unadilla +Unreleased +Useless +Uthman +Valero +Vernes +Versatile +Vesey +Vigilant +Villagers +Virbia +Virology +Walliams +Wallkill +Warr +Wau +Wawa +Weatherly +Weingarten +Whanganui +Wigtown +Witchs +Worrall +Yaroslavl +Yatsen +Yello +Yesudas +Yield +Yobe +Youghal +ZCars +Zag +Zonguldak acyclic ambrosia amyloidosis @@ -28720,7 +62694,6 @@ guano gully helipad herders -highgrade highsecurity hindering hitech @@ -28742,14 +62715,12 @@ lactone laments lateBaroque laterite -lengthwise liana liftoff lipoproteins lithographic longnosed lorries -lowgrade lowquality macaques majorityowned @@ -28847,6 +62818,485 @@ werewolves whitebrowed wordless xrays +Abaya +Abed +Abercromby +Abou +Absalom +Accuracy +Acrocephalus +Acronicta +Adamss +Addo +Adesmus +Affected +Affection +Agfa +Alburnus +Alcott +Alfons +Alli +Ambrosio +Ambustus +Americanbuilt +Androscoggin +Anglers +Annihilator +Ansett +Antonello +Anza +Aomori +Apamea +Apocrypha +Applying +Arrest +Ascend +Asch +Atherstone +Audition +Audra +Augie +Ayre +Babergh +Backwards +Badri +Bak +Banting +Barremian +Basotho +Began +Belhaven +Benjamins +Berio +Berta +Betrayed +Bhangra +Bidwell +Blennerhassett +Blight +Blockhouse +Blogger +Bloodshot +Bmovies +Bobbys +Bolden +Bolingbroke +Boophis +Bourg +Bowmanville +Brainard +Branding +Brandis +Brawley +Brecknockshire +Bregman +Brianna +Bridgeman +Brighter +Buffetts +Bulgarias +Bungoma +Burgruine +Byrons +Caldas +Calliandra +Campanula +Campden +Candlestick +Capiz +Carbone +Cees +Celaenorrhinus +Celso +Ceroplesis +Chagas +Chania +Cherish +Chifley +Chita +Choa +Choreographer +Christianization +Cinco +Cinder +Clallam +Clearly +Clyne +Cobh +Collegians +Collinson +Collyer +Colorful +Colquhoun +Compositions +Condoleezza +Conglomerate +Conways +Cornells +Corowa +Crediton +Crips +Crone +Crothers +Cubanborn +Cukor +Cutlass +Daedalus +Daigle +Dalarna +Danse +Darrel +Deaconess +Decemberists +Decimus +Deniliquin +Desiree +Destroyed +Dewas +Dhoom +Dietary +Digambara +Diners +Dizzee +Doin +Dominant +Domo +Donnersbergkreis +Doosan +Dorfman +Dudgeon +Dunleavy +Edelstein +Edgardo +Eighties +Elaphidion +Elbasan +Elegant +Elmendorf +Enna +Erith +Estimate +Examining +Extravaganza +Ezequiel +Fabiano +Faringdon +Fieldings +Fiesole +Finders +Fits +Flashes +Flavian +Flyover +Foran +Fordyce +Frehley +Fresnel +Gai +Gargano +Garlic +Gascony +Gehyra +Geoscience +Gingerbread +Giotto +Girton +Grattan +Greenhills +Gremlins +Gresik +Groote +Gyeongsangbukdo +Hagerty +Haidar +Hajipur +Halla +Halligan +Hammadi +Handmade +Hardeman +Harmonia +Harwell +Haye +Hayne +Heartbreaker +Hematology +Heraklion +Herculaneum +Heresy +Hideo +Hierarchy +Hiroyuki +Hislop +Hiss +Hoke +Holmenkollen +Homan +Houstonbased +Huguenots +Hunted +Huq +Hygrocybe +Hypsotropa +Iceman +Icy +Iftikhar +Imagineering +Immortality +Implicit +Indestructible +Ing +Interplanetary +Islas +Jab +Jaiswal +Jepara +Jerrold +Jongil +Jordon +Jule +Kahne +Kairat +Kalamandalam +Kamau +Karabakh +Kars +Kasabian +Kediri +Keisha +Kelman +Kemps +Keough +Kibbutz +Killings +Kiwanis +Knolls +Knuth +Koochiching +Lachman +Lanai +Lascelles +Lasso +Launcher +Laycock +Lemonheads +Levitan +Liangshan +Lilongwe +Listowel +Lobelia +Loja +Lostwithiel +Lukather +Lumberton +Lunsford +Lupton +Lycia +Lynnwood +Lynott +MTech +Macoupin +Madoc +Magill +Magister +Maharshi +Mahwah +Maintaining +Majesco +Malaspina +Manchesterbased +Mangal +Marking +Mattson +Maxs +Melle +Menagerie +Mes +Metallicas +Milpitas +Mims +Minneapolisbased +Miz +Moluccan +Montag +Montage +Moorefield +Moorhouse +Morningstar +Moved +Movistar +Mueang +Munsters +Muscular +Muthu +Mylothris +Nacoleia +Nadja +Naeem +Nagari +Neuman +Nichol +Nicrophorus +Nimitz +Northlands +Nosferatu +Noto +Nour +OGorman +Oldest +Ophir +Optimum +Orthoptera +Packed +Palamu +Partially +Passages +Pedagogy +Perciformes +Peretti +Pero +Persebaya +Phoenicians +Photon +Picketts +Pilton +Poggio +Popolo +Postage +Potrero +Praha +Preah +Predominantly +Premiering +Prez +Primeiro +Profits +Pulling +Pulteney +Purnima +Pyuthan +Queenie +Raghav +Rajinder +Ramp +Rathbun +Redline +Reichenbach +Remembering +Rennell +Residentiary +Retailers +Rhenish +Rhinebeck +Rivetina +Rivoli +Rohr +Rotuma +Rungwe +Sada +Santurce +Sarahs +Sarja +Saugeen +Saybrook +Schenk +Seating +Sedaris +Sensational +Sethumadhavan +Shani +Sheepdog +Shekhawat +Shiksha +Shivdasani +Sholom +Shovel +Shumway +Sigel +Sikasso +Silvana +Sinead +Sirte +Skyhawks +Skyler +Slay +Smeaton +Snoqualmie +Sogn +Somethings +Spader +Staffing +Standup +Starrcade +Starter +Statehouse +Storybook +Strada +Stranded +Struck +Superettan +Surreal +Sylvian +Synthesizer +Tadeusz +Taiji +Tanker +Tarquinius +Taryn +Teledyne +Tenzin +Tepper +Thaler +Thijs +Thrush +Thruxton +Torquatus +Toye +Troutman +Tuition +Ubu +Unbound +Untamed +Varga +Veloso +Versa +Wakulla +Wallowa +Watchman +Watchtower +Waynesville +Welchs +Welford +Welshman +Westphal +Whiplash +Wilfried +Willems +Williamsville +Wilrijk +Winnemucca +Wissahickon +Woollahra +Wyomings +Xylocopa +Yad +Yakubu +Yamashita +Yayasan +Yeading +Yehudi +Yerba +Yolande +Yukmouth +Yummy +Zant +Zastava +Zenon +Zieria +Ziff +Zimbabweans +Zukor +Zydeco actuated acutely adjuvant @@ -29084,7 +63534,6 @@ treelike tryptamine tunicate twostar -twotrack unanswered unbounded unduly @@ -29094,6 +63543,448 @@ volley whodunit yoyo zydeco +Abidin +Accessories +Achieving +Ackland +Acrobat +Adagio +Agrigento +Ahrweiler +Airshow +Aldean +Alighieri +Alka +Alkali +Analytic +Anemone +Appropriate +Archuleta +Argentinean +Argument +Arundell +Atascosa +Atonement +Atrium +Awit +Bajocian +Bakerloo +Ballia +Barangays +Bartle +Baskets +Beek +Behemoth +Behrens +Beiderbecke +Belford +Bellona +Bengalilanguage +Beograd +Bhilai +Bhoomi +Bilanga +Billiton +Bisley +Bizzy +Blackmores +Blechnum +Bling +Bluestone +Bogarde +Borel +Bosniaks +Brij +Bromus +Buka +Bullwinkle +Byomkesh +Bysshe +Caltrain +Camerata +Campi +Campobasso +Canadair +Canarsie +Caney +Cannington +Carmina +Cassville +Chakri +Chaplaincy +Chaudhuri +Chiswell +Chudleigh +Citations +Clearance +Coby +Colfer +Colgan +Collard +Conductors +Confirmation +Confluence +Consequence +Cooma +Cootamundra +Corfe +Corresponding +Costanza +Coton +Croatias +Croker +Crosstown +Crumlin +Cryptolechia +Cuando +Cuddy +Cyan +Dallasbased +Daltons +Debenhams +Decepticons +Deconstruction +Deepti +Defining +Despicable +Deux +Dhading +Diffusion +Ditto +Documentaries +Donegan +Doomtree +Doron +Dorstenia +Dutchmen +Eadie +Eastport +Edgefield +Effectiveness +Egesina +Electors +Encinitas +Ent +Estudiantes +Excerpts +Exploding +FAs +Failed +Familia +Federica +Feelgood +Ferber +Fertilizers +Feynman +Fila +Finances +Fiord +Firewall +Fists +Fluminense +Fortaleza +Fouad +Frankfurter +Frankland +Fresco +GTPbinding +Generalized +Gerritsen +Gira +Giselle +Globals +Glossary +Goderich +Gopichand +Goro +Gouverneur +Gravatt +Grenadiers +Griffon +Hallowell +Hamline +Hanau +Hanwell +Harar +Harimau +Harmsworth +Hasler +Hella +Hexagon +Hirshhorn +Hoffer +Holders +Holzman +Hubertus +Hyperaspis +Identifying +Ilchester +Ildefonso +Inbetweeners +Inclusive +Incredibles +Inhuman +Isadora +Ishikawa +Jag +Jalna +Jammeh +Jeremih +Joannes +Judes +Justiciar +Kabwe +Kajol +Kanchi +Kaspar +Katihar +Katra +Kaun +Kavya +Keilor +Kempe +Kenema +Kermanshah +Khajuraho +Kil +Killen +Kissed +Knema +Kosrae +Krakowski +Kwajalein +Langlois +Lannister +Lari +Laurentides +Lend +Leonel +Levene +Levenson +Liberias +Lighter +Lindau +Linley +Lisi +Literatures +Livre +Lorimar +Lovat +Lynley +Maggs +Mam +Mamata +Manchukuo +Maredudd +Marga +Marigold +Marika +Marling +Marrero +Martello +Mercator +Mertens +Messy +Metasia +Militare +Millbank +Mirosternus +Modification +Molinari +Moorlands +Mordellina +Morphin +Motivation +Mtwara +Munhak +NSAs +Nakajima +Nang +Naser +Nathans +Natrona +Naz +Ndola +Negroes +Nera +Newberg +Newfoundlands +Newtownabbey +Nithya +Noodle +Nordhausen +Noriega +Northerns +OKane +Olmos +Oostende +Opelousas +Orions +Orth +Orvieto +Osler +Outlets +Owatonna +Pandemonium +Paramedics +Parnassius +Parsley +Passionate +Pastors +Paternoster +Paulino +Pearsall +Peder +Peeples +Perennial +Perfecto +Pergamon +Phonograph +Phostria +Photograph +Pickler +Pilate +Pisan +Piya +Pogue +Poindexter +Polson +Pontius +Ponty +Poo +Porkys +Potatoes +Potosi +Pratts +Precentor +Preferred +Pretorius +Proficiency +Proletarian +Psilogramma +Publicis +Pythium +Qian +Qui +Rafters +Ragan +Rainmaker +Rajpal +Rajputana +Rampal +Reactive +Reivers +Renal +Renaldo +Reo +Reset +Reverie +Riel +Ripa +Rockfield +Rogier +Rolleston +Romo +Runyon +Ruperts +Rushcliffe +Rushing +Rydell +Saavedra +Salcedo +Salgaocar +Salk +Samarinda +Sanofi +Saperdini +Saucer +Schefflera +Seely +Sells +Senusret +Severed +Sewing +Sexsmith +Shadwell +Shaykh +Shinji +Shizuoka +Shmuel +Shubha +Sidebottom +Sierras +Silchar +Snowshoe +Soulfly +Sow +Statements +Stefanis +Stephanus +Stings +Stockman +Stylus +Subscription +Sunken +Supersonic +Swaythling +Talents +Talpa +Taro +Tartar +Tash +Teena +Tegna +Teknologi +Thar +Thirst +Thong +Thorogood +Toft +Toney +Tons +Tournai +Trejo +Tshaped +Tullio +Twentythree +Twentytwo +Typhlops +Tyree +Tyrese +Tyrones +Unsworth +Upchurch +Vallis +Vaughans +Vereeniging +Visage +Vitruvius +Vlissingen +Vodou +Wahoo +Wariner +Watkin +Wauwatosa +Webers +Weddell +Welker +Welty +Whips +Willington +Woodhull +Workstation +Wuxi +Wynorski +YMSclass +Yakov +Yala +Yara +Yasir +Yasmine +Yavatmal +Yola +Zebre +Zooey aberrations abstaining admiralty @@ -29168,7 +64059,6 @@ fairing fenders flanges flathead -fourweek frowned gargoyles genomewide @@ -29196,7 +64086,6 @@ influencers intakes internalized ist -j lac ladyinwaiting lagging @@ -29288,7 +64177,6 @@ saucer savvy scat scraps -secondstory secondtolast seepage selfregulation @@ -29333,7 +64221,6 @@ utterances vacationing virens vlogger -walkthrough wasteland wellformed wetting @@ -29343,6 +64230,461 @@ wireline workouts xylophone yellowthroated +ABArequired +Acadians +Achaean +Adapter +Aeromonas +Aggregate +Airedale +Alannah +Aliant +Allenby +Allerdale +Almaden +Alphonsus +Ameche +Ammanford +Ananth +Andreu +Angora +Ansan +Antigone +Artforum +Astbury +Astronomers +Auriga +Azevedo +BCs +BLegit +Backing +Bajhang +Ballers +Bardwell +Basis +Basse +Bateson +Batty +Becketts +Beeson +Begg +Bellinger +Benares +Bhagavata +Bhalla +Bhanupriya +Bharata +Bijou +Biko +Bille +Bjork +Blagojevich +Bodley +Borrelia +Bozo +Bradstreet +Bridging +Brindley +Broadways +Broun +Browder +Bruneis +Bryanston +Buenaventura +Bulkeley +Burstein +Cabinets +Californians +Campionato +Campsie +Candelaria +Caper +Carty +Catford +Catskills +Cava +Caveman +Cedarville +Champa +Channa +Charlize +Chaucers +Chills +Coffea +Colias +Colloquially +Congos +Contacts +Correct +Corrientes +Cossus +Cottingham +Coupland +Crackle +Crandon +Craterclass +Cuthbertson +Dain +Daniell +Defined +Delights +Demosthenes +Depok +Derivatives +Devayani +Diario +Digicel +Doctorow +Dorcas +Drumheller +Duplin +Durkin +Durning +Dypsis +Eager +Eiht +Elevators +Elin +Elkin +Emphasis +Entente +Entities +Faint +Faria +Farouk +Fawkner +Fawley +Fibonacci +Fini +Firestorm +Flipside +Flocka +Flugzeugwerke +Flush +Foxtrot +Fractured +Franchot +Francisca +Frigate +Frisbee +Ftype +Fujimori +Fundraising +Furler +Fuzhou +Galea +Gales +Gelora +Gratz +Graydon +Greenblatt +Greenhalgh +Greenup +Grinder +Grub +Gruppe +Guisborough +Gunslinger +Gurage +Gwydir +HNoMS +Halas +Halloran +Handa +Hardcover +Haripur +Harpo +Hathor +Hazlewood +Heading +Hedrick +Helge +Heraldic +Hibernia +Holzer +Hooke +Hovey +Howth +Hoyer +Huerta +Humberstone +Iannucci +Ibibio +Ileana +Importantly +Incentive +Indecision +Informer +Insurrection +Interpretive +Interregnum +Interzone +Intuition +Irrfan +Ivrea +Janeane +Jealousy +Jenkinson +Jeolla +Jinja +Jobson +Joslyn +Juli +Junoon +Jurgen +Kakatiya +Kanchana +Kayo +Keralas +Keren +Khuzestan +Kidsgrove +Kilmacduagh +Kirill +Kismet +Kohat +Kordofan +Korner +Kovil +Krautrock +Kunda +Lakefront +Lame +Larrabee +Lasers +Lasseter +Latakia +Lauritzen +Lavin +Laxmikant +Leelanau +Leia +Leptolalax +Leptopelis +Lestat +Ligier +Liliana +Lining +Liss +Ludvig +Lum +Luni +Maharana +Malahide +Manduca +Manhunter +Manzoni +Marduk +Margolin +Massapequa +Masterpieces +Mathematica +Mauri +Mayur +Meadowbrook +Messe +Mihir +Millett +Milli +Morphett +Moskowitz +Motta +Movers +Mulliner +Multiplex +Mystical +Myung +Nanci +Nelonen +Neunkirchen +Nieuw +Noarlunga +Nolans +Nordwestmecklenburg +Nore +Numb +Nyssodrysternum +Obituary +Ohrid +Olongapo +Oncorhynchus +Ornipholidotos +Ossian +Ota +Outwood +Pallacanestro +Pande +Panini +Paramus +Payal +Peacocks +Pele +Pellegrini +Pershore +Philomena +Phrygia +Phtheochroa +Pierluigi +Pinochet +Piura +Pleasants +Plotkin +Poinsett +Ponting +Poon +Portuguesespeaking +Pos +Positions +Pottawatomie +Pottinger +Prabhakaran +Princetons +Proto +Prowse +Psychiatrists +Pulver +Pupil +Puttalam +Pythias +Quarries +Raden +Rader +Raigam +Ranulf +Raut +Reformatory +Relient +Remembered +Revenues +Reyne +Rhos +Rih +Ronkonkoma +Rosenblum +Rovaniemi +Ruddock +Rugeley +Rukmini +Runnin +Ryazan +Saat +Safer +Salernitana +Salvin +Samaria +Sanction +Sandbach +Sande +Sandiego +Santorini +Santorum +Saperda +Sastry +Satyam +Saurita +Saverio +Savin +Scheckter +Scheveningen +Schneiders +Schroder +Scripts +Ser +Serene +Shabab +Shahpur +Shakuntala +Shellback +Sherbourne +Shirdi +Shobana +Showing +Shreve +Shriya +Shutter +Simm +Sindhis +Sinfonietta +Siraj +Socialiste +Soloist +Spar +Stara +Startups +Steamer +Steed +Stilwell +Stobart +Stockhausen +Strachey +Stratus +Stuckey +Suba +Subsystem +Sumpter +Suomi +Supercluster +Superstition +Sverre +Swordfish +Taal +Taber +Taku +Tali +Tamayo +Tapio +Tarik +Tarquin +Taskforce +Tensas +Tethys +Theda +Therion +Thomastown +Timucua +Tinashe +Tinie +Tomi +Toole +Toscano +Transworld +Tremor +Trevelyan +Triffids +Trivial +Tumut +Turkvision +Tussauds +Udayapur +Universo +Usual +Vado +Vasari +Vets +Vihara +Vijayaraghavan +Vintons +Vitaly +Vulkan +Waggoner +Wainwrights +Walkinshaw +Wardell +Warship +Wealthy +Weisberg +Westboro +Westphalian +Wilmette +Wilmslow +Winchelsea +Xmas +Yahweh +Yulia +Yungas +Zelazny +Zhongshan +Zork accrue alkenes androgenic @@ -29408,7 +64750,6 @@ factoring faltered ferrets figuratively -firstfloor fiscally fishers fools @@ -29450,8 +64791,6 @@ interprocess irradiated irregularity jaundice -kd -ke kindly kitten labrum @@ -29459,7 +64798,6 @@ landholder larch lattices lepidopteran -lo macromolecular manipulator marksman @@ -29477,7 +64815,6 @@ nanometer neuropathic newsreels nonemergency -nonmember novelties nudes obscuring @@ -29583,6 +64920,478 @@ willful windings windsurfer woodlice +Abandon +Abid +Academically +Adelman +Ads +Adverse +Aethes +Ahvaz +Albina +Aldrin +Aleksandar +Aleksandra +Alexandrina +Amager +Ammon +Amt +Anastasios +Andante +Angelos +Angevin +Anju +Annies +Antiochian +Arbuthnot +Ardisia +Ardrossan +Ashlee +Asthma +Atif +Austroasiatic +Autobot +Awang +Bahrains +Bajpai +Ballymoney +Bamba +Basseterre +Baynes +Bayport +Bebo +Bellew +Belmonte +Belmopan +Besant +Betz +Bexhill +Bhagavathar +Bhasker +Bhilwara +Bionicle +Birkin +Bis +Boccaccio +Bodhi +Bohn +Boingo +Bolles +Bolognese +Bonamassa +Boogaloo +Bosstones +Bowens +Bown +Brachystegia +Brendans +Brin +Brinton +Brownell +Brute +Brythonic +Bude +Byram +Cadena +Cahokia +Campagna +Canvey +Capito +Carron +Carya +Castaway +Cayes +Ceiling +Ceratophyllus +Charbonneau +Cheetham +Chislehurst +Chrysallida +Chulalongkorn +Cie +Clannad +Clatsop +Clementi +Clubland +Coleen +Collaborating +Collegio +Colwell +Commodus +Complementary +Comrade +Condemned +Copes +Corrs +Corson +Coulsdon +Cui +Cybertron +Cylindera +Cylon +DDoS +DOnofrio +Dali +Dalymount +Darbar +Dclass +Deads +Debrecen +Delavan +Describing +Desmiphora +Deval +Devolver +Diaphania +Dickenss +Digimon +Dillons +Disciplinary +Discos +Disputed +Diss +Dnieper +Doggs +Domingos +Donegall +Dormer +Doucet +Downe +Druitt +Drumcondra +Dull +Dunton +Dusun +Dynamix +ETFs +Eastchester +Economies +Eisenhowers +Eisenstein +EliteXC +Emergence +Emin +Enallagma +Eradication +Eston +Ethyl +Etinan +Evigan +Executioner +Farleigh +Fein +Feller +Feltham +Forst +Fortin +Fourche +Franky +Frio +Fulci +Furst +Galatia +Galilei +Gangtok +Garissa +Garlick +Gearbox +Gemmula +Genet +Germanicus +Gomel +Gonda +Grab +Grandfather +Gurjar +Hanukkah +Heligoland +Hengelo +Hertsmere +Hibernians +Highsmith +Hordern +Hostile +Huambo +IDEs +Ifugao +Immune +Ingle +Intamin +Intercept +Interesting +Interlude +Invertebrate +Irena +Irven +Janez +Jansch +Jasons +Jayawardene +Jeri +Jockeys +Johnnys +Joop +Jud +Junge +Jurado +Kahaani +Kailali +Kamakhya +Katipunan +Kayamkulam +Kenna +Kerk +Khazars +Kirks +Knute +Koichi +Komal +Kraljevo +Krantz +Kreator +Kudos +Kunst +Lagrangian +Laker +Langan +Lanyon +Lathyrus +Lawrenceburg +Leeming +Leguizamo +Lichtenberg +Lidia +Lifted +Loading +Lomatium +Longitudinal +Lostock +Loxostege +Mabry +Machete +Maghera +Magog +Mahony +Mainwaring +Makeni +Manch +Mande +Manik +Mansons +Marcelino +Maren +Marias +Massaro +Mauch +Mauricie +Melieria +Memo +Merivale +Metallic +Michaelmas +MicroRNA +Millen +Minesweeper +Minos +Mixer +Monck +Monitors +Montello +Moroccans +Mounties +Moyers +Moylan +Mthatha +Muchalls +Mulhern +Munna +Muswellbrook +Mwai +Mystique +Nahin +Nanni +Neilan +Neoclytus +Networked +Neves +Newey +Newkirk +Nichole +Nightfall +Nitra +Noakhali +Novosphingobium +Nowels +Oblates +Ocotea +Oke +Oregonbased +Oswalds +Oxbridge +PVine +Pacha +Painkiller +Paredes +Parkwood +Pattersons +Paxson +Pazar +Perryman +Persela +Persipura +Petrova +Petticoat +Philautus +Pillows +Pills +Piscataquis +Pity +Pixley +Plaquemines +Pollen +Polow +Pom +Pondok +Porterville +Postmedia +Potash +Procellarum +Projection +Purples +Quatre +Rangareddy +Raorchestes +Rapallo +Rawhide +Rego +Reply +Reverb +Rippon +Rolpa +Rorschach +Rosina +Rous +Rufino +Rufinus +Rupa +Sajjad +Salafist +Sandie +Sangster +Sarin +Saroj +Sattar +Sauter +Schramm +Scooby +Sealdah +Searles +Secker +Sedans +Segers +Selects +Sepakbola +Shearwater +Shehzad +Sherif +Shoaib +Shogun +Showroom +Sickle +Sidama +Silkeborg +Silverchair +Simonsen +Siwan +Skene +Slender +Slovaks +Solana +Somebodys +Sondra +Spacek +Spelman +Spinnin +Stacie +Stereophonics +Steuart +Straubing +Strayhorn +Striking +Strongman +Sucks +Sukanya +Sunnis +Sunsari +Surkhet +Susans +Swabian +Swanwick +Swathi +Tainan +Tanakh +Tanana +Tanuja +Tarbert +Tatsuya +Tcl +Telia +Tem +Temperate +Tendency +Texel +Thackeray +Thermo +Toaster +Toilet +Topanga +Torodora +Tracie +Tragically +Trainers +Traktor +Trois +Turunen +Twiztid +Umag +Unisys +Universitario +Vaishnavism +Valk +Valory +Vatica +Veep +Venera +Veraguas +Vernonia +Viceroyalty +Vicia +Vijayanagar +Virginians +Volcanoes +Vollmer +Wajir +Waterfalls +Welshborn +Wertheim +Weyerhaeuser +Wike +Willmott +Wilmore +Wister +Wolof +Wooldridge +Wooly +Wynonna +Xia +Xuxa +Yana +Yazidi +Yixian +Yvelines +Yvon +Zamalek +Zoetermeer abalones abeyant abscesses @@ -29603,7 +65412,6 @@ antiChristian apocrypha apostrophe appetizer -ar aragonite areal befriend @@ -29683,7 +65491,6 @@ flawless floribunda foils formosana -fourmember fourwheeled frond fruitless @@ -29732,7 +65539,6 @@ modularity monocot monolith mygalomorph -ne nephropathy newsagents newsgroups @@ -29765,7 +65571,6 @@ preservationists pronunciations pseudoknot publicaccess -queueing racemic racking radon @@ -29816,7 +65621,6 @@ surrealistic tabulated tang tangle -tenround tenyearold tetrahedron thenpopular @@ -29846,8 +65650,551 @@ whiptail whiskies whitespotted whitewashed +Abstraction +Adare +Afridi +Aherne +Ahluwalia +Airey +Airlie +Akta +Albacete +Ampat +Ampleforth +Animax +Annis +Antonelli +Aransas +Arema +Argia +Ashkelon +Asiago +Australopithecus +Aversa +Aves +Awdry +Aylesford +Azeri +Baat +Babbage +Bache +Bahadoor +Bahauddin +Bahini +Bako +Balika +Ballerup +Balurghat +Bangabandhu +Barkly +Barrichello +Bathroom +Bauhinia +Baur +Beachy +Beetles +Belgique +Benelli +Berat +Berk +Bia +Bickerton +Biffy +Bloodline +Borja +Borman +Boulanger +Bouquet +Bouvier +Bova +Braehead +Bratz +Braunau +Brawn +Broadbeach +Broadcom +Brownwood +Bulimulus +Bundi +Bunton +Bushey +Caballeros +Campanile +Canavan +Canelones +Careless +Cassidys +Castlegar +Catastrophe +Cathleen +Catholicos +Celtis +Chalakudy +Cheraw +Cheyney +Chisago +Churchtown +Cipriano +Clandestine +Clearinghouse +Clearview +Cloncurry +Clymer +Coady +Coleshill +Comal +Combines +Comrades +Conformity +Coningsby +Corangamite +Coulibaly +Cth +Cures +Cyanide +Damages +Dangers +Darlings +Definitions +Deheubarth +Delhibased +Delivered +Derrida +Desperados +Dessau +Detector +Deutch +Dhoni +Diemen +Dieterle +Difficult +Dimapur +Dimitrovgrad +Distributor +Disturbance +Docking +Drupal +Dunboyne +Dunoon +Duronto +Eagan +Earthworks +Econometric +Eka +Elderly +Eligibility +Eliyahu +Emeralds +Ende +Endoxyla +Enterococcus +Eos +Equipped +Erlang +Essanay +Euderces +Extending +FIFAs +Faboideae +Fagen +Fahy +Fante +Farrelly +Fascists +Fatale +Faulkners +Ferri +Feudal +Fifi +Filderstadt +Filmon +Fishes +Fiume +Fleischmann +Foreigners +Fortunate +Freightliner +Frew +Frits +Gadag +Gait +Galan +Gamelan +Gangadhar +Gar +Gastrointestinal +Gelsenkirchen +Genoplesium +Gently +Gethin +Gifu +Gigolo +Glan +Glassman +Gorillas +Gowen +Graaff +Grandmother +Gristle +Guimaras +Gunfight +Gwilym +Gyeongbu +Gyra +Hafez +Hagerman +Haitis +Hansons +Hararghe +Harborne +Harikrishna +Hartmut +Hatred +Haymes +Haynie +Headland +Healths +Heartless +Heatwave +Helin +Helmer +Helmuth +Hersheys +Heyward +Hideaway +Hideout +Highveld +Hillenburg +Hillhead +Hippie +Hippy +Hira +Hockenheim +Hofer +Holcocera +Holmfirth +Honeysuckle +Hongkong +Hoof +Hopkinsville +Hoppus +Horsforth +Hourglass +Hugos +Humongous +Hurler +Hydrelia +Hynde +Hypertext +IMDb +Ibsens +Ich +Incorporating +Indiabased +Inequality +Innovator +Intensity +Interstates +Izard +Jabiru +Jace +Jamaat +Jamiroquai +Jaume +Jeeva +Jessi +Jeunesse +Judaica +Kadam +Kallar +Kanes +Kannauj +Karishma +Karna +Karr +Keewatin +Kendujhar +Kham +Kilmacud +Kincardineshire +Kingpin +Kirche +Kiseljak +Kitchens +Klerk +Konamis +Kothamangalam +Kullu +Kyocera +Landy +Lanning +Lazaro +Leachman +Lebia +Ledbury +Lemony +Leonor +Leptodactylus +Lepturges +Leuconitocris +Leucoptera +Lifehouse +Lilburn +Linotype +Lisas +Loman +Loneliness +Lorentz +Lortel +Ludwigsburg +Lysander +MADtv +Macey +Madhopur +Magherafelt +Magik +Mahar +Mahe +Malolos +Mammalian +Manilla +Manned +Mannes +Manso +Mariya +Marlies +Marshalltown +Marwar +Masato +Massoud +Maven +Medica +Megiddo +Mejia +Menelik +Meranti +Mesquiteers +Meteorologist +MoU +Mondiale +Moscows +Mossman +Motueka +Muhal +Muniz +Murtagh +Musicals +Muzaffarnagar +Mycena +Nairs +Nakano +Namma +Nar +Naturalization +Nauchnyj +Naushad +Neenah +Neetu +Negus +Niblo +Niel +Nirvanas +Nivedita +Norfolks +Northcott +Nossa +Nostrand +Notitia +Nox +Nutting +Nyro +Oakie +Oberhof +Obscene +Observatories +Oliveri +Omari +Onassis +Oncidium +Onehunga +Ooh +Oranje +Orenburg +Osbornes +Ostrander +Outsourcing +Owyhee +Padukone +Pagans +Paintsville +Parisi +Parthasarathy +PdL +Peiris +Petrol +Petrovich +Phalke +Phils +Phones +Pieters +Pinang +Pithoragarh +Piute +Pleiades +Plowman +Plumstead +Pocomoke +Polwarth +Porifera +Potez +Prathap +Privatization +Proconsularis +Prodi +Prodromus +Promo +Pseudorhabdosynochus +Puffy +Pug +Pugin +Quavo +Questionnaire +Rabb +Raby +Racehorse +Ragsdale +Rainn +Ramadi +Reducing +Registers +Reimer +Renown +Requests +Rian +Richest +Rickie +Ridgecrest +Ringers +Risborough +Risley +Rituals +Roadster +Robinhood +Rohrer +Romeros +Roscrea +Rotation +Rudin +Ruggero +Saccharopolyspora +Sages +Salai +Sali +Salva +Salve +Sancho +Sanctum +Sandburg +Scannell +Scapa +Scheider +Sclater +Seguenzia +Selaginella +Selfish +Semaphore +Sentosa +Seshadri +Settat +Shanmugam +Sharpsburg +Shinn +Shins +Shippensburg +Shirvan +Silvestro +Simplex +Skikda +Slumber +Smack +Sneed +Sobekhotep +Somatidia +Somnath +Sono +Southbound +Spaced +Spada +Spheres +Spore +Sportswear +Squads +Starwood +Stimson +Stradbroke +Stratotanker +Sugarland +Superfly +Susilo +Sutro +Sutures +Swaminathan +Tackle +Takara +Tanimbar +Targeted +Tayler +Therapies +Thermopylae +Theyve +Throbbing +Timurid +Tinsukia +Torus +Tout +Tozer +Traill +Trainspotting +Trajans +Tremaine +Trophies +Tsumeb +Tuamotu +Tutin +Tyagi +Undertones +Urian +VIPs +Vacations +Valuation +Varsha +Vein +Ventspils +Vijayashanti +Vincente +Vino +Vivekanand +Volition +Volterra +Voyageurs +Walney +Walthall +Wanamaker +Wapping +Weimarer +Westerville +Wetton +Weyburn +Wheatfield +Woodmere +Wydad +Xestia +Yamato +Yeshivat +Yojana +Yunnanilus +Zam abyssinica -ac adhesions adrift adsorption @@ -29916,7 +66263,6 @@ droplet duchies dude duels -eXchange editable emplacement enslavement @@ -29924,7 +66270,6 @@ ethnology everyones fateful fifteenyearold -fifthyear fireflies flatwoods flutter @@ -29950,7 +66295,6 @@ hurting hydrolyzes hypertrophic hypothermia -ia immobilized inborn inflows @@ -30022,7 +66366,6 @@ redeployed reevaluated relented resounding -rhombicosidodecahedron ripping romanticized rulemaking @@ -30070,14 +66413,12 @@ transversely treefungus trimaran turbidity -twelfthcentury unconsciousness unexploded unsealed upholds valuing vehemently -vi viceregal vigilantes voluminous @@ -30087,6 +66428,505 @@ whiteboard wigs wildland wushu +AGrade +Aamer +Abacus +Abang +Accipiter +Adelbert +Adirondacks +Affliction +Afrikaners +Aguileras +Aird +Airpark +Aleksei +Alexandros +Alfreds +Alignment +Alloway +Amana +Anastasius +Ancylolomia +Anneke +Antigonus +Anubhav +Apathy +Appius +Ard +Arrernte +Artiste +Arvin +Asleep +Asparagus +Atlantique +Atoka +Avelino +Aventine +Awardwinner +Ayton +Babatunde +Bagalkot +Bagby +Bagnall +Bah +Balai +Baramulla +Barbier +Barbudan +Barthelmess +Basha +Bathonian +Bato +Bayly +Behl +Bemba +Beti +Blackall +Boar +Bodkin +Boorman +Boosh +Borrowers +Bosko +Boxed +Brazier +Broadmeadow +Brokaw +Bronfman +Buckie +Bucyrus +Buffington +Bulimba +Burberry +Burges +Caecilia +Caged +Callow +Calophyllum +Calvi +Camberley +Campbeltown +Candido +Capp +Capuano +Carabinieri +Carillon +Carola +Carolinabased +Carolla +Carracci +Cartersville +Castelli +Catchment +Cathedrals +Causey +Cayley +Censusdesignated +Centricity +Chagos +Chairmans +Chantry +Cheektowaga +Cherokees +Chettiar +Chingford +Chlef +Choate +Chorlton +Chunk +Cinerama +Circe +Clairvaux +Clanton +Clarkia +Clik +Clocks +Cloudy +Cocoon +Comerica +Comintern +Committed +Comp +Condors +Consolation +Converter +Corwood +Coto +Cranwell +Crichtons +Crytek +Culicoides +Cuming +Cuneta +Dania +Danielsson +Darkchild +Daylesford +Derde +Descentralizado +Diarmuid +Dibble +Diegobased +Dien +Diggle +Dilworth +Disappearance +Dizon +Dorr +Drummoyne +Ducky +Earthworm +Eckstine +Eds +Edythe +Electrification +Elmont +Elysium +Emigrant +Enchantment +Enda +Enriquez +Epidendrum +Ercole +Esiliiga +Eskilstuna +Esopus +Eufaula +Eulogy +Expect +Facebooks +Farce +Faulk +Fees +Feline +Filling +Fireflies +Fischers +Fistful +Foleys +Fundamentalist +Gailey +Gallegos +Garten +Geisha +Georgiabased +Ghanaians +Giorgia +Giuffre +Gives +Glenister +Glitch +Golaghat +Gondia +Goodie +Goslar +Griffey +Gulu +Gurewitz +Habronattus +Hainault +Haj +Hardwood +Headies +Headquarter +Heil +Heineman +Heinleins +Helsing +Hendra +Hersheypark +Hesperia +Hibbard +Hibbs +Holin +Homerton +Hosting +Hungarys +Hypothesis +Hypselodoris +ICBMs +IDPs +Ila +Immunization +Indooroopilly +Interlake +Intesa +Intuit +Inverurie +Investec +Iodine +Iommi +Ironbridge +Irvings +Jalalabad +Janusz +Jara +Jawi +Jemma +Jeromes +Jetta +Jhalak +Jokes +Joo +Jourdan +Joya +Joyride +Judean +Justiciary +Kahan +Kaka +Kalla +Kamerun +Kanniyakumari +Karbi +Keak +Keizer +Keng +Kesari +Kheda +Kirkbride +Kittson +Klezmer +Kogan +Kohlberg +Kongu +Krasinski +Kreuznach +Krishnas +Kubricks +Kura +Lamington +Lamm +Larsens +Lazlo +Leeuwen +Leitner +Lemont +Leste +Liberman +Limbu +Lineal +Liturgical +Lofton +Lonoke +Loverboy +Ludgate +Lumen +Machen +Madero +Magneto +Malley +Manaus +Manchurian +Manors +Marketed +Matagorda +Matondkar +Matsui +Maturity +Maybank +Mayen +Mclass +Medeiros +Megacyllene +Melicope +Memecylon +Menahem +Mendelian +Mentone +Messner +Meteors +Middlebrook +Mime +Mineralogical +Momo +Morelia +Mouton +Mundaring +Mycosphaerella +Nashs +Navya +Nephrology +Nimba +Nishad +Norodom +Novato +Numans +OFlaherty +OMahony +Okeh +Okenia +Orbis +Osa +Osmonds +Ouray +Oxynoemacheilus +Paarl +Pacer +Palestrina +Palmieri +Pandas +Paswan +Patekar +Pema +Penna +Pennsylvaniabased +Pepinia +Perkin +Perla +Petrich +Phalanx +Pincus +Pinnock +Pinsent +Plaque +Plethodon +Pluss +Poonch +Potamogeton +Prestatyn +Prunella +Prunum +Putri +Quorn +Racinaea +Rajam +Ramanujan +Ramses +Rangitikei +Raqqa +Ratwatte +Regionals +Regret +Reorganized +Repeats +Responsibilities +Reveal +Richwood +Rogersville +Rohde +Rossville +Rostrum +Ruan +Rumah +Rumpole +Sabino +Sainik +Salonga +Samanta +Sanda +Sandip +Sangrur +Sanz +Satyricon +Savonia +Scarp +Screams +Scudder +Seconda +Secunda +Segel +Sembawang +Shadyside +Shankars +Shanley +Sherburn +Shias +Shikari +Shivpuri +Shultz +Sikes +Simferopol +Simla +Sisto +Sklar +Slackers +Snack +Soccers +Solanki +Solemn +Sonnets +Sooner +Spires +Spirito +Spitalfields +Spocks +Springboard +Squeak +Stationers +Steamers +Stroheim +Strutt +Suchitra +Suffern +Sugarcane +Swart +Synchronous +TBone +Taganrog +Tagbilaran +Taha +Taita +Taiyuan +Taki +Tallis +Tams +Tapper +Tarmac +Taub +Tawa +TechTV +Tei +Tenacious +Tennent +Tester +Thambi +Tharu +Therapists +Tithonian +Tobe +Togliatti +Tommie +Toonami +Topping +Topsham +Tractors +Transportations +Ultimo +Underwoods +Unitas +Unsung +Uribe +Useful +Uvalde +Vaccines +Vaikom +Vallabhbhai +Varian +Venezuelans +Venn +Verilog +Vieux +Violeta +Waal +Waheeda +Wallop +Walsham +Wedel +Wegener +Westons +Whatley +WiMAX +Wiis +Wolsey +Wyss +XIs +Xenorhabdus +Zawinul +Zeb +Zondervan +Zweig abdominalis acceptability advisories @@ -30187,7 +67027,6 @@ flamingos flukes foreignlanguage fracking -fullscreen fumbles gasification geodetic @@ -30238,10 +67077,8 @@ mugs negotiable negotiates negro -neoGothic neocortex neoliberalism -ninemonth noncitizen nonofficial noone @@ -30327,7 +67164,6 @@ terracing theism thirteenyearold threefourths -threetier ths tithes tortrix @@ -30343,6 +67179,504 @@ vomit wart wicketkeepers womenswear +Aboutcom +Accenture +Adda +Adrianne +Aer +Affiliates +Agnieszka +Aguiar +Ahmadinejad +Aired +Alamogordo +Alamosaclass +Alanna +Alessia +Alexandr +Allt +Ambridge +Anathema +Annemarie +Antofagasta +Apted +Arca +Arima +Arise +Arkhangelsk +Arkley +Arna +Arnaldo +Artvin +Assay +Avaya +Babelsberg +Baggage +Baghdadi +Bakri +Balding +Ballerina +Bangladeshis +Bartolo +Basing +Bathing +Baxley +Beamish +Beaudesert +Bellson +Bhagavathi +Bienville +Bilson +Birchwood +Birdsong +Bislett +Blackbirds +Blackhall +Blevins +Blond +Boatswains +Bordertown +Broadcastings +Bruegel +Bryans +Buner +Bushell +Bushy +Buying +Cacapon +Calamus +Candidatus +Canibus +Carden +Caruana +Castellano +Celebrating +Chandu +Chater +Chernihiv +Chipmunk +Chonburi +Christel +Chur +Cinnamomum +Clyro +Cobo +Collectible +Collison +Colonie +Commemoration +Condit +Constantines +Coolgardie +Coppin +Cordilleran +Coretta +Corrective +Creeps +Crowne +Cruisers +Cryo +Cucullia +Dacorum +Dalek +Danja +Delancey +Delphic +Denson +Deodato +Depressaria +Depths +Destinations +Determined +Dewa +Dianna +Dinka +Discussion +Disposable +Dodecanese +Donelson +Doto +Doylestown +Drax +Dreamin +Dries +Dudek +Duk +Dunstans +Dunvegan +Dura +Durie +Eberhart +Echelon +Edgemont +Edziza +Elaeocarpus +Elliots +Elliston +Eminence +Emmental +Emulator +Enclosure +Englandbased +Entombed +Epermenia +Erinsborough +Erlanger +Esquivel +Ethelbert +Eucereon +Euglandina +Eugoa +Expensive +Explore +FCClicensed +Fabre +Fars +Fashions +Fehr +Felony +Felsted +Fido +Fierro +Flew +Followed +Fraction +Fracture +Fragment +Frederica +Freemason +Frobisher +Frostburg +Galois +Garr +Geldof +Gemstone +Genetically +Germs +Giraffe +Glendon +Glennon +Gli +Goodenough +Grado +Gratiot +Greif +Guna +Gungahlin +Gusto +Haase +Hajji +Hamed +Hammarby +Hanumangarh +Hardinge +Haunt +Hayton +Hazlehurst +Headhunters +Hebridean +Hedlund +Hempel +Henschel +Hewitson +Heydar +Hillbillies +Hilson +Hird +Hitomi +Hoge +Hopetoun +Horseracing +Hoss +Hsp +Hudgens +Hughie +Hulton +Hwa +Hypnotic +Impatiens +Incidentally +Indochinese +Indrajith +Influences +Inigo +Instance +Insurgency +Interactives +Interbank +Jabez +Jacki +Jarrah +Jessel +Joakim +Juggalo +Julians +KLove +Kansai +Kanti +Kasthuri +Kathiawar +Kathie +Kedron +Kelleys +Kersey +Kgalagadi +Khaimah +Kinloch +Knockouts +Kojak +Kozelek +Kranz +Kryvyi +Kutztown +Kwale +Kyung +Labour +Lambourn +Lardner +Leben +Lenins +Lerwick +Leticia +Levesque +Libertines +Licensee +Liege +Lierse +Littlejohn +Littlewood +Loathing +Londoners +Longitarsus +Lory +Losey +Louisbourg +Lungs +Lungu +MBTAs +Macedo +Madi +Madrasah +Magus +Mahajan +Mahia +Makarov +Makem +Mallon +Manse +Maos +Marinomonas +Marshallese +Martijn +Matanzas +Mattingly +Mauryan +Maxey +Meares +Mediacom +Meissner +Mercurio +Merman +Miamibased +Mica +Millettia +Misuse +Mitrella +Mods +Monona +Moonta +Morag +Morchella +Morpheus +Mottram +Moulay +Mugello +Mussolinis +Mustache +Naders +Naipaul +Namaqualand +Naqvi +Neocompsa +Newcastles +Newnan +Nidhi +Nighy +Nogueira +Nomura +Noone +Nostradamus +OKelly +Oeste +Olwen +Osney +Ottaviano +Outland +Oxfordian +PACs +Padstow +Pahari +Palmeiras +Panagiotis +Panna +Paro +Partnering +Pasolini +Pastore +Pata +Pedder +Pentecostals +Periodicals +Phaea +Philodromus +Phyllopod +Picchu +Pigot +Pimentel +Pittwater +Poke +Popham +Portsea +Presenting +Primates +Prishtina +Procambarus +Proserpine +Proverbs +Pseudorhaphitoma +Pursuant +Quagmire +Quins +Quinte +Rachels +Raffi +Rahi +Rapunzel +Rashida +Rati +Rattan +Raymonds +Receptor +Redoubt +Rehearsal +Reuven +Reviewer +Reyna +Reys +Rhamnus +Roel +Roopa +Rotax +Ruhuna +Sachdev +Saguenay +Salgado +Samarth +Sambora +Sandilands +Sarala +Sawa +Scent +Schlager +Scientologys +Scrope +Seaver +Seismic +Selsey +Sfax +Shamim +Sharapova +Shaukat +Sheahan +Shel +Shigella +Shih +Shing +Shirazi +Shroud +Shyama +Sil +Sirsa +Sivakasi +Slieve +Solange +Sotomayor +Sphagnum +Spitting +Sponsors +Spoonful +Spoons +Spotless +Stansbury +Statoil +Steeple +Stems +Stryder +Subscribers +Sunitha +Sunningdale +Svensktoppen +Swapan +Taehwan +Tanjore +Tattersall +Taw +Tawau +Telmatobius +Tenbury +Tensions +Timm +Tinley +Tollway +Tov +Trani +Transfusion +Treacy +Treatments +Trillo +Tsuru +Turlough +Twentyfour +Ukiah +Ulidia +Ungar +Upadhyay +Urbans +Uruguayans +Utetheisa +Vaasa +Valverde +Vanisri +Vasile +Vaults +Vectis +Veedu +Venezuelas +Vickie +Viette +Vigilantes +Ving +Vinnytsia +Vocaloid +WASPb +Wakes +Walia +Wamena +Westerberg +Westford +Whiteford +Whitstable +Whitwell +Wildest +Winterton +Witcher +Wolfes +Woodwards +Yadava +Yama +Yellowjackets +Yelverton +Zecchini abolishment accentuated activators @@ -30650,6 +67984,554 @@ winemakers wingtip wirelessly wishbone +Abbess +Africain +Agapanthia +Agus +Ahl +Aitchison +Aksaray +Albanias +Alcatel +Algol +Algona +Alist +Allegations +Alsatian +Alternaria +Americanized +Amusements +Angara +Angelus +Anish +Anjum +Ankeny +Annabella +Anschutz +Antonino +Antonis +Apollos +Apopka +Arafura +Archips +Arkady +Armley +Arthritis +Asclepias +Assara +Assessor +Astrology +Ataxia +Auditory +Avionics +Badawi +Bajaur +Balestier +Balraj +Barca +Bartels +Basalt +Batemans +Baudouin +Bawa +Beating +Bedwas +Beerbohm +Beggar +Bembridge +Benita +Bera +Berenstain +Bersatu +Bhakta +Bhonsle +Binger +Birkdale +Birrell +Blackness +Blah +Blom +Bodoland +Boida +Boreal +Boulting +Bourchier +Bovey +Bowmans +Boyden +Boyhood +Bracewell +Brahim +Bream +Brimstone +Bryants +Btype +Buckminster +Bumblebee +Bungle +Bynum +Cabramatta +Cadair +Caernarvon +Cafeteria +Cahaba +Callander +Callender +Calothamnus +Camm +Capabilities +Carlene +Carranza +Carries +Cartridge +Cassells +Castellani +Cest +Ceti +Chadic +Chandrakant +Changzhou +Cheerleader +Chera +Chiefdom +Chievo +Chilaw +Chouteau +Chowan +Cill +Cirkut +Cissy +Claymont +Clubman +Cockle +Colmar +Commandery +Committeeman +Comrie +Concordat +Confucius +Confusingly +Connemara +Considerable +Corinna +Crotalus +Cuckoos +Cultivation +Cultura +Cupwinning +Cuvier +Cybele +Cygnet +DECs +Damodaran +Danapur +Darlin +Darwinism +Daugavpils +Dede +Dehat +Deke +Derr +Devdas +Develop +Dianetics +Digging +Dirac +Directives +Djarum +Dojo +Dowell +Draba +Dravo +Duchamp +Dysschema +Eastbound +Ecclesia +Eleni +Elkie +Elmbridge +Embry +Enuff +Epilobium +Erdington +Ermita +Exploits +Exports +Fakir +Fasano +Feliciano +Ferenc +Fertility +Fetch +Filoil +Filton +Finished +Finnmark +Fiorello +Firaxis +FiveO +Floridian +Flu +Folger +Fondation +Footprints +Frakes +Freestone +GWh +Gaiden +Gallaher +Galliano +Gara +Garbarek +Garton +Gaumee +Gazi +Gentileschi +Geologically +Gerardus +Girvan +Glyndebourne +Goblins +Godiva +Goodys +Googie +Gorica +Gregoire +Grendel +Groban +Guardsmen +Gunderson +Guppy +Hailes +Hanne +Harbord +Harkins +Hartwig +Haywards +Hebburn +Heliopolis +Helvetia +Henke +Henstridge +Heysel +Higdon +Hobarts +Hoc +Hockenheimring +Hoddle +Hokitika +Holyfield +Honka +Hout +Hubley +Humphry +Hurdles +Indices +Interventional +Inuvik +Jala +Jere +Joffrey +Johore +Jop +Joys +Jupp +Jyothika +Kalimpong +Kalyanam +Karst +Kasi +Kaskaskia +Kearsley +Kelaniya +Kenyans +Kidnapped +Kilgour +Killam +Kington +Kirkcudbright +Kolbe +Koller +Kongsvinger +Koreanborn +Krohn +Kulin +Kutaisi +Kutty +Kydd +Lacroix +Lambie +Langat +Langlade +Laszlo +Lauro +Leads +Ledbetter +Legnano +Lehane +Leiter +Lemke +Leptomyrmex +Liard +Lifecycle +Lightfoots +Lindholm +Lineage +Livio +Llandeilo +Locsin +Longmeadow +Lorrie +Lucassen +Luci +Maciej +Mahalakshmi +Maho +Mainframe +Malpas +Manius +Manjrekar +Manzini +Maradona +Mase +Maspeth +Mati +Maturin +Mechanisms +Meester +Mehsana +Melt +Memento +Merchandising +Mercyful +Merlot +Merrimac +Merz +Michelson +Midvale +Mie +Millersville +Millsaps +Mitigation +Montville +Moorman +Morrish +Mourne +Moye +Moyles +Mukomberanwa +Mullens +Municipio +Mur +Muri +Murrell +Murrieta +Mustaine +Mutation +Muto +NOx +Naguib +Narayanganj +Nationaal +Natya +Nazca +Negotiation +Nerf +Nestle +Neubauer +Neurosis +Newmark +Ninians +Ninoy +Nod +Noh +Nonsense +Norbury +Oberhausen +Oddie +Oden +Ongar +Ophiuchus +Oppland +Orestes +Orgy +Orthophytum +Oskaloosa +Pagar +Palaemon +Palli +Pando +Papeete +Passer +Pawley +Peay +Peconic +Picador +Playstation +Playwriting +Polygamy +Porcaro +Postlethwaite +Pranab +Prayag +Praying +Previews +Proby +Profiler +Programmable +Psych +Pursuivant +Putih +Puzzles +Quartets +Rabun +Rachelle +Ragnar +Rajneesh +Rappaport +Rastafarian +Ratcliff +Rationalist +Rauma +Ravalomanana +Raving +Reformists +Renewables +Renfro +Reported +Resin +Reubens +Rickards +Ridel +Robber +Romanianborn +Roney +Ronin +Ronnies +Rooftop +Royton +Rozelle +Rumex +Sahil +Sains +Salto +Salzman +Samnite +Sano +Sanpete +Sassy +Savoia +Scam +Scattered +Schleicher +Scholes +Schwann +Scientologists +Scobie +Scottie +Screwed +Sedbergh +Seeman +Sela +Seletar +Seu +Shahbaz +Shakes +Shankill +Shares +Sherrod +Sidekicks +Siebel +Siler +Simultaneous +Sisson +Sleepers +Smarter +Smithereens +Sonipat +Sort +Sowell +Spall +Spano +Spinney +Spinola +Springtime +Sproul +Spyker +Sqn +Staffs +Stenson +Stocker +Stoops +Subtitled +Suisun +Sumer +Suncoast +Surveying +Sutlej +Symington +Taiz +Tamblyn +Tangail +Tangara +Tanzer +Thora +Torben +Transmissions +Trinitarian +Tripping +Tumble +Tunde +Tuya +Tyrants +USMexico +Uintah +Ultron +Ulverston +Unley +Unsigned +Unsolved +Updates +Uppingham +Uruk +Vachon +Valance +Valeri +Vandellas +Varuna +Velma +Verbandsgemeinde +Vetigastropoda +Vidalia +Viennas +Vim +Volpi +Vostok +Wadden +Waimea +Walkden +Wallaby +Watches +Waterboys +Waynesburg +Widmark +Wieland +Windus +Winsford +Wongs +Wyllie +Wyverns +Xanthophyllum +Xiaomi +Yaar +Yadadri +Yalta +Yaroslav +Yorkshires +Younis +Zagora +Zan +Zoltan addressable affix agreedupon @@ -30721,7 +68603,6 @@ egglaying egress emphatic emphysema -ep eradicating erupt estrone @@ -30738,7 +68619,6 @@ flavonol flocked forceps foreshortening -fourthrate functionary fundus genericized @@ -30764,7 +68644,6 @@ honeydew humiliated hydroids igniting -iii ileum illegality illuminates @@ -30795,7 +68674,6 @@ lira lodgings luteus lynchings -mL madam magistracies majorly @@ -30829,7 +68707,6 @@ nullification numismatist nutans obtusa -onegame onthefly operettas orangeyellow @@ -30943,6 +68820,549 @@ utero velutina womanhood worstcase +Abarth +Acalyptris +Acehnese +Acromyrmex +Adobes +Adrianus +Aglossa +Alamgir +Albanys +Aled +Alida +Almshouses +Alphen +Alpheus +Altadena +Alvar +Amazoncoms +Ameen +Americus +Amerila +Amuro +Anau +Andersens +Anfield +Angamaly +Angling +Anopina +Anupama +Araneus +Arcane +Archivist +Arianism +Arkadelphia +Armaments +Arthrostylidium +Asaf +Athos +Atsushi +Auchinleck +Aunty +Babasaheb +Baha +Bail +Bairds +Balloons +Bampton +Bandundu +Bano +Bargaining +Barilius +Barret +Basins +Beachs +Beggs +Bendel +Beret +Berlanti +Bernier +Biao +Billabong +Blakeley +Bledisloe +Bliges +Blockheads +Blumhouse +Boateng +Bogra +Bohra +Boiled +Bore +Bosse +Botley +Bottomley +Bovell +Bracks +Brainstorm +Brash +Brauer +Braxtons +Breau +Breitbart +Brianza +Bridgford +Brom +Bronxville +Brownstown +Bruckheimer +Bryden +Budden +Burgenland +Buteo +Cabrini +Cadman +Cambodias +Carrigan +Casals +Cawdor +Chainsmokers +Chancellery +Chaosium +Cheesman +Chenab +Chicana +Chieftain +Chiron +Chishti +Chithra +Chrissy +Chronicon +Chryslers +Chunichi +Circassian +Colusa +Connally +Constructive +Coolio +Copperhead +Coquille +Coralliophila +Corliss +Corzine +Cotillion +Counterpoint +Cour +Croom +Cusick +Cybernetics +Cyrene +Dagblad +Dahmer +Daisuke +Darkly +Darna +Darragh +Davila +Decency +Demetrios +Dewitt +Dinsmore +Diogenes +Discussions +Dogtown +Dressing +Dufour +Dumping +Durai +Edexcel +Editore +Efron +Egans +Eightball +Elamite +Eldritch +Elland +Elst +Elva +Endymion +Equally +Eskdale +Esprit +Euploea +Europop +Eutaw +Faiz +Fashioned +Faure +Fenland +Fermoy +Fernwood +Fetish +Firecracker +Flynns +Flynt +Forestville +Forgiveness +Forres +Fourah +Francos +Franziska +Freedmen +Frenchtown +Frickley +Fritillaria +Fulwood +Gade +Galahad +Galston +Gargoyle +Garman +Gaspard +Gayathri +Gazipur +Gellar +Gennady +Gianna +Gigantic +Gildas +Glenrothes +Goldfield +Goniobranchus +Gowdy +Greenlands +Greenwalt +Greymouth +Grob +Guianan +Gunton +Gwaii +Hansens +Hanshin +Hanworth +Harri +Hasse +Hatta +Hawken +Heisei +Helden +Hemet +Highwood +Hikaru +Homage +Hoppe +Houlton +Hulls +IISc +IPark +Ignace +Illyria +Ilyas +Imagery +Imperfect +Infineon +Interference +Intl +Iranianborn +Irby +Jeanine +Jinan +Jitsu +Jodrell +Joeys +Jordanoleiopus +Josey +Juelz +Juggernaut +Junee +Kah +Kaif +Kajang +Kalev +Kalyana +Kaman +Kashgar +Kavanaugh +Kazuo +Kerkrade +Kerslake +Keynote +Kharbanda +Khurana +Kiara +Kilian +Kirsch +Klinghoffer +Kobalt +Kooyong +Koshi +Kosovos +Kotecha +Kothi +Kramers +Krishi +Kudumbam +Kuki +Kuku +Kut +Kwun +LANs +Labeling +Ladner +Lamoureux +Launching +Lavaca +Lavington +Laysan +Leytonstone +Licks +Lietuvos +Lifford +Lindelof +Linville +Lionhead +Lofthouse +Longworth +Loni +Lorber +Ludlum +Lullabies +Lynbrook +Macrocheilus +Madog +Magar +Maggies +Magnuson +Magruder +Maka +Mannings +Mansfields +Martineau +Massy +Matz +Meagan +Medications +Meola +Mermaids +Midwives +Miko +Miltochrista +Miscellany +Modell +Mogollon +Mohawks +Moroccos +Moroka +Mortar +Moruya +Muara +Multiculturalism +Munoz +Murtala +Murtaza +Musicology +Myoleja +Myriad +Namib +Navotas +Necro +Negroponte +Neopagan +Nephew +Neston +Newchurch +Newcomen +Nikolaj +Niranjan +Nnamdi +Northville +Novelli +Numero +Obsessed +Olivares +Olympisch +Omans +Ona +Ordre +Ori +Orla +Osmose +Ouagadougou +Paich +Pandyan +Pangio +Parasite +Parkhead +Pars +Patrols +Peltier +Penicuik +Pentecostalism +Perdita +Periodical +Perrins +Petworth +Piemonte +Pierpont +Pigface +Pininfarina +Polak +Polygrammodes +Polyommatus +Polypoetes +Ponta +Predictive +Pressed +Priesthood +Principia +Progreso +Pseudoalteromonas +Publicaccess +Purves +Pusat +Putative +Quackenbush +Quintero +Rainham +Rainwater +Randhawa +Ranelagh +Rashidun +Regum +Reisner +Remsen +Reserved +Reviewing +Richer +Robey +Robie +Rodd +Rosendale +Rosenzweig +Rubel +Rumba +Runnels +Ruthenian +Ryszard +Ryton +Sagal +Samberg +Sampling +Sandover +Sarnoff +Sasquatch +Sasural +Savan +Scarab +Schur +Scotstoun +Scrappy +Seaham +Seawolves +Sengoku +Sepia +Sethupathi +Shewanella +Shines +Shonen +Shotton +Silvano +Siodmak +Skelmersdale +Skyhawk +Slinger +Slingshot +Snacks +Socks +Solvay +Sous +Spices +Spook +Spurlock +Squawk +Staal +Stabia +Stadthalle +Stain +Staind +Stanislaw +Starfighter +Staudinger +Stowmarket +Strangford +Stroll +Subbaiah +Submarines +Sumatera +Superchunk +Surprisingly +Sushant +Sushmita +Suspects +Swatantra +Swatch +Symes +TSeries +Tabanus +Tati +Tauri +Taxonomy +Tearle +Technion +Tejada +Template +Tennille +Termination +Theosophy +Tibbs +Tilda +Tingley +Togoland +Tonge +Toorak +Tort +Toscana +TruTV +Truex +Tsim +Tumbler +Twentyeight +Twisters +Twomey +Ubiquitin +Ultimates +Unani +Uniondale +Urania +Urbano +Velika +Verso +Vidar +Vigyan +Viji +Villar +Vilma +Vimal +Virden +Virgilio +Virk +Wahpeton +Waregem +Weiz +Welbeck +Wentz +Westborough +Westview +Wethersfield +Whittlesey +Wiggle +Wikipedias +Winamp +Wodehouses +Wohl +Woodinville +Workhouse +Wrightson +XMs +Xenon +Yas +Yorubas +Zaid +Zavala +Zayn +Zhen +Zulia abductor abyssal accords @@ -30965,7 +69385,6 @@ batesi beater betray biotechnological -blackthroated blink bookmark bookshops @@ -31032,7 +69451,6 @@ fasciculata fatwa femoralis fivesong -fivetrack flexed floridanus fluctuates @@ -31044,12 +69462,10 @@ gagaday galactose gamebook goblin -gonadotropinreleasing gonorrhea gorgeous granuloma graveyards -grrrl hairdressing handbag handbuilt @@ -31086,7 +69502,6 @@ leishmaniasis lexicography licks looming -ltd madrigals mbira medievalist @@ -31139,7 +69554,6 @@ prolongation prophesied proverbial psilocin -queuing quickest ramming raspy @@ -31206,6 +69620,597 @@ walrus watchers youll zircon +AList +Accurate +Ackley +Ackroyd +Addict +Aegina +Africanist +Afterschool +Ahir +Ako +Akrotiri +Aktobe +Albino +Alitalia +Alleppey +Amb +Ancoats +Ange +Angelesclass +Angeless +Anika +Apatow +Aravalli +Arcangelo +Archeologist +Archway +Arecibo +Argentines +Ariake +Arithmetic +Armchair +Arto +Aughrim +Austrasia +Availability +Avram +Awe +Aycliffe +Ayu +Azerbaijanis +Azov +BCom +BSkyB +Baa +Backs +Bahl +Bainimarama +Bajpayee +Baka +Baked +Balancing +Balkenende +Banc +Bardon +Barna +Batrachorhina +Bde +Beatle +Bedard +Beekman +Belladonna +Belleview +Bensonhurst +Beslan +Bessarabian +Bettencourt +Bevis +Bhandara +Bhargava +Bhuvanagiri +Biggers +Bijnor +Billa +Bingen +Bjarne +Blanks +Bloodstone +Boars +Boe +Bolkiah +Borrowdale +Brazilianborn +Brickyard +Brittney +Bronzeville +Brookmeyer +Brotha +Brunet +Brunswicks +Buch +Bueng +Buffet +Butkus +Butlins +Bytes +CDonly +Cadfael +Cadre +Caesariensis +Caird +Calderon +Camargo +Canarium +Candi +Canopus +Canyonlands +Caos +Capable +Carbide +Carel +Carnwath +Carrefour +Carthy +Catullus +Cazenovia +Cemeteries +Cera +Chahamana +Charlatans +Checkmate +Cheh +Chevelle +Chicot +Chopras +Cibola +Cipriani +Ciskei +Cittadella +Clerical +Cobar +Cogswell +Coinage +Collis +Confectionery +Confederated +Conger +Connellsville +Conners +Convict +Cookery +Coppell +Coprinellus +Coregonus +Corniche +Cotinis +Coxeter +Crains +Creepy +Cromwellian +Crucis +Cruizerclass +Cuevas +Curlew +Cyclic +DDROberliga +DEntrecasteaux +Darchula +Davi +Deeping +Defend +Dejazmach +Delfino +Demers +Didius +Distances +Dobro +Docker +Dolichopus +Dorp +Dorseys +Drought +Dugald +Ecclestone +Eichler +Eket +Ekman +Ekstraklasa +Elect +Elster +Emsland +Endings +Engelmann +Enon +Ephron +Equities +Ermine +Estado +Ethnikos +Ethnology +Eupogonius +Explosions +Faron +Fatman +Fauntleroy +Fenian +Ferriby +Fertilizer +Fidelis +Fincantieri +Flatt +Florissant +Followers +Fortuyn +Foul +Fram +Frameworks +Funnies +Fynbos +GTPaseactivating +Gabel +Gaddis +Galloping +Gambon +Garhi +Garlands +Gauntier +Gautier +Gayton +Gedling +Generali +Geta +Ghai +Ghalib +Ghose +Glencairn +Glennie +Glo +Glovers +Glynis +Golfo +Golmaal +Goodenia +Goto +Goud +Gounder +Grangemouth +Grasmere +Greener +Greeneville +Gromit +Grunwald +Guerilla +Guia +Gundry +Gurdon +Hadhramaut +Hanafi +Harpenden +Hartog +Hasbros +Hatshepsut +Hayabusa +Heirs +Hendy +Highbridge +Hilaire +Hodgsons +Holon +Homa +Homeopathy +Homeric +Homosexual +Hoorn +Hospitallers +Hotdogs +Housemates +Howley +Howson +Huntersville +Huntress +Huy +IRAs +Idalus +Identified +Ides +Igloo +Ilfracombe +Imprint +Inherent +Ini +Intercounty +Interlochen +Invited +Irvines +Ising +Ita +Jalaluddin +Jamaal +Jarrad +Jetstream +Johanson +Jonsin +Jurgens +Juveniles +Kagoshima +Kalahandi +Karlstad +Karnes +Kazakhstans +Keltner +Khandwa +Khao +Kickin +Kierans +Kilbirnie +Kingstons +Kinnaird +Kittitas +Kluwer +Knack +Knutsford +Kogarah +Koning +Kraken +Krone +Kudarat +Kumbungu +Laemmle +Lampson +Latins +Laya +Lectureship +Lentz +Levelers +Licentiate +Liddle +Liddy +Likud +Liometopum +Lithobates +Lokeren +Loris +Luangwa +Lucent +Lucrezia +Lulworth +Lun +Lure +Madhur +Maggi +Magni +Maharajah +Maio +Majoris +Malaga +Mandla +Mangold +Manilas +Mapp +Marcantonio +Margrethe +Margulies +Maroubra +Maryport +Mascarene +Masham +Mastery +Matteson +Maus +Mayville +Medved +Mehmed +Menno +Merina +Metagaming +Meza +Miletus +Minsky +Mis +Mistletoe +Molo +Moorestown +Mounts +Muldaur +Musca +Muster +Myagdi +Nain +Nando +Naumburg +Nay +Netechma +Nightwing +Nika +OSGi +Obafemi +Ohlone +Ojeda +Okaloosa +Opposing +Optic +Oryx +Osbert +Oshana +Ossining +Otters +Oum +Outcasts +Outfitters +Overboard +Overload +Oxenford +Pacemaker +Paku +Palasport +Panels +Pangea +Papaipema +Papar +Paramara +Parkins +Parrett +Parvin +Pastrana +Pastures +Peacebuilding +Pendidikan +Pengiran +Percina +Petrified +Pheasant +Picket +Picking +Pies +Pini +Piston +Pittosporum +Platypus +Pollachi +Pontifex +Poppin +Portuguesa +Prafulla +Preet +Preeti +Presbyteries +Primeval +Prog +Projectors +Prouty +Proximity +Putera +Pycnonotus +Rampurhat +Readington +Reasonable +Rebuilt +Recanati +Received +Reicher +Relation +Reveille +Reykjavik +Ridin +Rimbaud +Ringway +Roache +Roadies +Rockcliffe +Rodda +Romany +Romberg +Rosalia +Rothko +Roussel +Roza +Rudman +Russulales +Rutilus +Rydberg +Sacra +Sait +Salems +Santanas +Santino +Sap +Sappho +Sarno +Satyrium +Scarpa +Schaffner +Schertzinger +Schlegel +Schoen +Senapati +Sevlievo +Sharat +Sheaf +Shenley +Shopper +Shor +Sieg +Sinise +Slammers +Slavonia +Snook +Sooty +Spaceship +Sparkman +Spent +Sreedharan +Stash +Steins +Stinger +Strathspey +Suffer +Suitcase +Sukhumi +Sunfish +Sunnybank +Sunrisers +Susi +Suspended +Swarna +Swindell +Symetra +Symon +Taher +Talibans +Tammi +Tandridge +Tanis +Tano +Tantalus +Tatler +Taytay +Technologist +Teflon +Tekken +Tells +Templeman +Tenkasi +Tennesseebased +Tern +Terran +Tetra +Teviot +Thematically +Thibault +Thomond +Tigard +Tighe +Tishomingo +Tiwa +Todo +Tolman +Tomy +Tonka +Toraja +Touching +Transferred +Trastevere +Tripolitania +Trixie +Tushar +Twenties +Twig +Uralic +Uzbeks +Vallee +Vamps +Vasanth +Venstre +Verus +Villalobos +Vindhya +Vini +Vow +Vyjayanthimala +Waitangi +Wanaka +Warnock +Waxahachie +Weems +Whitehurst +Whiteland +Whoopee +Wickliffe +Wilbraham +Willimantic +Wirtz +Wismar +Wunderlich +Yakult +Yancy +Yitzchak +Youtube +Yudhoyono +Zanthoxylum +Zinta +Zook actinobacteria admissibility adoration @@ -31296,7 +70301,6 @@ doorstep dreamed dwarves earthboring -eightstory electrolytes employability enantiomer @@ -31528,10 +70532,633 @@ warmed whist wry xenon -yachtsman yak yellowwhite -za +ATVs +Aashiqui +Abaco +Abbe +Abdelaziz +Abenaki +Academicals +Adina +Afterglow +Agri +Ahmose +Akhilesh +Algorithmic +Altamira +Ampex +Anis +Anjunabeats +Ankit +Annona +Anomaly +Anthea +Antisemitism +Anusha +Apology +Apte +Aquilae +Arenig +Armatrading +Ashbrook +Atyrau +Auburndale +Audioslave +Aue +Aux +Azerbaijans +Badshah +Baglan +Bairnsdale +Baksh +Balarama +Balla +Banat +Bangsamoro +Barrick +Barrons +Baugh +Beeman +Beja +Belfort +Belfry +Belgic +Bellas +Bengt +Berets +Bergens +Berkut +Bewitched +Bhaktapur +Bhatts +Bikers +Blakeslee +Blas +Blitzkrieg +Bobble +Borger +Bori +Borrow +Bostwick +Boswells +Botham +Bottles +Bountiful +Braff +Buhl +Bung +Burhanuddin +Buttes +Butthead +Byington +CBo +Cabal +Cages +Cambio +Campanella +Canso +Captainclass +Carmack +Carolin +Cartmel +Carus +Carved +Cascading +Castellana +Celluloid +Centraal +Charlois +Chattooga +Checkpoint +Cheeks +Cheonan +Chers +Chesters +Chinle +Choke +Chumbawamba +Cincinnatus +Cinnyris +Cisticola +Clarice +Clarksdale +Clea +Cleave +Cleves +Coadjutor +Coalfields +Coatesville +Cognac +Coleg +Colston +Connoisseur +Conny +Conshohocken +Containers +Contests +Contraband +Cookham +Coorparoo +Coro +Covenanters +Cremorne +Crossed +Crucial +Culebra +Curved +Cushings +Cybill +Cynwyd +Daiichi +Dammam +Danio +Databases +Daulat +Decameron +Deena +Deferred +Deficiency +Delicate +Demento +Desulfovibrio +Determination +Detlef +Devious +Devos +Dexys +Diebold +Disengagement +Displaced +Dolabella +Domains +Donmar +Douglasfir +Downingtown +Downriver +Drawings +Drews +Drifter +Dryburgh +Duckling +Dunst +Duplass +Dwivedi +Ecco +Edsallclass +Eger +Egil +Ehud +Eleocharis +Eliminator +Elmham +Emigration +Encouragement +Enlarged +Enrichment +Equilibrium +Erne +Errington +Erythrina +Eugenius +Euripides +Evangelistic +Evermore +Exempted +Fabrics +Fairley +Fairlight +Falkenberg +Farias +Faridpur +Federals +Felda +Fernandina +FiOS +Fidler +Fishs +Fletcherclass +Fling +Flodden +Fodder +Folklife +Fourthseeded +Fratelli +Frohman +Fronted +Fullarton +Gatiss +Gaudet +Geel +Gelb +Geologist +Gero +Giamatti +Giglio +Gilia +Gilligans +Gillman +Gladwell +Globemaster +Gogol +Golkar +Goodell +Gooden +Gorse +Greenstone +Grusin +Gunz +Gynt +Hadron +Hairston +Hallamshire +Hamster +Hansford +Hayford +Hebe +Hed +Heisler +Hermosillo +Hick +Hilarographa +Hildreth +Hillis +Hiltons +Hina +Hobie +Hodgkin +Hollandia +Holloman +Holroyd +Hotshots +Housewife +Idlib +Idriess +Ignorance +Improvised +Inmates +Internationaux +Itch +Jalore +Jamali +Janina +Jassim +Jayasuriya +Jokerit +Joly +Joplins +KPop +Kadina +Kaiserliche +Kalb +Kamarupa +Kamini +Kaminsky +Kanchan +Kandel +Kanin +Kapiti +Karenina +Kassa +Katchi +Katoomba +Keillor +Keratin +Kevan +Keyboards +Keyhole +Khoo +Kidnapping +Kier +Kii +Kilby +Kio +Kipper +Kirkstall +Kissingen +Klass +Klee +Kloss +Knuckle +Kojo +Konica +Koraput +Kresge +Kudo +Kudus +Kum +Kuru +Kutai +Lamine +Laney +Larchmont +Larrys +Laverton +Leesville +Lemmings +Lemos +Lepiota +Lepus +Levys +Ligaen +Lins +Litt +Littlest +Longbridge +Longreach +Lowrey +Lustig +Macalester +Machel +Magma +Magoffin +Mahavir +Maliki +Mandsaur +Mannion +Manolo +Margarites +Marginal +Mariusz +Marjan +Markell +Marte +Marxists +Masaki +Mastax +Matinee +Maundy +Maxfield +Meacham +Meaney +Mehran +Melese +Melfort +Memon +Merrell +Mino +Mists +Moberly +Mocha +Modula +Monicelli +Montevallo +Morgen +Morne +Motegi +Moxie +Mullally +Mullick +Muswell +Muvattupuzha +Mylapore +Nad +Napanee +Natty +Nayanars +Nazarbayev +Neagle +Netherlandsbased +Nevermore +Newsquest +Nicotiana +Nida +Niketan +Nocera +Nortons +Norwoods +Nott +Novae +Nutley +OCarroll +Oakhurst +Ohr +Oingo +Okmulgee +Oodham +Oper +Orta +Orthetrum +Ostrogothic +Otterbein +Ovarian +Packs +Packwood +Palsy +Panhellenic +Papakura +Paria +Parthenon +Partizani +Pasi +Pelita +Pelota +Performa +Peristernia +Perlmutter +Phan +Pharmaceutica +Phosphate +Pichincha +Pilodeudorix +Pollstars +Poltergeist +Polyphonic +Poste +Poynter +Prefectural +Privateer +Privately +Progression +Prospector +Prue +Pulido +Pulpit +Purdie +Purim +Pusa +PvP +Pythagoras +Queensbridge +Quickly +Quinault +Raila +Rajgarh +Ranaghat +Ranasinghe +Raphitoma +Rathmines +Raynham +Rayyan +Rclass +Recoil +Reda +Redmanizers +Regionale +Remick +Remnant +Repeals +Retaliation +Riya +Rize +RnB +Rockapella +Rockne +Roddick +Roermond +Roesler +Rosalyn +Roti +Rows +Rucka +Rukum +Saadi +Safar +Saifuddin +Sakthi +Samhain +Sandanski +Sangmu +Saraf +Sargeant +Sarika +Sarojini +Satisfied +Satna +Savino +Savio +Sayyaf +Scaevola +Schiavo +Seether +Selsdon +Selwood +Serum +Setar +Shabnam +Shag +Sharda +Sheffer +Sherbro +Shettleston +Shikoku +Siegen +Simenon +Simsbury +Singletary +Sloman +Smoot +Snetterton +Sophisticated +Sophocles +Sorbian +Soulful +Souther +Southlake +Southwood +Speakeasy +Sperling +Spivak +Sportif +Sportpark +Sprinkle +Sprints +Stanhopea +Stapp +Steinhardt +Stepan +Stix +Stochastic +Stralsund +Studer +Studley +Succeed +Suillia +Summerlin +Sumy +Sunita +Superannuation +Supranational +Suzette +Sverdlovsk +Swedishborn +Synchrotron +Tabb +Taconic +Tage +Tailors +Talkback +Tamilnadu +Tarr +Tavernier +Taxonomic +Tchaikovskys +Teardrops +Telarc +Telefilm +Temne +Temora +Tena +Terraces +Tharp +Themselves +Thika +Thoms +Thumbs +Tindall +Tippin +Titi +Tomsk +Topmodel +Torri +Tramlink +Trenitalia +Trevino +Trivium +Tupou +Turki +Uche +Ultraviolet +Ulva +Unauthorized +Unnao +Upminster +Utada +Utne +Vajrayana +Vanden +Vanni +Vendors +Venetia +Verney +Vetus +Viceland +Wakiso +Walkway +Walled +Wapello +Wark +Washakie +Wegner +Weise +Whitgift +Wilhelmus +Willies +Wizkid +Woh +Woodhall +Wunna +Xen +Xerocrassa +Xun +Yaya +Yoda +Zaccaria +Zebras +Zita +Zoya +Zutphen aborigines abrogated accumulations @@ -31573,7 +71200,6 @@ bunches canis capitulated carillon -catchfly cellcell centurys checklists @@ -31611,8 +71237,6 @@ divestment dominoes donna doubleblind -eBooks -eLearning elegy ellipsoid encrypting @@ -31666,7 +71290,6 @@ intravascular ionospheric irreducible irritability -ja justifications juts jutting @@ -31715,7 +71338,6 @@ nutrientrich occidentale ocellata offs -onemonth optimizes origine orthorhombic @@ -31833,6 +71455,603 @@ woodcuts writerinresidence yellowbrown yelloworange +AAdvanced +Abbeys +Academie +Acadiana +Accessible +Achonry +Adeles +Agate +Agonidium +Aidans +Albani +Albertsons +Aldred +Allegedly +Alquerque +Aluva +Amarnath +Amazonia +Amblin +Amblytelus +Americanmade +Amgen +Amu +Anacortes +Ando +Andronicus +Animaniacs +Apfel +Aquifer +Aras +Aristotelia +Aristotelian +Arley +Armenias +Artem +Asan +Assiniboia +Atheism +Babelomurex +Baek +Balk +Ballards +Ballon +Ballston +Bamenda +Banger +Banned +Bardi +Bartowski +Basinger +Batanes +Batok +Battelle +Beane +Beckers +Behaving +Beis +Bellerive +Belmond +Benavides +Betancourt +Bhagya +Bharuch +Bhattacharjee +Biebers +Bien +Billerica +Billions +Biohazard +Blackboard +Blackton +Blasting +Blush +Boddington +Bogus +Brahmo +Brasileiro +Brezhnev +Brightside +Brinker +Britanniae +Brittonic +Bruch +Bruna +Brunetti +Bucher +Bundesbahn +Buri +Burrow +Bururi +Buryatia +Cala +Camber +Candlebox +Cannell +Capcoms +Caribe +Carles +Carlins +Casal +Cascadia +Cassiar +Castellanos +Catanduanes +Cavell +Cdc +Cervus +Cesana +Chahal +Chaloner +Chanticleer +Chapelle +Chaykin +Cheating +Cheeseman +Chennaiyin +Chessington +Chilterns +Chivers +Chuan +Cistercians +Claridge +Cleanup +Cloris +CoA +Codd +Codename +Collen +Collings +Colmans +Complicated +Consistent +Contingency +Coolangatta +Coppolas +Cowgirl +Craze +Cremonese +Cried +Croc +Dadasaheb +Daffodil +Delores +Deoghar +Departmental +Deposition +Derbys +Derringer +Deven +DiC +Diablos +Dietmar +Digweed +Dist +Doggystyle +Doghouse +Doheny +Dominics +Donau +Donnas +Dramas +Duda +Dunford +Earned +Eero +Eisen +Elihu +Elina +Emmywinning +Ensoniq +Entre +Epiphone +Eridanus +Erlewine +Erotica +Erythranthe +Escadrille +Eurofighter +Exemplary +Explain +FMuell +Fabienne +Fabriano +Fajr +Farquharson +Farther +Fenech +Fina +Finnigan +Fishkill +Flevoland +Fluffy +Foulkes +Gaekwad +Gairdner +Garba +Gassman +Geez +Gelman +Gentoo +Georgiou +Girlguiding +Glenside +Glickman +Goblet +Goebel +Goniatitida +Gordian +Governorship +Gowri +Graber +Grasshoppers +Grazing +Greenwell +Grete +Guelders +Hadith +Hallie +Handheld +Hanes +Hanscom +Hartsville +Hasdrubal +Hati +Hazarika +Hazlitt +Hendrie +Hermanus +Herrington +Hershel +Hindle +Hogwarts +Honesty +Hopkin +Hornell +Howitt +Hunstanton +Huss +Hydropower +Igwe +Ijebu +Ilana +Imperialism +Imre +Indecent +Indication +Indrani +Informally +Iovine +Jamies +Jangipur +Jetstar +Joinville +Kadavu +Kaitlyn +Kakadu +Kandukur +Kasher +Kathrin +Keno +Kericho +Kerrs +Kevlar +Kihn +Killzone +Kirchner +Kivalliq +Koe +Kokrajhar +Koon +Koran +Kowal +Kunsthistorisches +Kuznetsov +Kwa +Labi +Ladybird +Landrum +Laon +Lass +Laz +Lela +Lenton +Lepanto +Leprosy +Leutnant +Levante +Levins +Licht +Lida +Ligure +Limousin +Linford +Linguists +Linnet +Lioness +Liter +Loeffler +Longacre +Longing +Loraine +Louisburg +Lowrie +Ludo +Lutsk +MUDs +Macross +Macrozamia +Mahasabha +Mahjong +Mahonia +Majuro +Mame +Manalapan +Manav +Mandelas +Maneri +Mangalam +Mannan +Manufactures +Mariachi +Marky +Marland +Masonry +Mathewson +Maybole +Mazdoor +Melanella +Melia +Menendez +Meridarchis +Metallurgy +Metis +Metroland +Metropolitans +Micallef +Middleborough +Mimico +Minehead +Minx +Mirfield +Miskito +Mobiles +Moccasin +Moda +Mohapatra +Momchilgrad +Mondial +Monmouths +Montauban +Montferrat +Moosa +Morality +Morrie +Muslimmajority +Mysterons +NDiaye +Nabis +Nach +Nahi +Nangang +Narborough +Narvik +Nasi +Nawabs +Nawal +Neurophyseta +Neutra +Nidderdale +Nightlife +Niklaus +Nirupa +Novas +Novelist +Noyce +Numbrs +Nuyorican +ODonnells +OFallon +Oaklawn +Obihiro +Obligation +Observance +Occurring +Offense +Optimal +Oshakati +Ouija +Overdose +Ovi +Oxyothespis +Ozaukee +PCbased +Pachuca +Padgett +Panicum +Panos +Papadopoulos +Parktown +Parvez +Pause +Pazz +Pedal +Penshurst +Pentatonix +Periods +Perkiomen +Perseverance +Persistence +Pham +Philippinebased +Phillipsburg +Pinecrest +Pinhead +Pinjarra +Plaistow +Plath +Ploceus +Pollio +Polyporus +Porterfield +Portmore +Poulter +Practically +Prater +Prefix +PresidentCEO +Procedural +Propebela +Prosecuting +Prowler +Pseudagrion +Psy +Quasar +Quitos +Raining +Rajani +Rajaram +Ramanuja +Rameswaram +Ramey +Ramsays +Randa +Randalls +Ranfurly +Rata +Raveendran +Raz +Realart +Refoundation +Reni +Reptiles +Required +Researchs +Revlon +Richies +Rickmansworth +Riggins +Risky +Robina +Rodham +Romita +Rosebank +Rosmalen +Rossum +Rost +Saari +Saath +Sabor +Sadr +Sammo +Sapphires +Sayeed +Scorchers +Seder +Segura +Selfridge +Sensibility +Serendipity +Serkis +Sesotho +Shackelford +Shand +Shenmue +Shihab +Siberry +Siddiqi +Siletz +Silvestre +Sistine +Sitapur +Sjenica +Skeptic +Skyliners +Slackware +Sleigh +Smells +Smog +Snapdragon +Solingen +Southerns +Spangler +Spann +Spend +Spengler +Srivijaya +Stare +Statesmen +Stationery +Std +Sterne +Stocking +Strouse +Sujit +Sule +Sunburst +Sunnydale +Suvorov +Svend +Swaine +Swingers +Sylvanus +TRex +Tahltan +Takapuna +Tambor +Taoiseach +Tarantinos +Tashlin +Taxila +Taza +Teardrop +Teifi +Telegraphs +Terrill +Themistian +Theobroma +Thiers +Thiru +Thitarodes +Thorson +Throwdown +Thyagarajan +Tikal +Tillie +Tir +Tokyos +Tolna +Tolon +Townsends +Trabzon +Trae +Transitions +Trappers +Tremayne +Treo +Tridentine +Trigonoptera +Troika +Tua +Tweeddale +Udhampur +Ullrich +Undertaking +Universidade +Updated +Uru +Uyghurs +Vaz +Ved +Venturers +Vikramaditya +Virginie +Vitae +Vosper +Wallpaper +Waterstones +Watkinson +Wauchope +Weatherman +Weissmuller +Werke +Whitacre +Widmer +Wilhelmshaven +Windmills +Windom +Wolesi +Wombat +Wynberg +Xanth +Xanthomonas +Yasuda +Yeast +Yeomans +Zaza +Zenit absurdity abundances accelerometer @@ -31861,10 +72080,8 @@ archrival arenaria assented aversive -ba bagel bayou -beeeater beggars betrothed bibliographer @@ -32022,7 +72239,6 @@ lepida leukotriene liberally lieutenantcolonel -lightship loa lowcarbon lowersurface @@ -32116,7 +72332,6 @@ screamed sealants seawall seaworthy -secondrate shadowed showbusiness showmanship @@ -32186,6 +72401,667 @@ windward yearsold yellowing zipcode +APCs +Aap +Abdali +Aber +Aclass +Adu +Aerojet +Afyonkarahisar +Albertina +Albirex +Alcazar +Alcester +Aldine +Alif +Alireza +Alito +Alle +Allegra +Allgemeine +Alliant +Amine +Amphibian +Angst +Anterior +Anthia +Antibes +Apocalyptic +Arana +Arendt +Arrigo +Astrakhan +Athy +Attacking +Auglaize +Awolowo +Ayyappa +Azaria +BYUs +Badan +Bahman +Baldi +Ballance +Bambaataa +Banyan +Barda +Bareilles +Barwell +Basant +Batna +Bayes +Beachwood +Bebop +Beccles +Bellefontaine +Bellman +Belmar +Belmore +Benders +Benefice +Berchtesgaden +Berra +Bestival +Beswick +Binions +Blepephaeus +Blore +Bocconi +Bogalusa +Bogdanovich +Bohannon +Bonnyrigg +Borehamwood +Borobudur +Bosman +Boudreau +Bough +Boulevards +Bowditch +Braggs +Brawlers +Bretagne +Britannica +Brookland +Bucheon +Buenavista +Buloh +Bunnies +Burials +Buriram +Buton +Caboolture +Caernarvonshire +Caines +Cajal +Callovian +Calvino +Campylobacter +Candia +Cantt +Capstone +Carberry +Caribbeans +Carls +Cashmore +Causa +Caution +Ceratitida +Chambal +Changeling +Chariots +Chemin +Chinni +Christiandemocratic +Chrysops +Chungju +Cinecolor +Civics +Clitocybe +Clydach +Cochylimorpha +Cocke +Coconuts +Colditz +Collecting +Coloradobased +Compounds +Confraternity +Congregationalists +Consideration +Copernican +Coquimbo +Cormans +Corrales +Countrywide +Craigieburn +Creosote +Creve +Crops +Crowbar +Cryptography +Cully +Cupids +Cussler +Cutty +Cuzco +Cylinder +DVDAudio +Damone +Deals +Dease +Deckers +Dekkers +Delfin +Delon +Delusions +Demise +Demographics +Demography +Density +Desborough +Descriptive +Desportivo +Devane +Deweys +Dianella +Dikhhla +Distinguishing +Dobbin +Dods +Dolo +Dolton +Donut +Downsview +Dragonriders +Dreadnought +Dreamgirls +Drusilla +Duque +ESOs +Earthsea +Eckerd +Edgars +Edu +Egyptologists +Elspeth +Embers +Enthusiast +Entropy +Epica +Erbessa +Esch +Eurostar +Everhart +Extant +Eyres +FXs +FZero +Faceless +Fagans +Farhad +Farro +Farwell +Fazenda +Feehan +Feilding +Fermilab +Ferretti +Finesse +Fireside +Flambeau +Flamingos +Floriana +Flyway +Foil +Forbescom +Foshan +Foxborough +Francistown +Freds +Frontal +Galifianakis +Gallifrey +Garia +Garrix +Gautami +Gave +Gayles +Gebhardt +Geneon +Generale +Giardino +Gilan +Gilly +Gissing +Gnosticism +Goebbels +Gog +Golem +Goodison +Gorey +Gorontalo +Gottwald +Gourock +Graig +Grameen +Gramin +Gratitude +Greensleeves +Gretsch +Gries +Griffons +Grouping +Guang +Guatteria +Gulag +Gunboat +Gynecologists +HBCUs +Hairstyling +Hala +Halden +Hamblin +Hamdi +Handyman +Haneefa +Haqqani +Harron +Haslingden +Hasty +Hayle +Headlands +Hecate +Heiner +Heliothis +Helps +Hemispheres +Herculis +Herold +Hieroglyphics +Hino +Histon +Hixon +Homemade +Houseman +Huancavelica +Hugues +Huh +Hus +Hutchence +Hvidovre +Hygrophorus +Hypsiboas +Iago +Icknield +Iconic +Iftekhar +Ikon +Ilhwa +Intef +Interferon +Isoko +Jacaranda +Jameel +Japaneselanguage +Jayanth +Jazzland +Jennys +Jeppe +Jharsuguda +Jogi +Kahl +Kanga +Keadilan +Keio +Keyshia +Khajimba +Khana +Khera +Khost +Kikuchi +Kingswinford +Kismayo +Kiva +Knowle +Kobo +Kole +Kore +Kori +Kranj +Kripke +Kwesi +Lacking +Lacoste +Lamarr +Landings +Lansdown +Laraine +Lassiter +Leak +Leblanc +Lehr +Leite +Lemhi +Leoben +Lesbians +Levadia +Leverett +Leveson +Levien +Liggett +Limniris +Littlemore +Lodha +Lolo +Lotz +Loughlin +Loughrea +Ludwigshafen +Lunatics +Lupin +Lynd +Lynde +Mackaill +Magness +Magnificat +Maheshwari +Malherbe +Mamluks +Maneater +Mang +Mangala +Mangotsfield +Manjari +Marah +Marchetti +Marci +Markie +Marlena +Marquardt +Maryknoll +Masa +Matamoros +Mating +Maur +Maw +Meaux +Melvilles +Menteng +Merioneth +Methven +Metrolinx +Metromover +Midgets +Monadnock +Montagne +Mook +Moorer +Morland +Mosca +Muffin +Mumba +Munday +Musicor +Mutare +Nacho +Naina +Naka +Nandurbar +Nangal +Nari +Natuna +Navsari +Neary +Neils +Nerita +Neshaminy +Nestorian +Ngazidja +Niamh +Nissans +Nong +Noun +ORiordan +Oakeshott +Objectives +Odawa +Offered +Offerman +Okay +Oliveros +Orchestre +Organists +Otherworld +Overcome +Overman +Paetus +Pancasila +Pandari +Pandu +Panglima +Parashar +Passamaquoddy +Pastorius +Pastry +Pathologists +Paullus +Payload +Penance +Peranakan +Perils +Perle +Pernice +Persea +Petal +Peto +Pevensey +Pharmacopeia +Phillippe +Phillis +Phlox +Phoenixville +Piave +Pieve +Pisani +Pisin +Pitjantjatjara +Piz +Podium +Policeman +Pon +Ponometia +Pontianak +Pornographers +Porteous +Preminger +Proconsul +Programmed +Puisne +Pyarelal +Quietus +Quintanilla +Raced +Rafiq +Rahm +Rajas +Rajyam +Ramiro +Randazzo +Rangiora +Rankins +Rasta +Rebound +Redbook +Redhawks +Refugio +Regrets +Restrictions +Reunited +Rez +Rhodesias +Ribbons +Rishikesh +Rishon +Risks +Riverbank +Rom +Routh +Rowlings +Rudder +Ruvuma +Ryland +Saadiq +Safra +Saintes +Saltire +Salzwedel +Samut +Sarangani +Saritha +Scaled +Schock +Schule +Schweinfurt +Scullin +Sealand +Seaways +Sebelius +Sedgemoor +Sedition +Seibel +Seldon +Selfridges +Sereno +Seria +Seventies +Shailendra +Shakir +Shakthi +Shama +Shelford +Shiels +Shorey +Sikander +Simeiz +Simplicity +Singin +Sinn +Sirohi +Sitamarhi +Skates +Skeletons +Skylight +Smilax +Smirnoff +Snark +Solna +Somatochlora +Sorting +Speyside +Sphenophorus +Spiros +Stamper +Stapleford +Starsky +Statesville +Staub +Steelworks +Stizocera +Stoloff +Stopping +Strongs +Suave +Substitute +Subtle +Sudarshan +Sverige +Swaroop +Swims +Symbiosis +Symphlebia +Tabula +Tadcaster +Taieri +Tamarack +Tanahu +Taoyuan +Tariffs +Tarka +Tarrytown +Taurog +Tektronix +Telecoms +Teletype +Terrorists +Theikdi +Theresas +Thiruvarur +Thrive +Thrower +Tiernan +Tiers +Tiwi +Tombigbee +Tomei +Torment +Tornados +Totternhoe +Tourette +Tovar +Towing +Triples +Trower +Tufnell +Tumbling +Tuomas +Tuque +Turi +Uitenhage +Ukulele +Umkhonto +Undersea +Urie +Valderrama +Vamsi +Vandermark +Vandi +Vanna +Vardar +Vast +Vasundhara +Veendam +Vent +Vertex +Vicarage +Vilhelm +Vishisht +Vivica +Vojens +Wal +Wanting +Warring +Washita +Wath +Wechsler +Werker +Whizzer +Wilby +Wisconsinbased +Woogie +Workin +Wulff +Wyatts +Wyvern +Xfm +Xizang +Yate +Zaandam +Zainab +Zamfara +Zhengzhou +Zoran abelian absences addin @@ -32277,7 +73153,6 @@ echolocation eclecticism ectodermal edgeon -eightmonth elaborates elastase elata @@ -32371,7 +73246,6 @@ militaris mineralization minibusses multigenerational -multiinstrumentalists murky mydas narrations @@ -32437,7 +73311,6 @@ selfless semicircle semiofficial sequestered -sevenpart seventeenyearold shadowing sheepskin @@ -32465,7 +73338,6 @@ succinate swirling sylvatica symmetries -syn syncretism tabbed tadpole @@ -32487,7 +73359,6 @@ treatable trickle turnip twitch -twogame twomasted ultrasonography umbels @@ -32505,8 +73376,675 @@ weta wifi winglike wrinkles -xxx yearning +ALevels +Aar +Abdirashid +Abdou +Acoma +Adequate +Adewale +Agamemnon +Agawam +Aggabodhi +Agron +Agulhas +Aigle +Aji +Alcala +Alcuin +Aldus +Alemannic +Alms +Alouds +Alpi +Amargosa +Amaryllidoideae +Ambrosius +Amel +Amiel +Amplification +Analyzes +Ananta +Andreessen +Ane +Anette +Angolas +Anke +Annestyle +Anse +Antaeotricha +Antena +Antero +Anthracite +Aphomia +Appearance +Arash +Ardern +Ardsley +Ardwick +Arghakhanchi +Arjen +Arnot +Arsenic +Arslan +Artes +Arua +Ashmolean +Assemblywoman +Asta +Astroblepus +Attard +Autechre +Autoroute +Avebury +Avesta +Ayeyarwady +Ayya +Babati +Bagong +Bainbrigge +Bakken +Balaclava +Balam +Ballyboden +Barbe +Barrhaven +Barriers +Bartletts +Bartons +Battlefront +Bauers +Bengalis +Benicia +Bertil +Betawi +Betting +Bevin +Bipasha +Birthright +Bisson +Blackstar +Bladen +Blaylock +Blizzards +Blooms +Boatswain +Bofors +Bolivias +Bonnar +Bordering +Boudry +Boulter +Bradys +Branchville +Brathwaite +Brickellia +Broadland +Brod +Buckaroo +Bulaga +Bulla +Bullhead +Bumble +Burkeclass +Bushmaster +Caecina +Caetano +Cajuns +Caldicot +Calne +Campbellton +Caplin +Carabobo +Carrack +Casablancas +Caseys +Cayetano +Centropogon +Cepheus +Chakma +Chambliss +Chameleons +Chamois +Chandi +Chariesthes +Chavis +Cheapside +Cherryh +Chiasso +Chihuahuan +Chime +Choe +Christen +Christianbased +Christiansburg +Cisalpine +Claris +Clausura +Clipsal +Cloister +Colinas +Columb +Combating +Commentator +Comptons +Computeraided +Concession +Conditional +Congeniality +Conquerors +Consecrated +Constructions +Contai +Copperas +Corlett +Corsham +Cosmas +Coulomb +Crean +Cressida +Crippled +Crithagra +Croat +Crossrail +Cuff +Cute +Cyclades +Cyprinus +Dalam +Dassin +Dekalb +Deluge +Denel +Denkyira +Departed +Dermott +Desmonds +Desperado +Dessie +Dhenkanal +Dhubri +Diamantina +Dickin +Disques +Dmytryk +Dockery +Doone +Dors +Dosanjh +Dougal +Dough +Dunkerque +Ecstatic +Egham +Eilers +Eisley +Ela +Elroy +Employer +Enabling +Encoding +Englehart +Enthusiasm +Ephrata +Epicephala +Epperson +Essel +Eternals +Eubank +Eubranchus +Euleia +Explicit +Eyez +Fabrication +Fairytale +Faustino +Fer +Filey +Fitzrovia +Flashman +Flinn +Follows +Followup +Fortier +Foundling +Frascati +Frazee +Freezing +Frenchs +Garay +Gel +Genentech +Gentiana +Gerakan +Geshe +Gigante +Gildersleeve +Ginninderra +Glycine +Gnaphosa +Goble +Godin +Gokul +Goldenberg +Goldfish +Goodspeed +Granted +Grasso +Greasy +Greenford +Grindstone +Grus +Guillory +Gumball +Gundy +Gutman +Haar +Halfpenny +Hallandale +Halliburton +Halos +Hardings +Harlech +Hartigan +Hartwick +Harvie +Haryanvi +Hatley +Haul +Hausdorff +Healdsburg +Hednota +Heilbronn +Hemi +Highmore +Hippocampus +Holdens +Holter +Holtzman +Hoodlum +Hooton +Horvitz +IKiribati +Ibbotson +Ilias +Illuminati +Imani +Inauguration +Incomplete +Inducted +Inertia +Injustice +Insulin +Intelligencer +Interconnect +Intermedia +Interrupted +Intramuros +Ione +Irshad +Isar +Ittihad +Ivie +Jaane +Jammin +Jaroslav +Javascript +Jebb +Jennette +Jerrod +Jerusalems +Jewison +Jordy +Jumla +Kailahun +Kakkonen +Kashima +Keely +Kelvinside +Keselowski +Keynsham +Khufu +Kickoff +Killin +Kindler +Kling +Konstanz +Koppal +Kotzen +Kriol +Kubert +Lacerta +Lakin +Lampert +Landed +Lannan +Lattice +Learjet +Leeuw +Legionnaires +Levert +Liaquat +Libertys +Lienz +Lightyear +Lindquist +Lint +Lites +Llantrisant +Loader +Lodovico +Logansport +Lucifers +Lutterworth +Lyng +Lyngby +Maanila +Macrocoma +Magan +Maglaj +Mahima +Mahnomen +Maina +Majik +Manavgat +Mandopop +Manes +Manis +Marchese +Marchi +Marchioness +Margareta +Marjory +Marquesses +Marron +Marvell +Mathai +Mathilda +Meda +Medics +Mendi +Mensch +Merckx +Merwin +Microelectronics +Milani +Mildmay +Milecastle +Millan +Millennial +Minho +Minty +Mirada +Misano +Misericordia +Misia +Modo +Molder +Molecule +Molino +Mordialloc +Moros +Motto +Mourad +Moustafa +Movimento +Mowgli +Mowry +Mstislav +Mula +Mulla +Mundell +Musgrove +Myosin +NYUs +Nacionalista +Nagas +Nanna +Naomh +Nasik +Nazaire +NeXTSTEP +Nemapogon +Neurons +Neuwirth +Newar +Newsworld +Nicolay +Nicolet +Nieves +Noa +Noland +Noni +Normandie +Notified +Nujoma +Nukufetau +Nunthorpe +Nyerere +Oatley +Ober +Obscure +Obstetricians +Obuasi +Offas +Olmec +Omnia +Orci +Oreophryne +Orleansbased +Osmia +Otahuhu +Otranto +Ottavio +Outing +Padakkama +Palouse +Pandiarajan +Panettiere +Pannonian +Parasol +Parel +Parody +Pasternak +Paterno +Payneham +Peewee +Pentre +Penza +Petrograd +Phalaenopsis +Pichel +Pickups +Pillay +Pinterest +Pittsburghbased +Platts +Plies +Plush +Polanco +Politecnico +Powerman +Prebble +Prevlaka +Principales +Prionapteryx +Ptychadena +Pudong +Puebloan +Punchbowl +Quahog +RCAs +RNAi +Raad +Rachana +Rackham +Radiorama +Redbacks +Ree +Reimann +Reisterstown +Relatives +Renny +Replication +Retinal +Reva +Reynaldo +Rhubarb +Riverboat +Rivkin +Rockman +Rohe +Romanum +Rootes +Roscoea +Rothrock +Rounders +Router +Ryanair +Sabarimala +Sahi +Salesforcecom +Saliva +Salters +Saluzzo +Salvi +Sampras +Sanctions +Sapna +Sarasvati +Sathish +Scanning +Scottsville +Selah +Senayan +Septoria +Serdang +Serpens +Serrata +Servite +Sesay +Seto +Sewerage +Sharmarke +Sharpless +Sheree +Showboat +Shyamalan +Siro +Skerritt +Skowhegan +Skyfall +Skyrunning +Sliders +Slowdive +Smirnov +Snatch +Snicket +Soliman +Sonal +Soundcloud +Southdown +Southwold +Speculation +Sprouse +Squalius +Squirrels +Steinmetz +Stiletto +Stockard +Storie +Stouffville +Strood +Subordinate +Successive +Sulayman +Sumit +Sundazed +Suppliers +Supra +Surfin +Swagger +Swartzwelder +Swastika +Sweetest +Symplocos +Tainted +Takei +Tamora +Targeting +Teasdale +Tehsils +Telescopes +Temasek +Theridion +Thesaurus +Thumper +Tic +Toccoa +Tolliver +Toss +Townend +Trak +Traviss +Tributaries +Trimeresurus +TuS +Tungsten +Turco +Turlock +Tutti +Twelver +Uccle +Ukrainianborn +Umbrian +Undone +Undrafted +Universitatea +Upernavik +Vala +Valentinian +Valeriy +Veliko +Verdon +Voltron +Waccamaw +Wades +Waimakariri +Warszawa +Wartburgkreis +Watcher +Waterpark +Waterson +Wenger +Westenra +Westheimer +Whitmire +Whiz +Wig +Winnsboro +Winstead +Worf +Workbench +Wrapped +Wrens +Xingu +Yakutia +Yanks +Yannis +Yarn +Yassin +Yelawolf +Yeoh +Yisroel +Yokota +Yuvraj +Zarina +Zatrephes +Zhuang +Zions +Zubin admire aeromedical afoul @@ -32517,7 +74055,6 @@ alternator ambiance anadromous anisotropic -antiCommunist antidoping antiestablishment antiimperialist @@ -32603,7 +74140,6 @@ duller dumpling duplicating egregious -eighthour ellipsis embezzling encirclement @@ -32624,7 +74160,6 @@ featurefilm ferox fifteenyear fiftyfour -firstrate fivepointed flaring flatfish @@ -32645,12 +74180,10 @@ glucocorticoids gneiss gongs goto -gp hadrons hainanensis hairdressers handnumbered -handsfree headman headmasters heartwood @@ -32813,9 +74346,7 @@ seriess shampoos shippers shootouts -shouldnt sittings -sixhour skullcap slumping smoothbore @@ -32847,9 +74378,7 @@ tabby tailors tallgrass telescoping -tenpart testacea -thirtyyear threedigit tigris tins @@ -32880,6 +74409,693 @@ woodcock wrasses xanthine yrs +Aardvark +Abiola +Abundant +Adebayo +Adige +Adlers +Advertisements +Afropop +Agape +Agoura +Ahli +Akai +Alanya +Alauddins +Alborz +Alexi +Allegory +Alleyn +Alltel +Alpensia +Alturas +Alvord +Ambo +Amidst +Amram +Amstetten +Analyzer +Andress +Anglesea +Annularity +Ano +Anthus +Antica +Antipodes +Araki +Aranmula +Aravindan +Arawak +Arbaaz +Archetype +Aristides +Asinius +Asking +Aspyr +Asylums +Asymmetric +Athlon +Attilio +Austar +Austroaeschna +Aviemore +Axholme +Aylsham +Ayman +Ayreon +Bagwell +Balzac +Bandhan +Baranya +Barford +Barnala +Barpeta +Baskervilles +Bcl +Bearsden +Beecroft +Belizes +Belltown +Bellwood +Bergs +Bernes +Betjeman +Biehn +Biking +Bilecik +Blankenship +Bleeker +Blepharomastix +Blumenfeld +Bocas +Bodega +Boltzmann +Boma +Boosie +Boosters +Boren +Borsa +Bowring +Brading +Brahmi +Brar +Briarwood +Broadside +Brownies +Brummels +Brutalist +Buddys +Bullion +Burbage +Buss +Buzzy +CPAs +Calamagrostis +Calculation +Calderwood +Caltrans +Campinas +Carpentier +Carrom +Cason +Catt +Chaetodon +Chaired +Challenging +Chandrashekhar +Chans +Chapeltown +Charon +Charsadda +Chatra +Chaya +Cheaper +Chhatarpur +Chiller +Chilo +Chloropaschia +Choudary +Christer +Cimino +Civilized +Clarenville +Clavatula +Claymores +Cochrans +Colchagua +Collage +Collectibles +Columnist +Commanded +Conlan +Contagious +Cooler +Corelli +Coronary +Corpses +Corregidor +Corstorphine +Courteney +Cracknell +Cragg +Cranshaw +Crieff +Crookston +Cruzs +Cyd +Cygwin +Daenerys +Daggers +Dahlonega +Dalen +Dapper +Deceased +Deceit +Deepavali +Deity +Deleuze +Delhis +Democracies +Dentist +Desires +Deveraux +Dhankuta +Dianas +Digges +Dilbert +Dimmu +Dimond +Dinsdale +Dis +Distilleries +Dodgeball +Doggy +Dort +Downloads +Drexler +Dubstep +Dunedins +Duster +Eakins +Eastons +Eberron +Econometrics +Ecosystems +Effectively +Elling +Elston +Elverum +Emersons +Enchanter +Encouraged +Endocrine +Enthusiasts +Enver +Epitome +Estabrook +Estonians +Ethereum +Europaea +Eveleigh +Everyones +Explanatory +Ezrin +Farallon +Fedor +Fejervarya +Fenix +Fennoscandia +Ferg +Fiori +Firebrand +Flay +Fleetway +Fleischman +Fogle +Fons +Forgot +Fought +Foxton +Franchi +Fraserburgh +Frenkel +Frostbite +Gada +Gaddafis +Gaillard +Gallura +Garners +Gatto +Generators +Georgy +Gershwins +Ghatak +Ghaznavid +Gimli +Ginuwine +Givira +Gloom +Gode +Goulet +Greely +Greet +Grieco +Grigg +Grisons +Groen +Groundhog +Haberdashers +Habersham +Harington +Harmonica +Harrisville +Hassett +Hassle +Heats +Heavyweights +Helton +Heriots +Herschell +Heterobranchia +Heung +HiNRG +Hierarchical +Highline +Hilly +Hipparcos +Hirt +Hockessin +Holi +Horbury +Horden +Hornung +Hosmer +Humbert +IEDs +Ido +Idrettslag +IgA +Imbruglia +Impacts +Inactive +Infante +Infocoms +Inpop +Intentional +Interpreting +Intersection +Interventions +Inti +Involvement +Irresistible +Islamism +Ixora +Izvorul +Jakobsen +Jaleel +Japanonly +Jehu +Jelle +Jeollabukdo +Jeollanamdo +Joneses +Jongun +Josefa +Joule +Kabila +Kalevi +Kalman +Kanak +Kanya +Kardinal +Kardinia +Karno +Kasba +Kavango +Kazimierz +Kelana +Kensal +Kernow +Kerouacs +Khor +Kigoma +Kintetsu +Kirin +Kisei +Kiyoshi +Koel +Kor +Kotla +Kotte +Krugman +Kunzea +Kushan +Lackland +Lacus +Lag +Lakehead +Langit +Lasius +Lemoine +Liman +Limbs +Linnea +Lipid +Lithia +Llandrindod +Loewe +Longridge +Luff +Lumumba +Lupa +Lusitania +Lute +Lythgoe +Maddow +Madhava +Magelang +Mando +Marscrosser +Martz +Marxian +Masti +Matheny +Mattoon +Mediabase +Medic +Melfi +Mels +Merseburg +Merwe +Mexica +Micheaux +Mickelson +Middlefield +Millersburg +Millsboro +Minions +Miskolc +Mistaken +Mistakes +Mogis +Monastic +Moncrieff +Monferrato +Moorgate +Morpho +Mothership +Motorcyclist +Motoring +Mouser +Muang +Muhamad +Mukundan +Mulwaree +Mumbles +Murexsul +Murton +Mythimna +NWAs +Nagaon +Nahum +Narciso +Nardi +Nast +Natali +Nautors +Neftchi +Nei +Nelspruit +Nemeth +Nemoria +Nenagh +Neoproterozoic +Neotropic +Netley +Nevermind +Nisqually +Noli +Nongovernmental +Nonproliferation +Noodles +Novena +Nowshera +Nunawading +Nutritional +Nyanga +Nymphs +Oboe +Offerings +Ohangwena +Onions +Optima +Oribose +Orientalist +Origami +Orloff +Orlov +Oruro +Otay +Oudenaarde +Ouya +Owo +Oxide +Paice +Palika +Palisa +Palisade +Palloseura +Pantages +Pascack +Patrizia +Paya +Pearland +Peden +Pedigree +Peris +Pesci +Phinney +Phishs +Physicist +Pind +Pipelines +Piyush +Plautius +Polito +Ponti +Pontibacter +Porthcawl +Portlandbased +Pratinidhi +Preferential +Prelature +Preparations +Preparing +Primorsky +Privateers +Processors +Programmer +Psychosis +Pterocalla +Ptolemys +Puccinia +Pumpkinhead +Puneet +Qaboos +Qualitative +Quarto +Quicksand +Quilon +Quist +Raaz +Radin +Raes +Raha +Ramchandra +Rattigan +Ravinder +Rawle +Recopa +Recto +Redbirds +Reggina +Reichert +Reidsville +Renan +Rendering +Rentals +Repeated +Responding +Rethinking +Revenant +Rhaetian +Rheostatics +Rhian +Riddles +Riesling +Ringworld +Ritchey +Rives +Roadkill +Roam +Robichaud +Rohtas +Romesh +Rosamond +Rrated +Rump +Rupees +Rushmoor +Rushville +Ruy +Rwenzori +SSRIs +Saikia +Sailfish +Salmo +Salty +Sanaag +Sankhuwasabha +Sanpaolo +Santley +Santosham +Sanusi +Sarat +Sayreville +Scenario +Scotinotylus +Scripting +Seabiscuit +Seagrave +Seamens +Sedley +Seekonk +Seeland +Sequencing +Severance +Shebib +Shepley +Sheridans +Shiban +Shimer +Shira +Shivers +Sidecar +Silat +Silvas +Sirisena +Siu +Siumut +Skeletal +Slipstream +Snug +Soldati +SonyATV +Souci +Spangled +Spells +Sponsor +Sponsorship +Sportsperson +Sreelatha +Standardized +Stanway +Stardom +Starfire +Starman +Steamtown +Stenoptilia +Stereogum +Stritch +Stromberg +Strudwick +Styne +Subsidiary +Sumeet +Sunnybrook +Sunraysia +Svay +Swaffham +Sworn +Synoptic +Tablas +Taffy +Talbots +Tallman +Tamang +Taounate +Tapan +Tarache +Tegula +Tehri +Tencent +Tense +Terrane +Teslin +Theotokos +Thera +Tice +Tiempo +Tightrope +Tola +Tolstoys +Tomahawks +Tomasi +Topology +Towle +Transports +Trapania +Tray +Trevi +Trucking +Tule +Turquoise +Typewriter +Unconditional +Utahbased +VIIs +Vaikundar +Vandana +Vclass +Vices +Victorianstyle +Vieques +Vitaliy +Vitti +Volkov +Volos +Waffle +Waid +Wallet +Warde +Wargames +Warrants +Waseca +Watermark +Watterson +Webley +Wey +Whakatane +Whore +Windfall +Winnipesaukee +Winx +Witbank +Wolpert +Woodgate +Workflow +XPath +Yakama +Yanow +Yelp +Yerkes +Yoni +Yoram +Yusuke +Zeeshan +Zhuge +Zulus accumulator aeration afrobeat @@ -33001,7 +75217,6 @@ ecclesial ectomycorrhizal egalitarianism elastin -elevenyear embryology emirates emulsions @@ -33045,7 +75260,6 @@ hereafter highfidelity holidaymakers homemaker -hr idolatry illuminator inapp @@ -33101,7 +75315,6 @@ monopolistic motets motivates mulch -multipletime multisensory nandrolone nearfatal @@ -33178,7 +75391,6 @@ shaders sigmoid singh sixpence -sixthyear sixtythree skirting slaughtering @@ -33210,7 +75422,6 @@ telluride temnospondyls terrific terrified -thCentury thirteenthcentury threedecker toponymic @@ -33242,8 +75453,745 @@ winegrowing wineproducing wondered worded -yo zamindars +Aage +Abkhazian +Accompanied +Actuarial +Acupuncture +Adopted +Aetius +Affective +Afshar +Agder +Agence +Airship +Airway +Akaflieg +Akiyoshi +Alamosa +Albus +Alpen +Alteration +Alternately +Altiplano +Americano +Ammo +Amoeba +Anacithara +Animator +Anirudh +Anjelica +Anonychomyrma +Anytime +Appraisal +Aptos +Aragua +Aramco +Arba +Arcahaie +Ardis +Armato +Arsenault +Arta +Asit +Assange +Atenulf +Atilius +Atomics +Atria +Auctions +Audible +Avonmouth +Baathist +Babs +Bagdasarian +Bagge +Baia +Balaghat +Baluch +Bappi +Barbaras +Barely +Bargoed +Barkin +Barras +Bartercard +Batiste +Battenberg +Beata +Beed +Beesley +Begusarai +Belang +Belgianborn +Bening +Berkshires +Berlusconis +Bernadotte +Bertin +Bertini +Bertone +Betul +Bexleyheath +Bhanumathi +Bice +Biggleswade +Bind +Binge +Biome +Bipolar +Birdsall +Birendra +Birger +Blacker +Blalock +Blocker +Blocking +Bloomingdales +Bolam +Bolshoi +Boonton +Boredoms +Boteler +Botti +Bovine +Braveheart +Breck +Brenta +Brimley +Brittens +Brookss +Brose +Brow +Brynner +Budleigh +Bujold +Bukovina +Bullants +Bullying +Bunsen +Bunty +Burren +Caatinga +Caenogastropoda +Caligari +Campfire +Campuses +Carbonell +Cardi +Caren +Carnaval +Cascais +Casiopea +Cassation +Caterpillars +Caustic +Cephetola +Chadwell +Chagrin +Chandru +Chernykh +Chigwell +Chileans +Chirag +Choosing +Chopped +Ciao +Cicada +Clavulina +Cleaners +Climatic +Coghill +Cohasset +Colasposoma +Coleco +Competence +Compleat +Conceptually +Conemaugh +Congaree +Conniff +Contour +Cookin +Coprosma +Corbucci +Corina +Corvinus +Coty +Crema +Cresta +Crookes +Crowsnest +Cryptographic +Custers +Cyr +DHondt +Dalida +Dalry +Damias +Damot +Dannys +Darebin +Darnall +Dated +Dattatreya +Dawlish +Dearest +Dearne +Debutante +Decorah +Deegan +Deeply +Deforestation +Deh +Denain +Dermaptera +Despatch +Dez +Dhruv +Dibley +Dichocrocis +Diepholz +Diez +Diffie +Dimensional +Dimitrov +Dineen +Disciplines +Distinct +Doniphan +Dorham +Dorje +Doshi +Dourif +Doxa +Drusus +Dudelange +Duffs +Duhallow +Dunder +Dunston +Dyan +Dyna +Dzhebel +Eigenmann +Electrolux +Emergent +Employing +Energia +Erongo +Erosion +Escanaba +Espanyol +Essington +Estuarine +Etiquette +Eurostat +Evita +Exercises +Expulsion +Fairbrother +Farage +Farscape +Fatehgarh +Fearon +Federalism +Feldkirch +Feliz +Fenchurch +Fergal +Fincastle +Fionn +Fireproof +Firsts +Fishermens +Flamborough +Flashing +Footballs +Footloose +Forchheim +Fourie +Francoist +Fredericktown +Frederikshavn +Frisk +Froese +Fugees +Fulmer +Functioning +Gedo +Gering +Glenroy +Glimmer +Glycoside +Godden +Godless +Goffredo +Goggin +Gorski +Gorybia +Goudy +Gracchus +Grandmas +Grasslands +Grazie +Grecian +Gretton +Gribble +Groovin +Grzegorz +Guinn +Gurdjieff +Gurpreet +Gyatso +Hafner +Hanmer +Hartmans +Hass +Hassanal +Haste +Hauge +Hawksley +Hazare +Hedy +Heenan +Heiko +Hela +Hellers +Helsingin +Helter +Hephaestus +Herath +Herder +Herstal +Herzberg +Heterogeneous +Hinkley +Hoban +Hohenbergia +Hori +Horsey +Houthis +Howitzer +Huish +Hunte +Hurlburt +Hustlers +Hutterite +Hutto +Hyborian +Icicle +Ilham +Illuminations +Illyrians +Ilyich +Inches +Incorrect +Indexes +Ingles +Interpreters +Inuk +Irinjalakuda +Irwindale +Ishtar +Jaber +Jacka +Jagdeep +Jamshed +Janeway +Jas +Jawbreaker +Jeannine +Jessamine +Jiao +Joby +Jocko +Jurist +Kadriorg +Kagame +Kagyu +Kalisz +Kander +Karlsruher +Keerthi +Kempsey +Kerrie +Khandelwal +Kimpton +Kinetics +Kingsmill +Kneale +Knees +Knievel +Koine +Kondo +Kors +Kory +Kotler +Koto +Kouf +Kraemer +Krish +Kunene +Kure +Laan +Lagwagon +Lakenheath +Landgrave +Langella +Lansky +Lanterns +Leaphorn +Leder +Leib +Lemar +Lemmons +Lessig +Lieder +Lightnin +Lill +Linares +Littler +Lochalsh +Lochner +Loe +Longitude +Lorca +Lorenzen +Lothians +Luan +Lysimachia +Macartney +Macdonalds +Maddock +Madea +Magnussen +Magritte +Mahabalipuram +Makira +Maksim +Mantri +Margit +Margret +Marinelli +Mariology +Maroney +Marra +Marsala +Massawa +Mathare +Matrimonial +Mattoli +Mazembe +Medio +Mergers +Metras +Metrocolor +Microscopy +Middleware +Midfield +Mikhailovich +Milagro +Milbank +Mitchels +Mitrovica +Modbury +Modifications +Mogilev +Moin +Mond +Montecito +Montiel +Moorea +Morisset +Motorcycling +Mottola +Mountford +Mullet +Muncy +Musi +Nandita +Nansemond +Naryn +Nationalliga +Naturae +Naturalis +Naxalite +Nayaks +Neglect +Neglected +Neomordellistena +Neuhaus +Nevsky +Ngcobo +Ngong +Nickels +Nipsey +Nisar +Nizar +Noblesville +Nodes +Noggin +Nonlinear +Norape +Nucleic +Nygaard +Ohno +Okhla +Okinawan +Olbermann +Oldcastle +Olsztyn +Olver +Omid +Ondaatje +Orbach +Ormetica +Oso +Ossetian +Osterman +Ostrogoths +Ottery +Outlying +Palmyrene +Pamantasan +Pantry +Paphiopedilum +Parornix +Partizan +Pattie +Pattom +Pauri +Pavilions +Paxman +Payoh +Penman +Perceval +Petar +Peterman +Petrochemical +Photogenic +Phrygian +Piaget +Piazzale +Pilani +Pinsky +Piqua +Pirot +Plaine +Plaster +Poljud +Poodle +Popstar +Porlock +Portola +Pothan +Poynton +Preserved +Priyadarshini +Prostate +Psychotropic +Publica +Pucci +Puli +Punto +Purser +Putins +Pygmy +Pyrgulopsis +Pyro +Qubo +Rabbids +Ramanna +Ramzi +Rasputin +Rastriya +Rebuilding +Redpath +Reefer +Reflective +Registrars +Reincarnation +Reine +Relizane +Repertoire +Republica +Revitalization +Rhyzodiastes +Rideout +Risto +Rockos +Rogelio +Rogell +Rokeby +Roosendaal +Rovere +Roxane +Rudge +Ruffalo +Runic +Safeguard +Samobor +Sandaun +Sansthan +Sash +Sasser +Satyagraha +Sau +Schlitz +Sciurus +Scoresby +Sebastians +Segunda +Selectmen +Seles +Selmer +Sentenced +Separated +Septemvri +Setup +Sewa +Shabbir +Shahjahanpur +Shariah +Sharm +Shaye +Shrikant +SiO +Siddons +Signe +SingleA +Sinnott +Sirimavo +Sitaram +Sittin +Situations +Skolnick +Slight +Smarty +Soles +Sool +Speckled +Speke +Spektor +Spinner +Spiti +Spotnitz +Stackpole +Stadiums +Stalag +Startling +Steampunk +Stockyards +Stonehill +Strategist +Stratos +Striped +Strother +Strzelecki +Studs +Suma +Surplus +Surrealism +Suttons +Svendsen +Swainson +Swinhoe +Szabo +Taaffe +Taifa +Talat +Talisay +Tambourine +Tanduay +Tarkington +Tarnovo +Tatsumi +Tbk +Telok +Tenasserim +Tenderloin +Tenement +Tevita +Tezpur +Theologian +Thinker +Thyroid +Tikrit +Tinchy +Tirukkural +Tirupur +Tisha +Tobagos +Tootsie +Torana +Toyama +Tracer +Trachtenberg +Transistor +Trine +Tryin +Tshering +Tsvangirai +Tugboat +Twang +Tweedie +Ulcinj +Ultras +Uncertainty +Unlikely +Upgrade +Urmston +Urner +Utkal +Utpal +Uyo +Vali +Vallelunga +Vannes +Vanya +Varkey +Veldhoven +Verein +Viewed +Viljoen +Violetta +Vira +Voce +Vorkosigan +Vreeland +Vulnerability +WNBAs +Waals +Waddy +Walbrook +Walling +Wannabe +Wardens +Wasim +Watrous +WebGL +Webbe +Wettin +Whitburn +Whitemud +Willowdale +Wingspan +Woe +Wraxall +Wyk +Wyke +Xiaoping +Yael +Yemens +Yongin +Yoshi +Zeigler +Zenobia +Zermatt +Zev +Zwick abdominis abductions aberrans @@ -33314,7 +76262,6 @@ conman consumable cordless cordon -corkscrew crabapple crispy cultivators @@ -33401,7 +76348,6 @@ inoperable internationalism inverters isopropyl -ix jangle kinematics knack @@ -33465,7 +76411,6 @@ onlocation opeds opensourced organosulfur -os overbearing overbridge palisade @@ -33589,7 +76534,6 @@ treasured trematode tuberosa turbocharger -tworound typifies ulceration unclaimed @@ -33618,6 +76562,768 @@ whitetoothed wicker wondering workmens +Abhinav +Abierto +Accel +Activism +Adelson +Adjoining +Adorno +Affero +Afroasiatic +Agadir +Agama +Aguas +Ahab +Ahan +Aikman +Akil +Alexisonfire +Alfalfa +Almoravid +Andie +Aneurin +Annibale +Antiaircraft +Antonina +Anuj +Aqr +Aradus +Araujo +Argentineborn +Arnaz +Arrah +Arrowverse +Arson +Ashleys +Assembler +Astathes +Atma +Attenboroughs +Attending +Aubry +Aural +Autistic +Axum +BAFTAwinning +Backer +Bagchi +Balbus +Balewa +Balin +Balwyn +Bama +Banhart +Bannatyne +Bargarh +Barlows +Barnhill +Baroni +Basal +Bathory +Baudelaire +Bayerischer +Baynard +Beamer +Beaneaters +Beddington +Bellarmine +Bellow +Bembo +Bencher +Benoist +Berners +Bernoulli +Berrigan +Betaproteobacteria +Bharathiraja +Bicycling +Birtwistle +Blaby +Blakemore +Blida +Bluey +Boal +Bodom +Boehringer +Bogguss +Bolero +Bonded +Bonelli +Bonito +Booze +Bored +Boron +Bosniak +Bostrom +Bothriomyrmex +Boult +Bozzio +Bracebridge +Brachinus +Brassey +Brattle +Breese +Bridie +Brightest +Brindabella +Brive +Brixham +Brownings +Broyles +Bulandshahr +Bunnell +Burkhard +Burling +Burmeister +Byblos +Byways +Calabash +Californication +Camelback +Canales +Cannaregio +Canute +Capper +Cari +Carmi +Carpio +Carried +Castleknock +Cattaneo +Ceberano +Cervical +Chacko +Chadbourne +Chandauli +Chebucto +Checklists +Cheikh +Chemikal +Cheruiyot +Chittaranjan +Chorizanthe +Cibyra +Clijsters +Cobblepot +Cochylis +Comerford +Comm +Concours +Condominium +Connahs +Convenor +Corail +Corwen +Counterfeit +Cowal +Cowra +Crashers +Creswick +Crowned +Ctenomys +Cueva +Curreny +Cyberjaya +Cylons +DCruz +Dabo +Dagon +Dalkey +Dama +Danton +Dares +Datong +Daura +Davangere +Davenant +Daytons +Deceiver +Decimal +Deemster +Deerhoof +Deicide +Delafield +Delayed +Delco +Delusion +Deron +Devgan +Devosia +Dicaeum +Dickinsons +Dimbleby +Diplotaxis +Discography +Distraction +Disturbing +Doiron +Doral +Doughboys +Dowding +Dowon +Draupadi +Dresdner +Drinkwater +Duca +Durfee +Dutchlanguage +Dystrichothorax +ECMAScript +ESAs +Eastcote +Ecommerce +Edgcumbe +Effort +Egoyan +Endo +Eniwetok +Enniscorthy +Entire +Erling +Erol +Esports +Essar +Evangelists +Evarcha +Everclear +Everingham +Explorations +Fabbri +Faded +Farhat +Farish +Fawlty +Ferny +Ferrol +Fessenden +Firesign +Firestarter +Fitzroys +Flashbased +Fleurieu +Florencio +Foch +Fon +Footbridge +Foresight +Forged +Fortean +Foyles +Fragrance +Francavilla +Franklinton +Frantic +Frederator +Frederico +Frente +Friedmans +Frist +Fuerza +Furey +GIs +Galasa +Galla +Ganapati +Gargoyles +Garside +Gasnier +Gast +Gatewood +Gela +Gentofte +Ghantasala +Gidget +Ginkgo +Gioachino +Giovan +Glasshouse +Glasson +Gond +Gopalganj +Gowanus +Goyer +Granholm +Gravitas +Greenback +Greenmount +Greensborough +Grimoald +Grips +Groep +Guba +Guernica +Guingamp +Gwenn +Haddam +Haggis +Hagood +Haitians +Hajduk +Halmstad +Halsall +Hampi +Hamtramck +Hanno +Harbaugh +Hardball +Haren +Hargeisa +Hated +Hauptmann +Hauteville +Hawtrey +Hazaras +Hearth +Hecla +Heerden +Hering +Heroin +Herston +Hetfield +Hickok +Higson +Hinch +Hindsight +Hoagy +Hogue +Holds +Homebrew +Homework +Honeycutt +Hootie +Hore +Horta +Hosiery +Houck +Households +Houtman +Huskie +Hybrids +Hymer +Hypertension +IHSAAsanctioned +IJssel +Icefield +Ilene +Illubabor +Imagen +Incan +Indemnity +Independently +Inevitable +Ingelheim +Inverted +Investigates +Ippolito +Irondale +Ironi +Irregular +Isambard +Itchy +Ivaylovgrad +Izzat +Jajce +Jajpur +Jatta +Jellicoe +Jijel +Jonesville +Jongnogu +Josette +Junkyard +Kaki +Kalamunda +Kalibo +Kalina +Kanji +Karaikudi +Karine +Karnad +Karolina +Karuppu +Kashipur +Kashmiris +Kathi +Kemal +Kenzo +Keystones +Kharkov +Khatun +Khouri +Kimmeridgian +Kimmy +Kitching +Kites +Kittredge +Klug +Kobra +Kollel +Kristoff +Krizz +Kudrow +Kugler +Kujalleq +Kunze +Lagoa +Lakeman +Landa +Landsborough +Langmuir +Latah +Layers +Learners +Leclerc +Lehrman +Leibowitz +Leishmania +Lenzi +Lettuce +Levittown +Lexie +Linga +Lipson +Lista +Liutprand +Longa +Lucania +Luckett +Lukens +Lumberjack +Lunt +Luray +Macauley +Machinists +Mackenzies +Madani +Mader +Madrasa +Magica +Maiduguri +Malabon +Malaika +Malam +Malka +Marano +Marcelle +Marney +Maroochydore +Marshmallow +Matchmaker +Matsuura +Mayurbhanj +Melcombe +Melora +Meramec +Mercenaries +Merkin +Mersereau +Mervin +Mezzogiorno +Michaelis +Microchip +Micropterix +Midnite +Millais +Minahasa +Modeler +Moniteau +Monken +Morell +Mosel +Motels +Motwani +Muggs +Murari +Muricopsis +Muskerry +Mutharika +Mythopoeic +Nakata +Nakayama +Nampula +Natascha +Nau +Neame +Negras +Nephi +Neues +Nielsens +Niemann +Nigger +Nightingales +Nobuo +Noche +Noord +Norian +Nunnery +Nutana +Nuuchahnulth +OJays +Obst +Ohm +Olifants +Olimpija +Olympiastadion +Omukama +Ontariobased +Opensource +Oram +Orczy +Otsuka +Overlay +Packards +Padmanabha +Pais +Pally +Palomino +Pamplin +Panamint +Panchayati +Panchayats +Pandemis +Parrsboro +Paulie +Pave +Payette +Pendlebury +Perley +Pesch +Petrel +Pfalz +Pfeffer +Philanthropist +Pickerel +Pins +Pollstar +Pontiacs +Pontiff +Prat +Preventing +Priti +Protectors +Pruett +Pulo +Pusher +Pushkar +Rah +Ralt +Ramage +Ramanand +Rameshwar +Ramla +Ramlee +Rampling +Ranieri +Rawkus +Raygun +Rayong +Realist +Redbone +Reelected +Reka +Resch +Restoring +Rhinella +Riche +Riddance +Ripe +Ris +Risorgimento +Robbin +Roberti +Romulan +Rookwood +Rosalba +Rossiyanka +Rothbury +Rotor +Roubaix +Rudess +Rushworth +Rydal +Sabbaths +Sabines +Sacraments +Salkow +Samadhi +Samarra +Sampradaya +Sandalwood +Sandinista +Sanquhar +Sante +Sapir +Sather +Saxo +Scapular +Scharf +Schering +Schmidts +Schomberg +Schultze +Scylla +Scytalopus +Secwepemc +Selinger +Semiconductors +Senhora +Seni +Sepulveda +Setswana +Shadowrun +Shafiq +Shakurs +Shamokin +Shard +Shariff +Shatter +Shepards +Sherard +Shinedown +Shola +Shorten +Shun +Significantly +Sira +Skanderbeg +Skool +Slidell +Smirnova +Soi +Solukhumbu +Solvent +Songhai +Soong +Sorghum +Sorong +Sorum +Southborough +Specifications +Speeds +Spindle +Srinath +Stackhouse +Stanwix +Statehood +Steamroller +Stephensons +Steyning +Stimpson +Stockland +Stompers +Stourton +Stradivarius +Strawn +Strongylognathus +Subash +Subodh +Sudesh +Sudoku +Sungei +Supposedly +Surfside +Susman +Swakopmund +Swissbased +Symmons +Synanthedon +Synge +Syrnola +TVam +Tafsir +Taka +Tanners +Tans +Tatineni +Taube +Tauber +Teachings +Telfair +Tentative +Theoretically +Therapist +Thiruvalla +Thorley +Thornes +Thors +Tift +Tigger +Topsy +Toray +Totteridge +Trachylepis +Tricycle +Trinians +Triplett +Tsering +Tuning +Twillingate +Tzu +Uerdingen +Uloom +Umuahia +Underpants +Undertow +Unlawful +Unterhaching +Unyon +Upcoming +Urich +Uttlesford +VIs +Valls +Valois +Vardon +Verbotene +Verner +Victorville +Vidi +Viera +Vilna +Viner +Virgen +Vissi +Voe +Volo +Vroom +Vtwin +Wachusett +Wadebridge +Wager +Wands +Wani +Wardlaw +Washingtonian +Waterberg +Waterton +Wavertree +Westhuizen +Whitehawk +Wider +Wiggin +Wiig +Wijaya +Wilburn +Wildcard +Wirksworth +Wolk +Wollstonecraft +Woodberry +Writ +Wyche +XQuery +Yeadon +Yorba +Yoshis +Yossi +Yuna +Yunfat +Zanetti +Zendaya +Zeng +Ziad +Zimmerwald abacus abdicate abutment @@ -33723,9 +77429,7 @@ dubius ductus dugouts dyskinesia -eightweek elastomer -electroencephalography electrooptical eliminations emphatically @@ -33778,7 +77482,6 @@ heterobranch heterosexuality hibiscus highdimensional -ho homicidal honoris hooligans @@ -33806,7 +77509,6 @@ intracity irritated isohedral juniorsenior -kD kingpin knobby levator @@ -33832,7 +77534,6 @@ menziesii microRNAs microalgae mindful -mmHg momentary monosaccharide mop @@ -34008,6 +77709,802 @@ workpieces xmm zoologists zooming +Abate +Abels +Aberaman +Abril +Adenanthos +Adenauer +Advertisers +Aemilianus +Agathis +Agelena +Agena +Ainley +Ajayi +Akbars +Akeem +Alaric +Alcoholism +Aldermaston +Alen +Alesi +Alibori +Allingham +Alper +Altamaha +Amanat +Amberg +Ament +Amerika +Amie +Anarta +Anatrachyntis +Andal +Ankur +Anning +Ante +Anthropologist +Antipope +Anura +Apalachee +Apatophysis +Araya +Arcturus +Arild +Arkle +Arline +Arn +Aroma +Arul +Arunachalam +Askar +Assize +Augsburger +Aukerman +Avars +Avenel +Avion +Avonlea +Awa +Awka +Ayaz +BDivision +Babak +Balham +Ballesteros +Balloch +Bambara +Bangaon +Bantoid +Bardiya +Barnards +Barnewall +Bartel +Baxendale +Beaty +Beauvoir +Beckinsale +Bedlington +Bellis +Beltsville +Bends +Benegal +Benford +Bentheim +Berryville +Beto +Beyblade +Bhagavathy +Bhasha +Biophysical +Bittium +Blacc +Blackshear +Blomberg +Bluiett +Boavista +Bogert +Bohemond +Bombyx +Borda +Borgir +Boscombe +Botswanan +Bought +Brahe +Branko +Brazeau +Breconshire +Briefly +Brinks +Brix +Brockley +Brocks +Brookdale +Broomhill +Brownhills +Bruiser +Bruisers +Buchanans +Bugsy +Bula +Bunkers +Burghley +Burnetts +Burntisland +Buscema +Bushido +Buswell +Buzzell +Bywater +Cabos +Cadburys +Caddy +Caguas +Callia +Callistus +Cantharellus +Capitolinus +Capshaw +Carioca +Carley +Carnivora +Castra +Casuals +Catley +Caviar +Ceasefire +Celer +Cenderawasih +Centruroides +Chakrabarti +Chali +Chari +Charlottenburg +Chedoke +Chena +Chesneys +Cheveley +Chiari +Childe +Chiquita +Chloride +Chomskys +Chucks +Chumash +Chungcheong +Chuvash +Clarington +Clove +Cobram +Cockers +Coleoxestia +Coletti +Colleton +Colletotrichum +Colombes +Comey +Comus +Condominiums +Contributor +Corker +Coubertin +Craik +Credential +Credo +Cresson +Crypto +Cullinan +Cutthroat +Cyprinodon +DAndrea +Dakin +Dalley +Dalmatians +Danang +Datagram +Davido +Deciding +Delmer +Denied +Deram +Deregulation +Descriptions +Dettori +Devaswom +Dichelopa +Dinkins +Diodorus +Dioptis +DivX +Dividend +Divina +Doble +Dodges +Dominator +Donat +Doni +Donnellan +Dost +Downside +Dumitru +Duplicaria +Dworkin +Dyslexia +Earles +Ecuadors +Egger +Eggert +Ehsan +Elrod +Elusive +Embassies +Emmeline +Engaged +Erath +Erb +Erebia +Erving +Espy +Eurydice +Exelon +Exhibitors +Exterior +Fairford +Fanta +Fanzine +Fernandocrambus +Fernsehen +Ferruccio +Finke +Finlandia +Firmin +Firmware +Fishermen +Fissurella +Fitton +Fjordane +Flanigan +Fluids +Frankton +Franzen +Frears +Fridtjof +Friesian +Frightened +Froggy +Frogner +Frustrated +Fukuyama +Furie +Furius +Furnaces +GABAergic +Gaffigan +Gair +Gallego +Gallone +Gangetic +Ganghwa +Garfunkels +Gastrotheca +Gaudiya +Gazeta +Gazprom +Gell +Geothermal +Gerhart +Germaniawerft +Gilbey +Glasgowbased +Goddesses +Goffin +Golestan +Gouin +Grandson +Graphite +Grassfields +Greenslade +Gregori +Greifswald +Guarda +Gudang +Guelma +Gujar +Gulati +Gunma +Gunmen +Guoan +HPs +Haberman +Habsburgs +Hammam +Hanssen +Harrodsburg +Haslemere +Haswell +Hatebreed +Hattersley +Haverstraw +Haystack +Heanor +Hecker +Heera +Heitor +Hejaz +Hellbound +Henniker +Heo +Heraclius +Herero +Hermansen +Hicksville +Highwayman +Hildebrandt +Hilltoppers +Hindman +Hinterland +Hitt +Hittites +Hoax +Hoch +Homefront +Horkheimer +Hornsea +Hota +Hsinchu +Hulse +Huo +Hurston +Hussar +Hyacinth +Hyalurga +Hydriomena +Hyperdub +Igneous +Ikarus +Illustrious +Immonen +Imogene +Imokilly +Implementing +Impreza +Improbable +Indologist +Industri +Industrie +Inquest +Intergalactic +Inverse +Investiture +Isadore +Islams +Istrian +Iwerks +JBs +JScript +Jalsha +Jasin +Jaswant +Jayanthi +Jessen +Jhalawar +Joensuu +Jolliffe +Jourgensen +Jovovich +Jumpin +Kaliko +Kamat +Karlson +Kasam +Kaspersky +Katarzyna +Kau +Kaukonen +Kawai +Kayser +Keiser +Kejriwal +Kenichi +Kenmare +Kenworthy +Kernan +Kestrels +Khayyam +Khoury +Kinloss +Kirana +Klotz +Knorr +Koz +Kozlowski +Kudavasal +Kumho +Kunis +Kunsthalle +Kurz +LSUs +Labrinth +Lafitte +Lakshmana +Lango +Larisa +Latterly +Lax +Lebedev +Lechner +Legaspi +Lenders +Leonardos +Leongatha +Lerman +Levitation +Liben +Lifestyles +Lilia +Limo +Lingfield +Linney +Linum +Lithuanians +Llanelly +Loc +Loksabha +Longton +Longueville +Lowden +Lubumbashi +Luckenbach +Lunde +Lupi +Lupita +MMs +Macias +Macks +Macomber +Maelor +Mahalingam +Malayil +Malthouse +Managerial +Manan +Manjeri +Manningham +Marat +Marcher +Marcie +Marfa +Markley +Mashpee +Masoud +Massage +Masterplan +Matadors +Maximo +Maxton +Mayiladuthurai +Medication +Meditations +Mellotron +Mendy +Menotti +Meo +Meran +Merlyn +Messick +Messinger +Micheline +Mikal +Milazzo +Milefortlet +Millia +Minnis +Mitzvah +Molding +Montford +Montserratian +Moraxella +Morgannwg +Morice +Mosotho +Moushumi +Movimiento +Muharram +Mujer +Muralitharan +Murut +Muscles +Mush +Nadel +Nagaiah +Naseem +Nechako +Nefertiti +Negativland +Negombo +Nellys +Nessa +Nettie +Niazi +Niehaus +Nihal +Nikons +Nith +Nivens +Northlake +Northrup +Noxon +Oberaargau +Objectivist +Ochiltree +Ocular +Odets +Okolona +Okon +Omnium +Onehundred +Operatives +Opharus +Opteron +Orcs +Oricons +Orthosia +Ost +Oud +Oulad +PCIe +Paavo +Paces +Pachycephala +Padmapriya +Pagadian +Pagani +Pagnell +Paired +Pajama +Pakhtakor +Palahniuk +Palenque +Palle +Pancreatic +Panday +Pappy +Parthia +Passmore +Paston +Patchwork +Patra +Patuakhali +Pauling +Pavone +Peale +Pearcy +Pekanbaru +Pending +Perks +Perron +Phases +Phenom +Philipsburg +Pindar +Pinson +Pisano +Pitchforks +Pittsford +Piven +Plainville +Plaquemine +Plateaux +Playland +Plots +Polina +Pompton +Porridge +Porsches +Portals +Poway +Prahova +Pravda +Preaching +Precipitation +Preiss +Priestly +Problepsis +Proctors +Puller +Pyrgulina +Qiang +Qingzang +Quantock +Quarles +Quarterfinals +Quilmes +Quonset +Raghunathpur +Raids +Rajdhani +Ramah +Rambeau +Ramdas +Rame +Ramki +Ranald +Rashi +React +Realistic +Reapers +Reconquista +Reedus +Reggiana +Registerlisted +Repatriation +Resist +Revolutionaries +Rhames +Rhipidura +Rhona +Riedel +Rietveld +Rimington +Rivadavia +Rouhani +Roundtree +Roussos +Rundata +Ryn +Saidu +Saket +Sakya +Saleen +Salsoul +Samira +Sangita +Sanne +Sappers +Sargon +Sarina +Savvy +Sawan +Scaurus +Scola +Scorer +Scythians +Secrecy +Segni +Segun +Seneviratne +Septic +Serna +Setophaga +Sev +Sherbet +Sheung +Shibu +Shown +Shriram +Sidwell +Sigerson +Skeffington +Skylanders +Slaughterhouse +Slava +Slew +Smithtown +Sneaker +Sobhan +Sobieski +Sodbury +Sondrio +Sontag +Sori +Soundwave +Souter +Southey +Southold +Spaceman +Specks +Speedo +Squarepusher +Stallman +Standoff +Stateowned +Steppe +Stigmata +Stonyhurst +Stopford +Stutz +Sufis +Suicides +Sujata +Sumalatha +Sundarbans +Swearingen +Sylla +Tablets +Tangle +Tanvir +Tarpons +Taxus +Telenet +Tepe +Termini +Terrors +Tesh +Thamnophilus +Theodosia +Theorem +Thetis +Thewlis +Thiruvallur +Thrapston +Thump +Thunderball +Tirpitz +Tiziano +Tolosa +Toru +Towcester +Trespass +Tribunes +Tricolor +Tritt +Triveni +Trumpeter +Tsukuba +Tukwila +Tur +Turris +Tuy +Twine +Tylopilus +Typha +Udham +Ultraman +Ulverstone +Ummah +Une +Upanishad +Uralla +Vairamuthu +Valjevo +Vallo +Valmiki +Valtellina +Varkala +Vasil +Vasudev +Veii +Veit +Venniradai +Verband +Vergara +Viadana +Wallaroo +Warwicks +Wassenaar +Weardale +Weatherall +Wednesfield +Westhampton +Weta +Wetzlar +Whatcha +Whiston +Willebrand +Wiradjuri +Wolstenholme +Wortham +Xalapa +Xyletobius +Yamahas +Yeomen +Yongsan +Yousaf +Zamindar +Zayd +Zinn acetaminophen acrobats adjournment @@ -34071,7 +78568,6 @@ chapelry chatting chillies chillout -ci cincta clapper clarkia @@ -34338,7 +78834,6 @@ suspensory sweepstakes sympathizer telnet -tentime terrae terrestrially terrorizing @@ -34386,9 +78881,789 @@ yelling yellowbilled yogi zealous +Abdelkader +Abhijit +Aboard +Acanthoderes +Ache +Acland +Acuff +Adani +Addiscombe +Aerosmiths +Aeshna +Aguadilla +Akiko +Alabaster +Alderton +Alissa +Allamakee +Allure +Alphaville +Amulet +Anarsia +Andamanese +Andolan +Aneflomorpha +Anjuman +Ankush +Arakkonam +Archivists +Ardahan +Arnos +Arron +Ashbury +Ato +Atrocity +Attu +Atwill +Aulacophora +Ayoub +Ayutthaya +Ayyappan +Azzopardi +Babri +Babyshambles +Baddeck +Baio +Bairstow +Bajo +Ballerini +Ballyshannon +Bandopadhyay +Barend +Barfield +Barneveld +Barries +Basanti +Basham +Basilisk +Battletoads +Bayfront +Bayless +Becher +Beckmann +Beechworth +Belge +Belisarius +Belongs +Bento +Bernina +Betamax +Bex +Bhumika +Billingsgate +Bindon +Birkett +Blanch +Blaydon +Blended +Blethyn +Blockade +Bobbili +Bondo +Bonnell +Bosses +Bostock +Bot +Bracket +Brage +Brahm +Brannigan +Braverman +Breathitt +Breaux +Brennans +Bridgette +Broadford +Brocchinia +Brome +Brownback +Brune +Bulfinch +Buloke +Bundesrat +Bungay +Bunyodkor +Burgan +Burridge +CTrain +Cabins +Cannibals +Carphone +Carrizo +Catalana +Caucuses +Caufield +Celica +Ceroxys +Chabot +Chaetopsis +Chagall +Chagatai +Chapple +Charlemagnes +Charlemont +Chembur +Chengjiang +Cherian +Chetty +Chinatowns +Chora +Chuckie +Clacton +Clore +Cluniac +Coalitions +Coffeyville +Coleridges +Collegeville +Colloquium +Coloring +Combermere +Completing +Computerized +Comune +Coriolanus +Cowling +Creamer +Crescendo +Crispinus +Crunk +Cubic +Cudworth +Cunninghame +Cupressus +Curepipe +Curiously +Curnow +Cyclist +DNase +DOSbased +Dagar +Dalgety +Dalzell +Dangerbird +Danmark +Darr +Darwinia +Datura +Debris +Decorations +Defamation +Degas +Derbyshires +Deutschen +Dheeraj +Diarra +Difford +Digestive +Dingley +Diosdado +Ditmar +Doddridge +Dogma +Dogon +Dolgellau +Dorf +Drafting +Dredge +Dripping +Drummers +Dungog +Dunkley +Dystopia +Eagleton +Eastview +Egmond +Eisler +Elli +Ellin +Elmos +Emanuelle +Emigrants +Emmets +Entella +Entertainers +Equalization +Ergonomics +Eris +Esau +Ethnography +Eusebio +Evens +Exactly +Excuse +Extraterrestrial +Fareed +Faruk +Fath +Faustina +Femminile +Fergana +Ferland +Ferocactus +Festive +Firearm +Fisker +Flom +Flows +Fluor +Flyhalf +Fogelberg +Foghat +Fondi +Fonseka +Footprint +Foray +Foreword +Formidable +Fortified +Fowles +Foxboro +Fricker +Fridge +Frieze +Fucked +Fuhrman +Funchal +GUIs +Gabler +Gains +Gamini +Ganapathy +Gandolfini +Ganj +Gash +Gat +Gavan +Geographers +Gereja +Germinal +Gibbard +Gibe +Giffords +Gilby +Giuliana +Givenchy +Gizmodo +Glitters +Glu +Glyphostoma +Goethes +Goodes +Gourlay +Govindan +Gowa +Gracia +Granton +Greenstreet +Grossmont +Grounded +Groundlings +Hadden +Hagman +Hajjah +Hallen +Halvorsen +Hamclass +Hamlyn +Hansom +Harajuku +Hardoi +Hase +Hashemi +Hazeltine +Hearsts +Hedland +Heriot +Hermanos +Heyerdahl +Hickenlooper +Hieracium +Hilfiger +Himanshu +Hinduja +Hippolytus +Hobsons +Hol +Holmdel +Homesick +Homeward +Hoshangabad +Hsien +Huggett +Hurlingham +Huxleys +Huygens +Huyton +Hypocrita +IPbased +Ibrahima +Igreja +Ijaz +Imperator +Independencia +Ines +Inscriptions +Intercalated +Interpretations +Intimacy +Ironmen +Islampur +Isopogon +Israeliborn +Jagadguru +Jankel +Jassi +Jember +Jhajjar +Jiufotang +Joann +Joffe +Jolo +Jughead +Juho +Kanabec +Kannapolis +Kanter +Katia +Katrine +Kaufmans +Keatons +Kelvingrove +Kentville +Kirkton +Kirshner +Kiya +Klemm +Komi +Krell +Kuchipudi +Kudat +Kukar +Kuntz +Kunwar +Kunz +Kurth +Lachey +Lachine +Ladin +Laenas +Lakeport +Lamba +Lamin +Laphria +Lares +Larus +Laupers +Laurentia +Laureus +Lawsons +Laxton +Lazzaro +Leaning +Leatherface +Lecter +Leilani +Lennard +Leptobrachium +Letzigrund +Leverage +Lexical +Leyburn +Linksys +Lito +Locator +Lodger +Longden +Lop +Lukashenko +Lymphoma +Machias +Mackinaw +Madly +Maemo +Magufuli +Maharajas +Makwanpur +Malad +Malignant +Malina +Maliseet +Malviya +Mangere +Maniyanpilla +Mansel +Manufactory +Margam +Marians +Marit +Maskell +Massena +Mateusz +Maunder +Maximian +Maynila +Megatron +Meikle +Melcher +Mele +Mella +Menomonee +Mentioned +Menz +Merger +Metarbela +Metrics +Metrodome +Millman +Minchin +Minis +Mirvish +Missed +Mitton +Mizell +Molasses +Molen +Monastir +Moneys +MongoDB +Montacute +Montecassino +Monteverde +Moonstone +Morven +Motherhood +Mothersbaugh +Mswati +Mudaliyar +Murdered +NITs +Nadler +Namie +Naqshbandi +Natacha +Nicklin +Niclas +Nilambur +Nimble +Nishan +Noises +Nonconformist +Norwest +Nuala +Oakfield +Obey +Ocasek +Ocoee +Ofer +Okamoto +Olympiakos +Omdurman +Omicron +Omkar +Omusati +Onoba +Origen +Oristano +Ormeau +Orogeny +Orozco +Orthodontics +Ostrich +Ostrobothnia +Outfield +Outrage +Overflow +PaaS +Papineau +Parang +Pareto +Parthiban +Parwan +Pavlov +Peaking +Peniston +Peterlee +Pharsalia +Phobia +Pholiota +Pimps +Pingree +Pinheiro +Piping +Pitzer +Plantarum +Poitou +Polyana +Polyscias +Ponvannan +Poppies +Porcius +Posta +Pou +Powis +Pozzi +Prats +Prawn +Procecidochares +Proportional +Protesters +Provided +Provides +Pryde +Puchong +Purposes +PwC +Quadrangular +Quapaw +Quedlinburg +Queenscliff +Quint +Quirke +RESTful +Raa +Raakhee +Rabies +Rac +Radom +Radstock +Raghava +Rahmat +Rajeswara +Rajshri +Ramudu +Ransomes +Raster +Ratnams +Reckitt +Redmayne +Reith +Relax +Remake +Rephlex +Responsive +Restriction +Revolting +Rheims +Riegel +Rigid +Rimi +Rione +Riz +Roachs +Rodan +Romanization +Rosati +Rosemarys +Rosemead +Rosewater +Rossano +Rothbard +Rousey +Rowman +Rubble +Rug +SABMiller +Sackett +Sadly +Sakurai +Salak +Salmaan +Samsungs +Sardegna +Sassafras +Scandals +Schaal +Schachter +Schaller +Schlosser +Schnabel +Schouten +Seacoast +Seamen +Seated +Seefeld +Shandon +Shanice +Shareef +Shareholders +Shawmut +Shekar +Sheldrake +Sheth +Shikshan +Shocked +Shorewood +Shotley +Shubenacadie +Shuman +Siaya +Siempre +Sightings +Sigue +Sika +Sillago +Sirleaf +Sistema +Sisulu +Smillie +Smokie +Socratic +Soils +Solve +Southington +Sparkes +Spedding +Spicy +Spiritualized +Stad +Stander +Stanier +Starday +Starflyer +Steelworkers +Steigerwaldstadion +Stempfferia +Stenoma +Stereotypes +Stinking +Stockley +Stoopid +Stored +Storybrooke +Stove +Straczynski +Stravinskys +Strix +Sturr +Sturtevant +Sua +Sukkur +Sulochana +Sundberg +Suzanna +TBones +Takhar +Talavera +Tarim +Tattersalls +Taxa +Taxpayer +Teale +Telnet +Tendring +Tenure +Teresita +Ternana +Terrific +Tetbury +Textbook +Texture +Tey +Thacher +Thamnophis +Thangal +Thapar +Thew +Tiaret +Timberlakes +Tinsel +Titicaca +Toboggan +Todi +Tommi +Tommys +Touches +Toul +Trahan +Trailers +Trebizond +Trion +Triumphs +Trucolor +Trussell +Turnberry +Tutorial +Tykes +UAEs +UFCs +Uckfield +Ulithi +Uluberia +Unilateral +Upfield +Upset +Usonian +Valanginian +Vanished +Varalakshmi +Vartan +Verano +Verbena +Vertices +Vestas +Vibius +Vidyapeeth +Vinicius +Visceral +Vladimirovich +Vocabulary +Vogler +Vols +Volusius +Vorhaus +Vrindavan +Vsevolod +Wagstaff +Wailer +Wairoa +Waitt +Walley +Walleye +Wallflowers +Wallin +Walser +Warkworth +Warrego +Weider +Weightman +Welcoming +Westeros +Westfall +Whigham +Whiteway +Widgeon +Wiebe +Wightlink +Willison +Willits +Willmar +Windrush +Withrow +Wole +Womb +Woodys +Woof +Woollett +Woolmer +Wychavon +Xenosaga +Xue +Yatala +Yumi +Zao +Zaytoven +Zend +Zink +Zoar +Zoba +Zoroastrians +Zuid +Zwart abstracting accelerometers -acetylCoA adage agama agnostics @@ -34432,7 +79707,6 @@ buckles bumping bunt burgess -cGMP camber camper cams @@ -34490,7 +79764,6 @@ disorientation divisible dojo donning -doubletrack draganddrop dragoons drugstores @@ -34527,7 +79800,6 @@ ferret fervor fiercest fintech -firstlevel flannel flashlight fluidfilled @@ -34535,7 +79807,6 @@ forecasted fortysixth fourengine fourminute -fourvolume freeofcharge frontengined fullcontact @@ -34592,7 +79863,6 @@ interfaced intermingled ipsilateral itineraries -kB ketamine khanate kilowatt @@ -34650,14 +79920,12 @@ nutty obeying octahedron odontogenic -offfield oligomeric oneshots onthejob openSUSE ortholog overalls -pa paleographically parallela parapsychologist @@ -34749,7 +80017,6 @@ storyboards strawweight striate studentcentered -su suave subapical subcomplex @@ -34779,7 +80046,6 @@ triads trifasciata trufflelike trumpeters -tu twinning twocar twodigit @@ -34810,6 +80076,805 @@ woodblock xenobiotics youthled zeta +ASICs +Acceptable +Addictive +Adherents +Aeronca +Agta +Ailsa +Airdrome +Aka +Alabang +Albanese +Aldenham +Alentejo +Aliya +Allam +Allisons +Alpini +Amigas +Ammonium +Ananya +Animalia +Anmol +Annabeth +Anolis +Aphonopelma +Arasu +Arbuthnott +Arcadian +Arctica +Arent +Arminia +Arterial +Ashgrove +Askey +Asmat +Assante +Assemble +Attwood +Aurel +Austinbased +Autonomist +Averill +Axinidris +BReal +Baan +Bacup +Badenoch +Bahuguna +Bajirao +Baltimorebased +Barberton +Barcaldine +Barco +Barquisimeto +Barrs +Bartz +Baruipur +Barun +Basquiat +Bearsville +Beeches +Belarusians +Betfair +Bhaduri +Biffle +Bima +Biologists +Bisht +Blackwells +Blitar +Bloemendaal +Bloodlines +Bluebook +Boccia +Boondocks +Borne +Botsford +Bouchier +Boulders +Bourdain +Bowne +Boyfriends +Bradburys +Bramalea +Bramall +Bratt +Brendel +Brewsters +Briana +Brienne +Brisco +Brite +Broadstairs +Builth +Bunga +Buntingford +Buttermilk +Camiguin +Campari +Campclar +Caprimulgus +Caraballo +Caramel +Cassady +Cassava +Cassiano +Catedral +Catephia +Catoosa +Cavill +Cayce +Caye +Celsus +Cepheid +Ceri +Certainly +Chevrolets +Chillies +Chillin +Chirk +Chowdary +Christoffer +Chroma +Chromodoris +Chronologically +Circulations +Cleghorn +Clemensia +Clodia +Cofounded +Coggeshall +Coleby +Collaborations +Commandment +Commentaries +Comparisons +Complaint +Connollys +Conotrachelus +Conscription +Coonoor +Corbridge +Corridors +Corsa +Councilwoman +Coutances +Crags +Creams +Crenna +Creoles +Crib +Crisps +Cryptologic +Culham +Cunt +Currituck +Curson +Cybershot +DMUs +Dagbladet +Daggubati +Dainik +Dalys +Dancefloor +Danni +Darins +Darvill +Darwell +Dayna +Deas +Deasy +Debussy +Deeley +Defence +Deniz +Desa +Desperation +Despina +DfES +Dhan +Dibbs +Dickins +Diem +Digg +Dighton +Digi +Digipak +Digitalis +Dillman +Dinghy +Disappear +Dmitriy +Donacia +Donaldsons +Doolan +Dornan +Dorrell +Doucette +Dreadful +Drivin +Drummonds +Dublinbased +Duddon +Dudu +Dukla +Duplicate +Dushman +Duxford +Dwars +Dyfi +EMTs +Earthbound +Eastville +Eberly +Edelweiss +Edinboro +Edmundson +Eidsvoll +Ejaz +Eliason +Eline +Elymus +Elysius +Emeka +Endowments +Enforcer +Enrolled +Entirely +Envision +Equation +Eskom +Esser +Ethnomusicology +Etten +Eugenics +Eupen +Exciting +Falken +Familial +Fana +Fantasies +Farlow +Farnam +Feminists +Filipinas +Filippi +Firefighter +Fixer +Flavin +Flemyng +Fletch +Flutie +Fono +Forney +Fos +Foxhall +Friis +Fuvahmulah +Galatians +Gallants +Gani +Gannet +Garh +Geena +Geet +Geoffreys +Geologic +Gilad +Gilboa +Giorno +Glaswegian +Gleaner +Glyptothorax +Godmother +Godoy +Golub +Gomti +Gosfilmofond +Gossard +Grandi +Greengrass +Greggs +Grenade +Grigsby +Gruff +Gurr +Gymnelia +Hacks +Hadassah +Haeckel +Hafeez +Haganah +Hagens +Hakoah +Halberstadt +Halfords +Halicarnassus +Hamley +Handful +Hanwha +Hardaway +Hardenberg +Hatia +Haworthia +Hayles +Hearted +Heathens +Heavies +Hel +Henn +Henshall +Heppner +Herrin +Hickling +Hildburghausen +Hips +Hispano +Hod +Holmgren +Hone +Hopsin +Hor +Hoshino +Howser +Hoxie +Hughess +Humanists +Humvee +Hutcheson +Hypnotize +Ibaraki +Ignaz +Imago +Imman +Improve +Inception +Indica +Infantino +Innova +Invertebrates +Involved +Iraklis +Ishak +Itanagar +JDrequired +Jalaun +Janel +Japanbased +Jarratt +Jataka +Jayhawk +Jeph +Jonsons +Jubal +Juglans +Kaibab +Karori +Karpaty +Kartel +Katutura +Kazakhs +Keb +Keech +Kemayoran +Kemerovo +Kempthorne +Kenelm +Kermadec +Kewanee +Khair +Khama +Khatib +Kherson +Khuda +Kilkennys +Kilman +Kimmo +Kingfish +Kinnaur +Kinnock +Kippax +Kirtley +Klassen +Klum +Kochuveli +Kolej +Kompakt +Kotor +Kreisberg +Kriti +Krokus +Kulick +Kundan +Kunkel +Kurosawa +Kwabena +Kyaw +Kyrie +Laburnum +Lachesilla +Ladinian +Lagoo +Lamarck +Lamentations +Lampropeltis +Lancing +Landen +Lanius +Lanzarote +Lapham +Lappeenranta +Lapwingclass +Larter +Lashley +Lassies +Latent +Latinised +Laurels +Lawal +Layzie +Lazenby +Lazier +Learner +Lenard +Lendl +Libro +Lindemann +Livno +Loblaw +Londonborn +Longevity +Lonicera +Lookouts +Loong +Lothrop +Lovesick +Lovitz +Loya +Lplan +Luby +Lucci +Luken +Lycos +Lyria +Lytell +Maar +Mabini +Mabuse +Macrae +Maddin +Maffei +Maffra +Mahaffey +Mahlon +Majuli +Malia +Malicious +Malika +Mamou +Manapouri +Mangalorean +Manilows +Manipulation +Marcela +Marieke +Mariinsky +Maslow +Massi +Mathrubhumi +Matich +Matisyahu +Medill +Mentors +Mephisto +Mero +Merseybeat +Metachandini +Metzler +Midwinter +Milena +Milkshake +Millom +Mindless +Mindstorms +Miraj +Miran +Moche +Moebius +Mogo +Moist +Moles +Mongala +Monocacy +Moraes +Morgenthau +Mosler +Mujahid +Mullane +Mulu +Muro +Musgraves +Musto +Myrsine +Nagma +Nangarhar +Nanoscience +Naracoorte +Narita +Nasution +Natsume +Nawada +Nayantara +Neat +Neave +Nettleton +Newmont +Nim +Nokomis +Nooksack +Northway +Norvell +Nundah +Nunnally +Nursultan +Obedience +Obvious +Obwalden +Octavio +Oenothera +Okazaki +Oktoberfest +Olinda +Ollur +Olten +Omnicom +Onam +Ophthalmic +Oradea +Orbisons +Ordinances +Ornamental +Orontes +Orsi +Ortona +Oshikoto +Othniel +Ottonian +Outnumbered +Oven +Paintball +Pallett +Pallette +Pandalam +Pandharpur +Parksville +Parsis +Partha +Passos +Pater +Pathological +Pazzi +Penne +Perilous +Personalized +Petey +Pfeifer +Phantasy +Pharisees +Pharmacological +Physique +Phytocoris +Pichler +Pilcher +Piller +Pinneberg +Placido +Playin +Plover +Poh +Pollyanna +Polygonum +Pompei +Pompeys +Portarlington +Portico +Potton +Pounder +Poyser +Pozzo +Pozzuoli +Pravin +Precise +Preece +Prius +Privileged +Probert +Procurator +Profane +Promoter +Prosopis +Prospectus +Puccinis +Putman +Pyrus +Quack +Quiapo +Rajapur +Ramani +Rammstein +Rance +Rathnam +Rauner +Rawtenstall +Recherche +Redbird +Refine +Rejoice +Remedies +Remorse +Rensburg +Reshma +Retention +Rifleman +Rissoa +Roa +Rollie +Rosenberger +Rosner +Ruellia +Rundgrens +Runge +Rupe +Rusted +Ruths +Ryvarden +Sabal +Saddles +Sagara +Saki +Saltwater +Sandbox +Sandrine +Sapru +Sarang +Sasa +Satire +Savo +Saying +Sayyed +Schaaf +Schellenberg +Schichau +Schnitzer +Scilloideae +Scimitar +Scoville +Scrumhalf +Seay +Sectors +Senn +Senter +Sever +Sharples +Shashank +Shawangunk +Shawshank +Shebelle +Shirts +Shivani +Shove +Shue +Silkk +Silvan +Sinezona +Sipe +Sivagangai +Skynet +Slatina +Slayton +Sleeve +Socceroos +Sockers +Sorbo +Sorrentino +Southbridge +Specially +Spinnaker +Spotswood +Spreading +Stam +Stedelijk +Steeler +Stegner +Steinbecks +Steinernema +Stendal +Stevenss +Stir +Stolberg +Storia +Stormarn +Stradlin +Strut +Stuckist +Submerged +Subspecies +Suddenlink +Sulkin +Sunkist +Surjit +Surman +Susanville +Swanberg +Taio +Taiwo +Talbott +Tamannaah +Tapi +Taraval +Tattoos +Taveuni +Tenors +Tenterden +Thankful +Thicket +Thimble +Thrifty +Thurn +Tiamat +Tinder +Tinian +Tintin +Titchmarsh +Toasters +Toes +Tolley +Toombs +Topless +Totton +Trackmasters +Tracys +Trailblazer +Tranz +Triceratops +Tried +Trill +Trimerotropis +Trouser +Truitt +Tulcea +Turan +Tyumen +Ucayali +Ullswater +Unbelievable +Unconventional +Uncovered +Unitarians +Urtica +VJs +Vanuatus +Varden +Vecchia +Viceroys +Videogame +Vili +Vint +Violette +Virginis +Virtualization +Vis +Vitalis +Volz +Waites +Wallacea +Walz +Wass +Watan +Wesleys +Wetherell +Wheal +Whistleblower +Whithorn +Whoever +Wickramasinghe +Widdrington +Wilk +Wixom +Worland +Yachty +Yanam +Yea +Yonsei +Younes +Ypresian +ZRo +Zeebrugge +Zionists +Ziv abuser academys accusative @@ -34840,7 +80905,6 @@ basally bathe beatboxing benevolence -bi binational biosciences biotite @@ -34903,7 +80967,6 @@ creditable creepy crutches cyborgs -dB dame damn dashboards @@ -34924,7 +80987,6 @@ draper driest drovers duplications -eV eavesdropping ecliptic educationally @@ -34948,7 +81010,6 @@ exhumed fairway faraway fecundity -fi fivelobed fixup flavone @@ -35157,7 +81218,6 @@ seaweeds selfimage selfregulating semisubmersible -sequoia shaky shorebased shorebird @@ -35168,7 +81228,6 @@ singlepile singlespan situates sixtieth -sixtrack skinheads smallish snakeroot @@ -35189,7 +81248,6 @@ steadfast steeplechaser stockpiling strapline -streamofconsciousness striae subbranch sultanates @@ -35250,6 +81308,905 @@ yodeling yours yttrium zhou +APs +Abelson +Aberfeldy +Abominable +Absolut +Abt +Acalypha +Ackles +Acrolepia +Adan +Addu +Adventureland +Agrobacterium +Aikens +Ailesbury +Ainsley +Aken +Alcan +Alcide +Aldiss +Aldobrandini +Alerts +Alesha +Aleutians +Alike +AllACC +Alpe +Althing +Amalgam +Amaroo +Amaury +Amaze +Aminu +Amphimallon +Amplifier +Ampthill +Angostura +Annamalai +Antler +Arcs +Artistry +Asaphocrita +Assis +Assistive +Asuncion +Atascadero +Atmel +Atypical +Autobahn +Azazel +Babubhai +Bachao +Badass +Baeza +Bahai +Bahmani +Bajrang +Balasore +Ballincollig +Balsamo +Banzai +Barbed +Barotseland +Bastien +Batchelder +Batumi +Beaverdam +Bedell +Beetham +Behrman +Beighton +Bekker +Belgica +Beng +Bennelong +Bernt +Bethlem +Bettany +Bevo +Bewley +Bhairavi +Bhawani +Bhiwandi +Bicton +Biometric +Biosystems +Biplane +Birchall +Blasio +Blau +Blekinge +Blondies +Bochco +Bogarts +Bolas +Boley +Bolliger +Bolma +Boosey +Borer +Borivali +Borrego +Bosa +Botomian +Bourgogne +Bournville +Braeden +Braham +Brandes +Braunton +Breezy +Bricker +Briefing +Brocken +Brookvale +Brownfield +Buckwild +Buffyverse +Bunce +Burgher +Burruss +Cabrillo +Cachapoal +Cadaver +Cahuilla +Calla +Callas +Callimetopus +Candyman +Cannot +Canoga +Capron +Captiva +Carers +Carloman +Carnivorous +Carolinians +Carpark +Carrboro +Castaneda +Castanopsis +Castelnuovo +Catoptria +Centric +Chakrabarty +Chakravarty +Chandrababu +Chartist +Chauvel +Cherries +Cherthala +Chignecto +Childcare +Chocolates +Cholet +Cholmondeley +Christianshavn +Chrysanthemum +Chunma +Cigaritis +Cinemark +Cinematronics +Clarkstown +Cletus +Clubiona +Coalport +Cob +Codec +Colaba +Colan +Collateral +Colney +Comb +Commencing +Compute +Comunicaciones +Conaway +Condamine +Convicted +Coolest +Cordeiro +Coren +Cova +Cowherd +Cowl +Cozi +CpG +Creeping +Crippen +Cronk +Crutcher +Cubango +Cupriavidus +Cydia +DAmour +Dacians +Dalmia +Danone +Dasa +Daxter +Daye +Deakins +Declared +Deka +Delchev +Delias +Demilitarized +Densmore +Deoria +Departing +Dermatobranchus +Derren +Despenser +Detmold +Devens +Dhirubhai +Diamandis +Diderot +Diederik +Dilli +Diplacus +Disappeared +Disappointment +Disruption +Dita +Dmytro +Dollywood +Dolman +Domitia +Donaldsonville +Donghae +Donohoe +Dormitory +Dorsett +Dorycera +Dosti +Dra +Drewrys +Dried +Duchenne +Dudleya +Duguid +Dunsmuir +Durian +Dushku +Dykstra +Eberhardt +Economically +Eddys +Edgeley +Ekurhuleni +Eleazar +Electrochemical +Elyse +Emmer +Empresa +Ennerdale +Envelope +Enyimba +Enzyme +Eoghan +Epson +Equalities +Erdman +Erythroxylum +Esha +Espanola +Etoile +Evanss +Expenditure +Fadden +Fagus +Fairclough +Fairland +Famed +Farndon +Fas +Fassbinder +Fazio +Fearne +Feira +Fengshen +Fenice +Filters +Finborough +Fingerprint +Fleisher +Flogging +Florentino +Flyin +Fora +Foreshore +Forex +Framlingham +Frers +Friern +Fuerteventura +Fullmetal +Funnel +GDragon +Gading +Gadsby +Gag +Gandalf +Gazer +Ged +Geezer +Generalitat +Genres +Georgianstyle +Germanstyle +Geum +Ghanaianborn +Giannis +Giessen +Gilani +Giraud +Giulietta +Goaltender +Goldmans +Golfer +Goochland +Gopalan +Gorbals +Goroka +Gossypium +Gowers +Gradient +Grandmothers +Gravenhurst +Gravesham +Greaney +Greenbaum +Grew +Gringo +Groundbreaking +Gummer +Gust +Guster +Gusti +Gyro +Hader +Hailsham +Halpin +Hambly +Hamo +Hangman +Hankey +Harefield +Harihar +Harmonium +Hartz +Haskin +Haudenosaunee +Haver +Havers +Haydens +Hayfield +Hefei +Heiden +Heider +Helpline +Henlopen +Herzfeld +Highwaymen +Hillview +Hippopsis +Hocus +Hoeven +Hooch +Hoopers +Hopeful +Horak +Housefull +Hualapai +Hughley +Hugs +Huppert +Hur +Hurrah +Huxtable +Hyson +Icewind +Ignatz +Imad +Imma +Imp +Indications +Indulgence +Interconnection +Internship +Ioannina +Ishii +Iskra +Iza +Jarbidge +Jeberg +Jhang +Jonker +Jowett +Jungang +Kacey +Kaikoura +Kaipara +Kak +Kehlani +Keiyo +Kenrick +Kernaghan +Kerner +Khon +Khoon +Khurasan +Kikwete +Kilfenora +Kilwa +Kitsis +Kittanning +Kittie +Knighthood +Knysna +Kock +Kokane +Komatsu +Kookaburras +Kooning +Kooper +Kop +Kothagudem +Kotli +Kray +Kreviazuk +Krishnanagar +Kristof +Kristofer +Kshatriyas +Kupang +Kyi +Ladytron +Lajpat +Lamond +Langtree +Lapin +Largescale +Lasallian +Laurell +Lavon +Lebo +Ledyard +Lenten +Leonis +Lessard +Letran +Leumit +Liaisons +Libellula +Liefeld +Lightbody +Limonium +Linsley +Lior +Litter +Littles +Littoraria +Lobdell +Loewen +Longboat +Longines +Lope +Lows +Ltype +Luella +Lutetian +Lycian +MSila +Macaronesia +Macri +Maddux +Madhusudhan +Madhvacharya +Magnani +Mahdist +Mainpuri +Malachy +Malet +Manchin +Mandriva +Mangione +Manicaland +Manresa +Manufacturer +Manzanita +Marakwet +Marfan +Margarete +Margaretha +Mariamman +Marija +Maroc +Marske +Marstons +Martinson +Marylandbased +Masaka +Mascis +Mateus +Mattels +Maudsley +Maxillaria +Mazzini +Meany +Megamix +Mehr +Melodie +Mendler +Menesia +Merano +Merauke +Messi +Metachanda +Methia +Mhow +Micromonospora +Midlers +Midrand +Midrash +Mignola +Minear +Mixmag +Mixon +Miya +Mobius +Moke +Molecules +Mollys +Moniz +Monkhouse +Monochrome +Moorfields +Mopani +Moraga +Morale +Mudstone +Muenster +Mukherji +Mundelein +Mwangi +Mytilene +NPcomplete +Nador +Naima +Narasimhan +Nariman +Narrabri +Navas +Naver +Nazioccupied +Neagh +Neckar +Neds +Nehalem +Nepalis +Nephilim +Neutrino +Newbern +Ngo +Nicolle +Nidwalden +Nii +Nilai +Nima +Nipigon +Noakes +Nootka +Nordfriesland +Norrbotten +Noteworthy +Notodden +Nottz +Nuance +Nuit +ONeals +Oberg +Obrium +Octet +Odenkirk +Oghuz +Ogie +Ojos +Olamide +Olavi +Olenekian +Oley +Oligodon +Olives +Olivieri +Olle +Omethylation +Omonia +Onn +Onslaught +Orin +Orji +Ory +Osorio +Ossipee +Outpatient +Ovenden +PENFaulkner +PJs +Padam +Pahat +Painesville +Palaszczuk +Palghat +Pamlico +Paquette +Paquin +Parishs +Participant +Particles +Partington +Passes +Pato +Pausini +Pavitra +Pend +Pennell +Pennsauken +Pentila +Perceptions +Perdition +Perodua +Petrarca +Petrarch +Philander +Philippus +Phiri +Pica +Pichilemu +Pickin +Picornavirales +Pikesville +Pilon +Pinos +Piranhas +Pirro +Pitchford +Pitti +Pizzeria +Pokot +Pongal +Populous +Porpoise +Poulin +Preserves +Primitives +Provan +Psidium +Ptinus +Pugliese +Pumps +Puran +Purnia +Pyramus +Qala +Qasr +Rabid +Racist +Rahsaan +Raimondo +Rajaji +Rajasekharan +Rakhi +Ranging +Raos +Rashtrakuta +Rasool +Ravishankar +Rawa +Razer +Recycled +Redden +Regalia +Reinventing +Renji +Replicas +Rhoades +Ridings +Ritt +Rivalry +Rivalscom +Rocketdyne +Rocklin +Rockys +Rony +Rossen +Rossington +Rostam +Routine +Rox +Roxie +Rumney +Sabra +Salamat +Samina +Samsun +Sangma +Santiam +Santini +Santis +Sargam +Sarpy +Satyendra +Saucers +Savill +Saylers +Scalzi +Schippers +Schnell +Schreck +Schwartziella +Scilla +Scottsboro +Scoundrels +Seems +Sellafield +Selvaraj +Sequences +Serafini +Sete +Sexes +Shahabad +Shankara +Shaping +Sharpshooters +Sharyn +Shawty +Shenoy +Shiawassee +Shipwrecked +Shoup +Shrines +Shrinking +Shula +Shuler +Sihanouk +Silloth +Silverwood +Simo +Sintra +Sisu +Skilled +Slopestyle +Smitha +Socially +Solveig +Soundscape +Spanner +Spectrometry +Spier +Splits +Spratt +Sprung +Spun +Stang +Stange +Stanwood +Steams +Stefanos +Stelling +Steno +Strathairn +Strathaven +Sublette +Subways +Successor +Suchet +Suckling +Suhartos +Sunlike +Surendran +Surreys +Suspicious +Suu +Swedishspeaking +Sweetbox +Sweetman +Systematics +Tagores +Tamba +Tanda +Tari +Taung +Tease +Tejan +Telephones +Tenochtitlan +Teochew +Terhathum +Terhune +Tewodros +Thain +Thakkar +Thanh +Theses +Thiagarajan +Thirlwell +Thornburg +Thorntons +Tiana +Tianhe +Timer +Timon +Tine +Toho +Tolan +Toner +Torstar +Toshevo +Tot +Trachydora +Trademarks +Transfers +Transnet +Traps +Triangulum +Trianon +Trichoptera +Tripod +Trucker +Trumpington +Tsarist +Tseng +Tullus +Tus +USCs +Ueda +Ullmann +Umaga +Umbra +Umma +Umphreys +Urhobo +Vadis +Vaibhav +Vari +Vassallo +Veblen +Velocette +Verden +Verte +Vicepresident +Viewing +Vipera +Vishwambharan +Visionaries +Vittore +Volts +Voz +Wardley +Watchung +Watership +Weatherhead +Weep +Wellfleet +Wentworthville +Westerner +Westmead +Wetaskiwin +Whalsay +Wharfe +Whitehill +Whitmans +Wildhorn +Wilfrids +Willes +Willisau +Winneshiek +Wisemans +Wivenhoe +Wordsworths +Wore +Worldview +Wretch +Wyck +Wykeham +Yarrawonga +Yayo +Yongpyong +Yorkist +Yukio +Zaha +Zaheer +Zand +Zeal +Zeehan +Zinda +Zubair abdomens abiding acetyltransferase @@ -35257,7 +82214,6 @@ adapiform addendum aggrotech agronomy -ai airdate airlaunched airlifted @@ -35298,7 +82254,6 @@ breweri bubbling bumble burr -businesss butch buttressed caerulescens @@ -35412,7 +82367,6 @@ gluing graces grander gravitationally -greatgreatgrandfather guianensis gummy gunsmith @@ -35423,7 +82377,6 @@ hardens headlight heritages highelevation -highstrength himher holograms homeschooled @@ -35456,7 +82409,6 @@ keratinocytes kimberlite kirk lamella -laminae lampoon lampreys lapped @@ -35635,7 +82587,6 @@ spokespeople spooky spotters spout -sqft squall stalactites starchy @@ -35643,7 +82594,6 @@ statebystate stateoperated stents stepbrother -stilllife storekeeper straightline stringer @@ -35683,7 +82633,6 @@ underreported unproductive uracil userspace -va vaccinations velum venting @@ -35702,6 +82651,965 @@ wilsoni wintertime workhouses worldviews +ATPases +Abdominal +Abergele +Ableton +Abrahamson +Accessory +Accordion +Acheron +Acoustical +Adamo +Adamsville +Adderleys +Adlington +Airspeed +Ajram +Akkad +Akyem +Alaba +Albie +Alco +Alessandri +Alexandras +Algae +Alief +Alim +Amazona +Amendola +Amerindians +Amino +Amiri +Andamans +Andoni +Ankole +Announcement +Antics +Antidote +Antiqua +Antje +Antonioni +Apoorva +Appia +Applause +Apsley +Arabi +ArcGIS +Arg +Argyrotaenia +Arijit +Aristophanes +Arranged +Arumeru +Arundhati +Ascending +Ashwell +Asin +Askari +Asma +Astronautical +Atchafalaya +Ati +Atlin +Augmentation +Automata +Avitus +Awadhi +Awaken +Axemen +Azilal +Aziza +Aznavour +Baar +Badia +Bagger +Bais +Balad +Balasubrahmanyam +Bancshares +Bandwidth +Bangerz +Banggai +Barahona +Barred +Barres +Bartlesville +Bartolommeo +Barty +Basco +Basies +Batik +Bayat +Bayerische +Bearded +Becerra +Beinecke +Beinn +Bellotti +Beneficial +Bengo +Bensalem +Beri +Bernat +Berti +Bevilacqua +Bigga +Birgitta +Birkirkara +Bizarro +Blackwoods +Blatchford +Blaxland +Blodgett +Bloxham +Bohun +Boldon +Bonkers +Bonython +Boso +Bostonarea +Bouillon +Bracey +Branstad +Branston +Breastfeeding +Breisgau +Brights +Brine +Brith +Brittle +Broadmeadows +Bron +Brundle +Bua +Bubsy +Buchenwald +Bugti +Bulan +Bulkley +Bumiputera +Bundang +Bunge +Bunyoro +Bura +Burdette +Burkholder +Bursary +Bustin +Buttercup +Buyer +Caffery +Caja +Calatrava +Calverton +Campany +Canwest +Capita +Caras +Caravans +Carisbrooke +Carli +Carnivores +Carvey +Cascia +Cashier +Cashin +Cassano +Cassatt +Castaways +Castellammare +Catena +Cathryn +Cawood +Cedarburg +Celebrated +Celldweller +Cerebus +Cetera +Chandrasekaran +Chandrashekar +Characene +Charcoal +Chassis +Chaudhari +Chillout +Chimaira +Chit +Chittorgarh +Chok +Chongming +Chops +Christadelphian +Christof +Chui +Cinderford +Cistus +Civilians +Claires +Cleaner +Clemence +Clifden +Cliffside +Coalla +Cobble +Cofidis +Cohort +Coliseo +Combretum +Commedia +Compagnia +Comparing +Compatible +Complement +Conchords +Concise +Conclave +Conder +Conducted +Conejos +Conneaut +Convertible +Convoys +Coolie +Copping +Coprinus +Coptops +Corrimal +Corynebacterium +Courtesy +Crap +Crayola +Cress +Crestline +Crossman +Cruikshank +Cruisin +Culturally +Cultus +Currey +Daffodils +Daresbury +Dasher +Debugger +Delaunay +Demonstrations +Dempo +Derick +Dermomurex +Derna +Deryni +Deum +Devarajan +Devoted +Devotional +Dharan +Diagonal +Digitals +Dihammaphora +Dilated +Dingdong +Dinh +Dinky +Directorial +Dirks +Disha +Dispersal +Disruptive +Dittrich +Divo +Dobbyn +Doda +Dollis +Domenica +Domjur +Doogie +Doubts +Douwe +Downstate +Draculas +Drafthouse +Dred +Droopy +Dubbing +Ducula +Dumka +Duplessis +Duras +Edw +Ejiofor +Elaphrus +Elephas +Eliane +Elimia +Elkridge +Ellisons +Ellroy +Elmdon +Elmers +Emberiza +Embryo +Endas +Endoscopic +Enga +Ensembles +Epistles +Equations +Eraser +Erkki +Erland +Escovedo +Escudero +Ethos +Eula +Europeanwide +Euroseries +Euthanasia +Evatt +Faasil +Fabry +Faranah +Farrells +Faun +Fava +Fenders +Figueiredo +Floreat +Flotsam +Footscrays +Fotball +Fractional +Framing +Frauenfeld +Frederikssund +Freeholder +Freziera +Froelich +Fukui +Fulcrum +Fungus +Galeazzo +Galilean +Gallerie +Gallico +Galmudug +Gammon +Gandharva +Gangnamgu +Garbutt +Garcias +Garrulax +Gatlin +Gatlinburg +Genn +Gentianella +Geopark +Germanybased +Gibbins +Gideons +Gilbertson +Giver +Glendinning +Glinda +Gloversville +Glutamate +Godhead +Godot +Gondi +Goodale +Goregaon +Grains +Granulina +Granz +Grigori +Grindelwald +Grits +Groovies +Grunt +Haima +Halpert +Hamsalekha +Hance +Haralson +Hardiman +Harle +Harrop +Hartington +Hasmonean +Haug +Haugen +Haveri +Headhunter +Hebdo +Hedon +Heinze +Hellblazer +Hellions +Herlihy +Herpetopoma +Heseltine +Hestiasula +Hillerman +Hinder +Hingis +Hipster +Hiranandani +Hispaniolan +Hitting +Hiva +Hjalmar +Hoa +Hoi +Holford +Holmberg +Hommes +Homosapien +Honeys +Huachuca +Huancayo +Humla +Hundley +Hungama +Hussle +Hyksos +Hylaeus +Hypolycaena +Hyslop +Icebreaker +Ikeda +Illustrations +Indu +Industria +Inflammation +Ingleby +Ings +Innu +Inspiring +Involuntary +Iolonioro +Irgun +Irreligion +Iscariot +Italianatestyle +Janardanan +Janna +Jaramillo +Jarmusch +Jarno +Jarretts +Jesuss +Johanne +Johnsonville +Jordanaires +Jorkens +Jovan +Jovis +Juab +Juggling +Juvenal +Kabataan +Kade +Kafue +Kaku +Kameng +Kaminski +Kana +Karisma +Karun +Karya +Kasdan +Kashinath +Kastner +Kasturi +Kentwood +Kenyanborn +Khairpur +Khali +Kibbee +Kilinochchi +Kingsmead +Kirribilli +Kiska +Klungkung +Koechlin +Koma +Koos +Krakatoa +Kral +Kratos +Krems +Krim +Krush +Kscope +Kubo +Kult +Kummer +Kurla +Kurland +Kuruman +Kuthiravattam +Kyalami +Ladbrokes +Laetitia +Lali +Lamon +Lamoria +Lancasters +Lashes +Lathan +Laure +Laverty +Legon +Lepore +Leprechaun +Leucosyrinx +Leviticus +Liberators +Licinia +Liedtke +Limbang +Lindfield +Lingala +Liparis +Lippmann +Llanfair +Localities +Lockes +Lohit +Lohr +Longfield +Lonny +Lorton +Lotharingia +Lotti +Lozi +Lubitsch +Lusatia +Lustron +Lygropia +MBAs +MPcom +Macaca +Machiavelli +Makar +Manahan +Mandingo +Manoba +Manobala +Manzoor +Mapa +Mariko +Marmot +Maronites +Marsters +Martti +Marven +Masahiro +Matar +Matarazzo +Mateen +Mathematically +Mattea +Maughan +Mauldin +Maun +Maximinus +Mazer +Meatballs +Megazine +Meloy +Menen +Menons +Merlins +Merri +Mertz +Metalworks +Mfg +Milanovac +Milch +Mili +Millerton +Mints +Mishawaka +Misunderstood +Miyagi +Mizuno +Modis +Mohicans +Momina +Mongolias +Moolah +Moorcroft +Mores +Morula +Mouvement +Multidisciplinary +Murkowski +Mushrooms +Musicale +NDubz +Nadim +Naft +Nakai +Namath +Natica +Nausori +Navarrese +Navdeep +Necronomicon +Neem +Nelsonville +Nicanor +Nigar +Nigga +Nigro +Ninas +Nir +Nissar +Nominating +Nonius +Nonleague +Norddeutscher +Nordin +Novaya +Nuku +Nymph +OGara +Oberheim +Obstacle +Obtaining +Ocho +Oddfellows +Oenanthe +Oerlikon +Ogaden +Ogasawara +Olden +Oranjestad +Orbiting +Orbost +Orden +Originated +Oudtshoorn +Ouro +Overtime +Owasco +Ozamiz +Padraig +Paik +Palaeozoic +Palai +Panionios +Panorpa +Papworth +Parenti +Parides +Parthians +Parting +Paser +Patches +Patels +Paull +Paying +Peeblesshire +Pendergast +Penghu +Pengkalan +Penumbra +Pepperell +Pert +Perthbased +Peruvians +Petersson +Petone +Pharmacist +Philbrick +Piedra +Pingasa +Pinker +Pla +Platteville +Plautus +Pneumatic +Pocklington +Poile +Pongo +Portpatrick +Pose +Pott +Prakrit +Prameela +Presenters +Pressing +Primes +Priyamani +Procar +Profesional +Pronounced +Protectionist +Proudfoot +Prva +Pulcher +Puneeth +Pyrrhus +Qiu +Quadratus +Qualls +Quartermaine +Quarterstick +Quincey +RAAFs +Radix +Rajalakshmi +Rak +Ramada +Ramazzotti +Ramis +Ramji +Ranchos +Raniganj +Rannoch +Rapier +Rapla +Rapoport +Razors +Rebuild +Reciprocal +Recreativo +Reeses +Regain +Regen +Regulars +Renewed +Requirement +Retief +Retiring +Revive +Rhodopina +Richler +Riemannian +Rigo +Rigveda +Rikers +Rilla +Ringette +Rishton +Ritenour +Riza +Rochesters +Rochon +Rockledge +Roding +Romansh +Roode +Rosyth +Rotonda +Roving +Ruen +Rukwa +Saddlebred +Sain +Saldana +Salis +Salterton +Salts +Sammi +Sanna +Sansone +Santuario +Sardinella +Sartori +Sazerac +Scarfe +Schinia +Schley +Schuur +Schwaz +Screamin +Scud +Sefer +Seigneur +Sekondi +Selectors +Sendak +Sequeira +Sergiu +Sexually +Seyed +Shabelle +Shafter +Shahar +Shakopee +Shamsul +Sharmas +Shastra +Shearman +Sheas +Shepshed +Shiga +Shinnecock +Shorthorn +Shrove +Shum +Sibande +Sida +Siegler +Silmarillion +Simpang +Singrauli +Sinica +Sipho +Sirenia +Sithara +Skids +Skiff +Slammiversary +Sleuth +Smashers +Smithton +Snare +Soames +Sodus +Sofa +Sogndal +Soumitra +Soxs +Spanky +Specters +Spiritualist +Splitting +Sreekumaran +Starlite +Stearman +Stilo +Stoute +Strapping +Strengthening +Strontium +Struve +Suffocation +Suhl +Suki +Suleman +Swarovski +Swindells +Syedna +Syndication +Syne +Tabloid +Tagus +Taif +Takaka +Talas +Tallinna +Tallon +Tamluk +Tart +Tasks +Taught +Taye +Taylorville +Tedesco +Tehuantepec +Teitelbaum +Temps +Ternopil +Thiam +Thionville +Thirtyone +Tilson +Tinling +Tintoretto +Tiro +Titania +Toads +Toddington +Tokens +Tolleson +Tongeren +Tooheys +Tope +Toscanini +Toulousain +Transferable +Treen +Trice +Triestina +Trocadero +Trombidiformes +Trond +Troyer +Trustkill +Tungabhadra +Turok +Tutuila +Tyr +Udara +Ulladulla +Ultrasonic +Ungava +Unidad +Universes +Uppal +Vachellia +Valdes +Valognes +Vasai +Vel +Velazquez +Vesper +Vigan +Vimala +Violations +Vipin +Virtuoso +Vlaamse +Vocalion +Voiceprint +Volyn +Voyageur +Vulpes +Wagh +Walked +Warshaw +Warzone +Watley +Watonwan +Wavell +Weekday +Weirs +Wescott +Westmore +Whitefriars +Whitlams +Whitneys +Whittlesea +Wilkinsons +Willam +Winmau +Winooski +Wintergreen +Wisin +Wolfville +Woodbourne +Woodvale +Worli +Worthen +Wurundjeri +Wyrley +XGames +Xscape +Yai +Yair +Yamanaka +Yapen +Yoho +Yukes +Zelena +Zellers +Zenda +Zetland +Zippy aas acanthus accentuate @@ -35753,7 +83661,6 @@ brokerdealer buddies buffcolored buntings -bushshrike busier canalized capstone @@ -35834,7 +83741,6 @@ eastside ecclesiology effectors eighteenyearold -eightmember embrittlement emitters emoji @@ -35862,7 +83768,6 @@ feepaying fetishes fifths finders -fivemonth foodstuff forename freeride @@ -35875,7 +83780,6 @@ ghazals glomerata gourds grayishbrown -gu guessed gunfighter gunvessel @@ -35977,7 +83881,6 @@ nearshore neurobiological newlywed nihilistic -nonChampionship nondegree nonresidents novaehollandiae @@ -36003,7 +83906,6 @@ paramagnetic passerines paucity payee -pb peacemaking perfumer periplasmic @@ -36080,7 +83982,6 @@ shimmering shorthanded shortwinged silico -singersongwriterguitarist singlet skiff skipjack @@ -36131,7 +84032,6 @@ theoretic theorize thinwalled thiosulfate -threeepisode thrillerdrama topoftheline toppling @@ -36146,7 +84046,6 @@ turboprops tuxedo tweaks twomile -twophase unconformably underarm underbelly @@ -36176,12 +84075,1011 @@ whitebeam wireframe workinprogress yell +Absinthe +Adamstown +Addressing +Adecco +Adore +Ager +Aghadoe +Agrostis +Agylla +Aina +Akademie +Akilam +Akodon +Alcantara +Aldborough +Alemannia +Alhassan +AllNBA +Allama +Almonte +Almshouse +Alp +Altham +Alu +Amietophrynus +Amini +Ammianus +Anadarko +Analogs +Anatoliy +Anatomica +Androids +Angra +Anh +Annaba +Antibiotics +Apollinaris +Appu +Apricot +Aprils +Aptitude +Arak +Araluen +Archdiocesan +Aristobulus +Armisen +Arps +Artaxerxes +Artistes +Arty +Ascania +Ashwood +Asked +Asoka +Assorted +Astroman +Attended +Attractive +Augusti +Australasias +Autosticha +Averell +Avett +Avoyelles +Azikiwe +BTs +Badges +Badin +Bajura +Bales +Ballast +Banners +Barakat +Barcode +Battleclass +Beara +Bearkats +Beavan +Beddomeia +Bedelia +Bellagio +Bellanca +Beluga +Benjy +Bentleigh +Berenice +Berens +Berghoff +Bernthal +Bertolucci +Bettendorf +Bhimavaram +Bibio +Bijoy +Bilbie +Bile +Bira +Biratnagar +Blackbeard +Blackmer +Blais +Blavatsky +Blinded +Boetticher +Bohm +Boies +Boracay +Bordighera +Botrytis +Bradfords +Brander +Briley +Brockwell +Broek +Bronchos +Brumfield +Bruns +Brymbo +Buccinum +Buckaroos +Bulb +Bullocks +Bushehr +CTAs +Caepio +Caio +Calceolaria +Callington +Callis +Calthorpe +Calvisano +Cancun +Canossa +Capn +Capon +Caraga +Carmens +Carondelet +Carrere +Carse +Casbah +Cease +Celestino +Cerialis +Chacha +Chantelle +Chapa +Charleson +Chekhovs +Chirac +Chittor +Chon +Christabel +Chudasama +Chuncheon +Churachandpur +Ciel +Cienega +Cimolodonta +Classen +Cleef +Clutha +Coachbuilders +Coad +Coakley +Coastline +Coch +Coes +Cohoes +Coldharbour +Collegian +Conch +Consuelo +Convener +Coons +Cori +Cornejo +Cornus +Cornwalls +Cotham +Coupling +Courtship +Cowdrey +Cranberries +Cribb +Cribs +Crufts +Cruyff +Ctenucha +Cudahy +Culpepper +Culross +Curio +Custodian +Cuyo +Cygni +Cylindrepomus +DVDVideo +Dahi +Dak +Dalal +Dallam +Dapto +Darwish +Dauntless +Davidoff +Dayan +Dea +Decipher +Declassified +Definitely +Delerium +Dellamora +Delle +Dentons +Devitt +Devotees +Dharti +Didion +Dinehart +Disneylands +Disneymania +Dissertation +Djawadi +Dobkin +Doetinchem +Dolenz +Donatist +Doorn +Duala +Dundurn +Dupuy +Duro +Dusky +Dux +Dweezil +Dyne +Dzong +Earthlike +Easterns +Ecclesall +Edington +Edwardes +Een +Ellendale +Ellman +Elysia +Emley +Empathy +Entamoeba +Enviro +Erechthias +Estimated +Estrela +Estrin +Ethnographic +Ettinger +Eurocom +Evelina +Excluding +Exes +Expanse +Expedia +Fahadh +Fahim +Fairplay +Faizal +Fama +Farfa +Faridkot +Farriss +Fassa +Fastlane +Fatigue +Fatimah +Fattah +Fennelly +Ferntree +Findings +Firmus +Flakes +Flaminia +Flav +Floresta +Forgetting +Forsaken +Fortifications +Foxworthy +Freedmens +Frenchmen +Frisby +Fujiwara +Funicular +Gabbana +Gadi +Gagliardi +Galaxias +Garfields +Garryowen +Gaskin +Gasser +Gatekeeper +Genital +Germanus +Gerstein +Geto +Geva +Ghiz +Gibby +Gifhorn +Gipson +Giusto +Gizmo +Gladesville +Glascock +Glenavon +Gobichettipalayam +Godfreys +Goephanes +Goguryeo +Goldoni +Goniotorna +Gosnell +Gosnells +Grantchester +Greigia +Grosz +Gua +Guano +Guillermin +Gumbo +Guraleus +Guruvayur +Habeas +Haggards +Haglund +Hallman +Hallo +Hamada +Hamari +Hamblen +Harbourfront +Hardt +Hardwell +Harishchandra +Harriott +Hasegawa +Hashem +Hastula +Hawkinsville +Hawksworth +Hawthornes +Hawtin +Heche +Hedberg +Heino +Helianthus +Helvetica +Henty +Hepburns +Hermiston +Hewes +Hfq +Hideous +Highfields +Hijo +Hilltops +Hinshelwood +HipO +Hoagland +Hoekstra +Holabird +Holbeck +Hollandiae +Holmen +Homalopoma +Hopkirk +Horsfield +Hoyles +Hsieh +Hudspeth +Hyer +Icterus +Ifeanyi +Iffley +Iko +Ilk +Imbrium +Immaculata +Immature +Impressed +Imst +Incubation +Inform +Informational +Ingrams +Interested +Intern +Interns +Interurban +Inverell +Ischnura +Ismailis +Isolde +Iulia +Jacksonvilles +Jadeja +Jaffer +Jaintia +Janagaraj +Janani +Janey +Jarama +Jaron +Jaspers +Jatin +Jayam +Jernigan +Jesup +Joelle +Jog +Jordaan +Joses +Jugnauth +Junkin +Jutra +Kalikot +Kalka +Kananaskis +Kap +Karaiskakis +Karls +Karuna +Kava +Keatings +Kennelly +Kermode +Khamenei +Khar +Khatami +Khitan +Khosrow +Khumalo +Khun +Khushi +Kidwelly +Kinderhook +Kiplagat +Kissel +Kodandarami +Koei +Kokkola +Kongoussi +Kongwa +Koreanlanguage +Korra +Kozani +Krayzie +Krofft +Kru +Kui +Kulai +Kwaku +Laidley +Lajong +Lamberton +Lamson +Landslide +Lanigan +Lapointe +Larceny +Laren +Lasiocercis +Lassa +Laurenti +Lavignes +Lawas +Lawns +Lawry +Layard +Lehtinen +Leicesters +Leroux +Licia +Lifeguard +Liliane +Lilys +Lini +Lippo +Lissa +Litel +Liverpoolbased +Livewire +Llanos +Loca +Locking +Locklear +Loeblich +Lomonosov +Loney +Lorry +Lovecraftian +Loxophlebia +Lubbers +Luciobarbus +Lusail +MDs +Machar +Magadha +Magne +Magnitogorsk +Maharashtras +Mahfouz +Mahkota +Mahlangu +Makan +Malayala +Maleficent +Malegaon +Malkapur +Mallala +Malvina +Manasa +Manasquan +Mangaluru +Manos +Manteca +Maqbool +Marcell +Marcellin +Margaretta +Mariette +Marillions +Marler +Marotta +Marvelettes +Masai +Masaryk +Masovian +Mauger +Maulvi +Mawal +Meaghan +Mebane +Medora +Meech +Melnick +Meloni +Meme +Mendham +Menteith +Meow +Messenia +Mestaruussarja +Metaphysics +Metromedia +Miccosukee +Mich +Michaud +Mico +Microphones +Milby +Millner +Minidoka +Minucius +Mirman +Mithridatic +Mitogenactivated +Mochis +Moderna +Mogudu +Mohler +Moka +Monnet +Monoceros +Moos +Morarji +Morgue +Mortenson +Mpwapwa +Muhammadiyah +Muharraq +Mukono +Mukta +Muktha +Mulayam +Mules +Muskrat +Mussoorie +Myanmars +Mycroft +Mykola +NDjamena +Nacra +Nagavally +Namitha +Nanchang +Naoko +Nappy +Narrator +Natore +Nawabganj +Neckarstadion +Nectar +Nemec +Nephopterix +Nesting +Neumarkt +Neversoft +Newcomers +Newley +Nitze +Nlakapamux +Nobili +Norco +Nordea +Northey +Notley +Nugroho +Nullarbor +Nunzio +Nurseries +Nyasa +Nyberg +Nyquist +OFlynn +Obed +Occupying +Odonata +Odorrana +Oeiras +Olivera +Omarion +Omroep +Onalaska +Onita +Oona +Opostega +Ordinarily +Origine +Orly +Ormoc +Oster +Otoe +Outcome +Outfest +Overseers +Oya +Pabna +Padi +Paes +Paisleys +Paksha +Pakula +Palani +Palanka +Palladius +Panaeolus +Pangilinan +Panjim +Paraivongius +Parasitic +Parkash +Paroisse +Parrs +Pastorizia +Pathankot +Patliputra +Patrese +Patriarca +Pattani +Paus +Pecks +Peddapalli +Pedra +Peerages +Pendarvis +Penis +Pepi +Pera +Perceptual +Perfectly +Perform +Perrault +Petani +Petroglyph +Petrolia +Philibert +Philmont +Phonogram +Piatt +Pilsley +Pindra +Pinerolo +Pints +Piolo +Pioneering +Piro +Plaisance +Platanthera +Pleasance +Pocus +Polynesians +Pooch +Popescu +Portslade +Posies +Postcard +Posters +Povey +Preity +Prerogative +Projections +Prophecies +Prosopocera +Protocadherin +Proulx +Psyrassa +Purification +Purushottam +Pustaka +Puth +Puy +Pylon +Pythagorean +Qarase +Qawwali +Quasi +REMs +RTexas +Rafik +Rahat +Raheja +Raimondi +Rainford +Raji +Rajpur +Ramanaidu +Ramble +Rapaport +Rastogi +Ratsiraka +Ravin +Rayo +Razia +Razzle +Recco +Reclaiming +Recordz +Reddys +Redesignated +Regulated +Reinert +Repeater +Representations +Repulse +Reseda +Resupply +Retrievers +Reuss +Revisionist +Revivals +Rickles +Ridden +Ridgeville +Ridleys +Rimae +Rimba +Roadmap +Roberge +Robi +Robust +Rockefellers +Rodents +Rolands +Rolston +Roly +Romi +Romina +Ronit +Ronsons +Rosella +Rosmini +Roundhead +Rowes +Russianlanguage +Rutten +Sadah +Saima +Salama +Sampaloc +Sangathan +Sanhedrin +Saperstein +Saraiki +Sare +Sarracenia +Sastri +Savalas +Scarem +Schauer +Schiavone +Schickele +Schindlers +Screenwriters +Scurry +Seahawk +Sectional +Seldom +Selector +Sentences +Serif +Seringapatam +Severo +Seyfried +Shakedown +Shala +Shashikala +Shays +Sherinian +Shingo +Shinjuku +Shiro +Shirodkar +Sigler +Silambarasan +Silberman +Sinoe +Siuslaw +Skelter +Slaters +Slingers +Smelter +Smelting +Smithy +Smulders +Smurf +Snellen +Soloists +Somatina +Sorin +Spectrometer +Spiegelman +Spira +Spirembolus +Splicing +Sripriya +Starkweather +Stift +Stink +Strabena +Strozzi +Submissions +Subramanya +Sulaymaniyah +Sulzer +Sumnerclass +Supposed +Suroor +Surrogate +Svein +Sverdrup +Sveti +Swee +Swinger +Sycamores +TCAs +TNAs +Tabla +Tadashi +Takedown +Tallahatchie +Tamia +Tamim +Tanveer +Taormina +Tarana +Tartans +Tatanagar +Tclass +Teaser +Teign +Teledrama +Teletext +Tempel +Tenis +Testosterone +Tetley +Teva +Teylers +Thanos +Thirtyfive +Thon +Thorsen +Thoth +Threadgills +Tiles +Timlin +Tindersticks +Tinney +Tokai +Tongs +Toohey +Toot +Toppserien +Tramps +Transcendence +Treasurers +Triads +Triumvirate +Trotskyism +Trotters +Tunnell +Turcotte +Tux +Twentyfifth +Twiggs +Twombly +Ubaldo +Uckermark +Undiscovered +Universalism +Untouchable +Uruguays +Usain +Usama +VMs +Valentinos +Vande +Vanderbilts +Vasconcelos +Veerappan +Vegetables +Verstappen +Vibert +Vipul +Viterbi +Vittal +Volsci +Voorburg +Vryburg +Walshe +Wapakoneta +Wardak +Washing +Wasser +Waun +Weakest +Weinstock +Wellers +Wellss +Wendouree +Werra +Westerman +Whistles +Whitson +Whom +Wiens +Wiesel +Wigley +Wigwam +Willunga +Windsors +Wingert +Wipro +Wizz +Woke +Wolayita +Wolter +Wombwell +Wooding +Woodmen +Wooley +Worcestershires +Woronora +Wrangell +Wrist +Wyndhams +Xanthorrhoea +Xilinx +Xinhua +Yandel +Yandex +Yazid +Yellowcard +Yer +Yoshiki +Yoshimura +Yuka +Yulin +Zebrahead +Zeitz +Zephyrhills +Ziauddin +Zika +Zing +Ziziphus +Zukerman +Zulte +Zuniga acetylene acrobat actorcomedian actuary actus -acylCoA ageold agouti airsoft @@ -36211,7 +85109,6 @@ biodegradation biologics bistro bluishgreen -bm boilerplate brevipennis brooms @@ -36442,7 +85339,6 @@ monohull mori mostcapped muchneeded -multiphase mundi muon musicologists @@ -36455,7 +85351,6 @@ negate neologisms neurotransmission newsworthy -ninestory nonChinese nonmainstream nonrigid @@ -36478,7 +85373,6 @@ orbicularis oryx oscilloscopes ostracized -ou outfitting outliers overthrowing @@ -36496,7 +85390,6 @@ persontoperson pessimism phaseout photometric -pi pileus pincode piperidine @@ -36635,13 +85528,1028 @@ weatherboarded welltrained whooping withered -wo womanizing wordofmouth wrenbabbler wrenches writereditor yellowtail +AOLs +Abercynon +Abhi +Abo +Abronia +Achievers +Adie +Adios +Aeromarine +Afan +Agadez +Agata +Agnelli +Aix +Aju +Alaina +Aleut +Alexs +Alfre +Alipore +Alleanza +Altagonum +Altay +Altenburg +Amat +Ambrosian +Americanowned +Ameritrade +Amira +Amorphoscelis +Anabaptists +Anesthesiology +Angas +Angelini +Aniello +Anisopodus +Annans +Announcer +Ansley +Antigo +Apparent +Appiah +Appledore +Apprentices +Arabicspeaking +Argenteuil +Argue +Arik +Arlette +Aroha +Arri +Arvid +Aryeh +Asokan +Aspatria +Aspergers +Astonishing +Ateliers +Atienza +Atteva +Attopu +Avicenna +Avni +Azz +Babalola +Babylonians +Baggot +Bahri +Baki +Balita +Ballas +Ballentine +Ballyduff +Ballymore +Balogun +Barcoo +Barnacle +Barnette +Barolo +Barometer +Barrels +Barter +Basking +Basutoland +Battling +Beards +Beare +Beaufortia +Bebington +Beholder +Beitar +Belfasts +Bellenden +Berekum +Berlioz +Berowra +Betsey +Betta +Bhairav +Bhale +Bhoja +Bhubaneshwar +Bhutia +Bic +Bidens +Biggin +Bihu +Bim +Bindi +Biota +Bipin +Birdsville +Bitmap +Blackhearts +Blackstock +Blairmore +Blam +Blass +Blaustein +Blogs +Boeings +Boethius +Bogue +Bolognini +Boltons +Bombali +Bonjour +Bonnard +Bookman +Bordon +Borella +Bork +Botola +Breviary +Bridgeville +Brim +Broxtowe +Bruun +Brycheiniog +Bucci +Buckhurst +Budva +Bullshit +Buna +Burscough +Buzzfeed +Caffrey +Cajetan +Cakobau +Calabro +Caldwells +Camelford +Cancellaria +Canonsburg +Carafa +Carbo +Carnot +Carowinds +Carper +Cassar +Cassian +Castleclass +Caucasians +Cavalcanti +Cazin +Cervi +Cethegus +Chadron +Chained +Chal +Chalke +Chalker +Chardon +Chastity +Chatterley +Chatwin +Checking +Chelmer +Chemnitzer +Chennaibased +Chestertown +Chicagoans +Chimp +Chinchilla +Chinnappa +Christcentered +Chunnam +Ciaras +Cinemalaya +Cingular +Civica +Clairsville +Clauses +Claverack +Clere +Cloutier +Clovelly +Clute +Clyst +Coahoma +Cobains +Coble +Cockfosters +Cockspur +Cocktails +Coeducational +Cogeco +Collect +Collet +Comamonas +Competency +Conacher +Cones +Conjuring +Conspicuous +Copps +Coq +Coronae +Correll +Corrin +Corunastylis +Cosford +Couriers +Courtaulds +Courtice +Courtois +Covenanter +Crafton +Cranborne +Crucified +Cuatro +Culberson +Cuse +Cystiscus +Dacca +Dadeldhura +Dalglish +Damai +Damion +Damm +Dancy +Danishborn +Dawid +Deggendorf +Delicatessen +Delph +Demis +Denverbased +Deposits +Deville +Dietrichs +Digga +Dik +Disadvantages +Dismal +Distributive +Divisyen +Domhnall +Donors +Doraville +Dowler +Dreamworks +Drewry +Dro +Drumma +Duffey +Dunhams +Duren +Duthie +Dyess +Dysfunction +Earn +Eastwick +Ebsen +Ecce +Edgehill +Edmundston +Ehrman +Eiger +Eisenach +Eisenstadt +Elisabet +Elizabethton +Embree +Embu +Emraan +Ender +Eni +Erastus +Erding +Eressa +Erez +Escorts +Esmeraldas +Esper +Etherington +Evolver +Exoplanet +Extracts +Eyeball +Fabiola +Fagin +Faldo +Fanconi +Fara +Farkas +Farmersville +Faze +Fbox +Fecunditatis +Fenners +Fervent +Fichtner +Fieseler +Fifield +Filing +Fino +Fittest +Flashbacks +Floridians +Floristic +Foals +Fondo +Foraminifera +Forgan +Fosterella +Fountainhead +Francais +Franny +Fredriksson +Freiberg +Frenchbased +GMOs +Gaer +Gaimans +Galaga +Gamage +Gantz +Gaps +Garretts +Gatoclass +Gede +Gerold +Giampaolo +Gilgandra +Gnomes +Goalball +Godfathers +Gokulam +Golda +Gondal +Goodfellas +Goodreads +Goold +Gown +Gracious +Granata +Grandaddy +Greenidge +Greylock +Griselda +Grunge +Guastalla +Guenther +Guindy +Gundagai +Gurkhas +Guzzi +HMGCoA +Hadar +Hadlow +Hagel +Hagnagora +Hailee +Halleck +Hallyday +Hamadi +Hambletonian +Hamiet +Hamme +Hammerhead +Hammersteins +Hammons +Hansraj +Harbour +Hargitay +Harling +Harstad +Harutaeographa +Haseena +Hauterivian +Havas +Headache +Heatley +Heeney +Heidelberger +Heliconia +Heliura +Herodian +Hersholt +Heteroponera +Hettinger +Highpoint +Hingoli +Holler +Homeowners +Hosford +Hughenden +Hullabaloo +Huneric +Hutchinsons +Hydrology +ICTs +IThe +Ickx +Ideology +Ihor +Ika +Ikechukwu +Imrie +Indrans +Ingemar +Ingrosso +Inishowen +Insurers +Intrusion +Irie +Iryna +Ishpeming +Ivanjica +Jaggers +Jairo +Jamel +Janatha +Jarl +Jarryd +Jati +Jayaraman +Jaymes +Jazzhus +Jee +Jehanabad +Jelgava +Johnathon +Joomla +Joon +Joystick +Judie +Justina +Kabale +Kabbah +Kadi +Kaisers +Kampar +Kapital +Karjat +Kathua +Katwa +Katwijk +Kawa +Kayleigh +Kayode +Kelmscott +Kerch +Kesey +Kesh +Khader +Khalaf +Khalistan +Khargone +Kho +Khronos +Khwarazm +Kidston +Kila +Kilmallock +Kilroy +Klara +Klemmer +Knepper +Kober +Koby +Kocher +Kodaks +Konda +Konya +Koskinen +Krishnamoorthy +Krist +Kristiania +Kristiansund +Kristie +Kubu +Kufuor +Kumaraswamy +Kumkum +Kund +Kurram +Kuttner +Kwahu +LAbased +Lacon +Lahr +Laishram +Lak +Lamy +Landrieu +Langen +Langone +Lattimore +Launder +Leamy +Leederville +Leftovers +Legothemed +Leitha +Lessepsian +Leu +Leventhal +Levines +Lewinsky +Libero +Libo +Libris +Lifeforce +Liguori +Lindeman +Lindon +Linx +Littell +Liye +Llobregat +Loh +Longhair +Longhurst +Lossiemouth +Louiss +Lowca +Lucass +Lugg +Lulus +Luminous +Lya +Lyda +Lydian +Lye +Lyonnais +Lyre +Mabillard +Macan +Macanese +Madama +Madhusudan +Mahaprabhu +Mahood +Maire +Maithripala +Makueni +Malate +Malcolms +Malloch +Maloof +Malouf +Mananthavady +Manavalan +Mancherial +Mansi +Manuka +Marawi +Margao +Mariae +Marquesan +Marshs +Massively +Matlin +Matsya +Mattis +Mattsson +Mauer +Maximiliano +Mayorga +Maytenus +Maza +Mazandaran +Mazar +Mbo +Meats +Medfield +Menomonie +Meredyth +Merril +Mesabi +Mesothen +Messel +Metalocalypse +Methodius +Mezzanine +Mhic +Michio +Microcomputer +Milken +Millinocket +Mimudea +Minar +Miraflores +Mirra +Mohabbatein +Mohales +Momma +Monch +Monnow +Monomorium +Monstercat +Montel +Montreuil +Moorpark +Moranis +Morissettes +Morotai +Morphological +Mosier +Motorolas +Moxon +Muerte +Murals +Murfin +Murty +Mussa +Muthiah +Mykonos +Mysuru +Nadeau +Nadiadwala +Nagin +Nahar +Najwa +Nambour +Namgu +Nanga +Nannini +Nanoscale +Naranjo +Narrogin +Naseer +Nataliya +Naveed +Necaxa +Nedlands +Neuse +Nexon +Niassa +Nicklas +Nidd +Nineties +Niortais +Nondescripts +Northbound +Nostoc +Nosy +Notices +Nurhaliza +Ochre +Oded +Odhiambo +Oecomys +Oglio +Oilfield +Okechukwu +Okha +Olena +Olentangy +Oligoryzomys +Ollerton +Olympias +Ophrys +Orchis +Oreste +Orgasm +Osby +Owosso +Oxhey +Padbury +Padden +Pagodula +Paktia +Paladino +Palfrey +Pangani +Parada +Parantica +Pazhassi +Pediasia +Pembrey +Pensioners +Perls +Petals +Pevney +Pharcyde +Phidippus +Philco +Phillimore +Philpot +Phocaea +Physalaemus +Pijl +Pinchas +Pinkham +Pinkie +Pistoiese +Planica +Pliensbachian +Plunge +Poisoned +Pollards +Ponerorchis +Pontian +Popa +Portrush +Portumna +Portus +Porvoo +Possibilities +Postumus +Pradip +Preceding +Preseli +Pressley +Pretend +Preto +Pronto +Prosperous +Prothom +Proximus +Punchestown +Puntarenas +Purkinje +Quests +Quinctius +Quota +Raam +Raiganj +Raincoats +Rajab +Rajgir +Rajnandgaon +Ramayan +Ramoji +Rara +Razon +Reacher +Redeye +Reforma +Represented +Reps +Reunification +Rexall +Ricco +Riffa +Ringwald +Ripken +Rituparna +Rizwan +Robarts +Rocque +Romuald +Rong +Ronn +Rosenbloom +Rosi +Rosicrucian +Rothenbaum +Roxette +Ruffo +Rugbys +Rusby +Rustom +SPs +Sachsen +Sacro +Sadek +Saeima +Sahibzada +Sahiwal +Saiful +Salinator +Saltbush +Salukis +Saluri +Salvatores +Salvini +Sameera +Samia +Sammons +Samo +Sango +Sankranti +Santragachi +Saravanamuttu +Sarda +Sarkozy +Sathaar +Saugatuck +Saulteaux +Saussure +Sayville +Scaphinotus +Scheduling +Schistosoma +Schneier +Scholl +Schreder +Schumachers +Scorched +Scratchy +Scripted +Scrivener +Seam +Seanad +Sella +Semecarpus +Senegalia +Sepahan +Serui +Shaiman +Shakya +Shales +Shanker +Shap +Shar +Sharpton +Shedd +Sheirgill +Shenango +Shifty +Shinya +Shorncliffe +Shreyas +Sights +Silos +Sinemurian +Sirena +Sisi +Sithole +Sixthseeded +Skala +Skateboard +Skepta +Skerries +Sleepwalker +Slezak +Snares +Snr +Soest +Sojourner +Soloveitchik +Somatic +Soori +Spaak +Spacemen +Spero +Spoorwegen +Springbank +Stalking +Stanger +Stann +Statisticians +Steffan +Steger +Stennis +Steppin +Stitches +Stoltenberg +Stopped +Stradbally +Stross +Stroup +Strung +Strydom +Stunts +Stupa +Sturgess +Stuttering +Stylistics +Subliminal +Suda +Sultanpuri +Sunyani +Superb +Superficial +Supplier +Surfliner +Surfs +Susumu +Swadeshi +Swear +Symmoca +Syro +Syrup +TVmovie +Tac +Tactix +Tah +Tahlequah +Taib +Tajiks +Tamra +Tanglin +Tapas +Tarbell +Tars +Tarzans +Tattnall +Taungoo +Teemu +Teh +Telemedia +Temotu +Terese +Terminologia +Terrorizer +Tertullian +Tessie +Tevis +Thala +Thangavelu +Thibaut +Thirtytwo +Thorndon +Tiankoura +Tifton +Timberland +Tindale +Tindivanam +Todos +Toland +Toller +Tooley +Topher +Tosi +Tottenville +Towanda +Townshends +Treader +Trilling +Trilok +Tripteridia +Tropico +Tuohy +Turnaround +Turrell +Tuscumbia +Twi +Twitchell +URIs +USAmerican +Uematsu +Ugia +Ullevi +Uluguru +Underwriters +Uniformity +Unter +Unterberger +Uriel +Urrutia +Uruan +Utd +Vaca +Vagina +Vamp +Vaught +Vena +Venturing +Vidyapith +Vij +Virunga +Viruthugal +Vityaz +Vonneguts +Wackerman +Waitemata +Waldheim +Wanyika +Wario +Wastewater +Watton +Wayfarers +Waziri +Weevil +Westhoughton +Whitsett +Wille +Winfreys +Winsted +Wipers +Wisner +Wladimir +Woodcrest +Woomera +Worsham +Wrightbus +Wyld +XTreme +Xanthi +Xindi +Yakuza +Yall +Yami +Yat +Yorta +Youghiogheny +Zabriskie +Zelig +Zhuo +Ziba +Zobel abduct abetting acceptors @@ -36756,7 +86664,6 @@ debutants decadence deceleration decussata -deg dehydrogenases delineating deltoid @@ -36809,7 +86716,6 @@ foliation folklorists foodrelated foottall -fourteenyear fourterm frills gaits @@ -36878,7 +86784,6 @@ inventiveness invert invitees jin -jr juggle kaszabi kennels @@ -36904,8 +86809,6 @@ lizardlike localizing locational lookouts -lowerclass -lowertier lowfrequency lugs luminescent @@ -37107,7 +87010,6 @@ telefilms teleplays telex tenors -tenstory tenuifolia theatrics thioredoxin @@ -37165,6 +87067,1066 @@ wormhole wormwood wrens wronged +AEs +Acanthomyrmex +Adder +Aermacchi +Aerodramus +Aerts +Affirmative +Afrotropic +Ahenobarbus +Aisling +Alboreto +Albu +Aldersgate +Aleksandrovich +Alki +Alleged +Alpes +Alphas +Alstonia +Altach +Alternating +Altstadt +Alzheimer +Amadi +Amaranthus +Amari +Ambleside +Amenia +Amphidromus +Amrapurkar +Anatoli +Anda +Andalucia +Angelas +Angulo +Anneliese +Anouk +Antin +Antone +Aon +Applewood +Apriona +Apt +Arai +Araucaria +Arbus +Archambault +Archimedean +Arene +Arifin +Arising +Arizonabased +Arminius +Arni +Arnica +Assizes +Asteras +Athan +Atterbury +Autauga +Autonomic +Averys +Avoiding +Ayyubid +BAFTAnominated +BBSes +Babul +Baburaj +Baburao +Balcony +Balochi +Bambino +Banaskantha +Baraga +Baria +Barlowe +Barsoom +Baumbach +Bautzen +Bayh +Baze +Beales +Bearcat +Beet +Behring +Belsize +Beltran +Belts +Benedikt +Beppe +Berita +Berri +Besser +Bhaktivedanta +Bhasin +Bhind +Biafran +Bikol +Biola +Birdwell +Blackmail +Blatt +Blatter +Blending +Blip +Blunts +Bobbio +Bodhisattva +Boggy +Bojangles +Bombala +Bonnett +Boogeyman +Booz +Bordentown +Borderland +Boroughbridge +Borris +Bourse +Bowral +Bracco +Brackenridge +Braganza +Brakhage +Brannan +Bransford +Brede +Bremgarten +Brickworks +Briefs +Britishbuilt +Broch +Buffs +Buhay +Bums +Bunter +Burkhardt +Busse +Buxar +Byrum +Cabinetlevel +CableACE +Cachar +Caltex +Calverley +Canajoharie +Cans +Cantata +Canuck +Capras +Caracal +Cardin +Carissa +Carolan +Castanea +Cath +Cel +Cento +Centris +Chabert +Chablais +Chairmanship +Chale +Chana +Chanakya +Chandel +Chandelier +Chap +Chara +Charging +Charisse +Charminar +Cheesecake +Chemsak +Chhaya +Chianti +Chigi +Chowdhary +Churnet +Cian +Cillian +Circumcision +Cladosporium +Clann +Claremore +Classically +Claymore +Cleansing +Clee +Cliffhanger +Climbs +Coiledcoil +Colinton +Columban +Commitments +Comos +Compatibility +Connecticutbased +Connells +Conran +Coola +Coolidges +Cophixalus +Corduroy +Corti +Corylus +Costantino +Costellos +Countryman +Cowells +Cramond +Creepers +Cribbins +Crocodylus +Croucher +Crouching +Cryptococcus +Crysis +Curtius +Cush +Dalem +Damar +Damo +Dansville +Davisville +Davitt +Dawei +Dears +Decapoda +Dejan +Dement +Dendronotid +Dentists +Derwin +Descriptor +Desha +Destin +Diedrich +Digit +Dink +Dinklage +Discoverys +Dismember +Distilling +Disturb +Diyala +Dok +Dominus +Doody +Doomed +Doonesbury +Doubs +Dougan +Drizzt +Duffus +Dulfer +Duncombe +Dunnville +Dursley +Dusen +Dvaita +Dyadobacter +Dysgonia +Dzongkha +EPAs +Eartha +Ebel +Ector +Edom +Egyptianborn +Eide +Eland +Elbridge +Eleftheria +Elmina +Emerge +Emerick +Emmas +Emsworth +Enceladus +Entertain +Entoloma +Ephedra +Eristena +Ermanno +Erra +Erupa +Escapist +Eschweilera +Ethanol +Euskal +Eutelsat +Evel +Evi +Evonne +Excelsiors +Exclaim +Excursion +Exotica +Expecting +Experiential +Eyton +FIAs +FRAeS +Fairground +Falconar +Faraway +Farrukh +Faulks +Favored +Faxon +Fearnley +Fentress +Fernald +Feroze +Filled +Fillion +Findhorn +Fingerprints +Fischbach +Fitting +Flanery +Flashlight +Florae +Fodor +Fontane +Footsteps +Footwork +Forefront +Fortnite +Foton +Fouts +Fozzy +Frenchmans +Frodingham +GETligaen +GStreamer +Gagea +Gaijin +Gainey +Gaining +Galante +Gallon +Gamecock +Garonne +Gaspare +Gaucho +Gedi +Geisler +Genina +Giada +Gianyar +Gidley +Gilley +Gimlet +Girardi +Gishu +Glazier +Glenarm +Godman +Goldblatt +Goldner +Goldy +Goolagong +Gordimer +Gornja +Gounghin +Grabowski +Granary +Graney +Graniteville +Greenlaw +Greensville +Greyson +Grimoire +Grodin +Grooms +Grossmith +Groth +Gryce +Guaynabo +Guidry +Guiscard +Guji +Gullane +Gyles +Gymnocalycium +Gyrinus +Haddonfield +Hadena +Haikou +Haliplus +Hammonton +Hannelore +Harmonized +Hassel +Haugh +Havelland +Hec +Heeley +Heemstede +Hei +Heilman +Heiress +Heliocheilus +Hemsley +Hendren +Henwood +Hereward +Herta +Hessel +Heterocampa +Heusen +Hike +Hillclimb +Hindaun +Hing +Hohenstaufen +Holloways +Honeycomb +Horsa +Horseheads +Huene +Hueneme +Hulman +Huma +Hyndman +IIe +IPOs +Ickenham +Idries +Idyllwild +Ima +Imerina +Ind +Indosiar +Induced +Inductees +Infanta +Inflatable +Insatiable +Insert +Instituut +Instrumentals +Interpersonal +Iquique +Iselin +Isenberg +Isernia +Isiah +Italianspeaking +Itzhak +Jaci +Jad +Jagannadh +Jaggi +Jagir +Jailhouse +Jamila +Jerald +Jerwood +Jesi +Jinks +Joana +Joao +Johnsbury +Jonathans +Josaphat +Josefina +Juran +Juri +Kabinet +Kahar +Kahns +Kalkaska +Kallis +Kalna +Kamehameha +Kanchanpur +Kandu +Kansass +Karaganda +Karanja +Karki +Karnatak +Katana +Kaurna +Keister +Kenley +Kennys +Kersten +Khadi +Khanpur +Khola +Kickboxer +Kicker +Kickhams +Kiir +Kinch +Kinghorn +Kinsley +Kipp +Kishor +Klose +Kluang +Kodaikanal +Koil +Koop +Kosh +Kosova +Kranji +Kravis +Kreuzberg +Ksenia +Kshetra +Kudu +Kulbhushan +Kulm +Kuma +Kurian +Kusum +Kyabram +Kygo +LEstrange +Ladoga +Lafarge +Laisenia +Lakemba +Lakh +Lamiales +Lammers +Lampasas +Lande +Langstone +Langworthy +Lanzhou +Latex +Laurance +Laurinburg +Lauter +Lavoie +Lawrance +Leanderclass +Leisen +Lek +Lemuria +Leninist +Lenora +Lepidogma +Lethem +Liberace +Libertine +Libertyville +Libolo +Libyans +Liebert +Lifeson +Limiteds +Lindas +Linepithema +Lingle +Linthicum +Lipsky +Llanfihangel +Llwyd +Lohar +Lokayukta +Lokoja +Longmire +Lotru +Lovells +Luk +Lukasz +Lusitanian +Lycopodium +Lycurgus +Lyford +Lynnfield +Machinima +Maciel +Madhoo +Madhubala +Magick +Maior +Malabo +Malinga +Mami +Mandera +Manhood +Maniema +Mannargudi +Manoel +Mantidactylus +Manzil +Marasmius +Marionette +Mariscal +Mariupol +Marja +Maryvale +Masao +Massari +Matina +Mattox +Maxims +Medalists +Medchal +Medes +Mees +Megara +Meisel +Melges +Memons +Meon +Merrett +Merrow +Mestis +Mex +Mga +Midshipman +Militar +Millican +Millikin +Millward +Minajs +Minion +Modus +Mohana +Mohican +Moltke +Monclova +Moncur +Moneyball +Montell +Mooneys +Moosonee +Morayshire +Morlocks +Moron +MorphOS +Morphology +Morriston +Moskva +Mossberg +Mou +Mudgal +Mujhe +Mujib +Murata +Murmur +Museu +Muskie +Musquodoboit +Musumeci +Mut +Mutiara +Mycenae +Myton +Nabokovs +Nairne +Naji +Nankai +Nanterre +Nao +Narasaraopet +Nayagarh +Ndiaye +Neena +Neftekhimik +Nephites +Neunzig +Newnes +Nicholsons +Niemeyer +Nikko +Nizhalgal +Nizhnekamsk +Nlinked +Nmethyltransferase +Nock +Nogometni +Norgran +Noronha +Northerners +Notebooks +Novokuznetsk +Nutmeg +Nyhavn +Oddworld +Odiham +Odum +Offishall +Oglesby +Ojha +Okapi +Olbia +Onos +Optik +Ordos +Oskarshamn +Osten +Otites +Ouellette +Oumar +Outkast +Oye +Ozma +Ozric +PSAs +Packera +Palam +Palem +Pambansang +Pana +Pandava +Panganiban +Papandreou +Papillon +Paracycling +Paracymoriza +Parasites +Pariah +Parisot +Passe +Passports +Pavlo +Pavlodar +Pavo +Pavonia +Paycheck +Paymaster +Paynter +Pech +Pegu +Penderecki +Penetration +Pennies +Peretz +Perger +Pericles +Pesce +Petco +Petz +Phar +Philodendron +Phytomyza +Picardo +Piccolomini +Pileggi +Pilibhit +Pinero +Pirata +Planting +Platycheirus +Playbook +Pollitt +Ponies +Possessing +Poule +Precedence +Precipice +Prepaid +Prepared +Presser +Prestonpans +Prevail +Prijepolje +Procellariiformes +Profumo +Proleptic +Prosipho +Prunes +Pseudocolaspis +Pseudoeurycea +Psychotic +Pterocarpus +Publix +Purton +Qld +Queenborough +RBr +RVs +Raccoons +Rachman +Radhakrishna +Radiator +Raksha +Ramarajan +Rangel +Ranjitha +Rantoul +Raymer +Reay +Redan +Redesdale +Redonda +Reflector +Reformist +Regulating +Reisman +Relangi +Rell +Remand +Rhagonycha +Rifkind +Rigoletto +Rigor +Riigikogu +Rindt +Rippingtons +Riviere +Roble +Roces +Rocksteady +Roh +Roko +Romancing +Rosecrans +Rosse +Rotter +Rotting +Rouleau +Rudds +Rudnick +Rugolo +Ruidoso +Rumley +Rummy +Rumpus +Runrig +Runt +Rustavi +Rustin +Rybnik +Safeco +Sahay +Sakti +Saltcoats +Sampark +Sangram +Santell +Santissima +Santoshi +Sapa +Saroyan +Satta +Savannakhet +Sawhney +Saxifraga +Sayle +Scheffer +Screenings +Scutellaria +Seahorse +Seans +Secondhand +Segway +Selborne +Selektah +Sensei +Seppo +Serials +Sette +Seyyed +Shaadi +Shaban +Shadi +Shadrach +Shae +Shagari +Shahabuddin +Shaina +Shaiva +Shakespears +Sharrock +Sheikha +Sheikhupura +Sherrie +Sherriff +Shetlands +Shilling +Shinyanga +Shiplake +Shipton +Sholay +Shortcake +Shriner +Shul +Siachen +Sibir +Sideroxylon +Silber +Sisyphus +Sitara +Sitio +Skog +Slashdot +Sleman +Slimane +Slunj +Snapple +Sogavare +Solomonic +Sophomore +Sordi +Sounder +Sounding +Sousse +Sowa +Spaceflight +Spacelab +Spanishborn +Speirs +Spen +Sportpaleis +Sprocket +Spurgeon +Srebrenica +Srirampore +Stamnodes +Stampa +Standby +Starck +Starcraft +Starlet +Stave +Steaks +Steinbrenner +Stevan +Stigwood +Stirlings +Sto +Stowers +Strangelove +Strider +Strife +Sugarman +Sugiyama +Sultanates +Sunnah +Superiors +Sursee +Sustained +Swarbrick +Swazilands +Sweatshirt +Switchbacks +Talbert +Tamiami +Tanfield +Tannen +Tarporley +Temperament +Teso +Tevin +Theodoros +Thicker +Thodupuzha +Tidy +Timpanogos +Tindle +Tintagel +Tipaza +Tirthankara +Tobi +Tocumwal +Torhout +Torv +Transbaikalia +Treyarch +Trichilia +Triglav +Trilby +Tugela +Tuguegarao +Tuks +Tuli +Tulipa +Tullahoma +Tulse +Tunnicliffe +Turban +Twentyfirst +Tybee +Tyger +Tyke +Tylomelania +Typography +UEFAs +Ubud +Uchaf +Uffington +Uhlmann +Unconscious +Universalis +Upadhyaya +Urological +Ursae +Vaa +Vaishya +Valcour +Varmas +Varnel +Vayu +Veal +Velu +Ver +Veraval +Vergine +Verlaine +Vernal +Vicechancellor +Vidisha +Virendra +Vishesh +Visits +Voted +Walang +Wamba +Warsop +Weary +Weinman +Weinrich +Wels +Wenzhou +Wesfarmers +Westerlo +Westman +Weyden +Whately +Whist +Whitewood +Wiegand +Wiesenthal +Wifes +Wigton +Willingboro +Wincanton +Wisma +Wobble +Wombats +Xuan +Yadgir +Yangzhou +Yanukovych +Yaqub +Yonex +Yoshimi +Yoyo +Ysidro +Yukihiro +Zakopane +Zalm +Zaveri +Zeeman +Zhytomyr +Ziggo +Zila +Zohar +Zope abducting abreast adjoin @@ -37338,7 +88300,6 @@ forelimb forges forgetmenot fourdimensional -fourround freer freethought freezer @@ -37385,7 +88346,6 @@ irreparable jQuery jacking javanicus -je jetties joyous junctional @@ -37449,7 +88409,6 @@ oligomers olympics omics oncogenic -oneandahalfstory openstyle opentop orangecolored @@ -37508,7 +88467,6 @@ purpureum puzzling rang rasbora -rdth reactivate rearrange reasonableness @@ -37558,7 +88516,6 @@ secondleast selfaware selfinflicted semis -sf shatter shortstops shorttrack @@ -37585,7 +88542,6 @@ splint spoilt spreadwinged sprouted -sqkm squarely stagecraft statutorily @@ -37674,6 +88630,1188 @@ wristband zamindari zebras zippers +ABCParamount +Aaronson +Abertillery +Abhiyan +Abiodun +Abnett +Absa +Abuna +Adalat +Addisons +Adoxophyes +Adrar +Aerobatic +Afanasieff +Agricultures +Ahmadis +Ahmadnagar +Airco +Akuma +Alena +Alfieri +Aliyu +Allotinus +Allsopp +Alosa +Altria +Amanah +Amaravathi +Amaurobius +Amaxia +Amell +Amita +Amla +Ammonitida +Anakin +Anchors +Ancilla +Ancol +Anesthetists +Anggun +Anilios +Annang +Annick +Ansaldo +Antiguraleus +Antivirus +Anuak +Apayao +Apollodorus +Appa +Appling +Appropriation +Aprile +Aquitania +Aratus +Arcades +Archaeopteryx +Arcus +Ardrey +Arma +Armaan +Artisans +Arval +Ashburnham +Aso +Aspiring +Atreyu +Audiology +Aurich +Auroras +Australiawide +Autostrada +Aval +Avtomobilist +Azra +Babette +Baboy +Badham +Baier +Balak +Balaklava +Ballycastle +Balthasar +Banagher +Bangkoks +Banna +Barbaro +Barot +Basilio +Bassendean +Battlegrounds +Bawang +Bechet +Beena +Behala +Behan +Behn +Beings +Bellerophon +Belmondo +Benfield +Benzie +Bernsen +Bespoke +Bester +Bestsellers +Bett +Bhaag +Bhagwat +Bhupinder +Bibliographic +Biche +Biggins +Bila +Bilderberg +Biliran +Bimini +Bink +Bint +Bintulu +Biologist +Biomaterials +Biondi +Birks +Birsa +Bisaltes +Biskra +Bismuth +Bitola +Bivins +Blatty +Bleachers +Bleek +Blinn +Bluebonnet +Bluesbreakers +Blystone +Boksburg +Bolpur +Bonomi +Booneville +Boreotrophon +Bost +Bourque +Bousquet +Boxcar +Boydell +Brabin +Bradwell +Bramber +Braunstein +Braybrook +Brel +Brenthia +Bristolbased +Brocade +Bromeliad +Broz +Bruneau +Brunette +Bryne +Buchans +Buckskin +Bugg +Bui +Buie +Bukoba +Bundesverband +Bundles +Bunyip +Bur +Bushveld +Busselton +Busto +Byculla +Cabbagetown +Caceres +Cainta +Callen +Calzado +Cama +Cambodians +Canarias +Cancri +Cansino +Canterburys +Cantors +Capitalist +Caprica +Carefree +Carewe +Carmenta +Carnal +Carreras +Carrigtwohill +Carvers +Carvin +Casagrande +Cassinia +Castleman +Catahoula +Catalano +Catz +Ceballos +Ceiba +Celaya +Ceuthophilus +Chae +Chaitra +Chalcolithic +Chalo +Chandy +Chapels +Charadrius +Chartwell +Chazz +Chechens +Cheiracanthium +Chemins +Chenopodium +Cherrytree +Chilperic +Chinmaya +Chinmoy +Chirico +Chol +Choruses +Christmastime +Chuang +Churston +Chyna +Citybus +Clemmons +Cloquet +Clueless +Coalbrookdale +Cobleskill +Cognos +Colbie +Colden +Coldplays +Colebrook +Coleford +Colerain +Colombians +Comicss +Comiskey +Compassionate +Compulsive +Compuware +Concattedrale +Condorcet +Conga +Cons +Conservatism +Constellations +Coonabarabran +Coppice +Coptotriche +Corder +Cornutus +Cota +Cott +Coulton +Covenants +Cranleigh +Crassula +Crepidula +Cronyn +Crossbelt +Crowland +Croy +Crust +Crystallography +Cubao +Cupcake +Curwen +Cushion +Cutch +Cyclostrema +Cymbidium +DBlock +DFBPokal +Dadi +Dalgliesh +Dameron +Dastur +Daugava +Dawns +Deben +Default +Demands +Demba +Dendryphantes +Denon +Dentimargo +Deodoro +Deokhuri +Departures +Descending +Deserve +Desilu +Destino +Devereaux +Dianthus +Dictatorship +Dildarnagar +Dinar +Discogobio +Dnepr +Doer +Doktor +Dolorosa +Donatella +Donations +Donk +Dookie +Doraemon +Dovid +Dreamcatcher +Dror +Drown +Drummondville +Dryad +Duels +Dundrum +Dunia +Dunshaughlin +Durans +Dwell +Eastfield +Eddi +Edgemoor +Edinburghbased +Edwardss +Efate +Efrem +Eichner +Eisenman +Ellerman +Eman +Emi +Emilys +Emm +Enbridge +Endoscopy +Enggano +Enzymes +Epilog +Episcepsis +Episcopalians +Epix +Erdmann +Erma +Erythrobacter +Esri +Essa +Eta +Eucosma +Europeanstyle +Europewide +Evangelion +Evangelos +Everytime +Expendables +Experienced +Exponents +Extremism +FSeries +Fairway +Fairyland +Falke +Falkenstein +Faqir +Fax +Feingold +Feminine +Ferroviaria +Fianarantsoa +Fibers +Finzi +Fireballs +Fitted +Fla +Flashdance +Flashs +Flory +Floss +Fluent +Foerster +Fogh +Forerunner +Fotheringham +Foxxs +Freberg +Frindsbury +Fulcher +Fulvio +Garys +Gascon +Gather +Gatling +Gein +Germ +Germani +Gernsback +Gertz +Ghatal +Gigantes +Giovani +Gisulf +Glendalough +Gliwice +Gnat +Godhra +Goldilocks +Goldmine +Gorley +Gosden +Goudie +Graceville +Grae +Grafschaft +Grasstrack +Grayslake +Grech +Greenspun +Grieskirchen +Grinde +Grinspoon +Grout +Grumpy +Gruyter +Guajira +Guaraldi +Gui +Guins +Gumi +Gunston +Gurmeet +Gyeongnam +Habibullah +Hacksaw +Hadera +Hajime +Halewood +Halgerda +Hamble +Hanyang +Happinets +Haras +Hares +Harlin +Harmful +Haruna +Hawthornden +Headlights +Heatons +Heifetz +Hele +Helichrysum +Hempfield +Henabery +Hereafter +Hermano +Herriot +Heterodera +Heyden +Hijri +Hinde +Hiromi +Hoar +Hoddesdon +Hoggs +Hollings +Holliston +Holtby +Honoring +Hortonville +Houlihan +Housman +Hox +Hrithik +Hues +Huisman +Humorous +Hyndburn +Hypermastus +Iba +Ica +Ide +Idwal +Ilala +Imperative +Implementations +Inamdar +Incentives +Inconvenient +Industrialization +Inflation +Informed +Inka +Innovate +Institutet +Intrinsic +Irrelevant +Isang +Isbell +Istvan +Italybased +Izumi +Jabba +Jackrabbit +Jacksonian +Jacquelyn +Jamelia +Jammers +Jasta +Jaycees +Jonge +Jorgen +Joslin +Jugni +Juliane +Jumo +Kadal +Kahane +Kaitlin +Kakar +Kalypso +Karauli +Karawang +Kardashian +Kare +Kariya +Karlsen +Karras +Karu +Katong +Kaw +Kayasthas +Keadby +Kele +Kelkar +Kem +Kerang +Kerby +Kerguelen +Kerley +Kermia +Kershner +Ket +Ketan +Khimki +Khote +Kimsey +Kingstonian +Kiosk +Kirkdale +Kiveton +Knobs +Knoxclass +Koepp +Koester +Kolhapure +Kongborn +Kooks +Korisliiga +Korolev +Kozak +Krabs +Krasna +Krome +Kulmbach +Kuta +Kuykendall +Kwanza +Kwilu +Kyo +Labeled +Lacson +Lactuca +Laibach +Lais +Lalonde +Lamentation +Landesliga +Landreth +Larch +Lathe +Laud +Launay +Lauras +Lauria +Lavant +Learns +Ledford +Lekki +Lema +Lemay +Lenzie +Leptozestis +Lesmahagow +Letaba +Levison +Liebmann +Liev +Lifton +Lilla +Limitation +Linea +Lingus +Lipari +Listronotus +Litman +Locomotion +Logudoro +Lohia +Lopatin +Lucey +Lucretius +Lukavac +Lumiere +Lunga +Luoyang +Luscious +Luverne +Lynmouth +Lynskey +Mabern +Macaduma +Macalla +Maciste +Mackays +Mackerel +Madhavaram +Madhuca +Maelstrom +Magadh +Maggio +Maghull +Maginot +Maguires +Mahalaxmi +Maile +Makonnen +Malgudi +Malhar +Malindi +Malle +Manang +Manayunk +Manya +Mapogu +Maratus +Marca +Marielle +Marj +Markland +Marlton +Marque +Marsham +Martigny +Mascarenhas +Masdevallia +Mastercard +Mastin +Matei +Matsuda +Mattawa +Mattison +Maybury +Mazzone +Mecosta +Megs +Megumi +Meighen +Mejor +Melanoma +Melita +Mendeleev +Mendelssohns +Meppen +Merlino +Messalina +Mestolobes +Methane +Methley +Mettur +Mewat +Micron +Micropholis +Microvirga +Mig +Miho +Milius +Minch +Minette +Minnow +Mirador +Misfit +Mispila +Mitty +MoWT +Mobutu +Moderates +Moers +Mohiuddin +Moix +Mola +Molalla +Mondrian +Monkstown +Montalbano +Montoliu +Moondance +Morand +Morganton +Morus +Moslem +Motala +Mountview +Mow +Moyglare +Mrinal +Muangthong +Mudge +Mudiyanselage +Mulia +Mulund +Muria +Murrill +Muzzy +Myoporum +Mythical +Nagaram +Naisten +Nakdong +Nandy +Narbonensis +Nasal +Navidad +Ndlovu +Nealcidion +Neela +Negi +Neilston +Nemaha +Nena +Neoclassicism +Nettle +Neubrandenburg +Neurot +Neuss +Nevilles +Newgarden +Nga +Ngorongoro +Nickleby +Nickolas +Nicolo +Nieminen +Nienburg +Nikolayevich +Nilo +Nipper +Noguchi +Noguera +Nolen +Norrington +Northwell +Nuh +Nunavuts +Nuristan +OFredericks +Occupations +Odile +Oktibbeha +Oku +Onchidium +Oommen +OpenID +Openings +Opequon +Opeth +Oporto +Opp +Oquirrh +Orc +Orcas +Orde +Orientalism +Osteochilus +Otieno +Ottos +Outs +Pacs +Padiham +Padmarajan +Palio +Palminteri +Pandyas +Pannu +Panoramic +Pantone +Parag +Parit +Parkhill +Parlan +Parthenina +Pascua +Patchett +Pathanapuram +Patoka +Patronage +Pattu +Paulinho +Peckinpah +Peleliu +Pentangle +Peppard +Perinatal +Permatang +Perret +Perumbavoor +Pervasive +Petrobras +Phaedra +Phoenixs +Phragmataecia +Phrase +Picker +Pieper +Placing +Plater +Platnick +Plunder +Poggi +Pokey +PoliticsPA +Pollan +Pollux +Polymers +Polyphemus +Polytrack +Potamonautes +Poudre +Prabhas +Predynastic +Priam +Prickly +Prisma +Prove +Pugwash +Qazvin +Quakertown +Quarrington +Quatermain +Quesnelia +Quinnell +Quintessence +Quirinus +RKOs +Rakes +Ramaria +Ranade +Randburg +Rangamati +Rano +Rasputina +Ravinia +Razavi +Reactivated +Recovering +Reformer +Reger +Regularly +Reichenau +Renu +Repositories +Reutte +Rexx +Reynold +Richthofen +Ricker +Ringing +Rinorea +Ritson +Riversleigh +Robbinsdale +Rocksburg +Rodwell +Roeder +Romaine +Romanos +Romeoville +Rooker +Rosey +Rotman +Rovereto +Royall +Ruddy +Rudrapur +Runga +Rup +Russianspeaking +Rwandas +Ryall +SCurve +Saenz +Sahar +Sakari +Salami +Salian +Salud +Samanid +Sampaguita +Samuthirakani +Sancta +Sangihe +Sania +Sanomat +Santhal +Sargsyan +Satchel +Satria +Satsuma +Satterfield +Sattler +Saturnalia +Saucedo +Savar +Savarkar +Saya +Sayan +Sayid +Scardino +Schick +Schneerson +Schooling +Schrute +Schulich +Schurz +Schwartzs +Screens +Scull +Seaweed +Segre +Seidler +Sending +Sennas +Sermersooq +Serravalle +Seru +Servicing +Setter +Seymours +Shaking +Shampoo +Shanes +Shantanu +Sharaf +Sharron +Shearers +Shearsmith +Shekhawati +Shima +Shindig +Shirelles +Shivraj +Showers +Sias +Sibylline +Siculus +Sidharth +Sienese +Siew +Silke +Silverside +Silvertone +Simoni +Sindelfingen +Singam +Singapura +Sirk +Sizzla +Skagen +Skyhooks +Skyways +Slasher +Sliver +Sloth +Sludge +Sluice +Smithee +Snowboards +Soak +Sobeys +Sorell +Soudan +Souled +Sowcar +Spank +Spoilers +Spong +Sportfreunde +Spriggs +Springburn +Spyglass +Src +Stabile +Staffords +Stamos +Starlin +Stateside +Stationary +Steinberger +Stele +Stellaria +Stengel +Stent +Stormwatch +Stradivari +Stratosphere +Streamy +Strindberg +Stringtown +Strobel +Stubblefield +Sturdy +Stuttgarter +Subansiri +Subdivisions +Subhadra +Subotica +Subscriber +Substitution +Suitland +Sulphur +Summoning +Sverigetopplistan +Swasey +Swayne +Swiftsure +Swilly +Swinford +Syah +Sylvesters +Taarak +Tabebuia +Tacony +Takeo +Tamagotchi +Tander +Tangent +Tansey +Tapani +Taper +Taplow +Tare +Tecate +Tellus +Tenzing +Teti +Tew +Thaksin +Themis +Thirdly +Thirtysix +Thomasson +Thrall +Thulasidas +Tish +Tithe +Tochigi +Tohono +Tombouctou +Tomregan +Tonkawa +Tonna +Toomevara +Topsail +Toyne +Trad +Traditionalist +Tragedies +Trainors +Traitors +Transplants +Traunstein +Traylor +Treacher +Tread +Trimmer +Triumphant +Trochalopteron +Tronto +Trossachs +Trumpchi +Tucana +Tulus +Turbulence +Twentyseven +Tzuke +Ubon +Ugolino +Ulloa +Universalists +Unnimary +Unthank +Unto +Ura +Urgell +Ustream +VGlista +Vaas +Vadhu +Vaid +Vakil +Valleyfield +Vasan +Vashem +Vashi +Vasse +Vayalar +Veins +Vento +Verdugo +Vernor +Vesci +Videocon +Vieja +Vimukthi +Vinckeia +Vindicator +Vining +Vinita +Virat +Voetbal +Volvos +Wagener +Waitrose +Waltzing +Wangs +Wankel +Waray +Warenne +Waronker +Warthog +Wellsville +Wewak +Whampoa +Whiley +Winterland +Wintour +Wiser +Woodcraft +Woolrich +Wuthering +XOrg +Xan +Xaverian +Yahia +Yamazaki +Yarkand +Yauyos +Yeboah +Yohannes +Yoshihiro +Yuval +Zakarpattia +Zama +Zamperla +Zeev +Zep +Zest +Zhi +Zigzag +Zimbalist +Zob +Zoetrope +Zsolt accede aeolian aetosaur @@ -37696,7 +89834,6 @@ antiandrogens antiballistic antiqua antireligious -ao apologetic aquarists arabic @@ -37787,7 +89924,6 @@ dismemberment disodium dispersive distorts -dj doc docent dodge @@ -37820,7 +89956,6 @@ fifteenminute filiformis filmtelevision fiveperson -fivevolume flaccid flatten flattering @@ -37973,7 +90108,6 @@ offlimits oilseed oilseeds ointments -om oncogenes onebay oneliners @@ -38170,7 +90304,1200 @@ wrightii yerba yucca zest -aa +ABBAs +AIDSrelated +AaB +Aadi +Abhainn +Acqua +Actinomyces +Adiantum +Admin +Adrift +Aftershock +Agaricomycetes +Aggressiveclass +Ailanthus +Airto +Airwave +Akmal +Aksyon +Alesia +Alessandrini +Alexandrovich +Algar +Allington +Allmans +Alls +Almon +Alouette +Amano +Amartya +Ambasamudram +Amblyomma +Amherstburg +Amorphous +Amplifiers +Amps +Anta +Aparicio +Aphaenogaster +Apollonia +Apsara +Aravali +Arbiter +Archelaus +Arcos +Arduin +Arfak +Argentos +Aristocrats +Arkenstone +Ashour +Asides +Aspinwall +Asprenas +Assaf +Asuka +Attur +Aubyn +Austal +Australiabased +Avedon +Avestan +Aynsley +Azman +Azmat +Baboon +Badar +Badaun +Bagration +Bahraich +Baldev +Baldini +Balgowlah +Ballin +Ballynahinch +Baltics +Bandaranayake +Bande +Banjar +Bap +Barbee +Barbell +Baronetcies +Bartlet +Bazan +Beacham +Bearden +Bearers +Beavercreek +Bech +Beezer +Bekele +Belenenses +Bellerose +Benga +Bennys +Berardi +Bernardus +Berryhill +Bersani +Berzerk +Bicoastal +Binkley +Biographies +Biomedicine +Biosecurity +Birdwood +Biscoe +Biwi +Blarney +Blasphemy +Blenio +Blewett +Blister +Bloxwich +Boger +Bolen +Boletales +Bolingbrook +Bolsa +Bonaventura +Bordesley +Bordetella +Borth +Bothrops +Botolphs +Boustead +Brabourne +Brainfeeder +Braj +Bramlett +Branchs +Brandreth +Bransons +Breakbeat +Bredbury +Breeder +Bretons +Brianne +Bribie +Brinson +Brisson +Brissopsis +Brochu +Brokeback +Bronstein +Brookula +Brownstone +Broxburn +Brunch +Brutality +Bryony +Buchman +Buckcherry +Buckinghams +Buds +Buju +Bulldozer +Burghfield +Burned +Bussell +Butternut +Buz +Cadd +Calathea +Caldicott +Candolle +Carbonear +Cardington +Cardiothoracic +Carnie +Carnivore +Carolus +Carpe +Carrion +Carterton +Carvel +Cataldo +Catamount +Catapult +Cathars +Cecelia +Centretown +Charade +Charpentier +Chek +Chengannur +Chernivtsi +Chimborazo +Chimpanzee +Chintamani +Chlamydia +Chlamydomonas +Choppers +Christianized +Christman +Christology +Chukwuemeka +Churchman +Cineworld +Circleville +Citron +Civita +Civitavecchia +Cliffords +Cockcroft +Coded +Cog +Coils +Colas +Collaborators +Colletes +Colmcille +Colotis +Colour +Colyer +Comencini +Commissary +Commotria +Communicating +Compsodrillia +Concha +Condica +Confirmed +Congdon +Conifer +Conon +Conquering +Consecration +Conservator +Contextual +Controversial +Coraki +Cormega +Corris +Corythucha +Coseley +Cosma +Cosmisoma +Costin +Cracow +Cramlington +Credito +Creel +Crim +Crosley +Croxton +Cruse +Cryptantha +Cubism +Cumia +Curators +Currys +Cynan +Cystic +Dado +Dadu +Daku +Daraa +Dariusz +Darkover +Decadence +Dedman +Deerhunter +Defensor +Deficit +Defying +Delius +Demonic +Deni +Devario +Deviation +Dewoitine +Dhaliwal +Digha +Dimebag +Dionisio +Doerr +Dogger +Dominicas +Donnelley +Dostoyevsky +Drasteria +Dreamed +Dregs +Dropout +Drumm +Ducey +Dunhuang +Dunmow +Dunraven +Duration +Durden +Dus +Dusters +Dwellers +Dynamites +Dyspessa +EVAs +Eade +Eady +Edendale +Edguy +Educate +Eitan +Elands +Elden +Elwin +Embroidery +Encantadia +Ended +Engvall +Enola +Enterobacteria +Entertaining +Eodorcadion +Eppes +Equalizer +Equals +Eranina +Ercall +Erina +Eruption +Esko +Espino +Espirito +Espresso +Estradiol +Euroa +Evangelische +Everlast +Everts +Evin +Exhale +Exiled +Facundo +Familie +Fanatic +Fantasyland +Farben +Farleys +Farsi +Fastnet +Fazilka +Feeds +Fels +Feria +Ferrera +Fetty +Fiala +Fianna +Fines +Flatland +Flix +Fluff +Forelius +Forti +Fostoria +Foust +Franciosa +Frees +Friels +Froebel +Fruitland +Fudan +Furniss +GTs +Gadgets +Gaikwad +Gainer +Gajapati +Gajendra +Gallerys +Galoob +Gammaproteobacteria +Gangarampur +Gasparini +Gateways +Gaziantep +Gehenna +Germiston +Gessner +Geste +Ghibelline +Gibbes +Gilliat +Giltinan +Ginzburg +Gio +Gir +Giraldi +Gittins +Giugiaro +Gladstones +Glay +Glochidion +Gloriana +Glutathione +Goffstown +Goines +Gomezs +Gomphus +Gongola +Gopalpur +Gorgoroth +Gorka +Gottlob +Gouden +Gourley +Gratian +Greenacres +Greenall +Greenham +Grenchen +Grosmont +Gudalur +Gudur +Guida +Guilin +Guinan +Gunnedah +Guptas +Gurugram +Gurukul +Guus +Gwendoline +Habibi +Hafren +Haid +Haiyan +Hajong +Halberstam +Halse +Hamdard +Hangul +Hansika +Harappan +Harari +Harbach +Hardesty +Harmonie +Harter +Hartung +Hatfields +Hathaways +Hawarden +Hawkshaw +Hclass +Healesville +Hearse +Heigl +Helped +Heltah +Hemileuca +Henbury +Henleys +Henlow +Heptathlon +Herakles +Hersham +Hertzberg +Hewitts +Hinman +Hippocratic +Hiran +Histria +Hob +Hockney +Hohner +Holcroft +Holles +Holmess +Holzminden +Homeworld +Honeyman +Honington +Hooley +Hordes +Hormel +Horna +Hornaday +Horovitz +Houthi +Hrs +Hrvatska +Hunnicutt +Hydes +Hyphen +IJmuiden +IPsec +Iapetus +Ichabod +Identifiers +Idina +Idler +Ikaw +Imports +Impress +Incantation +Incarceration +Informix +Innkreis +Inouye +Intan +Interrogation +Interrupt +Interruption +Interwar +Intramural +Intrigue +Investigate +Iota +Isaacson +Isoetes +Isom +Itawamba +Izz +Jacinda +Jacque +Jaden +Jair +Jalaja +Jalen +Jankowski +Janshakti +Japaneseborn +Jauja +Jaworski +Jaycee +Jemez +Jetsam +Joc +Joginder +Johnsson +Jolina +Jona +Jonava +Jorgenson +Juhu +Jumpers +KOs +Kadamba +Kahurangi +Kamath +Kamba +Kamuzu +Kangsar +Kanhai +Kaori +Kapuskasing +Karman +Kashmere +Kasia +Katahdin +Kaukauna +Kazmi +Kelston +Kelty +Kempf +Kenneally +Kens +Khattak +Khed +Khurshid +Kickstart +Kinesiology +Kingdome +Kingsman +Kinley +Kintore +Kirch +Kiriakis +Kishanganj +Kladno +Klaxons +Knoxs +Kobus +Kodansha +Konta +Korns +Krasnaya +Kreutzmann +Krugersdorp +Kucinich +Kufstein +Kuldeep +Kumbh +Kumble +Kundu +Kuri +Kwak +Kyd +Kye +Kyun +Lachnocnema +Laff +Laffite +Lagerfeld +Lajos +Lamacq +Lambretta +Lancefield +Landrace +Langport +Laoag +Lapworth +Lard +Larke +Leadon +Leen +Leftfield +Leixlip +Leka +Lerma +Lesseps +Liberated +Lichen +Lidcombe +Lika +Lindell +Lindsays +Lippman +Listings +Litsea +Littleborough +Litvak +Livingstones +Liyanage +Llanidloes +Localization +Longdendale +Lovering +Lowdown +Lucilla +Lustenau +Lycaena +Lymantria +Lytta +Mabuya +Macht +Mackerras +Mackworth +Madagascars +Madox +Magadi +Magics +Mahanta +Mahendran +Majumder +Makara +Malis +Malkajgiri +Mallotus +Manasu +Mandler +Maoists +Marisol +Maritza +Markel +Marwat +Masha +Massinger +Matins +Matthijs +Maye +Mdina +Meander +Meccano +Mellencamps +Meron +Metalurh +Metastasio +Miano +Michela +Michelsen +Microphone +Midir +Midwife +Mirabilis +Mishima +Misses +Modulation +Moguls +Mokhtar +Molnar +Monger +Mongrel +Monopoli +Montalban +Mordred +Moria +Mossi +Motives +Moulins +Mounir +Moyale +Mpanda +Mubi +Mudug +Muirfield +Munsee +Munsey +Mushroomhead +Musick +Mutemath +Muthoot +Mythological +Nabors +Nahal +Najafi +Namibians +Nanas +Nandyal +Narrandera +Nataka +Neals +Necks +Nederlander +Nef +Neopaganism +Nepos +Neruda +Nervo +Neuberger +Neuron +Neuropsychology +Newsmax +Nibelungen +Nicholl +Nicieza +Nicoya +Niekerk +Nineball +Niphoparmena +Nisgaa +Nissim +Nivin +Nomada +Norberg +Nudgee +Nygma +OHaras +OTrain +Oatlands +Obviously +Oceanport +Oficial +Okey +Okoro +Okoye +Olivias +Oncocerida +Onthophagus +Operatic +Orel +Oromocto +Osoyoos +Oto +Overexpression +Overview +PAHs +Pacing +Packages +Pagets +Pahar +Palatino +Pamunkey +Pancha +Pandi +Pangu +Pankow +Panzergrenadier +Paperbacks +Paralympians +Parameswaran +Parchment +Parkhouse +Paros +Pasiphila +Patwardhan +Payless +Peete +Pegasi +Penta +Perambur +Perseru +Petits +Pheia +Phifer +Philistines +Phillipps +Phouvong +Phyllosticta +Physicists +Piana +Piast +Pinas +Pinkston +Pisco +Pivotal +Platten +Plowden +Plugins +Podcasts +Polotsk +Polyalthia +Polyphaga +Polyphony +Polypodium +Polytechnics +Pontecorvo +Ponteland +Poorna +Popp +Poppe +Popplewell +Posh +Positively +Pozo +Prank +Prattville +Prays +Preproduction +Pressburger +Princesse +Procopius +Prodrive +Promozione +Proust +Provosts +Pseudicius +Psychiatrist +Pugad +Puncak +Punter +Pusiola +Puso +Puttur +Qadri +Qassim +Qayamat +Qayyum +Quadruple +Queries +Quirinal +Quod +Raanana +Rabbani +Racketeer +Radke +Raebareli +Raiamas +Raiden +Ramaswami +Ramsbury +Randel +Rangi +Ranheim +Ranvir +Rasch +Rashidi +Ratha +Rauschenberg +Ravn +Reber +Recchia +Redbank +Reddings +Redington +Reduce +Regionally +Reidy +Reinaldo +Reinsurance +Reitan +Relish +Remarkably +Removing +Rendall +Renea +Repairs +Requires +Respectively +Restrepo +Resurgence +Reus +Reuse +Revier +Revilla +Revolving +Rexburg +Rhodanobacter +Ribisi +Rilo +Rino +Rizzuto +Robbinsville +Roes +Rolie +Ronettes +Rono +Rooty +Rosenbergia +Rosencrantz +Roshni +Rosmer +Rossdale +Rossland +Rostrevor +Rothery +Roxx +Roye +Rozz +Ruddington +Rueda +Ruled +Ruppert +Rypdal +Sabadell +Sabana +Safa +Sahab +Sakhi +Salesforce +Salona +Salop +Samu +Samuele +Sandlers +Sandlin +Sarafian +Sarani +Sarcodon +Sarge +Sarkis +Saro +Sassi +Savu +Sayaji +Sceloporus +Scheduler +Scheff +Scher +Scholten +Schrankia +Schwarze +Schwarzenberg +Schwarzkopf +Scotorythra +Screenonline +Screven +Sculptured +Seabees +Seacliff +Seck +Sedakas +Segamat +Seize +Selkirkshire +Selvam +Sem +Semifinal +Serapis +Serbias +Serinus +Serj +Sesto +Shailesh +Shanty +Sheff +Shelagh +Shepherdstown +Sherpur +Sherrard +Shiites +Shildon +Shivas +Shorenstein +Shredder +Shrugged +Shure +Siblings +Sidoarjo +Sie +Siesta +Silte +Silvera +Similarities +Singhal +Sio +Siracusa +Sirhan +Sisko +Sladen +Slades +Slaney +Slavin +Smartphone +Smarts +Smokers +Smollett +Snafu +Sneads +Soane +Sofer +Sofi +Somos +Sotos +Soundz +Sourceforge +Sparkassen +Sparklehorse +Sphodromantis +Spurr +Stabbing +Standen +Stanwell +Stassen +Stavropol +Steelhawks +Steenburgen +Steinhauer +Stela +Stenhouse +Stile +Stipa +Stompin +Stoop +Stormfront +Storys +Strap +Strawberries +Streetlight +Stringfellow +Strobe +Stroh +Suhail +Sunoco +Suraiya +Surrealist +Sushma +Sussexs +Svenson +Svoge +Swanepoel +Swinney +Swoon +Tackett +Tagum +Tajikistans +Takin +Takla +Talysh +Tamm +Tanisha +Targaryen +Tattooed +Taunggyi +Teignmouth +Tejon +Telephony +Telethon +Tembaro +Temnora +Tenellia +Tero +Thaba +Thalaivasal +Tham +Thaxton +Thayil +Thelema +Thubana +Thunderdome +Thyagaraja +Thyme +Tila +Timi +Tingle +Tits +Tobagonian +Tokugawa +Toledano +Tonights +Tors +Toynbee +Trabajadores +Tragocephala +Transcaucasian +Trashigang +Treponema +Treron +Tretorn +Triana +Triangles +Tribulation +Trikala +Trinchesia +Trini +Trippin +Trousdale +Tuggerah +Tukaram +Tumbes +Tumbleweed +Turbonegro +Turbos +Tutt +Twilley +Twining +Uasin +Ubangi +Uclass +Udayagiri +Unemployed +Unimog +Uninvited +Urbanus +Urchin +Urdaneta +Urizen +Utsav +Uzhhorod +VFLaffiliate +Vaasan +Vais +Valera +Vanitha +Vasantham +Veiled +Veluwe +Venatici +Vendsyssel +Ventana +Venusia +Verena +Vernons +Verulam +Veto +Vics +Villafranca +Vina +Visas +Vitex +Vlasotince +Vogels +Vokesimurex +Volhynia +Volunteering +Vonda +Vorkuta +Wachter +Wadley +Waikerie +Waitin +Waitress +Walkabout +Wansbeck +Wargaming +Wari +Wascana +Waseda +Wasilla +Weatherill +Wehen +Wenn +Werewolves +Wess +Westlands +Weyl +Wharves +Wiggly +Wilburys +Wilms +Winks +Winningham +Wisteria +Withdrawal +Witley +Wittelsbach +Wittering +Wittig +Woolloongabba +Wych +Xaver +Xysticus +Yaddo +Yarnell +Yearling +Yousafzai +Zampa +Zanjan +Zina +Zoia +Zorzi accuser acidemia aethiops @@ -38283,7 +91610,6 @@ cribellate crimewriter criminalization criterium -crossshaped crosswords cubs cumulatively @@ -38455,7 +91781,6 @@ mermaids metabolically metaprogramming microbreweries -microelectromechanical midibus milecastle milliner @@ -38620,7 +91945,6 @@ shrunken sidelight sierra simmering -sixseat sixthgeneration sleazy slitfaced @@ -38687,10 +92011,7 @@ tetragonal tetroxide thanniversary theyll -thirdclass thirdleast -threelevel -threetrack throttling thwarting ticking @@ -38759,6 +92080,1273 @@ witchs woodworker yellowbreasted yellowishbrown +ACs +ADPribosylation +ATPranking +Aag +Aalsmeer +Aana +Abdellah +Abella +Aberaeron +Abhaya +Abilities +Absentee +Acaulospora +Achelousclass +Achill +Acorns +Acromantis +Actias +Actinoplanes +Adept +Adlon +Aeschylus +Afrixalus +Afternoons +Agam +Agnello +Aguila +Ahad +Ahras +Airbender +Ajoy +Aksu +AksyonTV +Alangulam +Alcantarea +Alcona +Alexandrov +Algerians +Algoa +Aliyah +Allee +Alles +Allosaurus +Almohad +Altaf +Altamonte +Altamura +Altererythrobacter +Alvan +Amaranth +Ambareesh +Amphisbaena +Amplified +Amran +Amsterdambased +Anberlin +Andernach +Angler +Anglong +Angul +Angwin +Annakin +Annett +Anuar +Apocalyptica +Arau +Arenal +Ariston +Arius +Arklow +Arminian +Arnis +Aronofsky +Arrieta +Arsenals +Ascended +Ashta +Askin +Asterisk +Asthmatic +Astrobiology +Atavistic +Athene +Atos +Aubin +Aulacodes +Autocar +Avantasia +Avenging +Avildsen +Avoid +Avtar +Awardee +Axial +Ayam +Ayla +Ayoade +Azawad +Babbs +Bactria +Bactrian +Badarpur +Bagus +Bailly +Balaiah +Baljit +Ballygunner +Ballyhale +Baltica +Balzan +Banas +Banded +Bangaru +Bangsa +Bangura +Bankside +Bantul +Bapatla +Baramati +Barbeau +Bashkir +Bastilla +Baucus +Bayda +Baynham +Bealls +Beate +Beauts +Becton +Beginner +Behari +Beheshti +Belkin +Bellamys +Beltline +Benes +Bennion +Bentsen +Benvie +Berhampur +Berisha +Berle +Berridge +Berries +Bessarabia +Bettys +Bhimrao +Bhumi +Bilbo +Bilton +Bingu +Birchfield +Bittner +Bitty +Blackeyed +Blairgowrie +Blaisdell +Blockading +Blowin +Blowout +Bluhm +Blunden +Boiga +Bonding +Bonhomme +Borich +Borlands +Bormio +Bots +Boulez +Bourdon +Bovina +Brackeen +Braose +Braunstone +Brechts +Breslow +Bretts +Brewton +Brindle +Brio +Brisbanebased +Britz +Brodhead +Brotherton +Brownsburg +Bruijn +Brummer +Brydges +Buckton +Budaun +Bulleen +Bulletins +Bulli +Bundoora +Bunt +Buoy +Burchill +Burckhardt +Burglar +Bursera +Burstall +Buskirk +Busoni +Butterley +Buycom +Cales +Cambie +Cameroun +Cannings +Caple +Captained +Captivity +Caracol +Cardiffs +Cardle +Carin +Carmelita +Carmo +Carneddau +Carnforth +Carstens +Cassettes +Casterton +Catasetum +Cattleya +Cattrall +Caudovirales +Cavalieri +Centralized +Centrist +Cesarean +Chachapoyas +Chafee +Chamarajanagar +Chandragupta +Chappelles +Charlaine +Charleys +Charney +Chasm +Chasse +Chedi +Chhetri +Chikkamagaluru +Chiniot +Chipley +Chitnis +Choctaws +Christianson +Chum +Chungcheongnamdo +Cienfuegos +Circolo +Ciscos +Civico +ClassD +Claytons +Clemenceau +Clementina +Cleopatras +Cloke +Clow +Cobbold +Cockayne +Codington +Coif +Colbeck +Colleyville +Communicators +Congratulations +Controllata +Conwell +Cordes +Coritiba +Corvo +Countrys +Coupled +Coushatta +Cowards +Coxsackie +Cracking +Craftsmen +Cranham +Cregan +Cretu +Crichlow +Cricketing +Criticisms +Crookwell +Crunchyroll +Cryin +Cullin +Cunene +Cunning +Curacao +Currumbin +Cursor +Curtains +Cutaneous +Cyberpunk +Cychropsis +Cymbiola +Cyprinella +DAmbrosio +Dadri +Dagobert +Dala +Dalhart +Dallin +Danaus +Dangal +Danie +Danis +Danna +Dannebrog +Danuta +Darton +Davern +Davidovich +Dawoodi +Dawro +Dayang +Dda +Deadmans +Deana +Decepticon +Decode +Decoder +Delivering +Democratico +Deric +Devas +Deveti +Dials +Dialysis +Diatraea +Diawara +Dignitatum +Dilley +Dinan +Diouf +Directories +Dishes +Dissenters +Dissonance +Distorted +Djelfa +Dobbie +Dobell +Dodgeville +Doli +Doman +Domine +Dorris +Dorrit +Doulton +Drau +Dronfield +Drouin +Drugstore +Dryopteris +Dubuc +Duffys +Dug +Dulli +Dungarpur +Dunnery +Duntroon +Dutchmans +Dyce +Dyersburg +Eaglesham +Easterbrook +Eccleshall +Eckford +Eendracht +Egba +Ehrenberg +Eine +Eira +Elastica +Elgars +Eliott +Eliz +Elmar +Elmslie +Enable +Encores +Enmore +Enosis +Entitled +Episodic +Eran +Eritreas +Eryngium +Erzgebirge +Esa +Esmail +Esparza +Etymology +Eudalaca +Euonymus +Europeanbased +Euthria +Evenings +Exhumed +Existential +Exploratory +Exporting +Extender +Eyal +FAAs +Failures +Fairlawn +Falck +Farrukhabad +Fatimids +Faux +Fayre +Feeders +Felimare +Fellers +Fellner +Fernhill +Ferran +Fertilization +Fetzer +Figurative +Fingaz +Finnerty +Finnic +Fiqh +Firma +Firs +Fishel +Fishponds +Flavored +Flegg +Floater +Fomalhaut +Footlights +Forkhead +Forlag +Formative +Forsey +Forsters +Foxfire +Francebased +Franceschini +Francisville +Frankenheimer +Freefall +Frenchbuilt +Freycinet +Fridley +Frierson +Frunze +Fryske +Fundo +Gaeil +Galeria +Gambir +Ganderbal +Gauchos +Gelbart +Gelli +Genelia +Generative +Genomes +Gethsemane +Gezira +Ghislain +Ghor +Giddens +Gini +Girdler +Glance +Gleavesclass +Gleed +Gobel +Godwins +Gohil +Goldsborough +Goldsmid +Goliad +Goodland +Gornal +Gorrie +Goscinny +Gosh +Goulbourn +Gour +Graben +Grammophon +Grandmasters +Greenways +Grimstad +Grindhouse +Grinding +Gropius +Grossi +Groupon +Gryllus +Guettas +Guidebook +Guillotine +Gunnarsson +Gwalia +Gynecological +Hailakandi +Halifaxs +Halili +Handicrafts +Hangal +Hangin +Hannahs +Harbert +Harleston +Harryhausen +Hartfords +Hassall +Haydar +Headwaters +Heiss +Heli +Hellcats +Helmets +Henle +Hennings +Henze +Hernan +Herpes +Herpich +Herren +Hertel +Heydon +Higley +Hillhouse +Himes +Hippies +Hippopotamus +Hirth +Hochberg +Hokianga +Holographic +Homolka +Honig +Honoree +Hoobastank +Horemheb +Hortense +Hostages +Hoyos +Hoyts +Hunedoara +Hunsdon +Hurtado +Identify +IgM +Ikhwan +Illuminate +Imatra +Immersive +Inaba +Incense +Ingvar +Irakli +Irbid +Islandbased +Isotopes +Jaakko +Jabberwocky +Jacknife +Jadida +Jaffar +Jagjit +Jagran +Jaka +Janardhan +Janardhanan +Janssens +Janya +Jawhar +Jayme +Jeffersonian +Jencks +Jennylyn +Jiggs +Jinping +Jiro +Jisc +Joans +Joely +Jointly +Jolt +Jons +Julias +Kaj +Kakheti +Kalabari +Kalia +Kalorama +Kamma +Kanara +Kanhangad +Kann +Kanwal +Kaoru +Kapampangan +Karnobat +Karpov +Kastoria +Kawana +Kazim +Keirin +Keithley +Kellino +Kendrapara +Kenworth +Keo +Keya +Keydets +Khadija +Khairul +Khaleds +Kiddie +Kinds +Kink +Kinnaman +Kintele +Kircher +Kirton +Kiswahili +Kitsch +Kloof +Kluane +Knutson +Kodachrome +Kodad +Kodungallur +Koestler +Komen +Korakuen +Kotak +Kottak +Krishnaswamy +Kronoberg +Kuni +Kwasi +Kwekwe +Lade +Laga +Lakefield +Lalah +Larix +Layman +Lazers +Lears +Leedsbased +Leffler +Leftwich +Legato +Legendre +Lelouch +Lem +Lembeck +Lepidium +Leribe +Lestes +Lianne +Liew +Lincolnton +Lindfors +Livius +Llama +Lobato +Lobbying +Lockie +Loloish +Longus +Looper +Loreena +Loryma +Lowville +Lube +Luchino +Luganda +Luggage +Lujan +Lumby +Lunacy +Luria +Lyttle +Maadi +Maaseik +Macavity +Macchia +Macroeconomics +Maculonaclia +Madia +Mael +Magdala +Magdangal +Magia +Maginnis +Mahabubnagar +Mahaska +Mahaveer +Malim +Mallik +Mandar +Manganese +Mangini +Marder +Marico +Markku +Marsi +Masaya +Mashable +Mattioli +Maunsell +Maximillian +Mayhill +Meadowvale +Meara +Mediavia +Medknow +Megha +Mego +Mehndi +Mehrauli +Meles +Melos +Melua +Merc +Merchiston +Merciless +Metuchen +Mickle +Micropentila +Mindaugas +Minnedosa +Miron +Misadventures +Mistelbach +Mizukis +Molds +Molla +Monarchist +Monardella +Mondawmin +Monette +Monkman +Monoplane +Montt +Moopanar +Moosehead +Morfa +Mork +Mornay +Mornin +Morphine +Mosgiel +Mosques +Moston +Moundsville +Mousa +Mousetrap +Moxico +Mozarteum +Mulawin +Multics +Multidimensional +Munchkin +Mundingburra +Munnar +Murderers +Murie +Murrah +Muruga +Mutha +Myall +Myint +Mylan +Mylene +NYCs +Nagi +Nahanni +Naib +Naidoo +Naivasha +Namcos +Narromine +Narula +Naseby +Nasica +Nasmyth +Naturale +Neales +Nealon +Needed +Nenana +Neneh +Nenets +Neoclassicalstyle +Neotibicen +Neotoma +Nettlefold +Neujmin +Neuronal +Neverending +Newmeyer +Newss +Nicholasville +Nicolau +Niebuhr +Nikolaevich +Ninjago +Nishi +Nono +Noori +Nots +Nvidias +Nyborg +Nyingma +Nymphicula +Nyongo +OReillys +Objectivism +Oddly +Oflag +Ogoni +Okafor +Okkervil +Oko +Onchidoris +Onyango +Openweight +Opoku +Opposites +Oregonians +Orinda +Orix +Osco +Ospedale +Osteoporosis +Ovambo +Overberg +Paanch +Packington +Paganini +Pagla +Pahlawan +Paines +Palaus +Palekar +Pallister +Pamba +Pandiyan +Panoz +Pantano +Panter +Papaya +Papuasia +Paquito +Paracelsus +Parapoynx +Parectopa +Parikh +Parivar +Parkgate +Partula +Patio +Patridge +Patrika +Pauw +Pawling +Peddapuram +Pentonville +Perpetua +Perrone +Persicaria +Persicoptila +Pervaiz +Petitions +Phagwara +Phani +Pharoahe +Phellinus +Philadelphian +Picked +Piermont +Pietra +Pimpin +Piombino +Piran +Pistorius +Plagiomimicus +Plagues +Plana +Planescape +Planeta +Planter +Plateaus +Plebs +Plumly +Plymouths +Poconos +Podesta +Pok +Pollokshields +Polygala +Polypedates +Popo +Porrentruy +Portales +Potlatch +Powelliphanta +Prefab +Prefer +Premature +Premnath +Prineville +Prokop +Prostaglandin +Prozac +Psychical +Pulley +Punchline +Putty +Putumayo +Pyrgocythara +Qila +Quartier +Quartzite +Quli +ROMs +Rackspace +Radclyffe +Radiocarbon +Radner +Raghubir +Ragland +Raimis +Rajasenan +Ramli +Rancagua +Ranson +Rant +Ravensthorpe +Ravidas +Rectors +Redemptorist +Redfoo +Redwater +Referring +Reiche +Remind +Repco +Restructuring +Revathy +Reynosa +Rhodian +Richlands +Ridas +Rinse +Rissoina +Ritters +Roath +Robinsonia +Robyns +Rocher +Rocklea +Rodentia +Rohnert +Rok +Romolo +Roshi +Roskill +Rossy +Rothes +Roxboro +Ruined +Rummel +Rupee +Rushall +Russa +Rusticus +Ruthie +Ruto +STMicroelectronics +Sabato +Sabhas +Sabi +Sabyasachi +Sacandaga +Saccharum +Sacchi +Sackets +Sagittarii +Salavat +Salles +Sallis +Salomies +Saltoun +Salvelinus +Samahang +Samit +Sandoz +Sanghavi +Sangiovese +Sansa +Santamaria +Sapiens +Saras +Sariputra +Satoru +Satyr +Sauron +Savory +Sawdust +Saxe +Scarred +Scenery +Schary +Schedules +Schildkraut +Schlossberg +Schram +Schriever +Schutz +Schwarzer +Scorcher +Scorn +Screamers +Scriven +Scrutiny +Scullion +Scythia +Sebastes +Secondrow +Sele +Seljuq +Selvan +Sensitivity +Seouls +Serre +Servette +Setu +Seve +Severstal +Shanta +Shara +Sharons +Shearson +Shiel +Shockley +Showgirl +Showman +Shred +Shrivastava +Shumsher +Shunyi +Sicyon +Sidhi +Sigal +Silverthorne +Singhania +Sirmium +Sirocco +Sixpence +Skai +Sloppy +Smicronyx +Sneddon +Socialistische +Solari +Sonepur +Sonne +Sonnenfeld +Sookie +Sooraj +Soyinka +Specimen +Speleological +Sphecosoma +Sporophila +Stance +Stari +Statues +Steelheads +Steinar +Sternotomis +Stewarton +Stilbosis +Stille +Stomopteryx +Strangely +Strathy +Strawbridge +Streator +Stumpf +Stutsman +Styrian +Suggested +Sunbow +Sundara +Sunland +Sunway +Sunwolves +Superbus +Superkart +Supermen +Supersuckers +Surma +Swatara +Syms +Synallaxis +TDs +Taborn +Tags +Tahsil +Taiko +Takht +Talaud +Taliparamba +Talos +Tampas +Tanu +Tappara +Taqi +Tarakan +Taringa +Tawe +Teaming +Tegernsee +Telcordia +Temperley +Tenet +Tettenhall +Thereby +Thessalonians +Throwback +Tico +Tiff +Tillinghast +Timperley +Tiruvalla +Toda +Tolhurst +Tomislavgrad +Tongo +Toolbar +Tororo +Tortuga +Toshinobu +Touraine +Toxicity +Trailways +Transcona +Transgressive +Tricolia +Triplets +Trismelasmos +Trix +Trousers +Trude +Trudeaus +Tsavo +Tuen +Tumwater +Turbinlite +Tuts +Tweedsmuir +Tyme +USChina +USborn +Uda +Ulan +Ulric +Ulrika +Uncasville +Uncharacterized +Undefeated +Unixbased +Unleash +Unmasked +Uran +Usborne +Vaillant +Vaishno +Valentini +Vales +Vanuaaku +Vashti +Vellalar +Vespucci +Vicks +Vidyut +Viersen +Vijayendra +Vinayan +Violinist +Vlaardingen +Voyagers +Vrouwen +Wachs +Wachtel +Wael +Wag +Waianae +Wakayama +Waldegrave +Walkerville +Wallops +Wangchuk +Wansel +Wapiti +Warblers +Warwickshires +Watervliet +Weakerthans +Weidenfeld +Weidner +Wende +Wenner +Wenvoe +Whannell +Whitemarsh +Whores +Wiggs +Wildflowers +Winchcombe +Winson +Womble +Woodcote +Woodie +Wooing +Wop +Worked +Wort +Wreckers +Wroxham +Wyden +Wynd +Xcode +Yager +Yamba +Yashwant +Yemi +Yoav +Yolen +Youngest +Yurok +Zabul +Zammit +Zanzibari +Zapatista +Zar +Zemlya +Zimmers +Ziva +Zofingen +Zosimus +Zwei +Zygaena achievers aciduria actionhorror @@ -38806,7 +93394,6 @@ barricade barricaded batteryoperated bazaars -bc belltower bhajans bigscreen @@ -38991,14 +93578,12 @@ glaucescens glycans glycosylated goldsmiths -gr greenbelt gridbased guitaristsongwriter gynecologic handedness hardrock -hawaiiensis headdresses hearty heliports @@ -39040,7 +93625,6 @@ intergeneric interrogating introverted invitro -io irritants isostatic jays @@ -39127,8 +93711,6 @@ northeastsouthwest notatus novae novaezelandiae -nr -ob obsessions oculata oculus @@ -39268,7 +93850,6 @@ sketchy skimmed slammed slayer -smallleaved smallpipes smokestack snatching @@ -39385,6 +93966,1337 @@ xenobiotic yearbooks zamindar zany +Abadi +Abitibi +Abrolhos +Absolution +Achatinella +Acheilognathus +Achiever +Achromobacter +Acrossocheilus +Addicts +Adema +Affirmation +Afghani +Agona +Aguada +Aims +Airspace +Akbarpur +Akhter +Akka +Akpan +Akure +Alang +Alberic +Albia +Algerineclass +Alin +Alipur +Allandale +Allocasuarina +Alluvial +Alten +Altieri +Altmarkkreis +Ambattur +Ambergate +Ambia +Ambulatory +Amerigo +Amery +Ammanai +Ammonia +Amolops +Amorim +Anandpur +Anands +Anang +Andresen +Angkatan +Anglin +Angular +Aniplex +Anlaby +Antimicrobial +Antistius +Aoife +Apicomplexia +Arambagh +Arashi +Archon +Arguello +Arians +Arka +Arranger +Artifact +Artigas +Ascalenia +Ascendancy +Ashfaq +Attalea +Attleborough +Audiencia +Augustinians +Aureus +Austerity +Autumns +Avakian +Axminster +Aycock +Ayler +BArch +Babita +Baddest +Bagerhat +Baggs +Bahari +Bajan +Bakhsh +Balangir +Balasubramaniam +Balder +Baldo +Baller +Balmer +Balonne +Banville +Baobab +Barga +Barraclough +Baryshnikov +Basler +Bassmaster +Batali +Batas +Bathtub +Battagram +Battiato +Battisti +Battus +Bayani +Beachcomber +Bead +Beato +Bedchamber +Beeville +Beka +Bellwether +Benedictus +Benner +Bennettsville +Beqaa +Ber +Berglund +Bermudez +Berndt +Berriasian +Berties +Bessborough +Beukes +Beuren +Bezalel +Bhagnani +Bhama +Bhosale +Bignona +Biller +Binks +Binny +Bipartisan +Birstall +Birtley +Bisaya +Bitterroot +Bizzare +Blackville +Blagdon +Blankenburg +Bleacher +Blick +Blindness +Bloggers +Blomfield +Blooded +Bloodstock +Bluefish +Blurred +Blythswood +Bobb +Boese +Bolder +Bonhams +Bootstrap +Borah +Borderers +Bornstein +Borrowing +Botanico +Bourassa +Bourget +Brabantse +Brachmia +Brahmanbaria +Brandner +Branham +Breckin +Brenneman +Brigantes +Brigstocke +Brodrick +Bronner +Bronwen +Bruny +Bryansk +Bryon +Bub +Buckenham +Buckfastleigh +Buckhannon +Buechner +Buk +Bullies +Bunyans +Burana +Burrill +Busdriver +Buta +Cadmium +Caldo +Caledonians +Caleta +Calhern +Caliban +Calvinists +Camerini +Campers +Candor +Canseco +Capriati +Caradoc +Cardamom +Carrum +Caryn +Catatonia +Catton +Cavallari +Caxias +Celentano +Cellulomonas +Centrobasket +Centropus +Cereopsius +Cerna +Ceyhan +Chabon +Chailey +Chamblee +Chaminade +Chantiers +Chappaqua +Charlbury +Chaska +Checkered +Cheongju +Chepauk +Cherryhs +Chhapra +Chhau +Chiclayo +Chik +Chika +Chioggia +Choco +Christoffel +Chronology +Chrysolina +Chukotka +Chunsoft +Chuquisaca +Churchville +Churn +Cieszyn +Claflin +Claiming +Clamp +Clapper +Clarkin +Clarrie +Clayburgh +Climber +Cloverfield +Cobbe +Collierville +Colpix +Comunidad +Condo +Congreve +Conservatorio +Consistency +Contractual +Conventionally +Cooksey +Cooray +Coordinators +Copelands +Corbetts +Corbijn +Corbyns +Cornwells +Corsi +Countryfile +Couper +Coxen +Creager +Creasey +Creeggan +Critter +Crossett +Crossroad +Cruden +Cuernavaca +Culverhouse +Cumberlands +Currington +Curwood +Customary +Cuyamaca +Czechborn +Dahanu +Damoh +Dankworth +Dard +Darfield +Darlow +Darn +Dashwood +Daum +Dav +Dawning +Deanne +Dearly +Debenham +Dehra +Dennen +Dense +Deori +Deshamanya +Devore +Didessa +Diplomate +Dobra +Donley +Dorinda +Dorling +Dornbirn +Dorrigo +Dorrington +Douglaston +Dowry +Drabble +Dragoman +Dreamscape +Driggs +Dropping +Drove +Duathlon +Duce +Duddy +Dufresne +Duigan +Dulas +Dunnes +Dutts +ECACs +ECHLs +ECs +ESPDisk +Earthling +Easily +Eastin +Eckhardt +Ecotourism +Edwyn +Edy +Ehlers +Eicher +Eirik +Ekkehard +Elana +Elasto +Eldar +Eldora +Electrician +Eley +Ellard +Ellefson +Ellon +Elsey +Elwha +Embleton +Emeril +Enchantress +Energiya +Engelhardt +Ens +Enslaved +Entergy +Eraserheads +Eretria +Eri +Eridani +Escalade +Eshkol +Eskay +Eskridge +Essexs +Estimation +Etah +Eublemma +Euzopherodes +Eveleth +Everetts +Eversley +Everwood +Ewings +Exiting +Externally +Faking +Famke +Fasci +Fascinating +Feder +Federacion +Felicitas +Fenelon +Fenske +Ferozepur +Fide +Fifthseeded +Finglas +Fins +Fintan +Fitzsimons +Flamen +Flatwoods +Floriade +Foots +Forrests +Fraley +Fratello +Fredrickson +Freitag +Freke +Frenais +Frenchay +Friedland +Froggatt +Frommers +Fuerte +Fyre +Gaeltacht +Gamescom +Gangopadhyay +Garigliano +Garriott +Gauley +Gavins +Gazettes +Geastrum +Gehrig +Gellius +Genista +Geniuses +Gentilly +Geobacter +Georgeson +Gerrards +Ghadar +Ghanzi +Glantz +Glasscock +Glassnote +Glowing +Godrich +Gogebic +Goldring +Goldsman +Gowran +Grandison +Grantley +Greedy +Greenhorn +Greenvale +Greenwoods +Groat +Grouch +Groveton +Growling +Guarani +Guayas +Guddu +Gugu +Guidi +Guillen +Guma +Gupte +Gustin +Guyandotte +Gymnoclytia +Gyumri +Hacketts +Hackford +Haggerston +Halesworth +Hallock +Halverson +Hames +Hamner +Hamra +Happily +Harassment +Harbhajan +Harijan +Harlesden +Harmar +Harrach +Hawera +Hayride +Hearings +Heatherton +Hegels +Heins +Helensvale +Hennigan +Herdman +Herons +Hers +Highlight +Himesh +Hippeastrum +Hirayama +Hister +Historys +Hizb +Hockeys +Hoen +Hoffenheim +Hoffs +Hollen +Hooge +Horder +Horley +Hormizd +Hornes +Hortus +Hosseini +Hothouse +Hover +Howerd +Howey +Hrvatski +Huai +Hudaydah +Humperdinck +Humphrys +Humsafar +Hunley +Hunton +Husqvarna +Hyogo +ICCs +Ibex +Ilisted +Illusionist +Immunoglobulin +Improvisational +Incilius +Indi +Indycar +Inertial +Inference +Infotainment +Ins +Inspectah +Inspiral +Intermittent +Interreligious +Interspersed +Intolerable +Intravenous +Intruders +Invisibles +Invocation +Iolo +Ionescu +Iridium +Isamu +Ise +Ishwar +Iso +Ivanovic +JPop +Jabari +Jagdalpur +Jalapa +Jarlsberg +Jarmo +Jayachandran +Jaynes +Jeannot +Jodeci +Johannessen +Jongh +Jordanhill +Josias +Jour +Jugurtha +Junko +Jurists +Kaala +Kabadi +Kaesong +Kaisa +Kalaimamani +Kaldor +Kaley +Kalika +Kalyanpur +Kamashi +Kambia +Kangana +Kanika +Kapisa +Karimi +Kashan +Kaskade +Katters +Kausalya +Kavali +Kavitha +Kelantanese +Kementerian +Kempner +Kenedy +Keramat +Kester +Ketu +Khandesh +Kibet +Kidlington +Kieren +Kinsmen +Kirat +Kis +Kisco +Kissi +Kistler +Kitto +Kleberg +Klimov +Koech +Komiks +Komnenos +Kontiolahti +Koons +Kourou +Krayola +Kreuzlingen +Kroonstad +Krull +Kuba +Kuraki +LEnfant +Labine +Ladino +Ladywell +Lahey +Lakki +Lalli +Landfall +Landless +Lanesborough +Langevin +Langres +Lasswade +Laurin +Lautner +Lauzon +Lavoisier +Laxey +Layfield +Leatrice +Lecanora +Lecompton +Lecturers +Leese +Lefferts +Lele +Lench +Lenni +Leons +Libertarians +Libri +Lich +Lidell +Lieb +Lifting +Liners +Lingard +Lingayen +Lingen +Linnaean +Lithospermum +Litoral +Lochs +Lockridge +Lofgren +Lolly +Loner +Longmoor +Longtrack +Longville +Louvin +Lucano +Luchador +Lucias +Luckey +Luhrmann +Lumina +Luxembourger +Lyfe +Lymph +Lympne +Mabinogion +Macintyre +Madchester +Maduro +Mahant +Mahato +Mahidol +Maillard +Majrooh +Makino +Malak +Malar +Malones +Maltings +Mamercus +Mancunian +Mandeep +Mandl +Maney +Mangla +Manpur +Mantel +Mantovani +Manuals +Maquis +Marella +Maremma +Marib +Maricel +Mariehamn +Marksman +Marriotts +Maryse +Masashi +Masoretic +Masset +Mastered +Mathison +Mauve +Mawddwy +Maybeck +Maytag +Maytals +Maz +Mazdas +Mazzola +Medrano +Medtronic +Megalithic +Melanotaenia +Menasha +Mentzelia +Merrifield +Merriweather +Messala +Mesto +Methil +Metroline +Meynell +Midnights +Migrants +Miike +Milkha +Minaret +Ministerio +Mirkin +Mistresses +Mitta +Mixture +Moapa +Modernisation +Moench +Mogens +Moksha +Mollison +Mononegavirales +Monsey +Montaigne +Montanari +Montesano +Morosco +Mortem +Morts +Morum +Mtype +Mullard +Multichannel +Mumia +Munim +Muranga +Murau +Muskogean +Muti +Mwanawasa +Mycalesis +Myerson +Myrmotherula +Naal +Naarda +Nagaraj +Naha +Najafgarh +Nakagawa +Namangan +Namaqua +Naoki +Narayanpur +Nationalization +Navigations +Nazia +Ndegeocello +Nedbank +Nemophora +Nesta +Neustria +Neuville +Newaygo +Newgrounds +Nha +Nickatina +Nicoletta +Nicollette +Nikaya +Nisa +Nischol +Niu +Nivelles +Nolasco +Nonflowering +Nonviolence +Noonday +Norbanus +Norham +Northwick +Notion +Nuisance +Nuoro +Nuttalls +Nuzvid +Nymburk +OHerlihy +Oat +Obsolete +Ochil +Octopussy +Oddi +Odsal +Offers +Offline +Oki +Oldershaw +Olivas +Olowo +Olympicsized +Omana +Omphalotropis +Ondangwa +Oolite +Oosterhuis +OpenMP +OpenSSL +Openshaw +Ophiogomphus +Orff +Oriana +Oribatida +Orinoeme +Orizaba +Ormerod +Orrico +Orthocomotis +Osorkon +Ostedes +Outbuildings +Outerbridge +Outright +Ovis +Oxo +Oxted +Oxyrhynchus +PCclass +Paintal +Pakistaniborn +Palins +Pallot +Panaji +Panopticon +Paolini +Paranerita +Pardes +Pastel +Pataudi +Pavlovich +Peacekeeper +Pelangi +Penangs +Peptide +Peramuna +Peries +Perittia +Permits +Peshitta +Pesticide +Petroglyphs +Pfaff +Phang +Phelim +Phenomenology +Philadelphians +Phomopsis +Phonofilm +Pienaar +Pilates +Pilz +Pincher +Pinnaroo +Pipistrellus +Pitchers +Pitching +Plagiognathus +Plame +Plebeian +Plectrohyla +Plessey +Plinys +Podabrus +Poecilasthena +Poi +Polizia +Poplicola +Porphyromonas +Posada +Postcolonial +Pothen +Pournelle +Povenmire +Prabhupada +Practicing +Prelate +Presbyterianism +Preserving +Prizefighter +Prizren +Productive +Proprietors +Pryors +Pseudocalamobius +Ptarmigan +Pujol +Puncturella +Punjabilanguage +Pups +Purohit +Quanta +Queenslander +Rabia +Radioaffiliated +Raheny +Rahmans +Raiatea +Raimund +Raison +Rajouri +Ramaphosa +Rampant +Ramy +Ranau +Rangarajan +Rangitata +Ranveer +Raposo +Rapperswil +Ratoff +Ravelo +Ravenloft +Ravensworth +Raver +Raxaul +Raymundo +Recover +Recurrent +Redlegs +Reem +Refrigeration +Reiko +Reisz +Rejected +Reload +Rem +Remar +Reminder +Rempel +Remuneration +Represent +Rheinmetall +Rhus +Riad +Ricerche +Rieger +Riera +Rimrock +Ringsend +Rini +Riocentro +Rive +Rivonia +Robidoux +Rodale +Roebling +Roewe +Rondebosch +Rondout +Roodepoort +Roose +Rosebuds +Rosing +Routemaster +Rouvas +Royapuram +Rubys +Runa +Ruspoli +Rycroft +Rylan +Ryle +Rylstone +Sabarkantha +Sachem +Sadd +Saddams +Sadies +Sadri +Safdarjung +Sagebrush +Sahm +Sakis +Salalah +Samaras +Sammamish +Sanatan +Sandell +Sandile +Sandlot +Sanibel +Sankrail +Santha +Sanyo +Sapne +Saqib +Sarsgaard +Sas +Sauda +Saudis +Sauerland +Saugerties +Sauvage +Scamp +Scandalous +Scandia +Scavenger +Scientologist +Scissurella +Scoot +Scruton +Scythris +Seabee +Seabourn +Seamans +Sechelt +Sehore +Seidman +Selene +Sellar +Sema +Semyon +Senegals +Sentul +Serafino +Serjeantatlaw +Sermons +Serres +Sertorius +Servo +Sese +Settling +Shaar +Shabalala +Shafii +Shalhoub +Shamsuddin +Shannen +Shariati +Sharrow +Shelters +Shergold +Sherilyn +Shimano +Shimomura +Shinee +Shinichi +Shinobi +Shishu +Shive +Shon +Shuja +Shuttles +Sibusiso +Sidneys +Sigh +Sigmodon +Sigulda +Sikri +Silang +Silks +Silverbird +Simalungun +Simca +Simeone +Simson +Sincerely +Singel +Siquijor +Sisseton +Skerry +Skink +Skolars +Slacker +Slickers +Slugs +Smock +Sneek +Socha +Sodhi +Sojourn +Soldotna +Somerford +Sommelier +Songo +Sourav +Southaven +SoyuzU +Sparkling +Spartakiad +Speakman +Speciality +Speidel +Spelthorne +Spermophilus +Spithead +Spoils +Sportsmans +Spratly +Sriman +Stalinism +Starboard +Stateline +Steig +Steilacoom +Sterculia +Stevensville +Stimulation +Stoneleigh +Stora +Storace +Storming +Stull +Subedar +Subramanyam +Subregions +Sugarhill +Suitable +Sulakshana +Sumitra +Suna +Suncor +Supercopa +Sutters +Svensk +Swanley +Sweeper +Sweetland +Swingle +Syllabus +Symphonia +Taccone +Tadhg +Taenia +Taiga +Talkeetna +Tamias +Tamiroff +Tancharoen +Tandberg +Tanger +Tannenbaum +Tannery +Tanwar +Taps +Tararua +Tavua +Tawny +Tela +Telex +Telos +Templeport +Tempus +Tennysons +Tesfaye +Tezuka +Thanda +Theoderic +Thermopolis +Thizz +Thoppil +Thoresen +Thyenula +Tidende +Tidore +Tienen +Tilia +Tillotson +Tinissa +Tioman +Tiong +Todt +Tolima +Tollandclass +Tomo +Tomoko +Tonino +Tortilla +Toughest +Tractatus +Trager +Tremain +Trents +Trickster +Tris +Troia +Troost +Tsawwassen +Tuah +Tudo +Tunas +Tunisias +Turbomeca +Turdoides +Turilli +Turman +Turriff +Tyron +UBoat +USDAs +Ubiquitous +Ubiquity +Udi +UiTM +Ulick +Ulli +Ultraverse +Ulver +Undaunted +Underage +Upsetters +Valen +Valga +Vara +Varman +Vasantha +Vavasour +Vedra +Vending +Venegas +Venizelos +Venkatraman +Veruca +Vespula +Vikarabad +Violator +Vogues +Vora +Waffen +Wagons +Walch +Waleed +Walmer +Wannsee +Warhurst +Warpaint +Wasserstein +Wayfarer +Wclass +Weddington +Weidman +Weiler +Welkom +Wellens +Wernick +Westlaw +Wheeldon +Wheelwright +Wickford +Widowers +Wijk +Wikia +Wildland +Wimsey +Windsurfing +Winstons +Winterset +Wisniewski +Withey +Woerden +Wolfsberg +Wondrous +Woodlark +Wynnewood +Xfce +Yadavs +Yahoos +Yarmouk +Yei +Yitzchok +Yogurt +Ypsolopha +Yui +Zakariya +Zambrano +Zumba abounds absinthe accordions @@ -39566,7 +95478,6 @@ disreputable diterpene dope doyen -dr dramaturgy dressers droning @@ -39618,9 +95529,7 @@ fieldhouse fiftyninth fireball firstline -firsttier fisheating -fivehour fletcheri flier flipflops @@ -39762,7 +95671,6 @@ mil militarystyle minihigh mitzvah -mo moped multisystem mutable @@ -39791,7 +95699,6 @@ notifies nutrientpoor oakblue obsoleta -oneseat optin oracles organics @@ -39834,7 +95741,6 @@ poodle portoricensis postbop posterolateral -poststructuralism potentiation prays preceptory @@ -39879,7 +95785,6 @@ reverts revoking rhodium rockband -rothschildi rotifers rubens runtimes @@ -39919,14 +95824,12 @@ showground shrouds shunter sidetoside -silkscreen similarlynamed sims sinners siphuncles sixfold sixthcentury -sixthplace skylights slenderbilled sliders @@ -39992,7 +95895,6 @@ tropicalis truecrime tulips turboproppowered -twelvemonth twoepisode twoheaded twoletter @@ -40032,10 +95934,1379 @@ yang yellowfaced zonata zur +ACDCs +Aalen +Abbeydale +Abebe +Abir +Abitur +Abortions +Achaeans +Achebe +Acragas +Adekunle +Adolescence +Adopting +Adsit +Adversary +Aelianus +Affectionately +Afolayan +Aftenposten +Agnus +Aide +Aiding +Aircrew +Alai +Aldeans +Alexie +Alexios +Alick +Alife +Allenwood +Allergic +Altice +Altmans +Aluminium +Amalapuram +Amorite +Amoroso +Amputee +Ancillary +Andersonia +Andino +Ankyrin +Anniesland +Annoying +Anorexia +Antiterrorism +Antunes +Aplonis +Applebaum +Approaching +Apus +Aquia +Aquillius +Arachis +Arakanese +Arawakan +Ardglass +Arenaria +Arielle +Aristocrat +Arjona +Armfield +Armi +Arncliffe +Arnell +Arthurlie +Artspace +Ascari +Assessing +Assin +Athletica +Atkinsons +Attercliffe +Audens +Aus +Australe +Autochloris +Avati +Aveiro +Avoidance +Awaaz +Awarua +Ayling +Azeem +Baber +Backwoods +Badgley +Baekje +Baillieu +Bajoran +Bakunin +Balcombe +Balcon +Ballew +Baltazar +Balti +Banastre +Banerji +Banipal +Baptized +Baram +Barauni +Barbatus +Bareli +Barnby +Barnim +Baro +Barraud +Baruah +Barys +Bastos +Bathwick +Baudin +Bayles +Bedfords +Beezus +Belfer +Belfield +Belloc +Belur +Benbow +Bendre +Benign +Bensonclass +Benvenuti +Bergers +Berggren +Bergmans +Bergner +Bernardini +Berto +Bethell +Betong +Bhadrak +Bhandarkar +Bhullar +Biggie +Binga +Binion +Biologically +Biomass +Bischofshofen +Bistra +Bitton +Blakeman +Blaxploitation +Blessington +Blewitt +Blinding +Blinky +Blissett +Bochner +Boeuf +Bohdan +Boldt +Bondy +Boner +Bonnies +Boothroyd +Bootie +Borchardt +Borelli +Borenstein +Borgias +Boros +Bosporus +Bostick +Bostonians +Botts +Bougouni +Bourbonnais +Bourdieu +Bradlee +Bramah +Brandts +Brantingham +Brauns +Brazen +Brees +Bridegroom +Bridewell +Bridgton +Britto +Brocklebank +Brucella +Brynmawr +Bstandard +Budgets +Budha +Buehler +Buin +Bulgars +Bundamba +Bunyavirales +Burhan +Burien +Burry +Byam +Bylaws +Cabanatuan +Caboose +Caelius +Caer +Calculating +Calkins +Callies +Candies +Capelle +Cardo +Caria +Carmela +Carpinteria +Carrarese +Carville +Casearia +Cassadaga +Cataclysm +Cataclysta +Catalinas +Catto +Caving +Ceiriog +Cellini +Certosa +Chachi +Chadds +Chakravorty +Chalcedonian +Chalcis +Chalky +Chandamama +Chanticleers +Chapins +Charlestons +Chartier +Charting +Chaumont +Chaurasia +Cheaters +Checks +Chemie +Chernigov +Chewing +Chicagoarea +Chichewa +Chilcott +Chouhan +Chouinard +Christiansborg +Christianthemed +Claras +Clavier +Cleaves +Cleft +Cleobury +Clerics +Clif +Climbers +Clinically +Clockwise +Cobbett +Cobbler +Cobequid +Codeine +Coherent +Coit +Collingham +Collinwood +Combinatorial +Comden +Comita +Comparable +Compilations +Concordes +Conlin +Connersville +Conscientious +Construct +Contradiction +Coolmore +Copperheads +Coppi +Corbis +Cordish +Cornyn +Corybas +Cosplay +Coteau +Counsell +Coupar +Couric +Cowart +Coxe +Cracks +Cressy +Crissy +Crossland +Crowds +Crucifix +Crudup +Cuervo +Cumulative +Cundy +Curses +Cypripedium +DArkansas +Daisley +Daphnia +Darian +Darnielle +Dau +Debden +Decommissioning +Dedalus +Deepdale +Deimos +Delamere +Deodhar +Deuel +Devastation +Devolution +Dewdney +Dhahran +Dhallywood +Dhananjay +Dhangadhi +Diabetic +Differently +Diggin +Dilawar +Dipak +Dipterocarpus +Directional +Divinyls +Doges +Dogme +Donats +Donkeys +Dostum +Dramani +Dramarama +Dravid +Dray +Dreamcoat +Drennan +Drewe +Drovers +Durk +Dutchtown +Dwain +Dwellings +Earliest +Earlys +Earning +Earnshaw +Ebook +Eby +Echoing +Eckersley +Ecuadorians +Eddystone +Eeklo +Egghead +Eknath +Ell +Elswick +Emas +Emeric +Emmitt +Encanto +Enclosed +Encouraging +Endfield +Energizer +Ensure +Ents +Ephesians +Epics +Epifanio +Erase +Erindale +Erskineville +Erythronium +Escobedo +Espada +Esquiline +Essexclass +Essie +Essien +Ethiopic +Euptera +Evalyn +Evergestis +Evolving +Exa +Exams +Excavation +Excursions +Exec +Exegesis +Exorcism +Exum +Eyot +FRCPath +Fabrique +Faeries +Fangs +Fantasma +Fanti +Farrand +Fassbender +Fassi +Fauconberg +Fazer +Fforest +Figgis +Fil +Fildes +Firepower +Fite +Flattery +Flaw +Flettner +Flixton +Foglio +Forficulina +Forging +Forrestal +Fourplay +Fredericia +Frederickson +Freezer +Frequencies +Frieden +Frolic +Furse +Furys +Futurism +GEazy +Gabala +Gadchiroli +Gagetown +Galleon +Gambale +Gambaro +Gamla +Gananoque +Ganong +Garlin +Garon +Gastric +Gaura +Gayo +Gearingclass +Geier +Genaro +Genies +Gertler +Ghassan +Ghatkopar +Gilas +Gillani +Gillespies +Gillibrand +Gingee +Giraldo +Giurgiu +Giusti +Glamis +Glaxo +Glottolog +Gnasher +Gob +Godspell +Goghs +Gohar +Gompa +Goodacre +Goodkind +Goretti +Gorin +Gorleston +Gourd +Gowan +Grading +Grallaria +Grandeur +Grandy +Grantville +Greatness +Greenhithe +Greenspring +Gresford +Grosser +Gruenwald +Grupa +Gryner +Guarino +Guatemalas +Gugino +Guilfoyle +Gulgong +Gunawan +Gweru +Gyalpo +Gymnast +Gypsys +Gyula +HIVinfected +Haaretz +Habibie +Hagler +Haining +Halbert +Haleakala +Hallescher +Halloweentown +Halmstads +Halysidota +Haman +Hamlisch +Hammel +Hammills +Hamstead +Handmaids +Hannas +Hanni +Hannibals +Hardison +Hardline +Hargobind +Harlington +Harnell +Hastie +Haun +Hawkhurst +Haycock +Headroom +Heaps +Heathers +Hedi +Hedin +Heidecker +Helmi +Hemoglobin +Hendriks +Henrich +Hepatology +Hersfeld +Hertzog +Herwig +Hiero +Hillage +Hippodamia +Hofstadter +Hohe +Hooligans +Hoosick +Hoplocorypha +Hops +Horowhenua +Houstonia +Hsing +Huddart +Hudgins +Hungaroring +Hurn +Huskers +Hyattsville +Hydnum +Hydroporus +Hyloxalus +ITexas +IaaS +Ieper +Ifan +Ilir +Illmatic +Ilmari +Imager +Inape +Indera +Industrys +Ingleton +Injured +Intersect +Investigating +Invincibles +Iorio +Ipsos +Iquitos +Irishtown +Isan +Ischnocampa +Italiane +Iwate +Izquierda +Jaccard +Jacobo +Jafri +Jahres +Jajarkot +Jambo +Jamsil +Jayaprada +Jazmine +Jeepney +Jeweler +Jhabua +Jhulka +Jillette +Joburg +Jocky +Jolimont +Joonas +Jordana +Judkins +Juliano +Juliflorae +Jumps +KRock +Kaadhal +Kadiri +Kaen +Kallon +Kalmia +Kamelot +Kamza +Kanjirappally +Kantha +Kants +Karad +Karamchand +Karayiannis +Karimov +Kaserne +Kathe +Kawabata +Keanes +Kedzie +Keeble +Keeton +Kehinde +Keim +Kelapa +Kellen +Kelsall +Kennywood +Keonjhar +Kerberos +Kesavan +Keta +Ketcham +Khaganate +Khatron +Khlong +Khomas +Khurram +Kilbourn +Kilbourne +Killara +Killingworth +Kina +Kingborough +Kinver +Kirchberg +Kiriakou +Kiser +Kitzingen +Kloten +Knave +Knudson +Koechner +Koolhoven +Kosygin +Kotha +Krachi +Krapf +Kulim +Kunstler +Kwaito +Kwantlen +Kynaston +Kyunki +Lagonda +Lakshmanan +Lamberti +Lambertville +Laminacauda +Lampa +Langerhans +Lant +Largemouth +Larose +Larsons +Lasionycta +Lastfm +Latch +Lauterbach +Lawther +Lazard +Learmonth +Leaside +Leatherwood +Leche +Leeuwin +Legation +Leidy +Lepas +Lepidodactylus +Lethe +Letta +Lettermen +Leucinerich +Lewisporte +Lichens +Lid +Liefering +Lieu +Lightman +Lillee +Limoux +Linacre +Lindahl +Lindale +Linebacker +Linklaters +Lisette +Lisunov +Loane +Lodewijk +Lohithadas +Lollobrigida +Lombarda +Lorn +Losses +Lottia +Lozada +Lubavitch +Ludi +Lukman +Luma +Lumbee +Lunchbox +Lundquist +Luzula +Lyndsay +METRORail +Mabo +Mabuhay +Macaroni +Macer +Macfadyen +Maggia +Mahasamund +Maheswari +Mahlers +Mailers +Mainichi +Malahat +Malkmus +Maltin +Malware +Mandelbaum +Mangano +Manikandan +Manion +Manticore +Mantova +Manzi +Manzonia +Marana +Marceau +Marianus +Marions +Mariska +Marmont +Marquise +Marsan +Marthe +Martigues +Maryanne +Marzano +Marzuki +Matawan +Matchless +Mathisen +Matto +Mauchline +Mavelikara +Mazu +Mba +Megawati +Mehtas +Meins +Meisterschaft +Mendrisio +Menudo +Mercure +Meskwaki +Mexicanborn +Miah +Microhyla +Micrurus +Middelfart +Midways +Mieke +Miers +Millis +Mim +Miniopterus +Minorca +Minuartia +Minya +Misconduct +Misrata +Missenden +Mizpah +Mochtar +Modernday +Modernity +Moderns +Molfetta +Mollusca +Molony +Molteno +Momin +Moneypenny +Monfalcone +Monge +Moonraker +Moraz +Morcom +Moris +Morrone +Mosquera +Motagua +Motorcoach +Moule +MraukU +Muck +Mucor +Muhlenbergia +Mulanje +Mullaney +Mullum +Mums +Munford +Musiq +Muttiah +Myke +Myrdal +Mystikal +Nagara +Nagra +Nakul +Nashe +Nasheed +Nasim +Nasri +Naturals +Nauchnij +Naumann +Navarrete +Navarretia +Navicula +Neches +Necromancer +Nerdist +Newburg +Newlin +Newsted +Nexen +Nhill +Nighttime +Niyazov +Nkwanta +Noisy +Noordwijk +Nothobranchius +Nottinghams +Nucleolar +Nucleotide +Nuxalk +Nyala +Oadby +Obote +Ohioclass +Ohlsson +Oldland +Olearia +Omartian +Opelika +Ordnungspolizei +Oreille +Orlandos +Ornithoptera +Osho +Ostensibly +Osu +Otten +Ovamboland +Overcast +Pacemakers +Paduka +Palaiologos +Paleoindian +Palette +Palu +Panavia +Pandurang +Papaver +Papunya +Parasitology +Parejas +Parley +Parrikar +Partyled +Parus +Parys +Patania +Pattambi +Payam +Peabodys +Peewees +Pelecanos +Penalties +Penampang +Penetanguishene +Pentateuch +Periscope +Perkasa +Perrie +Persei +Persoon +Peshwas +Peterloo +Petherton +Petraeus +Petronella +Peucedanum +Pewsey +Pezizales +Phellodon +Philanthropies +Philles +Photinus +Phyllodesmium +Piarsaigh +Piasecki +Picassos +Picayune +Pickersgill +Pictor +Picus +Pilling +Pimpri +Pinar +Pindi +Pint +Plaridel +Playas +Playtime +Plea +Plumer +Pluteus +Pocheon +Poel +Poldark +Poliakoff +Pollo +Polskie +Polyortha +Ponda +Poppa +Posadas +Postel +Powergen +Praetor +Prauserella +Premiered +Premises +Previte +Priceless +Primordial +Pringles +Psara +Ptilinopus +Publicly +Pudur +Purfleet +Purviance +Pushmataha +Pyramidella +Pyun +Qari +Quadri +Quadrophenia +Quang +Quarterdeck +Questlove +Rabdophaga +Rackets +Rafa +Rainsford +Ramas +Ranaut +Rantau +Ranthambore +Rattler +Raymonde +Razzak +Razzaq +Razzies +Reefs +Refused +Relix +Rescuers +Restatement +Rethymno +Reto +Rexha +Rheindorf +Rheingau +Rhema +Rhizobium +Richmal +Ridout +Riftwar +Risa +Risso +Riyaz +RoPS +Roadways +Rockhill +Rockn +Rockpalast +Roddenberrys +Roderic +Rodriguezs +Rohilkhand +Rollinia +Ronni +Rosetown +Rosewall +Rosies +Rosman +Rotuman +Roussillon +Routt +Rub +Rubino +Ruel +RunDMC +Ryhope +Sackheim +Sadananda +Saenger +Saget +Sago +Saloum +Salvator +Samachar +Samhita +Samuli +Samyukta +Sanath +Sanctae +Sandal +Sandin +Sandstorm +Sanfords +Sangin +Sanjaya +Saprissa +Saputra +Saragossa +Saransk +Sarovar +Sasebo +Satie +Saturation +Savitribai +Scarpetta +Scheibe +Schilder +Schirmer +Schoeman +Scorecard +Scotians +Scudamore +Seaward +Seawolf +Sebago +Secours +Seda +Seenu +Segambut +Segarra +Selenas +Selle +Selvin +Sempill +Senza +Septet +Servilia +Shabba +Shada +Shahab +Shahjahan +Shajapur +Shakambhari +Shaler +Shamans +Shambhala +Shareholder +Sharpstown +Shatners +Shedden +Shoji +Shoreview +Shutdown +Siddhanta +Siddipet +Sienkiewicz +Sigi +Silius +Silversun +Sista +Skibbereen +Skillz +Skoda +Skoglund +Slaight +Slashs +Slint +Slit +Slush +Smalltown +Smaug +Snapshot +Snickers +Sociale +Sofala +Solids +Sonos +Sophies +Soter +Southpaw +Souvenirs +Speechless +Spherical +Spielman +Splice +Spout +Sprigg +Sredets +Sreeram +Staats +Stabat +Stace +Stachys +Staged +Stane +Stanthorpe +Starstruck +Stats +Stewartstown +Stieglitz +Stourport +Straker +Strangeways +Stynes +Subsurface +Succeeding +Suebi +Sumi +Sundquist +Superstation +Supertones +Surdulica +Suze +Svea +Swampy +Sweeny +Syagrus +Sybille +Synodus +Syreeta +Tabuk +Tahu +Tailevu +Taleb +Tamura +Tapp +Taraxacum +Tardy +Tarime +Tarplin +Tatham +Tayabas +Tayloe +Teagarden +Teapot +Telemetry +Televizija +Teme +Temeke +Templer +Tenderness +Tennessean +Terracina +Terrytoons +Texcoco +Theresia +Thirtythree +Thorncliffe +Thorney +Thryptomene +Thulin +Ticketmaster +Tik +Tilney +Tinnu +Tinubu +Tipperarys +Tiruchendur +Tizen +Toamasina +Todman +Toews +Toggenburg +Toledos +Tongas +Tote +Tottori +Traeger +Trancers +Transamerica +Traub +Traveled +Travelin +Trias +Tridents +Triturus +Trolleys +Tromp +Trstenik +Truax +Trusteeship +Tso +Tudela +Tufton +Tughlaq +Turlington +Turney +Twinning +Twiss +Tyrconnell +Tyrion +Tzvi +Uighur +Ulrik +Ultramagnetic +Unbeknownst +Unraced +Unum +Upfront +Urine +Uttarkashi +Vada +Vaidyanathan +Vaishnavite +Valdostan +Valkyries +Valleybased +Vanbrugh +Vecchi +Velcro +Venona +VfR +Vianney +Vicars +Victorinus +Victualling +Vignesh +Vijayabahu +Villianur +Vinaya +Vindolanda +Vintners +Vishva +Vitality +Viticulture +Vitoria +Vitter +Viviane +Vocalists +Vulpecula +Vusi +Vuuren +Wairau +Waldrop +Wallen +Walrath +Waltari +Walterboro +Wap +Waqar +Wares +Warlpiri +Warrandyte +Wasting +Waterval +Weave +Weblog +Wellow +Wendi +Wensum +Wesel +Westaway +Westend +Westway +Weyer +Whartons +Whiskers +Whitcombe +Whitesell +Whitt +Whizz +Wiedersehen +Wileman +Wilhoit +Willacy +Willibald +Willner +Wimpole +Wingo +Winkleman +Wolston +Wooler +Woon +Workingmens +Wran +Wrest +XFree +Xiaolin +Yamasaki +Yangs +Yazidis +Yeates +Yekaterina +Yellen +Yiu +Yngve +Youn +Youngman +Yousif +Yoyogi +Yreka +Zakynthos +Zambezia +Zameen +Zanardi +Zang +Zippers +Ziro +Ziyad +Zohra +Zuiderzee abbreviata abyss achenes -actresssinger admiring aerated affliction @@ -40092,15 +97363,12 @@ bilayers biosecurity bipod bisphosphate -blackbanded -blackbilled blackcolored blender blobs boardwalks boobook booed -bottomdwelling breezy brevifolia bridleway @@ -40115,7 +97383,6 @@ bustle byways cabal caissons -callandresponse cardholder carnitine carom @@ -40156,13 +97423,11 @@ corral corsair councilwoman countercurrent -countymaintained cramping cranefly craving crawled cribs -crimecomedy crinitus crocea crocus @@ -40213,7 +97478,6 @@ dural eHealth eave effluents -eighttrack eightyeight elicitation embellish @@ -40250,7 +97514,6 @@ familiaris fastpitch febrile fellatio -femalefronted fernlike ferryboat festivity @@ -40267,9 +97530,7 @@ footings foreboding forestall fossilization -fourgame fourmasted -fourstage fourthcentury fourthseason frameshifting @@ -40277,14 +97538,12 @@ freediver freeranging frock frontrunners -fullband gastrin gastritis gatherers gazing generics geniuses -girlgroup glomus gloom glows @@ -40312,7 +97571,6 @@ hurts hyperinflation hypocorism hypothesize -iD iPods idealist ideation @@ -40381,7 +97639,6 @@ membranophone messianic metabolomics microbudget -middlegrade millinery minstrels miranda @@ -40390,8 +97647,6 @@ moderateincome molester monarchist monopolize -multiartist -multispectral multitalented murina mustards @@ -40410,7 +97665,6 @@ neutrophilic ngonal nodebased nonBritish -nonNative nonbiological noncommunicable nonfeature @@ -40455,7 +97709,6 @@ planking playfully plovers pmc -pn pointandshoot polyacrylamide pombe @@ -40525,7 +97778,6 @@ rufipennis rustica rusticus rusting -ry sadly sadomasochistic salting @@ -40550,11 +97802,8 @@ signatus sikkimensis similarsized singleparty -singlephase singleton -singlevolume sixfoot -sixround skied slideshows sliver @@ -40600,7 +97849,6 @@ thermosetting thicktoed thirdseason thirsty -threeengined thrombotic toadfish todo @@ -40642,7 +97890,6 @@ unfunded unimpeded uninhibited unisexual -universitypreparatory unleash unpainted unprofessional @@ -40676,6 +97923,1432 @@ yarder yellowishwhite yellowpigmented zoster +Aan +Aashiq +Abbreviated +Abdalla +Abdo +Abellana +Academica +Achillea +Aconitum +Acquaviva +Acupalpus +Adalberto +Addictions +Adra +Adrianople +Adurthi +Ady +Aeron +Africabased +Afrojack +Ageratina +Agglomeration +Aggregation +Aguilas +Aguri +Ahala +Aho +Aika +Airlink +Airstream +Akamai +Akilattirattu +Akindele +Albro +Alby +Aliciella +Allgood +Alliston +Almas +Alsager +Amazigh +Amdahl +Amite +Amorosi +Anagram +Andel +Ander +Andersonville +Anjaneya +Ankle +Ankola +Ankrum +Anoncia +Anorthosis +Anticline +Aparajita +Aponte +Apostolo +Appelbaum +Arclight +Argon +Arid +Arkell +Arnstein +Arthroleptis +Asclepius +Ashtead +Asota +Asperdaphne +Atiku +Atlantica +Attempting +Atwima +Aud +Audacity +Aurea +Aurore +Austerlitz +Autrey +Avellaneda +Avivs +Avner +Azizi +Babin +Bacardi +Bacteroidetes +Badalona +Badrinath +Baggins +Baggio +Baji +Balbi +Balcatta +Balclutha +Balfe +Baliye +Ballinasloe +Balrampur +Banchory +Bandana +Bandhu +Bandiera +Banta +Baranof +Baras +Barbadians +Barri +Basa +Bascombe +Basho +Basils +Basnet +Basuki +Batam +Battlecat +Batts +Baulkham +Bayfieldclass +Beauly +Begumpet +Bellisario +Bence +Benge +Berchem +Berejiklian +Bergson +Bevans +Biafras +Bickle +Bidding +Biddy +Bie +Bil +Billionaires +Binchy +Bismark +Bistrica +Biya +Blackburns +Blackground +Blanding +Blay +Blundells +BoIS +Boatman +Bogey +Bojanala +Bolte +Bombylius +Boothbay +Boral +Bossy +Botkyrka +Bottas +Bourn +Bournes +Boxford +Brashear +Brats +Breakup +Brenden +Bricklayers +Brockovich +Brodeur +Brooklin +Brownstein +Brushfire +Buckmaster +Buendia +Bulwark +Bumi +Bumthang +Bunche +Bunk +Burmas +Burswood +Bushland +Bussey +Buttle +Butyriboletus +Bybee +Byelorussian +Cabeza +Cabra +Cacostola +Cakaudrove +Calidris +Callanan +Callard +Calvins +Campeau +Campobello +Canter +Cantorum +Capparis +Cardew +Cardigans +Carneys +Carniola +Carril +Cascina +Caspase +Casselman +Cataraqui +Catopsis +Cavaliere +Caylloma +Cayzer +Celt +Censors +Cephalonia +Cessford +Chandragiri +Changer +Changers +Chaudhury +Chaulukya +Cheeky +Chell +Chesky +Cheverly +Chhabra +Chiao +Chiaroscuro +Chionothremma +Chirbury +Chirnside +Chloris +Chobham +Choristers +Chornomorets +Choti +Christiansted +Chupke +Churchgate +Cinna +Circassians +Citylink +Civitella +Clams +Claremorris +Clavering +Clayfield +Cleon +Clusia +Cochranes +Cockroach +Cockroaches +Codification +Coffeehouse +Coinciding +Colma +Combinatorics +Commentarii +Commenting +Commissar +Comodo +Conegliano +Connex +Conquers +Constans +Contemplative +Contemporaries +Contessa +Controversially +Convicts +Coordinate +Copylock +Cordeaux +Corinthos +Cornaro +Cornett +Corney +Cornfield +Correlation +Corsten +CortexM +Cosbys +Coville +Cowans +Crafter +Creates +Creditors +Cricinfo +Crighton +Crispus +Criswell +Crowthorne +Crumbs +Cryogenic +Ctenophorus +Cuckfield +Cull +Cuno +Cutt +Cuyuna +Cyclura +Cymatodera +Czars +Dacascos +Daintree +Dalmellington +Damallsvenskan +Damara +Damas +Damita +Damsel +Danaher +Danity +Danorum +Dappula +Dardenne +Darlaston +Daru +Datum +Daun +Davanagere +Deafness +Dearing +Declining +Deleted +Delian +Demetri +Demetrio +Dennard +Depew +Deryck +Deschamps +Desdemona +Dessner +Desura +Detox +Deuces +Devons +Dhyan +Diabolical +Diener +Dignitas +Diljit +Dillwyn +Discordia +Disqualification +Distortio +Dit +Djinn +Doddington +Dolfin +Domenic +Dooms +Dopamine +Doremus +Dorm +Dowdy +Downy +Dows +Dreher +Dryer +Duanesburg +Ducharme +Duguay +Dukinfield +Duleek +Dulquer +Duncanville +Duraid +Dusted +Dyella +EClass +EType +Eagleson +Earps +Eatonville +Ecclesiae +Echium +Eclass +Edmundo +Efik +Efren +Ehlanzeni +Eitzel +ElP +Elaborate +Elahi +Eleonore +Elora +Enema +Enemys +Enhancer +Enlightened +Entravision +Equifax +Eristalis +Ermelo +Esercito +Esperantist +Estadual +Estoloides +Estrellas +Etosha +Eugenes +Eun +Euophrys +Eurema +Euura +Eveline +Evils +Ewyas +Exaeretia +Excluded +Exim +Exist +Exo +Expertise +Exponent +Exterminator +Eynsham +Ezell +FDAapproved +Fabra +Fada +Fadi +Fails +Fakhruddin +Farnley +Faroes +Farsley +Fathima +Fatih +Featherston +Feds +Femenina +Fenny +Fess +Fifita +Fili +Finnegans +Firuz +Florences +Fluorescent +Fmount +Fojnica +Foolad +Foreland +Formalism +Francie +Frandsen +Franti +Fratton +Fulwell +Fungal +Funkmaster +Furlan +Furnish +Fuze +Fuzion +GEs +GIFs +GMan +Galerius +Galliformes +Galligan +Galsworthy +Gangstas +Garstang +Gattis +Gebhard +Gebre +Geingob +Geita +Gephardt +Getxo +Gibran +Giggs +Gilbreth +Gilliamclass +Giuseppina +Gladden +Gladiolus +Glassjaw +Glimcher +Gogoi +Gojira +Golder +Golightly +Goll +Goosen +Gorgan +Gorkys +Graciela +Grandad +Greektown +Greenbriar +Greenlawn +Greenstein +Gregorios +Greiz +Grell +Grendon +Grievances +Grifters +Gris +Groby +Groombridge +Guadeloupean +Guerreros +Gulbuddin +Habenaria +Haberfield +Hagars +Halder +Hallowed +Hamadan +Hammon +Hanan +Handed +Handicaps +Hankins +Hanneman +Hansi +Hany +Harrap +Harriett +Hartfield +Hassler +Hasso +Hater +Haughey +Hausen +Heemskerk +Heisenberg +Helio +Heneage +Hern +Herods +Hesperus +Hessler +Hetch +Heusden +Hidayat +Hilario +Hinshaw +Hipgnosis +Hiroki +Hirwaun +Hizbul +Hoberman +Hockeyroos +Hoglan +Hollows +Holmquist +Holstebro +Hombres +Hoole +Hoopes +Hopedale +Hopp +Hormuz +Horrid +Horsford +Hoult +Hovercraft +Hubballi +Huger +Hussaini +Huynh +Hypnosis +IPs +Ibb +Ibbetson +Idactus +Idar +Ifans +Ignatian +Iha +Ikatan +Ikoyi +Ilia +Impaled +Improper +Inchon +Incremental +Inductee +Intellectuals +Intercourse +Iphigenia +Isak +Islandclass +Jaffee +Jagmohan +Jalloh +Jaman +Jameela +Jamz +Jastrebarsko +Jayden +Jayshree +Jebediah +Jenin +Jette +Jiiva +Jordanes +Joscelin +Joust +Jungfrau +Juni +Junie +Kabuki +Kadri +Kahi +Kahuna +Kakkar +Kalai +Kalari +Kamlesh +Kamnik +Kanaan +Kanem +Kantar +Karaite +Karak +Karaka +Karamana +Karger +Karkala +Kartemquin +Karunas +Kasganj +Katara +Katherines +Kathlyn +Katona +Kaushambi +Kayah +Kayastha +Kazemi +Keefer +Keiji +Kelheim +Kellman +Kennan +Kennon +Keon +Kerber +Kerin +Keroh +Kerrick +Keyport +Khushal +Kidron +Kilworth +Kingscote +Kingswear +Kinondoni +Kir +Kisima +Klatt +Kleins +Kleist +Kleve +Klingons +Knocked +Kochs +Kochu +Kody +Kogen +Kokand +Koman +Komo +Komuro +Konfrontacja +Kookaburra +Korir +Kosala +Kostroma +Kotaku +Kottakkal +Krakauer +Kryptonite +Kuang +Kublai +Kuda +Kuepper +Kuhl +Kundra +Kuningan +Kunshan +Kupwara +Kurd +Kuttanad +Kutuzov +Lacan +Ladens +Ladki +Laghouat +Lahnstein +Laity +Lakelands +Lakeridge +Lambe +Lampe +Langholm +Latymer +Lauriston +Lazarev +Lebar +Lebowitz +Lecanoromycetes +Leeland +Legacies +Leiston +Lemaire +Lenzburg +Leonardi +Leonhardt +Leppington +Leptotrophon +Leucine +Liatris +Licensure +Lidl +Liebenberg +Lif +Lightner +Likes +Limburgish +Lingam +Linger +Lisbeth +Lisgar +Litherland +Loche +Lochore +Lockington +Loening +Logone +Lohardaga +Longsight +Loughor +Lovins +Lunds +Lusophony +Lynam +MFlo +MIAs +MLeague +Macrosoma +Madhukar +Madill +Mady +Magnets +Mags +Mahratta +Makefield +Makgadikgadi +Malekula +Maley +Mallabhum +Mallinckrodt +Malm +Manamadurai +Mandrells +Manfredonia +Mantell +Manulife +Manush +Manyoni +Mapes +Maranao +Maras +Marcellino +Marchmont +Margraviate +Markos +Marwick +Marzio +Masur +Matang +Mathematician +Matilde +Matlab +Mayos +Mbozi +Meen +Meghana +Melksham +Mells +Melnyk +Mend +Meneses +Menswear +Mercurial +Mergui +Meriam +Merrylands +Metamorphic +Meteorite +Metrolinks +Mettaweeclass +Mewes +Miamisburg +Micheli +Michiko +Microorganisms +Microscope +Mihail +Mikoyan +Milagros +Milhouse +Millburn +Millenium +Milroy +Miltonia +Minard +Mineralogy +Minghella +Minns +Miquel +Miraculous +Mite +Mittagong +Mizner +Modifieds +Mohra +Moncrief +Mondadori +Monduli +Monkland +Monta +Montvale +Moodle +Moomba +Moonlighting +Moonrise +Morandi +Morong +Morpurgo +Morra +Mors +Motivational +Mouna +Moyamba +Mullett +Mulligans +Multani +Multivariate +Mummys +Munns +Mussel +Musselman +Musselwhite +Muzaffarabad +Mweru +Mysticism +Naaz +Nadeshiko +Nagarajan +Nahdlatul +Najibullah +Nambudiri +Namely +Nancys +Nandha +Napthine +Narre +Naurus +Nawa +Necessity +Neferhotep +Negotiator +Negrete +Negulesco +Neillsville +Nelsen +Nepomuk +Nereus +Nests +Netto +Neuroimaging +Neurospora +Neurotic +Ngai +Nicholass +Nicodemus +Nicotine +Nido +Nie +Nihalani +Ninox +Nipawin +Nipmuc +Njan +Nominal +Nori +Norinco +Northwesterns +Noth +Novoa +Novoselic +Novum +Ntype +Nuke +Numidian +Nyheter +Oberleutnant +Occasion +Ogilby +Okie +Okotoks +Oligosoma +Olsens +Omotic +Opa +OpenJDK +Oppressed +Oraon +Oreo +Orfeo +Oriolus +Orval +Osimo +Ostiense +Otways +Ouimet +Ousmane +Outbound +Outsourced +Oxegen +Padley +Paha +Palafox +Paleontological +Palicourea +Paman +Panamas +Panruti +Paparazzi +Papirius +Parachutes +Paragraph +Paramakudi +Paramor +Passchendaele +Pateros +Patitucci +Pattali +Paulista +Paykan +Pearly +Peeping +Peerce +Peggys +Pelorus +Penda +Penge +Perini +Peristeri +Perivale +Perlin +Perrot +Pesticides +Petrels +Petunia +Pez +Pharmacia +Phd +Philbrook +Philipse +Phoca +Piccoli +Picken +Pinkner +Pirna +Pittenweem +Pix +Plagiobothrys +Platonism +Pleurobema +Plumbers +Pluralism +Podiatric +Polite +Polyrhachis +Poni +Pook +Pooles +Poort +Poroshenko +Portability +Portlandia +Portofino +Potgieter +Potion +Potok +Potsdamer +Prachi +Prathapachandran +Preez +Presets +Primm +Prinsloo +Prinze +Proclaimers +Proechimys +Prokofievs +Proprietor +Proteomics +Prudhomme +Puffinus +Pulliam +Punky +Puyo +Pylos +Pythian +Qasimi +Quade +Qualicum +Quant +Quds +Queenston +Quiberon +Rabie +Rabinovich +Racquets +Radice +Rafter +Raggedy +Rahn +Raincoat +Rajagopalachari +Rakvere +Raleighs +Ramalingam +Ramesside +Ramkrishna +Ranaldo +Randeep +Rapala +Ratti +Rauscher +Ravenhill +Readville +Reboot +Rediffusion +Reggaeton +Rehana +Relativistic +Relying +Rembert +Remedios +Remembers +Reparation +Reserva +Resistant +Reutlingen +Rhum +Ricas +Riddim +Riggle +Rijswijk +Rimouski +Rinker +Rishworth +Ritas +Riteish +Rodez +Roope +Rossel +Rossmore +Rountree +Rowlett +Rozier +Rubettes +Ruck +Ruhl +Runyan +Rusch +Rushes +Rusholme +Rustler +Rusyn +Rutkowski +Rylance +STIs +Saathiya +Sabce +Sables +Safdar +Sahibganj +Saiva +Sajjan +Sall +Samaraweera +Sambhaji +Samnium +Samsara +Sanjiv +Sanskriti +Sanstha +Santer +Sarangi +Sarcee +Sarr +Sarre +Satrianis +Sawbridgeworth +Saxby +Scandinavians +Scantraxx +Schall +Schein +Schelde +Schocken +Schofields +Scholtz +Schrock +Schuldiner +Schulzs +Schutte +Scipione +Scymnus +Seager +Seagrove +Selfie +Semester +Senlis +Sensations +Seoni +Serai +Serica +Settings +Shahpura +Shakhter +Shaky +Shapley +Sharifah +Shawkat +Sheetal +Sheetz +Shibata +Shihad +Shiri +Shively +Shoestring +Shortest +Shorthair +Shorthand +Sidekick +Sidra +Sierre +Sigara +Sikorski +Silveira +Simcha +Singular +Sinjar +Siskel +Sisurcana +Sitges +Skeets +Skiddaw +Skilton +Skymaster +Slaven +Sleepwalking +Sloans +Slowdown +Slut +Smilin +Smither +Smitty +Snails +Snaith +Sneakers +Snout +Soaps +Societas +Sogdian +Soke +Solas +Solenopsis +Somehow +Sonbhadra +Songdo +Sonitpur +Sonshine +Sophos +Soumya +Southill +Sovietera +Soybean +Soysa +Spaceport +Spafford +Spearfish +Spins +Sportsmens +Sprawl +Sriperumbudur +Starmer +Statistically +Steadicam +Stechford +Steeltown +Steinmann +Stelvio +Stiglitz +Stigma +Streetsville +Strick +Stuckists +Sturgeonclass +Sturminster +Subscriptions +Subversive +Sugars +Suk +Sulman +Sulmona +Sumanth +Summerton +Summertown +Sunbird +Sundeep +Sungurlare +Sununu +Superfamily +Supplements +Surekha +Surendranath +Suryavanshi +Sutch +Swash +Swedenbased +Swerve +Swissair +Swollen +Symphyotrichum +Synopsys +Synthpop +Syrah +Syston +Tacen +Taddeo +Tahoma +Tahrir +Taishan +Taizong +Takeoff +Takeuchi +Talkers +Talpade +Tamalpais +Tankian +Tapanuli +Taranis +Tarboro +Taronga +Tas +Taverna +Taya +Teguh +Tehatta +Telcel +Telepictures +Teletubbies +Tellers +Tembo +Temnothorax +Tempesta +Tenaga +Teracotona +Terenure +Terriss +Terwilliger +Tetsuo +Tetteh +Texoma +Thabit +Thatcham +Themed +Thialf +Thievery +Thisted +Thracians +Tibbetts +Tidwell +Tigress +Tika +Timpson +Tintern +Tippetts +Tippi +Tirso +Titchfield +Tocco +Toko +Toltec +Toomas +Torra +Tortona +Tortured +Totila +Tourtellotte +Trac +Tradescantia +Trailhead +Trakai +Transboundary +Translate +Traquair +Trekking +Treme +Tresham +Treves +Tripos +Triticum +Triumfetta +Troye +Trudi +Tshuapa +Tsushima +Ttailed +Tuke +Tupi +Turgeon +Tutsis +Tver +Twothirds +Ubisofts +Uk +Ulugh +Undangan +Unna +Unofficially +Upsilon +Upward +Ussara +Utter +VOCs +Vague +Valenciano +Vallabh +Vanellus +Vanikoro +Veliki +Veneti +Veni +Victoriaville +Vier +Villalba +Vinge +Vinland +Virago +Virtanen +Vise +Vitas +Vitor +Viviani +Voivod +Vorst +Vows +Wachowskis +Wad +Waimate +Waiver +Walcha +Walki +Wandle +Wanjiru +Wappinger +Wardour +Warman +Watoto +Wattenberg +Wayman +Weakley +Weakness +WebDAV +Wed +Wegman +Weighted +Weirdos +Weirton +Welham +Wem +Wenceslaus +Werchter +Werrington +Westernstyle +Whishaw +Whitakers +Whiteface +Whittemore +Whitty +Wickesclass +Widowmaker +Wigglesworth +Wipe +Wiregrass +Workload +Woven +Wretched +Writes +Wurm +Xeric +Yacoob +Yamauchi +Yare +Yateley +Yelchin +Yeshivas +Yim +Yoakum +Yorn +Younghusband +Youtoo +Yuexiu +Yulaev +Zapruder +Zelina +Zephaniah +Zhukov +Ziering +Zinnemann +Zombi +Zygmunt abolitionism accouterments acetal @@ -40700,7 +99373,6 @@ antiair anticonvulsants antiimmigration antitobacco -antthrush aperta appeasement applauding @@ -40715,7 +99387,6 @@ autocephalous autonym autoroute auxin -av backbones bacteremia baileyi @@ -40768,7 +99439,6 @@ cedars cellulase centrifugation centrifuge -ch characterdriven chelation chorea @@ -40811,7 +99481,6 @@ crinita crossgabled crosswalk crypts -cu cull curbs curds @@ -40913,7 +99582,6 @@ fruticose fuliginosus fulvetta functionalization -gTLD galloping gamepad gargoyle @@ -41085,7 +99753,6 @@ paralegals paralyzing parklike parvum -pc peafowl peninsularis perceptive @@ -41215,7 +99882,6 @@ sickleshaped silage silts sinica -sixvolume sledding slowcore snakebite @@ -41257,7 +99923,6 @@ terrorizes testators thenboyfriend thiols -thirdround thoracicus threesong thrilled @@ -41284,7 +99949,6 @@ trucker tryscorer turfgrass twitching -twoandahalfstory twoissue tyrants undeniable @@ -41293,29464 +99957,3 @@ unionize unmaintained unwell unwitting -updraft -upwind -urological -usernames -vagal -vagans -vaginalis -vampiric -veers -vehement -velox -venoms -ventilating -venustus -verdant -victoriae -viewings -viridescens -volcanology -watermarking -weightforage -welders -wentletraps -westside -wheeleri -whitetipped -whodunnit -windswept -withdraws -wither -woodrat -worklife -worsens -wreaths -wristwatches -writable -wrongdoings -yesterday -youngi -abrasives -acceding -accusers -acquirer -adulterous -advowson -aeneus -affixing -aggrieved -agroforestry -alIslam -albofasciata -alevik -alginate -aliena -alienate -allcargo -alloyed -allspice -alluaudi -anNasir -analyser -anhydrase -aniseed -anteater -antiJapanese -antipope -antiprotozoal -aplastic -appellations -apprehending -archtop -arnoldi -arpeggios -arsonists -ascertaining -ascetics -ascites -assimilating -astrometry -atheistic -aurantia -ayam -azurea -backscatter -bailiffs -bandleaders -barmaid -barman -basidia -batholith -batons -battlecruiser -beaker -beau -beauties -bedridden -beep -befall -bellus -bifasciatus -bilineatus -binotata -bioinorganic -biomimetic -biostratigraphy -birdseye -blackeared -blackeyed -blastocyst -blockhouses -blurry -bobbins -bogey -bois -bootleggers -borosilicate -bradykinin -braiding -branchlets -breaded -breakwaters -breechblock -breezes -brevicollis -bricked -bridled -broadens -brownie -brownii -budgetpriced -bulkhead -bullfighter -bullfrog -bushcricket -campestre -campion -cantellations -cantus -capoeira -carina -carnal -carryover -cassia -castlelike -celebrants -celibate -celtic -ceratitic -chainsaws -chan -chattels -chemolithoautotrophic -chiaroscuro -chickweed -churchmen -ciliae -cinctus -cisco -cistrans -classicism -clathrin -cocurated -codebreaking -codesigner -codifies -coeliac -coelom -cog -colonystimulating -comanaged -comforting -complainants -concinnus -concordat -confectioners -confinis -congoensis -congresswoman -conurbations -convertibles -convulsant -coprincipal -corduroy -corporeal -cougars -counterespionage -counterparty -countryspecific -courtappointed -courtmartialed -cowslip -crayons -cripple -crocodyliforms -crosschannel -cuscus -cymes -cystine -cytidine -dAbo -dArcy -daemons -daunting -dearth -decadesold -dedicatory -deflated -delinquents -demoralized -denticles -denticulated -deoxygenated -dependants -deputed -derailleur -derisively -derrick -desecrated -destinies -deuterocanonical -diadema -diluting -dined -dingy -directorships -disapprove -discards -disenchantment -dismisses -displayexhibit -dissipates -distillate -divulge -doorman -dor -doriae -doubleheaded -doublelength -doubtfully -downfield -downing -dramatics -drumsvocals -dunking -dyers -dystrophin -eDonkey -ecuadorensis -edwardsii -effectives -effortless -elastomeric -electromagnetics -emissaries -encephalomyelitis -endearment -endeavoring -endosymbiont -endosymbionts -endothelin -entailing -envisages -epigraph -erector -erratically -erubescens -ethnobotany -ethnological -eup -evaluative -everexpanding -excipients -extinguishers -extractions -extraparliamentary -extrasensory -fabriccovered -facings -falsehood -fanaticism -festiva -fiftyfifth -filthy -fishermans -fists -fiveaside -flagships -flamethrower -flanged -flashed -flatsedge -florid -fondant -fortuitous -fourandahalf -fourspeed -foxtrot -freelanced -fruiteating -fulvescens -furlough -fuscata -gayfriendly -gladiatorial -glutamatergic -glycosylase -gnome -goniatitid -goosefoot -grata -grilles -groundnuts -guenon -gust -gyri -hake -hallucinatory -hallucinogens -hampsoni -hath -hawkcuckoo -healthful -heatresistant -helleborine -hemorrhages -heritability -highaffinity -highereducation -holarctic -honeymyrtle -honeypot -hoplites -hunchback -hyalina -hydrogeology -hymenopterans -hyperglycemia -hypergolic -hysterical -iconoclasm -impairing -imperium -impersonates -improvisers -incar -industryspecific -infeasible -inquisitor -inquisitorial -ins -insectivore -insipidus -instigate -integrins -intercepts -interconnectedness -interlacing -intermedium -internist -interservice -intraparty -invalidity -investorowned -ironmaster -irreplaceable -isicathamiya -isoprenoid -jawed -jejunum -jettisoned -johnsoni -judicious -jukeboxes -karat -keystroke -kickers -kinesin -labyrinthine -lacing -laetus -laminin -lanternfishes -latissimus -laundries -laundromat -layover -layperson -leathers -lectern -lessees -leucogaster -lidar -lieutenantgeneral -likening -linoleic -lint -liquidliquid -literacies -longplaying -lovebird -lovingly -lowelevation -lowerpriced -lowlatency -lowtech -lunata -maculosus -madtom -mafioso -magistracy -maidenhair -malarial -marathoner -marionette -marmosets -mayorship -meatballs -meeki -melanocephalus -mentalism -merciless -metabolizing -metamodel -methodically -mews -microSD -microchips -micronutrient -milkshake -millstones -mindbody -miniLP -minutissima -misfolded -mobbing -mordant -morris -mosaictailed -moschata -mountings -muffins -muhly -multiacademy -multibillion -multifocal -munda -munia -muntjac -mustached -myrmicine -neopsychedelia -netlabel -neuritis -nigrita -ninetytwo -ninjas -nonAfrican -nonconformity -nonelectrified -nonempty -nonforprofit -noninteractive -nonoperating -nuance -nugget -nuttallii -oatgrass -oblongifolia -obscures -obstetrical -ogham -oilrich -oligochaete -olivaceous -optimality -opts -ossuary -ostracod -outfitter -outmoded -outofhome -outweighed -outwith -overspill -oxidasenegative -paddler -pallescens -palo -panArab -pantyhose -panzer -papilloma -papuensis -paramedian -parkour -partisanship -pasts -pectoris -pedipalps -penises -peroxisome -perpetuates -personals -perverse -petersi -pharmacotherapy -philosophic -phonographs -phosphatidylcholine -phosphorylate -photomultiplier -photophores -pianodriven -pictograms -pinched -plaintive -plasmon -platformers -plaudits -playerassistant -playercharacter -playsets -pleasantly -pluggable -plutonic -pockmarked -poked -poliovirus -pom -pooja -pored -porphyritic -postCold -postica -postmarks -prankster -preconceptions -predictably -pretenses -previewing -printmakers -productionbased -productively -progestins -prong -protooncogene -proximus -prudence -ps -psoriatic -psychical -pumilio -pumpaction -punicea -pupation -purslane -pyloric -pyramidalis -quadcore -quadrature -quadrimaculatus -qubits -racketeer -raining -reanimated -reap -reassemble -recaps -recasting -reconsecrated -reconstitute -recontested -recordholders -rednecked -redshifts -redthroated -refraining -refrigerants -regrouping -rehydration -relegating -rem -reneged -reorder -reordering -repackage -republish -resetting -resveratrol -returnees -retusa -revelers -revives -revoluta -riboflavin -rickets -ridesharing -righteye -ringers -ringleader -ringtailed -rockfolk -rodenticide -rollback -rolloff -rudders -ruthlessly -safeties -sag -salivation -sarcomas -scaffolds -scapegoat -schoonerrigged -schultzei -screeching -seabream -seasonbyseason -seismically -selfcatering -selfidentification -selfpublish -selfrelease -selfserving -selfstorage -semiconducting -semislug -sensitivities -serrations -seventynine -sew -sewed -shallowwater -shearwaters -sherds -sherry -shortens -shuts -silkworms -silted -siltstones -simoni -simplicial -singerbassist -singlepayer -sinologist -sinuosa -sixtyseven -skewer -skyrocketed -smallgroup -smeared -smokefree -snouted -socialized -sociotechnical -solani -solitaria -somersault -southpaw -soya -speciallydesigned -spined -splanchnic -splashed -spokesmodel -spreader -squashes -stabbings -startled -steamdriven -steerable -stiffening -stoppages -strangest -stratigraphical -stratigraphically -streetwise -stria -strongwilled -studys -stumped -subdividing -suboptimal -subpoenaed -suco -suffusa -sulfonic -sundials -suppressors -supraorbital -surrenders -survivalist -swami -sylph -sympathomimetic -synchrony -systemonachip -tailpiece -takings -tardigrade -tartar -tassel -tele -telepresence -temp -terrorismrelated -testable -thalidomide -thermionic -thiophene -thirteenepisode -thready -threecushion -threelobed -thyroxine -timbres -timedependent -tiring -tomentosus -torrents -tortures -trailheads -tramcars -transgressions -transmissible -transoceanic -transversalis -transvestite -treads -triceps -triode -tripwire -troglodytes -tuatara -tuberosus -tubist -turnpikes -twill -twobedroom -tympani -typify -ulterior -unbreakable -uncodified -uncontroversial -undertaker -unhelpful -unicornfish -uninterruptible -unrealized -unrefined -unsympathetic -upregulation -usersubmitted -uveitis -vaporware -varietals -vestige -victoria -vigilant -vigilantism -villainess -ville -vireo -vitelline -vocalistbassist -volvulus -voyeurism -wakeup -warren -waterbody -watercolorist -whirlpool -whispering -whitecheeked -wikibased -winnowing -wisely -withers -xbased -xheight -zebu -zooxanthellae -abbacy -ably -abridgement -accelerations -aches -acknowledgements -acknowledgments -actorsinger -adjudicators -adjuncts -adored -adventuredrama -aficionado -agitate -aldol -alkalinity -aloof -alphaDglucan -als -altissima -amphipathic -amylase -anachronism -anarchocapitalism -annularis -anthracnose -antiVietnam -antiangiogenic -antigenpresenting -antiimmigrant -antimalware -arachnologist -archdeacons -argenteus -arguable -aristata -arizonicus -artful -arthrodire -asci -aspartame -asyet -attractor -aurantiacus -autocannon -autos -autotune -avens -backflip -backstories -bandgap -bandmaster -bathed -beagle -beaters -beccarii -bergamot -biarmosuchian -bibliophile -bifurcating -bikinis -biobased -bioethanol -bioreactors -bipartita -bisulfite -bj -bloopers -bluetailed -blush -bookshelf -boxlike -branchline -breakbeats -breezeway -bureaucracies -bushing -businessrelated -busting -butyrate -cabbages -caespitosa -calamity -calmer -candidacies -carabiner -careeroriented -carjacking -carmine -carpels -cassock -chafing -chamois -characterbased -chills -chlorosis -chondrites -cinematographic -cinnabar -circuitous -civilrights -claps -clarkii -cobalamin -cocky -codefendants -collimated -colonials -coloradensis -comedycrime -comicstrip -communalism -compere -compositor -computable -concurred -condor -coneflower -confetti -confirmatory -confocal -consimilis -conspire -constrictus -contorta -coot -coralroot -corbeled -corneum -corporator -costatus -countdowns -coverages -cowpeas -creases -crista -crocodylians -crossexamination -cultlike -cupolas -cupped -cuprea -cutleaf -cyaneus -cystidia -dairies -dalle -darkbrown -datacenter -dataintensive -daydreaming -dc -debits -decagonal -deeprooted -defensins -deflecting -delimit -democratize -demonstrable -denaturation -deputation -designators -determiners -dfx -diagramming -diem -diligently -disables -disapproves -discoidea -disfavor -disinherited -disloyalty -dismissive -disrepute -distension -distributional -docufiction -dolomitic -doubtless -downregulation -downslope -drags -druggist -drumsticks -dwindle -eBird -easter -efferents -eightround -electrospray -elope -embossing -entendres -epitomizes -epoxides -erasers -errorprone -erythropoietin -esterification -exaggerating -exclaves -exemplars -exhaled -expend -expressiveness -extensa -extort -extradimensional -extravagance -extravehicular -extruder -eyeless -fasciitis -fathoms -faucet -fete -fiasco -fife -filiation -filopodia -fimbriatus -fingerpicking -firebombing -fiveman -fivemembered -flammea -flattop -flavipennis -flimsy -fluorescein -follies -forgiving -founderdirector -fovea -freaks -freeholders -frill -fuelair -fuelinjected -fugax -gaited -gallop -garners -gastrulation -gleba -glia -glorifying -glucosephosphate -glycosaminoglycans -grazers -growl -guardsmen -habitus -hackathon -hairgrass -halakha -halos -hams -harbinger -hardwarebased -headstrong -heartbroken -heaving -hematologic -henge -heterocycles -highdose -highestearning -highestlevel -hilaris -hispid -histologic -hominins -homotopy -hoofed -hooped -horsetails -hostspecific -hotlines -hydrography -hygienists -hyped -hypoleuca -idahoensis -idling -immunomodulator -immunoprecipitation -immunosuppressant -impingement -inconstans -indy -inferiorly -infratemporal -infundibulum -instilling -insuring -intendant -interlocutor -internationale -intertwining -interuniversity -intraspecific -intrepid -invalidating -involucrata -irredentism -irritate -isoniazid -jagir -jailing -jangly -jeeps -justly -kickback -kimchi -kos -krone -laneway -languagebased -lanthanide -lanthanum -lascivious -lashed -lath -latifolium -leadingedge -lecithin -lector -liaise -liaising -liberalize -ligature -lightduty -lignan -litterateur -loanword -lobelia -lobules -lodgepole -lupin -lutescens -macrantha -macrops -maculipennis -mage -mainstreaming -majora -maninthemiddle -manofthematch -margraves -matriculating -maximally -melds -metalorganic -metamaterial -metaseries -mezzotint -microelectronic -microfluidic -micronutrients -microstates -mimetica -mimosa -minitour -mira -mixedtopositive -mln -moats -moneylender -mongolica -monocytogenes -moralistic -morpho -morrisoni -mosquitos -mostviewed -motherofpearl -mourned -mournful -mouthpieces -muck -murmurs -musicoriented -muskie -mycelia -mykiss -nacre -nationbuilding -necrophilia -negating -neglects -negligently -neodymium -nerdy -nestlings -neurodegeneration -nonelectronic -nonwestern -nucleararmed -numismatists -occupier -octahedra -onelane -onelegged -onerous -oneseason -ontogeny -onus -oppidum -orbweaving -organizationally -outofthebox -overlie -overlords -overrule -overstated -overwritten -ovules -oxalic -oxidoreductases -oxime -pKa -pacemakers -paprika -parsnip -passable -passengercargo -perks -permeate -peroxidation -perrieri -photosystem -physicality -piazzas -pilotage -placida -plastid -plectrum -poblacion -pollock -polygynous -poplars -portages -portalJohn -postoffice -postpaid -poststructuralist -pratense -preNegro -preOlympic -preconditions -prefectural -premiershipwinning -prions -prioress -privatelyheld -proUnion -procathedral -profundus -proteinlike -proteinuria -prune -pterodactyloid -puffins -puna -punctatum -purges -pyre -quads -quenched -quidditch -quizzing -radicalized -radiopharmaceuticals -railbuses -raisers -rapprochement -rath -rattlesnakes -reaffirm -reaper -rearmounted -reasserted -reassessment -receivables -recombined -recommenced -recrystallization -recta -rededication -refilmed -regionwide -relaxes -repatriate -reps -resolutely -restructurings -retard -rethemed -rethinking -reticle -retransmitted -retried -revegetation -righttoleft -ringmaster -roadshow -rockumentary -rococo -rootknot -rosa -roseum -rota -rubbery -rubicunda -rubrics -runcinations -runoffs -saddened -sailings -sarcastically -satirists -savannahs -schemata -scintillator -scrapbooking -sculler -seasonopening -sede -segregating -selfcensorship -selfhealing -selfmanaged -selforganized -selfowned -semilunar -senna -sericeus -serie -shallot -shallots -shapeshifter -sharpen -shellac -shootdown -shorttoed -sidegabled -sidereal -signup -singledeck -singleplatform -sinoatrial -slashandburn -sleevenotes -slowness -smelted -snag -sniffer -sourdough -spillage -spinnerets -spinstabilized -splashing -sportsoriented -squamata -stabs -standarddefinition -stapes -stationmaster -stenciled -stenophylla -straights -stratospheric -streptococcal -studiorecorded -subsequence -sugarfree -sulfated -supercilium -superfluid -swears -swindle -swiping -switchable -symbiote -tablelands -tabulate -tacked -tantric -tartrate -taskforce -taunt -taurus -taxdeductible -teamer -tearoom -tectorum -tellers -telomeric -tendinitis -tetrameter -thenrecent -theologies -thranked -thrashcore -thrasher -threemile -thumping -tilematching -tilings -tom -toning -toppers -totesport -touting -trackside -transiently -transoms -transonic -transpiration -transpose -treacle -trespassers -triangleshaped -trinomial -troposphere -turbochargers -twentyyearold -twinstick -twodeck -twostate -ulama -unaccounted -uncinata -uncivilized -uncorrected -underpins -uninjured -uninterested -unmet -unobserved -unpolished -unstaggered -usury -uttering -vastus -veneers -venezuelensis -venturebacked -vestment -villi -vintner -virgo -vulcanized -wailing -waypoint -weatherproof -webOS -weeding -welds -wellbalanced -wheezing -whisker -willpower -workstudy -worldbeat -wrangling -wristbands -writhing -youd -abject -ablaze -abrasions -acaricide -accumbens -acetabulum -acylation -adjuvants -adoptees -adornments -affidavits -afro -aftertaste -agro -airlock -airstream -albicollis -albiventris -alimony -alpinum -ambling -ammonitic -analytes -anchorwoman -aneuploidy -angustipennis -animistic -ankylosaur -annul -annulipes -antiapoptotic -antidiuretic -antis -antithrombin -antiunion -antivenom -antrum -apatite -armband -armbands -artiodactyl -astonished -atherosclerotic -atropurpurea -attenuatus -aurita -authorial -autumnalis -averse -awning -bHLH -backbenchers -backfire -backoffice -backspin -basketballer -basophilic -basreliefs -battalionsized -bboying -beardless -beeeaters -benjamini -bentonite -besiegers -bhakti -bicalutamide -bigband -bigoted -bimetallic -birdie -bitmapped -bitmaps -blacked -blackfooted -bloating -bloodbrain -blotchmine -blubber -boarder -bolder -boliviensis -boomer -bovids -boxy -bpm -braised -breathed -breve -brickyard -broomball -bruchi -buffa -bullosa -butleri -caeruleus -caffra -calabash -calciumdependent -callbacks -calvus -calypsonian -camas -cameramen -camerunensis -caracara -carmaker -carnea -castaways -catkins -cattlemen -caudate -chairpersons -chiming -chinchilla -chuckwagon -cilantro -cliches -climatecontrolled -clitellate -clovers -coalescence -cobblers -coccus -cocking -coder -codifying -cognata -collocation -colloquia -combated -combing -comblike -communicants -comparator -compulsorily -concatenated -concisely -confraternities -conjunctions -contextdependent -contoured -contrapuntal -coorganizer -coreceptor -corundum -countertops -coward -cranesbill -creme -crocheted -crosssections -croton -cruiseferry -cryopreservation -cryptantha -cubital -curable -curfews -curlew -cushioning -cylindricus -dIvoire -dalit -darkens -datagrams -datalink -debauchery -debuggers -decedents -deformable -deindustrialization -dentil -deplorable -deserter -despatches -deux -devalued -devoured -diffusing -digiti -dilate -dimples -dinnerware -dipeptide -disavowed -discontented -disgusted -disloyal -dismayed -disparaged -disticha -dived -divinities -divorcee -djembe -dockside -dogtrot -dolerite -doubleA -dreary -dressmaker -dually -dualmode -duckbill -duped -electrofunk -elegantula -elevenaside -elongatebodied -embittered -enantiornithean -endodontic -endogastric -endonym -endoparasites -enlarges -enterprisewide -enticing -eosinophilia -ephedrine -erodes -esterified -estimators -euphemisms -europaeus -eventuated -exchangeable -exegetical -exhausts -exonym -expertly -expos -falsehoods -familydrama -fanned -fated -featurettes -felis -fending -fiberboard -fibromyalgia -fieldeffect -fiftythird -figuring -fille -finalizing -firecracker -fireweed -firstday -flak -flatwater -flavorful -fleshed -flints -floridensis -flours -flutists -foibles -footfall -foregoing -formulary -fourcolor -fourthleast -fourthtier -frankincense -freehand -freeholder -freeroaming -frontends -frostbite -fullbodied -fullmotion -fuscipennis -futurism -gableend -gableroof -gasteroid -gatekeepers -generalizing -geo -ginsengisoli -girdles -glaciology -globulus -gloriosa -glottis -glowworm -goingson -goldenaster -goldenbrown -goldplated -grammarians -granulocyte -graphemes -gunship -habitational -haddock -halftone -halogens -handclaps -hardwareaccelerated -heartlands -helminth -hemochromatosis -heptane -heretofore -hermeneutic -hi -highachieving -highavailability -highgrowth -highpoint -hillclimbing -hilltops -hirsutum -homebuilder -homesickness -hometowns -homodimers -hostplants -html -humourist -hustle -hybridisation -hydrolyses -hydrous -hypercholesterolemia -hypnotherapist -hypogaea -hypotonia -immersing -immobility -immunocompetent -immunofluorescence -immunologic -implicating -impound -inaugurate -incapacitating -incarnata -incessant -inconsequential -indeterminacy -indiefolk -ineffectiveness -inexpectatus -inferential -infobox -infusions -inhaling -injoke -inopinata -insignias -intelligencegathering -intercalary -intraarticular -inverting -invocations -invoicing -iridoid -ironrich -irrorated -jackals -jeopardized -jetliners -jucunda -karsts -kashrut -keytar -kiting -lAtlantique -lactating -lai -laminates -lappets -latemedieval -lefttoright -legates -leonina -lichenologist -lifters -ligated -ligule -limnology -lingered -liveforever -livers -lockin -loitering -lollipop -longboard -lowestselling -lowlight -lowvolume -ludi -lumberjack -lutes -lye -lymphoblastic -lysergic -macromolecule -madrasah -malleus -manservant -marketoriented -massproduction -masterpoints -masterslave -meadowfoam -mediastinal -meningococcal -merited -metaanalyzes -metagenomics -metaphase -methanogenic -methyltransferases -mevalonate -midengine -midto -mignonette -millwork -mingling -minialbums -misappropriated -mishandling -misleadingly -missioncritical -mitt -mixedincome -mixup -molesting -moneys -monoliths -motivator -multidenominational -multimission -multiparadigm -mummification -mung -murrelet -musky -mustering -nase -nearidentical -needlepoint -neem -nephrotic -nera -nestling -nettles -nightfighter -nigriventris -nineweek -nonHodgkins -noncarbonated -nonfootball -nonheterosexual -nonreceptor -nonroyal -nonworking -northbridge -nucifera -nutlets -oblongus -occlusal -octavo -oncologists -ontrack -openspace -opticians -orations -orcs -ordaining -orthoclase -ostriches -outcrossing -outgrowths -outlooks -outriggers -outwash -outwit -overcoat -overcollection -oxygenase -pacify -pajamas -palustre -pansexual -panties -paraNordic -paralogs -paraphilias -parasitized -paratroop -parishioner -passerby -pawpaw -paycheck -peaty -pedunculata -pegmatite -penumbra -perforator -pergola -personage -petrous -phenobarbital -phenotypically -photoshoot -pickers -pictum -pistonpowered -planorbids -plasticizers -plebiscites -plenum -pluck -plumosa -pmpm -podiatry -polis -politburo -politus -poltergeist -polyandry -polychlorinated -polyploidy -pome -poppet -porticoes -positivist -postclassical -postscript -powelli -precentral -precisionguided -precognition -preeclampsia -premalignant -prerevolutionary -presupposes -pretenders -printondemand -profiteering -prohormone -promulgating -pronged -prothrombin -protohistoric -pseudoephedrine -psyllid -pulmonology -puncturing -punning -quadriga -quaildove -quays -quayside -quercetin -ratsnake -readmission -realists -reamers -reauthorization -reboots -rechartered -reconfigure -recordtying -redemptive -redeveloping -redundancies -reenact -reexamination -refutation -refuting -regis -reintegrate -reinterpreting -relatable -remitted -repainting -repairman -repetitively -replanting -reprocessed -republishing -requisition -resets -reshoots -restaurateurs -retardants -rileyi -rilles -ringwork -risings -roadblock -robinsoni -robustum -rodlike -rooming -rumination -saddletank -safetycritical -sandbars -sandplain -scentless -schooler -scrapes -scribal -secretin -sectioning -selfefficacy -selffertilization -selfie -selfinduced -selflimiting -selfrealization -selfreference -selfrespect -selfwritten -semiretirement -sensuous -sevenaside -sevenepisode -sevenmonth -seventrack -seventythree -shapeshifters -shortlegged -showering -signpost -silkmoth -simile -simillima -singletier -singleuser -singling -siphonal -siskin -sixtysecond -smallpress -smaragdina -smartest -smiles -smoldering -snoring -socialiste -soliloquy -soreness -soulfunk -soundondisk -soundstage -spandrels -specie -speciose -specks -spectrin -speedometer -speedskating -spied -spinifex -spiracles -splayed -spokesmen -sporangium -spotlighting -spreadwings -squeezes -stepchildren -stethoscope -strafing -strangle -strangling -strategos -strigata -subaltern -subcontracting -subfasciata -sublayer -subproject -subsidiarity -subsidizing -subtitling -suffragists -sulphurea -superstation -swiveling -synthases -syringae -taglines -talons -tanner -tarnish -tarsometatarsus -taunted -teamup -televising -televote -thearly -theca -theming -thirdbest -thomsoni -threadfin -threebook -threedoor -threefifths -throbbing -thromboxane -thug -tiebreakers -timelike -toasting -tomorrows -topiary -topscoring -townhomes -trad -tragus -trampolining -tranchet -tranquilizer -transact -transcended -transcriptionally -transfection -treasuries -trestles -tribalism -trilineata -tripling -triterpene -triumvir -tropica -trunked -tuberculate -tui -twelveissue -twinboom -twirling -twofactor -unarmored -unattested -unconditioned -uncoordinated -underlines -une -unearthing -unmanaged -unsanctioned -unsavory -unsurpassed -unveil -upazila -upperclassmen -uppers -urinals -userinterface -vadoni -vanquished -vaporized -vasoactive -vasoconstrictor -vegetal -versioning -vestita -vexatious -vicus -virginal -visualizes -viticultural -vitiensis -voluptuous -waistline -warrelated -wavelet -weatherrelated -webstore -wettest -wheelers -wheelwright -whisper -whitei -whitelipped -whitespace -wilting -wiper -workbased -youngestever -zeroday -zeylanica -adamant -adducts -admittedly -adorning -adulterated -adventuring -aerodynamically -aethiopicus -afrotropical -aftercare -aftereffects -afterglow -aftershock -agglutination -agglutinative -agriculturists -agrochemicals -aha -alNusra -albigularis -algorithmically -alluring -altitudinal -ampla -ampulla -ancestries -anchorreporter -anglerfish -antenatal -antibodydrug -antipathy -antiquarians -antitoxin -apically -appendant -appending -appreciably -arenicola -argentina -aromatherapy -articled -artmaking -asl -aspirants -astrophotography -autocracy -autocrine -awkwardly -banditry -banyan -baptistery -barcoding -barnyard -barrelshaped -bathtubs -bedandbreakfast -behold -berm -betabarrel -betrothal -bianca -bifurcate -biodynamic -birthed -bisque -blackness -blaster -blindfold -bloodred -bloodsucking -boathouses -bonobos -botnets -boxfish -breviceps -brewhouse -bridegroom -brothersister -buffaloes -bum -butts -caged -calculi -caliphate -camellia -candjur -canonesses -capstan -captioned -captivated -cardinalfishes -carelessness -carer -caricatured -carnivoran -carrom -causeways -cellists -centaurs -cephalotes -cerulean -chateau -chestnutbellied -chitinozoans -chlorate -chlorite -cholerae -cholla -chondrocytes -choppers -chrysanthemum -cingulum -circulator -circumferential -clematis -clutching -coherently -collagenase -combatready -comedymystery -comedyromance -computersupported -concavity -confirmations -conjectural -conjugal -conominated -conservancy -contradistinction -coppicing -corp -corporatist -cottony -countertop -countrywestern -craggy -cramp -crosscut -crosspollination -crueltyfree -crumpled -crusty -cubeshaped -cupcake -curassow -cursing -cyclically -dHondt -dampen -dansi -dat -dd -deceptions -decrypts -decurrens -deemphasized -defensin -deforming -defray -denarii -densepunctata -depredations -dermatologists -designbuild -detuned -diabase -diamagnetic -diamine -diamondback -diapause -diggings -digitisation -dihedral -dinar -diplomatically -diplopia -disarticulated -disastrously -discodance -disconnecting -disengage -disheveled -dishonorable -disorganization -disoriented -disparagingly -disperses -dissipating -dissolute -distemper -distended -diversa -dorsoventrally -dovetail -dowel -dragster -drugaddicted -druid -drumhead -drystone -duathlon -ducats -duplicata -earlymorning -earthmoving -eccentricities -echidna -eddies -educationists -eightpage -elBahari -elaborations -elimia -embolus -emetic -empathic -enantiomeric -epitaxy -ergoline -ethanolamine -eudialyte -euryhaline -excellens -exconvicts -exosome -expansa -externus -exude -exudes -fabricators -factbased -fanfavorite -farmworkers -fatherandson -fibular -fictionalization -fiftyeighth -fiftyseventh -figuration -filefish -filifolia -filmbased -firmus -firstcome -firstterm -fishy -flagrant -flatland -flavoprotein -flicks -flogging -fluoresce -fluorophores -flyingboat -flyovers -foetida -folliclestimulating -foothigh -forbesi -formfitting -fortitude -fouract -fra -freckled -freemason -fresher -frilly -frugivorous -fullrigged -functionalist -fuscipes -gabonensis -gaffer -galaxias -galvanizing -gasoperated -gastronomic -gcm -gentilis -geodesy -georgiana -gerrymandered -gifting -giftware -gigawatt -glycan -gonadotropins -grayishwhite -grays -grenadier -gritstone -grout -guentheri -gzip -hairpinhingehairpintail -hairstyling -halakhic -halfhourlong -hallii -handicappedaccessible -happygolucky -hardball -harpsichords -harrisii -hashtags -hedonic -herpetology -hertz -heterodimers -heterostracan -hexameters -hideous -highscoring -highwaymen -hindbrain -hindi -histopathology -hock -hoe -holdfast -honeycreeper -hospices -hugging -hydrolyse -hydrosphere -hypercube -hysterectomy -icosidodecahedron -imitative -imperator -impregnable -incantation -incensed -inchoate -incircuit -incognita -incognito -inconsistently -inducible -infuriated -inoffensive -insideout -insidious -insubordination -interdimensional -intermingling -internetworking -interposed -interrex -intertwine -interventionism -intraepithelial -intricata -italiana -jailer -javana -jocular -kaleidoscopic -kappa -karstic -keyless -kinetochore -kissed -kraters -labeo -lacquers -laird -lanthanides -lapidary -lateVictorian -latrine -lbw -legations -leukoencephalopathy -ley -libelous -lifeform -limbatus -limitedstop -liposomes -lipoxygenase -loadings -lode -loggerhead -longestreigning -longhouse -longhouses -longshot -looters -lovehate -lowintensity -lowscoring -lurida -lux -mTOR -macaws -macrocyclic -madman -mailer -maladministration -malfunctioned -mana -mandala -mangiferae -manly -mantoman -matriculate -matrons -melanura -mementos -metaethics -metalloproteinases -methylphenidate -metroplex -mia -microfluidics -microlepis -midseventies -miler -minicomics -mintage -minuscula -minutum -mirifica -mirrorimage -moderatesized -modifiable -modulo -molle -molly -monographic -motifcontaining -motorhomes -mouseeared -mulga -multiforme -multiline -multimillionpound -multispeciality -multistemmed -musher -muslim -muslin -myoclonic -nanomedicine -nanostructured -nasolacrimal -nautilid -nawab -nearperfect -neopsychedelic -neurofibromatosis -neuroscientific -newsmakers -nick -nineman -ninetyeight -ninthcentury -nitidum -nonIndians -nonaggression -nonconductive -noncritical -noncustodial -nonhereditary -nonjudicial -nonlinearity -nonself -novela -nucleosides -nutlet -ny -oblige -obtusus -offgrid -offramp -oligarchs -oncall -onceinalifetime -oncocerid -onedisk -onestar -opines -oppressors -orbicular -oribatids -orienting -orioles -orthostatic -osmolality -outweighs -overestimated -overpower -overprints -overrides -overworked -pacy -paddlewheel -palpebral -panAsian -paracrine -paris -partakes -partook -passthrough -pathetic -peltata -pendula -pentameter -perceivable -pericarditis -peridium -periodization -perpendicularly -personifications -phagocytic -pharmacokinetic -pharmacovigilance -phosphide -photogrammetry -photoshoots -phreatic -piecewise -piedmont -pigtoe -pilates -pinktinged -pintail -piperazine -pizzerias -plaguing -poacher -pointofview -polyrhythmic -poppies -popsoul -porphyry -portables -postconsumer -potholes -powwow -prebiotic -precedentsetting -predella -predynastic -preludes -prenuptial -preoperative -privatepublic -privates -professionalize -professionallevel -proprioceptive -prototypebased -publicbenefit -pug -punchline -punctipennis -purpureus -pyogenes -qq -quadrille -quails -quinolone -quirk -rabbitfish -railfans -ramosa -rapporteur -rattling -reachability -readded -realign -rebar -rebuke -recalculated -recitative -recklessly -reconverted -redeployment -redistributions -redraw -reengined -refracting -regionalised -reinhardtii -rejections -relegations -renegotiate -replanted -repossession -repressors -reproductively -residentiary -restlessness -reteamed -retell -retinol -rev -rhabdomyosarcoma -rijksmonument -roadsters -romp -rondoni -roosters -roughened -roundtower -rubripes -rustlers -sandgrouse -sassafras -scad -schausi -schwarzi -scoreboards -screensaver -scrublands -scutellata -selfcleaning -selfevaluation -selffunding -selfnamed -selfworth -semiacoustic -seminude -senilis -sensationalism -sensitize -septicemia -sequestering -serinethreonineprotein -sesquicentennial -seventysix -sevenweek -sexualities -shiva -shoemakers -shortestlived -shouldered -shunning -shuttling -silliness -silvestrii -singerrapper -singleline -singlenucleotide -singlescrew -situate -skimmers -skirted -slacker -slamming -sleepwalking -slitlike -slouch -smalleared -smallflowered -smithy -snoR -snowcapped -snows -socotrana -solarium -som -soothe -spallation -spineless -sporebearing -sprinkles -starthistle -stipends -straighttoseries -straplike -striders -strigosa -stringers -strolling -subducted -subduing -subpolar -subsist -subulata -suiting -superbus -surmounts -surrogates -survivorship -sutras -swab -sweepers -sweetening -sympathized -syndicalism -synopses -systemonchip -tabula -tact -taeniata -taifa -tala -tamer -tangles -tarsus -tasteful -technologyenabled -telecine -teleprinters -temporalis -termen -texttype -thai -thawing -thenceforth -theosophical -thinktanks -tibiae -tickling -tightknit -timbered -tinned -toboggan -tolerability -toothache -topthirty -topup -transGolgi -transcending -transphobia -transsexuals -treekangaroo -trekkers -triathletes -trination -triploid -troubadours -troublemaker -truelife -truthfulness -tuffs -tumbleweed -turbomachinery -turnstiles -twinscrew -ud -umbra -uncritical -undersized -undersurface -unenthusiastic -unequally -unhappiness -uninspired -unintelligent -unseaworthy -unstoppable -uppersurface -usurping -utahensis -utilityscale -vale -ver -vicemayor -violetblue -viroid -viscacha -vitrea -vivax -waffles -waistband -warms -washroom -watchmaking -weightlessness -wellcrafted -wellversed -westerners -wheatgrass -whimsy -whiskered -whiteflowered -whomever -wilds -wiser -wittei -workhorse -workwear -wreaking -yellowlegged -yellowonblue -yesteryear -zieria -ablative -abv -ache -acidbase -acquiescence -activewear -adaptively -adfree -adoptee -adventurecomedy -aequatorialis -aerodynamicist -afflicting -affront -africanum -agrochemical -aileron -alBashir -albiceps -allaluminum -allocortex -allotrope -allsteel -almanacs -alphaglucosidase -alpinist -alternativerock -ambidextrous -ancients -anima -annamensis -antiIslamic -antiheroes -antiplatelet -antiterror -apolipoprotein -aposematic -appetizers -arctos -areoles -argentata -arida -artsbased -aspectoriented -aspersa -assetbacked -attenuate -authenticating -automorphism -autumnal -baccata -backlist -bacteriostatic -baffle -baldness -basswood -beekeeper -belies -betaine -biformis -bigname -bioavailable -bipunctatus -birthright -blackbirds -blackcrowned -blackcurrant -blackthorn -blackwinged -blanda -blasters -blazers -blockages -bloodfeeding -bloodstock -blouses -bluesinfluenced -bluethroated -boldness -bonneted -bountiful -bracteata -brainwashed -brassy -brawler -breastplate -brewpubs -bronc -brownheaded -brownishgray -brunette -bruteforce -bubbled -bucolic -bulbosa -bunnies -bushels -bussed -cabarets -cabover -cacique -cal -calcarata -calderas -caledonica -camara -campanile -candlesticks -capsize -carbides -cartoonlike -cassowary -castrum -catabolic -caudally -cays -cellsurface -celshaded -centerpieces -centroid -ceremonys -chalets -championi -changeup -channelized -chaste -chelicerae -chickenpox -chiffchaff -chiffon -chipmunks -choreograph -chromite -chronograph -chytridiomycosis -cirrocumulus -cladistics -clavipes -clawhammer -cleanser -clef -cloaks -coanchors -cochampions -cohabiting -comers -commercializes -commonsense -communitysupported -comparability -compensator -complementation -composerproducer -composited -concentrator -concertante -conferta -congressionally -conjuncta -conjure -constitutively -constructively -conversing -convolution -coplanar -corks -corsairs -courser -cradles -crisscross -crossnational -crosssite -cucurbits -cyanescens -cyclops -cytogenetics -dEssai -dales -dangdut -darwini -daybyday -debater -decrepit -decriminalize -defecate -delegating -demeaning -demicube -denials -denotation -deposing -destructor -detox -detritivores -deus -devouring -dichotomous -dichroic -dichromate -dietetics -dihydrotestosterone -dimerisation -directtohome -disambiguate -disclaimers -discriminative -dissect -distill -divas -divergences -divergens -documenta -doglike -dour -drafters -dramaturg -driveshaft -drivethru -drumstick -ds -dumbbell -duology -earliestknown -easel -ebusiness -ecologies -effortlessly -eightcylinder -eighthlargest -eightpiece -ejections -electricitygenerating -electropunk -emboldened -empathetic -enamels -encroachments -endodermal -endosomal -enol -enteropathy -entranceway -eosinophil -epididymis -errand -essentialism -ethane -evaluators -evidential -exclaimed -excrete -expectant -extraparochial -fB -facedown -feigned -femmes -ferroelectric -festschrift -fighterbombers -fightorflight -filarial -fireresistant -firstserved -fistulas -flashcards -flatiron -flatness -flatware -flavida -flavin -flecks -flicking -flipflop -flipper -flirts -floater -flogged -floret -footlong -footrace -forgives -fortepiano -fossae -fourcar -fourroom -fourseater -fraternus -freeboard -freestone -freethinkers -freewheel -freguesia -frilled -fullpowered -fullspectrum -fuselages -gannets -geminata -gentes -gentrified -geochemist -german -germs -gibbons -globules -glycolipid -goldfinch -goniatitic -goregrind -gossamerwinged -gotras -governmentoperated -gracillima -graminea -granaries -grands -granola -granulatus -greatgrandchildren -grosses -groundsman -gulden -gunfights -habituation -halotolerans -halving -hangman -harmonicist -hawkeagle -hawkowl -headend -heartbeats -heartleaf -heathlands -heed -heists -hemipteran -herbalists -herhis -hieroglyphics -hindgut -hippo -histolytica -historys -hitching -honeyguide -horology -humaninduced -hydrogenase -hymnbook -hypoallergenic -hypothesizes -hypothetically -iDEN -idiosyncrasies -immortals -immunogenic -immunotherapies -impactful -impaction -implicates -imploded -improvises -incapacitation -incompatibilities -incubates -indigestion -inductively -inductors -informers -inhale -injectors -inlaw -insideforward -insurgencies -integrals -interferometric -interlace -intermunicipal -intermuscular -interning -internus -interpolate -interrogator -irradiance -irredentist -isolator -iv -jive -jog -john -kerb -keynotes -kilohertz -kilotons -kinescoped -kochi -kumar -laevigatus -largerthanlife -latticed -leaderships -leaped -leftmost -legionaries -lek -leniency -leu -leucopus -lexicons -liaises -liberalconservative -librettos -lido -lightened -limbus -lob -lobular -logon -longa -lozenges -lungotevere -lymphadenopathy -lymphatics -macilenta -macrotis -maculicollis -magneto -magnetron -maimed -malate -mambo -mandibularis -manifestos -manipulatives -manus -marbling -marksmen -marquess -mart -marzipan -massages -masterwork -matha -mautrap -mc -mead -meadowsweet -meaty -mellotron -merchandiser -mesne -metabolome -metalrich -metaplasia -mexicanum -microcephaly -micropayment -mics -midVictorian -midazolam -midgets -midpriced -midsixteenth -milliliters -millstone -mimeographed -minorityowned -mirage -misgivings -mixedbreed -moa -modernistic -moduli -mongooses -monotonous -mons -mothership -motorcade -mouselike -muchpublicized -mucinous -multiengine -mutational -mutinies -mylohyoid -myoglobin -myotonia -myrrh -naar -nanowires -napalm -nasopharynx -nasuta -navicular -nestles -networkattached -neurochemistry -neuropathology -neuropeptides -neurophysiologist -newsreaders -ninecylinder -noddy -nodosum -nondaily -nonhazardous -noninfectious -nonionizing -nonnarrative -nonparasitic -nonscientific -nonwhites -notfor -nowfamous -nt -nubila -nuclide -numerology -nuptial -oblate -obscurum -occluded -ocherous -oculatus -oddtoed -olecranon -oncolytic -onearmed -oneclub -onomatopoeia -oomycetes -opcodes -ordo -orientale -orifices -orthologue -oscillatory -osprey -osteoclasts -outlive -outofcompetition -overdub -overhauling -overhunting -overpopulated -overrepresented -oviposition -pacified -paleoanthropologist -palisades -palmitic -paludicola -pampas -pangolins -parachutist -parallelogram -parasitologist -pariah -parthenogenetic -partowned -parvovirus -patently -patina -peening -peppercorns -perioperative -peritrichous -personae -perturbed -petroglyph -petroleumbased -peyote -photocopiers -photodynamic -phraseology -phytochemicals -phytophagous -phytosaur -picturata -piezo -pingpong -pini -placard -planetariums -planus -platters -plurals -pointy -polyamory -polycrystalline -polyphenol -pontifex -popdance -porphyrin -postrace -postulating -potsherds -prehistorical -premaxilla -preposition -prepress -prequalifying -presets -presumes -previouslyunreleased -priories -prizemoney -prizewinner -producerwriter -promotionally -prosaic -proto -protuberances -provinciallevel -pruned -pseudonymously -psychosexual -puella -puroresu -purposed -puzzleplatform -quadrata -quarantined -queued -quid -radicalization -radioTV -radiolabeled -radiotelephone -rattles -ravaging -rawer -readytoeat -reassure -receptorassociated -reclassify -recusants -redshirted -redspotted -reeling -regu -rehearses -rekindled -relaid -reloaded -remapping -resupinate -retooling -revivalism -revolting -ridley -ringleaders -ripeness -roadworks -rockier -rotundipennis -roundtheworld -rubi -ruble -rulership -runabout -rusted -sacrilege -safaris -saltpeter -san -sappers -sardinella -saris -sassy -satellitefed -savages -scarabs -schedulers -schoolteachers -scoparia -scorned -scorpionflies -scrollwork -sculpts -secondaries -secondhighestgrossing -secondtallest -secunda -sediminis -selfcare -selfgoverned -selfprofessed -selfpromotion -semifictional -semihyaline -semipermeable -sensationalized -seq -serological -serotina -servlet -seventhplace -seventhyear -seventyone -shabby -shortcircuit -shortdistance -showjumping -shrievalty -shrill -sideeffect -sidenecked -sildenafil -singercomposer -siphons -skids -skywalk -sledgehammer -slicks -slingshot -slowpaced -smallholders -smattering -smears -sneaking -soar -socio -soilborne -solicitations -soo -sopra -sortition -spathulata -spatula -splashes -sprains -sqm -squaremile -squareshaped -stagger -standardscompliant -standouts -starlike -stat -statesanctioned -stinger -straighttovideo -strandiella -stubble -stupidity -stylistics -subcultural -submersibles -substantively -suffocated -suitcases -sulfosalt -sulfurous -sulphuric -superciliaris -supple -surmounting -survivable -swirls -swivels -synthetases -systole -tacking -taint -tangentially -tartaric -technocrats -tenellus -tenmonth -tentacular -tenthlargest -tepuis -thermae -thiocyanate -thornbill -thrills -toothpick -topographer -toucan -touchscreens -toughened -trailblazer -trampolinist -transcranial -tresses -triannually -tridens -trillium -trimeric -triphop -triseries -tropane -tucker -tunics -turner -turnips -tweaking -tweezers -twotimes -twotower -ultracold -unapologetic -unbranded -unconscionable -undergrad -underlining -underpasses -underscores -unearned -unending -unguiculata -unicycling -universalism -universitywide -unleashes -unmixed -unravels -unspoiled -unspoilt -upswing -urethane -vacante -vagrancy -vanga -vasa -vendorneutral -verso -verticalis -verticallift -vetoes -vicariously -vida -villosus -violaceum -viscosa -vivacious -vlei -voltagecontrolled -wade -wakeboard -wanderings -warmblood -wattles -weekendlong -wellinformed -wellsupported -wetted -wildcats -wintered -wirelettuce -wisecracking -woodburning -woodcarver -woodworkers -wordforword -wrangler -wristwatch -yaoi -yatra -yd -yolks -absolutism -absorbance -accentor -actinic -actinosiphonate -adulteration -adze -aetosaurs -agitator -alAqsa -alBab -alSadr -alWalid -albipes -albite -allelopathic -allparty -altercations -alternativeindie -ambassadorship -amboinensis -amok -amphiphilic -androstenedione -anglais -annae -annoy -anticommunism -antispasmodic -antispyware -antitussive -apoplast -apostates -approbation -arXiv -archaically -archdiocesan -asiaticus -asses -assignable -astonishment -astrolabe -autoantigen -autopsies -availed -avulsion -awl -babbling -bacilli -backswimmer -backtracking -bacteriological -badius -ballerinas -baroquestyle -bartending -basilewskyi -bathers -befitting -billy -biocompatibility -bioengineer -bios -biscuitroot -blackbreasted -blanche -blazed -blazoned -bloodborne -boardgames -bobsledding -bolanderi -bolded -boll -boma -bong -bookbinder -bootloader -bouncers -boundless -bounties -bowline -braincase -brazilian -breviconic -brewmaster -brimstone -british -brownishblack -brushtailed -buffy -bullpup -bulwark -burreed -bushel -busker -butadiene -caddies -calcaneal -calponin -campo -candelabra -candor -cantors -capricious -caravanserai -carbureted -cardiologists -carport -cashews -castellan -catatonic -caudatus -celesta -cellbased -cellulolytic -cels -centenarians -centralsouthern -ceramide -chargecoupled -chauvinism -cheerfully -chemosensory -chinense -circumcised -cisplatin -clearcutting -clickable -clockmakers -closedown -clowning -clubhouses -coaling -coatofarms -coco -cocredited -coinvented -collegeage -comorbidity -compressible -conches -concretions -confectioner -confiscating -consolidations -contracture -contractures -contraptions -contro -coralline -coregent -corepressor -corncrib -corroborating -cortisone -cot -cotyledons -counteracting -counteracts -counterproposal -couturier -craneflies -crenulated -crevasse -crossreferences -crypto -cultivable -cumingii -curriculums -customizations -cv -cynodont -cyrtoconic -dAbruzzo -dBs -daisies -damsire -danaid -dares -daylighting -debriefing -debutantes -decidua -deconstruct -decumbens -dedicatee -deepens -deepseated -deferral -deflections -deforested -deicing -delicately -dellUmbria -dels -deluge -demented -dementias -demographers -denounces -dependant -depositary -deserti -despises -destocking -diachronic -diametrically -dichloromethane -dicots -dietitian -dignities -dilator -diorite -disappointments -discernment -discrediting -disembarking -dishonor -dishwashers -dishwashing -disjuncta -disobeyed -disproven -disqualifications -disturbs -dogsled -dormice -downtuned -dragstrip -drapes -dreamers -dredger -drips -dromaeosaurid -droop -dumpster -duster -eagerness -earlyonset -earthstar -ecotone -ectasia -educative -eellike -eggplants -egotistical -eightissue -eleventhcentury -embarrass -embers -embolization -eminently -emirs -enanthate -encrusted -encumbered -endocannabinoid -endzone -engender -enriches -entitling -entrenchments -environmentallyfriendly -epimerase -equinoxes -ericoides -escapee -eschew -escudo -essayed -eutrophic -excites -exfoliation -extracorporeal -extramural -extrication -fado -fallacious -falli -fanged -fanning -fantasydrama -fascicle -fasts -faucets -fer -fermions -feudatories -filiform -filmvideo -filth -filtrate -firecrackers -fishermens -fisheye -fiveseat -flamen -flatpanel -flavanone -flavomaculata -flavovittata -floatplanes -floras -flybywire -foo -foodgrade -foreheads -foreignowned -forestdwelling -forestsavanna -forgoing -formalist -forsteri -forthright -fortunately -fortyyear -fouled -foulsmelling -foureyed -fourfifths -fouryearolds -frater -freeagent -freeloader -freewheeling -frontlines -frontrow -fruitbearing -fullday -fulmar -fulminate -furloughed -gametophytes -gangrelated -giorno -glabrum -gladius -globosus -goings -goldselling -governmentissued -grandniece -graybellied -greases -greek -greenways -gridlock -griffithii -grimoire -groundfloor -groundskeeper -grub -guatemalensis -guildhall -guineafowl -gunships -gustatory -gusts -haircuts -halite -hamartoma -handcolored -hardcourt -headlike -headroom -heinous -hemiplegia -hemmed -hepatotoxicity -heresies -hermetically -herniated -hexafluoride -highestscoring -hillocks -hindlimbs -historicist -historique -homebase -homeward -homewares -homogenized -homophonic -horni -horridus -horseriding -hospitalbased -hotair -hoteliers -householders -humancentered -hydrant -hydrotherapy -hyperspectral -hypocritical -icehockey -ilicifolia -illtreatment -ilmenite -immaturity -immunized -immunogenicity -impaled -impedes -implanting -inauspicious -incomparable -incunabula -inebriated -ineligibility -inhaler -inhomogeneous -injokes -inspectorate -instated -integrase -interleaving -intermembrane -internetwork -intertwines -involucre -jab -jabs -jacobsoni -jailhouse -jawbone -kan -kelly -kelurahan -kinabaluensis -ko -lactis -lais -landplane -largebodied -leadsinger -leafcutting -leafrolling -leafveined -leapt -leavened -legitimized -lensed -leo -lessens -lewisii -lidocaine -lighterthanair -linux -liquidators -liquidcrystal -livestream -livre -locators -locum -longbeaked -longtail -lookups -looseleaf -lowerend -lowpass -luminal -luridus -macrolepis -macules -mages -maharaja -mai -mailboxes -mal -malayalam -maligned -mangelia -maniac -manipulators -marjoram -martyrologies -massiliensis -matrimony -mediterranea -mela -melanocephala -memorializes -mend -merino -metabolizes -metalhard -metalworkers -methotrexate -metros -microflora -micromachining -micronations -microns -microregion -microsatellites -midgut -midseventeenth -millenarian -millisecond -mindaltering -minorranking -misdiagnosis -miser -misstatements -mistaking -misty -mitis -mixedspecies -moderne -monastics -moneylenders -monoculture -monopolized -monotherapy -mortis -mostcited -mostused -motherland -motorhome -mujer -multibranched -multidrugresistant -multitime -musicthemed -muskrat -myeloproliferative -myogenesis -naves -nearsurface -nearterm -neighboured -neoGeorgian -neorealist -nerds -nerite -neurophysiological -newbuild -nigricollis -nitidula -noctuoid -nohitters -nonbanking -nonbroadcast -nonconformists -nondomestic -nongame -noninflammatory -nonmagnetic -nonmaterial -nonperforming -nonprofessionals -nontheatrical -normals -norvegicus -nougat -nucleotidebinding -nurseryman -oarsmen -obsessively -obtusifolia -occultation -oh -onecent -onetomany -onomatopoeic -onstreet -oolitic -opalescent -ordinations -orgasms -overclocking -overconsumption -overflowed -overheated -paleobiology -palliata -palpitations -panthers -pap -parading -parrotlet -partridges -pasties -payback -peculiarly -performanceoriented -peroneus -perpetrate -persecute -perspiration -philological -phosphoinositide -photocopier -photocopying -photosensitivity -pictorials -pili -pinguis -pips -placards -placebased -planispiral -playfulness -pneumonic -po -pointtomultipoint -polyclonal -polymerized -pomegranates -poorhouse -popstar -postSecond -postdisco -postdocs -pours -powerboats -pregap -premontane -preoccupations -preprint -prepuce -pretiosa -pronouncements -propagandist -prophase -prophetess -proudest -providence -psychophysical -puberula -pudica -pumphouse -punkinfluenced -purists -puritan -pushups -puzzlesolving -quadripunctata -quantized -quartering -quince -racebased -rackettail -radians -radiatus -radiosurgery -rappelling -ratelimiting -rattail -rattails -readthrough -reassurance -receptacles -recusant -redeyed -redtinged -reentrant -refines -refocusing -reincarnations -reinvestment -remanufacturing -reminisce -repeatability -repolarization -resolute -resolver -resonates -restaged -retouching -retrace -rima -rivulet -rockblues -rockfaced -rogersi -roi -romanticdrama -rossi -rosso -rostratus -roundleaved -rubida -runny -runoftheriver -sacchari -sally -samadhi -sandloving -sanicle -satisfiability -savers -scooping -scum -secondlast -seep -seismicity -selfbalancing -selfdestruction -selffulfilling -seminiferous -sensilla -september -servicer -servings -setpiece -seventieth -seventyeight -shamrock -shelflife -shepherding -shivering -shortcoming -shortlists -shortstories -shovelnose -shrikes -sigillata -signification -silvergilt -silversides -silvicola -sincerely -singleended -sintered -sisal -sitarist -sixtyfifth -sixtyfirst -skim -skyblue -skydivers -slapped -slaver -slavers -sly -smelts -smokes -smothered -snapdragon -socialliberal -softener -solenogaster -southeastwards -southnorth -spangled -spermatocytes -spinel -spinifera -spinose -spinothalamic -spleenwort -spotwinged -squamosus -squeaky -sro -starkly -statehouse -stateintegrated -steelframed -steeplechases -stellaris -stepwell -sternocleidomastoid -stoichiometry -storages -storyarc -stranding -structuralist -stubfoot -stymied -submersed -subwoofer -succumbs -suede -suffocating -sulcatus -sunbathing -superbike -superchargers -superclass -supplanting -supraspinatus -switchers -symbology -synchronicity -syntactical -taeniatus -taildragger -taime -taiwana -talisman -talismans -tam -tantra -taunting -teeming -teething -teleological -temperamental -tephra -tepid -terephthalate -testaceus -tetrode -texensis -thereupon -thickener -threadtail -threepeat -threespeed -thrusts -thumbnails -tierdivision -tinting -titanosaur -todytyrant -topseeded -towboat -tows -toxoplasmosis -trampolines -tranche -transacted -transcultural -translocations -translocator -transsexualism -transversal -treehouse -treepie -trellis -triangularshaped -tribesman -trichloride -trichloroethylene -trifoliate -tripartita -trivalent -trivialis -trivittata -trypanosomiasis -tularensis -tumida -tweeting -twicemonthly -twoalbum -twomatch -twosyllable -tycoons -umber -unacknowledged -unadvertised -uncinate -uncontrollably -undeniably -undercutting -underdogs -undertail -undressed -unease -unfairness -unfree -univariate -unpasteurized -unreal -unstated -unwinding -updown -uprated -urbi -valerian -valuebased -variablelength -vectoring -vermis -verna -vials -viburnum -viettei -virion -vitally -voiceacting -volatiles -voltammetry -voxel -wagtails -wands -wanton -waterbird -waterinsoluble -waterleaf -waterlily -waveguides -weightless -wellreviewed -welltraveled -whiplike -whitelist -whittled -whove -windshields -wonderfully -woodshed -workaround -wouldve -wove -wrest -wrested -wxWidgets -xmeter -yelled -yellowfin -yells -zlib -zooids -_ -abbreviatus -absolution -abysmal -accreted -aching -acicular -acrid -acropolis -acrylonitrile -actinide -aculeatus -adjacency -adoring -aedeagus -afropop -afterburning -afterdinner -aggressors -airfare -airpower -albovittata -alcove -aliyah -alleyway -allnatural -allure -alpaca -alternators -altrock -alums -amblyopia -amethyst -aminoacyltRNA -anandamide -anaplastic -anarchocapitalist -andina -antemedian -antipredator -antipyretic -apelike -apologists -apothecaries -appalled -append -appendiculata -arbuscular -areata -arene -arizonae -armada -astrapia -augur -aviaries -avocet -awardnominated -baba -babysitting -bacteriocins -banksi -banksii -baptize -basale -basilic -basilisk -basophils -bassheavy -batfish -bathhouses -beamforming -beautyberry -beehives -behaviorist -belemnites -belladonna -bellum -benediction -betastrands -bicarinata -bidentate -biennials -biocidal -bipinnate -blacklegged -blackmailer -blackpowder -blanchardi -bled -blunders -bobwhite -bolstering -bongos -boninensis -borstal -bossy -bouquets -boxshaped -breakeven -breathes -brighten -broadway -broch -brominated -bruise -brushless -brushwork -buckeye -bulbils -bullae -bullfinch -bullock -burdensome -burritos -bushrangers -butchery -byeelection -bypoll -calmly -calyces -canneries -cannibalized -canonry -canteens -capers -carbonbased -carfree -caseload -catena -caterer -cavernosa -cay -cephalosporins -cercozoans -cesium -chambering -chartbuster -chattyrant -cheekbone -cheminformatics -chemoreceptors -chimeras -chirping -chloramphenicol -chubby -chunking -chutneys -ciliaris -ciliatus -clairvoyance -clavinet -clawlike -clublike -coachman -coagulasenegative -coalbed -coalescing -coastguard -coastwise -coccobacillus -cocommentator -cocomposer -coevolved -cognatus -coinop -coinvestigator -columbianus -commandants -commotion -communityled -comp -compactum -complacency -comunes -consanguinity -constrains -constructionism -constructionist -continence -contracta -contraption -conus -cooperations -coped -copromoted -cortices -coryli -cotranscribed -councilmember -counterfactual -countryfolk -covocalist -cowling -crabeating -cratons -crept -crimped -crisscrossing -crosswise -crustlike -cruzi -cryptographically -cryptozoology -crystallographer -customdesigned -customisable -cyberinfrastructure -cytokeratin -dArthur -dai -dames -damour -daub -deadlift -dealbata -dearly -declassification -decodes -decrying -deelgemeente -defenseless -deflects -defragmentation -dehiscent -depraved -desorption -destabilized -diabolical -diarists -diazo -dichotoma -dick -diecut -differentiable -digraphs -dihydrogen -dilatata -dimorpha -dinocephalian -diols -directionality -discoideum -discriminates -disposes -distichum -ditching -diverticulitis -divesting -doublebarreled -dowels -downforce -downstate -draftsmen -drawnout -droughttolerant -drummervocalist -drumspercussion -ducted -dwelled -dyadic -dyspepsia -eIF -edibility -egocentric -eightyone -eightytwo -elaborating -elaenia -electromyography -electrophoretic -electropneumatic -elementbinding -elevenmember -elevens -ellioti -elven -emollient -enablement -encaustic -enchanting -endmember -energetics -engulf -enterotoxin -envelop -esprit -ethnographers -etiological -euphemistic -evinced -evocation -exarch -executioners -exmilitary -exorcisms -expounding -expressionistic -exquisita -extrusive -exurbs -eyeballs -faire -fairytales -famer -fantasia -farinosa -fastidious -fastigiata -femaleonly -fictive -fiftyfirst -filial -filmic -finetuned -firebreathing -fiveepisode -fixedterm -fizzled -flagstone -flavidus -flavifrons -flickering -flocking -floodgates -fluff -fluoridation -fluorophore -folksy -footages -foresee -forktail -fortis -fortunetelling -forwarder -fourthbest -fourthplaced -fragmenting -freetoview -freighting -friarbird -fritters -fromto -frons -frontotemporal -fruhstorferi -fuelefficient -fuelling -fulgida -fulling -fumbled -fumigation -funiculus -funloving -gaged -galleons -gamefish -gamerelated -gar -gaspowered -genrespecific -georeferenced -geostrategic -germander -gibba -gigantism -glaciations -glaucum -gli -globulins -glowinthedark -glues -glycation -glycerin -goaldirected -goalkickers -goatbreeders -gonad -goon -governmentbacked -grandmasters -granulomas -gravitated -greenei -greywater -grindhouse -gris -grossa -groundmass -guerra -guitarbacking -habilis -halflength -handballs -handrails -hardcoded -hardwaresoftware -harlingii -harmonicas -hasten -heliotrope -hemangioma -highoccupancy -highpriced -highpriority -highwinged -hispanica -hiss -hitouts -holins -holodeck -hominis -homunculus -hooch -hornworts -horrid -horsecar -horsefly -housemaid -howellii -humanitarianism -hyaluronic -hydrates -hydroxylamine -hydroxytryptamine -hyphens -hypodermic -hyponomic -hyssop -iHeart -iO -iatrogenic -immunomodulatory -imprisoning -inactivates -incarnated -incountry -incus -indigobird -ineptitude -infarcts -infers -infinitesimal -inflatus -inordinate -inplace -insolita -instinctively -insurances -interchanging -interfacial -internationallevel -interoperation -intown -intraoperative -intricacy -invalided -involvements -irreverence -isiXhosa -islandwide -isoelectric -ive -jadeite -jellylike -jest -johnstoni -jolly -jovial -judgeships -juggled -kainate -kaleidoscope -kaolin -keV -khans -kilometrelong -kivuensis -klagesi -kneel -knighthoods -knowledgebase -knuckleball -kudzu -lactones -lanatus -lanceolatum -lapels -lapping -lapwings -larks -latte -laypersons -leached -lectionary -lendlease -letterforms -leucocephala -lifecycles -lifesupport -lightskinned -lineatum -livestreamed -logarithm -longperiod -lookalikes -lough -lubricated -luncheons -lunulata -lyra -lysosome -macaronic -majus -mandamus -maniacal -manni -marauders -marmoset -marshaled -matchwinning -maxims -mealybugs -meek -megaparsecs -melded -membranacea -meristem -mesons -mesoregion -mesoscopic -mesosoma -metasoma -metatarsals -metazoan -metazoans -microcars -microhabitat -midtable -mifepristone -milkman -milkshakes -millwright -mindless -minehunters -minivet -minster -misrepresentations -mistletoes -misto -moai -modulatory -moesta -monasterys -monocotyledons -monocular -moseri -motionpicture -motorglider -mouthwash -moviemaking -mown -multibrand -multicriteria -multifactorial -multijurisdictional -multimeric -multistarrer -murdersuicide -muscosa -myeon -myogenic -myopathies -narrowcast -natriuretic -naturalness -naturebased -nemoralis -neonate -neopaganism -neoprene -neotraditional -neverbeforeseen -nightingales -ninepoint -ninetyone -nociceptive -nocost -nolid -nonEnglishspeaking -nonGerman -nonaqueous -noncancerous -nonce -nonelected -nonfederal -nonfinite -nonmuscle -nonrandom -nontitle -nonvegetarian -norethisterone -notrump -nowabandoned -nucleocytoplasmic -nucleophiles -numbing -nutritive -octets -offreservation -oilproducing -oldage -oleic -oligodendrocytes -onevolume -opacus -opencut -opportune -orogenies -oropharyngeal -orthohantavirus -oryzomys -oscillates -outhouses -outnumbering -outstandingly -overcast -overconfident -overdriven -overharvesting -overpasses -overstory -oxygenrich -paces -pacts -paean -pagination -pall -palynology -pandan -paneer -paradigmatic -paraneoplastic -paraphrases -pardus -participative -patagonica -patentee -paternalism -patois -payasyougo -payperclick -payphones -pecten -pedaling -pedicle -pelt -penciling -penetrator -peopled -periplasm -perplexus -persevered -persimmon -personata -peruvianus -pharmacologic -phoned -phonon -phonons -phosphoryl -phreaking -pianobased -piculet -pidgins -piecing -pincushionplant -pinna -pipette -placate -placentals -plainclothes -plasmodium -plasterer -plateletderived -playin -plumbea -polecat -polesitter -polices -policyrelevant -pollinia -polyangiitis -polydactyly -polygamist -polymorphous -polynomialtime -polyprotein -polyrhythms -pomace -posthuman -postrelease -postrevolutionary -poundforpound -praetorship -precluding -preengineered -preganglionic -preinitiation -prematurity -presbyopia -pretreatment -prided -priestesses -primum -proctor -promulgate -propionic -proselytize -protoconch -protoplasm -provable -psionic -ptosis -pullup -puncher -pungency -punknew -punta -pup -puri -purplered -pussytoes -pustular -puzzled -pyriformis -questioner -quinoa -quiver -rabid -radicans -radioonly -radioulnar -ramshackle -rara -rata -ratifications -reaping -rearend -rearward -rebalancing -rebelheld -rec -recirculation -recommender -recompression -recon -rectifying -redandwhite -redbreasted -redcapped -redgreen -redistributes -reducta -reformatting -refracted -refugia -regio -reintroduces -rel -relegate -remaking -reminisces -renegotiated -repeals -replaying -replenishing -repudiate -repugnant -researchintensive -resourcefulness -retracting -retronym -revivalists -revulsion -rhythmical -ribavirin -rightfooted -rigidus -rime -rinsing -riotous -ripened -rocknew -rookery -rotavirus -rotundicollis -rounders -rubidus -rubs -rugbys -runin -runningmate -saboteurs -samarensis -sanitized -saponins -sawed -scrubs -searing -secondsmallest -secretariats -seepages -seesaw -segue -selfadhesive -selfpollination -semideserts -sequencespecific -serenade -serin -serotine -serrulata -servicebased -serviceorientation -sevendimensional -sevenpiece -seventhcentury -sexmaculata -sexualization -sheoak -shipborne -shoring -shortacting -shortgrass -shui -shunts -sidecarcross -sideprojects -sifting -signalbox -signalized -silencer -silverywhite -singlecoil -singleunit -sir -sixspeed -sketchbook -skillbased -slaveholder -slaveholders -smartwatches -snubbed -snugly -sobrina -softens -softfurred -soundings -southwestnortheast -sows -spacers -spammer -spartan -spathes -sphalerite -sphenoidal -spheroid -spikesedge -spiraled -spits -splices -spoonbill -springsummer -spunoff -spurned -sputtering -standardizes -starwort -statebuilding -staudingeri -steelstring -stemgroup -stewardess -stiffen -stilbenoid -stilbestrol -strangeness -stranglehold -streamlines -strepsirrhine -streptococci -striolata -structuredreality -studentfaculty -subcontinental -subdeacon -subdialect -subglobular -submunitions -subpixel -subterfuge -subterraneus -successions -suffragans -sulfurcontaining -superbly -supercluster -supplychain -surfacemount -survivals -sutured -swagger -sweatshop -sweptwing -swiftness -swordsmanship -tacks -tae -tandemly -tangling -tapirs -tarsalis -taxiing -taxiways -teenoriented -tegmental -televise -tenuirostris -terabytes -tertbutyl -texturing -thenrecently -thermoset -thermostats -thioesterase -thirddegree -thrashed -threeseason -threestep -threewheeler -timeouts -timorensis -toddy -torturer -toucans -touchpad -tourney -tout -touts -towhee -tracklist -trainset -transcribes -transportationrelated -treecreepers -trespasser -trialing -tribology -trifluoride -trimotor -triplex -tritici -trochospiral -truancy -truthfully -tsar -tubedwelling -tufa -tuples -turbinepowered -twinjet -twodecker -twosong -twoweight -umbral -unacceptably -unbearable -uncharged -uncooperative -undata -underappreciated -understudied -underwrite -unequaled -unfashionable -unglazed -unimpressive -unleashing -unrestrained -unsightly -unsweetened -unworkable -unwound -uptime -upwardly -urbantype -ureters -uxoris -vampirism -vaporwave -vaudevillian -vectored -ventriloquism -verbose -verrucosum -vicarius -vicemarshal -vile -vintages -virginianus -voltmeter -wales -wappesi -washhouse -wastelands -wee -weightbearing -wellresearched -westfacing -whiteshouldered -whitethroat -wholeness -wickedness -williamsii -workbooks -workshopped -wornout -yeartoyear -yellowflowered -yellowheaded -yogas -zeros -abattoir -abrupta -accretionary -accrues -acetylated -achilles -actioncrime -actionpacked -activations -adenoid -adenylyl -adjudicates -adjunctive -adjuster -admirably -admonished -adultthemed -afflictions -afoot -afra -agnathan -aimless -airdates -airfilled -airground -ajaw -alAdha -alAndalus -alMalik -alMutlaq -alabamensis -albidum -albogularis -alcoholfree -aldermanic -aldose -alfa -allage -allin -alpestris -alumroot -amaryllis -amidase -amnion -amour -amphisbaenians -anaphora -andrewsi -angustifrons -anorectal -antagonizing -antiheroine -antilock -antimineralocorticoid -antiproliferative -antiviolence -antorbital -anyones -apartheidera -aphylla -apicomplexan -apocrine -apomixis -appropriates -approximata -arbovirus -archaeoastronomy -areolar -argentatus -arroyo -artdeco -articulata -arvense -arytenoid -asana -ascorbate -asplundii -audibly -augite -auritus -austriaca -authorillustrator -authorizations -autocorrelation -awoke -awoken -backcatalog -backpacker -badging -badia -balancer -balding -balladry -balletmaster -balli -ballplayer -balteata -bandpass -baptist -barberry -battering -beading -beakers -bhp -bibles -bicultural -bigleaf -billionyearold -bimodal -biochemicals -biodiverse -biofeedback -bioregions -biosignatures -biostratigraphic -biphenyls -bittercress -blizzards -bluechip -bluefin -bodyweight -boettgeri -bogged -bolting -bookcases -bookmobile -botulism -brachiocephalic -brachyptera -brawling -bridesmaid -bubblenest -buckled -bulldozers -burghers -burnished -busbee -bushbrown -butterfat -buttock -butyric -buzzers -caffeinated -callings -callous -camelback -campii -campuswide -canaries -capillaris -caporegime -caraway -carbonneutral -cardbased -cardio -cardiomyocytes -cashback -cashflow -caterers -cathinone -cathodes -catwalks -ceylonensis -chambermusic -championshipdeciding -checksums -chemsaki -chenda -chiasma -chieftainship -chitinous -chives -chlorination -chocolatecovered -cholinesterase -chordate -chronometer -churchyards -chutes -claret -clavichord -climatological -clothingoptional -cochampion -cocurator -codebook -codeveloping -coequal -coerulea -cofinanced -cognizance -coho -colliers -collisional -colophon -comScore -comata -combed -companysized -compered -composure -congeneric -conjurer -conning -consors -consortiums -constricting -consumergrade -cooffensive -copiers -copresenters -corbelling -corbels -corded -coronaviruses -corso -cosplayer -costefficient -counterbalanced -counterexample -counterexamples -covariance -coxae -crap -creditworthiness -crepe -crimeridden -crofters -crossCanada -crossbill -cryosphere -cubana -cubical -culms -cultic -cupboards -cutup -cytogenetic -dAndorra -dAubigny -dampening -danio -darlingtoni -datatype -deadlocks -debaters -decadeend -deceitful -decolonisation -decompressed -decorates -decurrent -defenserelated -defoliation -deft -dehiscence -deism -deliberated -delicatessens -delimitations -demigods -depressant -depressor -deprives -deserticola -desirous -detested -dexamethasone -dietitians -digitaltoanalog -diminution -dioica -directorwriter -disallowing -disbursements -discloses -discretization -dished -dispelling -dissociates -dockers -dogfight -donne -dory -doublestrand -downdraft -downhole -downturned -draconian -dragonets -driveins -eccrine -egovernment -eighthyear -eightlane -eightminute -electrocardiography -electroluminescent -electrorock -emended -endocardial -engorged -entrap -eons -epitaxial -eponyms -errands -erythroid -ethnobotanist -eucharistic -evanescens -evapotranspiration -evergreens -exacerbation -exec -exigencies -exogamy -exportoriented -expresident -expressivity -extinguisher -extorted -extrapolated -fadeout -faring -fasted -fasterthanlight -felicitated -fenland -fenugreek -fermion -fictioncomedy -fidei -fiftyfourth -filledin -fimbriatum -finetuning -finswimming -fireship -firestorm -firetips -firmness -firs -fishhook -fivegame -fiveteam -flammability -flavolineata -fluoroscopy -foiling -formalisms -formfactor -fourball -fourcross -fourstarred -fr -freekick -freesheet -frigida -frogfish -froglet -frosts -froth -fugues -fumaroles -funneled -furore -gainful -galea -gales -gallus -gambit -gambrelroofed -gamebased -garnishes -gasfilled -gasworks -gazelles -genteel -genu -geophyte -geranylgeranyl -gerbils -gerygone -gibbosus -git -gizzard -glacially -gleaning -glebe -glenohumeral -glissando -glomerulosclerosis -glossaries -goldcolored -gouging -granulomatosis -grasstree -gratis -gravesites -greatestever -greatniece -greenishwhite -greets -grex -grinds -grittier -griveaudi -gros -guans -guardship -gunnii -hacktivist -hadrosaurs -hagiographical -hagiographies -halberd -halophyte -halter -hammam -harebell -haw -hawking -headband -headmen -helminthiasis -hemicellulose -hemodynamic -hepatology -heterokont -hieratic -higherranking -highperforming -highstatus -hiker -himherself -hobos -homeaway -homily -homocysteine -hookworms -horkelia -horrorsuspense -houseguests -hovered -humancaused -humankinds -hustlers -hydra -hymnwriter -hyperaldosteronism -hyperlinked -hypochlorite -hypoplastic -hypospadias -hyun -ibises -igniter -imperfection -impostors -imprecisely -improprieties -inaugurations -inbox -incinerators -incompetition -indulged -init -initialisms -initiations -innerring -inquests -inspiratory -institutionalism -interchangeability -interjection -intermetallic -internalize -intransitive -invehicle -iterated -jackrabbit -jailbreak -jailbreaking -java -jirga -jobless -jocks -jointing -joker -jumble -junebugs -jung -junglefowl -justiciar -kickstarted -kiloparsecs -kingii -knitters -kota -labyrinths -lacemaking -laeve -landslip -lat -latches -latching -lateen -latencies -lateritic -laxiflora -laymans -lazuli -leaderless -leafroller -leaner -leatherback -lechwe -leechi -leeway -ligamentum -lineola -lingo -linkstate -litigators -lividus -loadable -locksmith -locomotivehauled -logins -logstructured -longestestablished -longiflora -longsnouted -loosefitting -looseforward -lorises -lowestrated -lowfat -lowresolution -lugger -mA -mM -machinemade -macra -macrocephalus -macroeconomist -madly -magick -magnesite -magnify -malayana -malign -mamba -manicured -mannered -mantled -maracas -martins -masques -matchbox -mauritiana -maxillae -maya -mbH -meathouse -medialis -medians -mediumlarge -megabats -megabyte -megapode -melanoleuca -memberstate -meridians -mesas -mesial -mesmerizing -metallicus -metenolone -microfiche -microfossils -microps -microsecond -microvilli -midi -midland -midmajor -mihrab -militare -militaria -militaryindustrial -mimica -minimisation -mishandled -miskrada -missa -mizzen -monolayer -moonlighting -morosa -mort -mostvisited -mostwanted -mothering -mousetail -mucilaginous -mudflat -mudslides -mullein -multiplies -multiseat -multitier -multitimbral -multivendor -muralis -musette -musicarello -musique -mustelids -mutating -mutica -nappe -nasutus -natatorium -nearuniversal -newlycreated -nicobarica -ninetyfour -ninetyseven -ninetysix -ninthlargest -nonbelievers -noncharting -nonporous -nonrefundable -nonsovereign -nontelevised -normalizing -nourished -novaeguineae -ntype -nubilus -oarsman -obliges -obliquata -obliteration -oceanica -ockendeni -odes -offhighway -offkilter -oft -ole -oligopeptides -omnichannel -oncological -onebedroom -opportunism -opulence -orthodontists -orthographies -osseous -outofschool -outputting -ovations -overabundance -overestimate -overground -overhauls -overproduced -overreliance -packetized -paddled -paddlelike -pail -paleoanthropology -paleoclimate -palimpsest -palmarum -palmitate -panIndian -pantries -papillosa -parahippocampal -parasitically -parlayed -parviflorum -passband -passers -patagonicus -patiently -patronizing -patter -pawnshop -pebbly -peccary -pedagogies -pedis -peep -penetrant -penetrative -penicillata -pennantwinning -pentagrammic -peppery -peptidyl -percept -perfringens -perovskite -petrographic -petunia -pharmacodynamics -philippensis -phonation -phosphors -photodiode -photographically -photomask -phthalate -picketed -pico -picticornis -piglets -pileup -pillage -pimpernel -pinyin -pixie -placid -plagiatus -plantderived -plantparasitic -platen -pleckstrin -plica -pogo -polders -polycentric -polyphosphate -ponders -poolside -portecochere -positing -possessory -postbaccalaureate -postbellum -posttranslationally -practicebased -precipitously -precontact -prefaces -preload -prepositional -prick -primo -priorys -proEuropean -proapoptotic -profanities -prograde -promoonly -proscription -prosecutes -prosopagnosia -prostatectomy -protonated -provocateur -pruinescence -psoas -psychodrama -psychophysics -pucks -pueblos -puller -pulsation -punctate -purines -pussy -quagga -quercus -quills -rabbitbrush -racecars -racemose -raconteur -radiations -railed -rakers -rapeseed -ratingshare -rationales -rationed -razing -rb -readytouse -reassembling -recency -recirculating -recitatives -reciter -recompilation -recompiled -recuperation -redband -redeared -redfronted -redhorse -rediscovering -redneck -reeves -referable -regenerates -regimented -regionale -regrow -religiousthemed -remota -renin -reperfusion -repurpose -rerated -rescission -resells -residuary -resistances -resized -reverseengineered -rewilding -reworks -rewritable -ribonucleotide -righting -rightwinger -rinsed -rioted -rocketpowered -rollon -romanesque -ropeway -rosae -rosin -rums -rusts -ruthlessness -sacrococcygeal -sal -salwar -sanguinolenta -saver -scatological -schaefferi -sclateri -scleral -scoping -scorching -scorpionfishes -scortechinii -sear -seatbelt -seceding -selfcomposed -selfdesignation -selfevident -selfies -selfserve -selftest -selfunloading -semiautomated -semifictionalized -semiterrestrial -sentries -setters -seu -shearers -shehnai -shipbased -shortfaced -shorthaired -showered -shredding -shrubsteppe -sicklebill -sicklecell -sideband -sidehall -signet -silverfish -silvergray -silverleaf -singlelevel -singlepoint -singlesyllable -sinspired -sitios -sixteenyear -slaughterhouses -sleet -slighted -smallarms -smiths -snakenecked -snowberry -soapopera -socials -sociohistorical -socioreligious -softphone -soildwelling -soliton -sonorous -sorbet -soto -sourcebooks -sousaphone -southerners -spacesuit -speciosum -speedboat -spilota -spinalis -splitoff -sportsthemed -spotfixing -sprained -sprucei -spruces -squabbles -squalor -squamate -squandered -staghorn -standardsetting -starcrossed -statecraft -steadfastly -stellation -stemloops -stereopsis -stereos -sterilizing -stile -storyboarding -straggly -streptomycin -struct -studentproduced -subAntarctic -subcritical -subjection -submariners -submerging -submucosal -submunition -subsisting -subverting -subzero -successional -sulfonylurea -summative -suncup -sunlit -sunsets -superheavy -suturing -swag -swathes -symbiotically -synthesist -tactician -tanneries -taproom -taxpayerfunded -technocratic -tectum -tegula -telltale -telomerase -temminckii -temporalities -temporomandibular -tented -tenuipes -teratoma -terminologies -thaat -thennewly -thinness -thinnest -thplaced -threestrip -threeteam -thrip -thromboembolism -thrombophlebitis -thround -throwaway -thunderbolt -thymic -timetabled -tinker -tinsel -titanate -todyflycatcher -toenails -toil -tombolo -tome -toothlike -topnotch -toporder -torments -tramps -transaminase -translocate -triangulifera -triangulum -triazole -trilineatus -trinitatis -triumphantly -tropospheric -tule -tumuli -tumult -turbojetpowered -turnouts -twelvestory -twelvestring -twelvetone -twoaxle -ufology -ultras -unappealing -unbecoming -uncharacteristically -uncompensated -undefended -undress -unhappily -unhindered -unhinged -unimpressed -uninfected -uninteresting -unprivileged -unraced -unreserved -untouchability -untouchables -untrustworthy -uppertier -uprights -urinalysis -userspecified -vaginosis -vats -viceadmiral -videobased -viridans -viridiflora -viscoelastic -visuospatial -vociferous -volcanics -votegetters -wagneri -warlock -wastage -wastetoenergy -watermarks -watermelons -webworm -wellbuilt -wellcharacterized -whispered -whitebanded -windowless -windscorpion -wink -wiretowire -wok -wolverine -workday -worksheets -xterm -yawl -yellowbanded -yellowcrowned -yelloweyed -yin -zSeries -zeolites -zincbinding -zirconia -zouk -abbotti -abies -accessions -accuseds -acidbinding -actinomycetes -actorproducer -adenylate -adipocytes -adrenocortical -aemula -aeroengine -affable -afflicts -ageism -agonistic -agrestis -ah -airbag -alHusayn -allelectronic -allelic -amam -analytically -anatomists -anno -annulated -anteaters -antiChinese -anticrime -antiestrogen -antigraft -antipopes -antisatellite -antivirals -apices -apiculata -apses -arabesque -arabicus -arbitrationbased -arborescent -archenemies -arcuatus -argot -aromatica -artemisinin -artistwriter -asphodel -assayed -assetbased -assizes -astrometric -astrophysicists -aterrima -athome -atone -atrox -attuned -audiophiles -avascular -avellana -avowedly -awkwardness -axialflow -backseat -bagoong -bagworm -bails -baits -balked -balungan -banda -banish -bansuri -bargeboard -barista -barnardi -barrages -basalmost -baserunners -basset -bathymetric -bathypelagic -bayous -beckeri -beheadings -bellcast -beltdriven -benzaldehyde -berrylike -bettors -bey -bhajan -bicyclist -bier -bifurcata -bikeway -biobanks -biocides -bioproducts -birefringence -bivittatus -blackening -blacktip -blacktipped -bodyonframe -bodysuit -bolero -bombshell -bootlegger -botanicals -bottomed -bowels -boxcars -bracteoles -brahmin -braincomputer -brigs -broadsheets -browncolored -browned -buckskin -bulbar -bulldozed -bullshit -bunks -burlap -businesswomen -caddy -caesia -caiman -caladenia -calcineurin -californiensis -caliginosa -caltrop -campanulata -canonist -canting -canvassed -capitalizes -capito -carbonfiber -carolinae -cartwheel -casemates -cataclysm -catacomb -catalytically -cavalryman -cdc -cella -centralizing -centromeres -ceylanica -chai -champs -checkerbloom -cheesemaking -cheesesteak -chimps -chit -chlorpromazine -choroidal -chromatid -chronologies -chubs -cinderella -cinematics -cinereum -cl -classism -claudication -clavarioid -cleanups -climaxing -closeout -cobblestones -cochief -codefendant -codriving -cods -coemperor -coffers -coleslaw -collagens -collegeaged -colonnaded -colourist -comitatus -comprehended -comte -condemnations -confusions -conradti -conspicua -containerization -containerized -contextually -contortionist -contouring -contraindications -convicting -coon -coprocessors -corpssized -corpuscles -corrals -corroboration -cosmogony -cottonseed -courseware -courteous -crafters -crafty -crammed -cricoid -criminological -crinkled -crocodylian -crucifixes -cruelly -cuatro -cuboidal -cudweed -cuore -cyberphysical -cytoarchitecturally -cytopathology -dAmboise -dHonneur -dactylic -dancesport -darters -daydreams -deaththrash -decompress -defensemen -definiteness -delicatus -delis -demarcate -demethylase -demoing -dendrimers -denizen -depositories -depreciated -deregistration -dermatosis -descenders -despotism -devotionals -dewatering -diaphragmatic -diastole -diatomic -didyma -diffuser -digastric -digressions -dihydrate -dihydrofolate -diminuta -dimmers -dipropionate -disassociated -disciplining -dispelled -disregards -diversifolia -divertor -divestitures -dogfighting -dogfights -doings -dollardenominated -domesticity -doubting -downcurved -downgrading -downplaying -downsize -draftee -dramaturge -dreadlocks -driveline -dualistic -ducking -dunnart -dunni -dutch -ePrix -earlytomids -earlywarning -echidnas -eightvolume -eightysix -elaphus -electrocuted -electromagnets -electroshock -elocution -embassylevel -emeralds -encroach -endocytic -endodontics -endogamy -endosymbiosis -engrave -engulfing -enzootic -eon -eparchies -epaulets -epiphany -epiphyseal -equitation -erratics -erudition -esculenta -esophagitis -esplanade -eucalypts -eunuchs -euphorb -eurosceptic -eutherian -evangelized -evaporator -eventbased -exThe -exacted -excimer -excisa -exciton -exhorted -exotoxin -expels -eyespot -fabricates -falsity -fantasyhorror -farmyard -fart -fasciation -fatigued -feedlot -feint -felix -fictionalizes -filterfeeding -fiqh -fireballs -fivedisk -fivetimes -flagellaris -flagellates -flatfooted -flavicans -flaviceps -flavicornis -flowcharts -flowerpiercer -flulike -fluttering -folkinfluenced -forbearance -foregut -formwork -fractionated -freerunning -fretwork -freyi -frictions -frontside -frustrate -fullbacks -fullyfledged -fundraise -fuori -furcatus -furnishes -fuscescens -fusible -gaita -gallica -gaping -gaudy -gerontologist -gigabyte -gins -glistening -glycosyltransferases -glyphosate -goahead -goatfish -godson -goldenwinged -goliath -gooseneck -gouge -graminifolia -granulation -granulosus -graycheeked -grayi -greenbacked -greencolored -greenest -gridded -grinning -griot -grits -growled -grumpy -grunt -guitarplaying -gunvessels -gynecologists -hadrosaur -haemorrhagic -hageni -halachic -halfhuman -halftrack -halibut -halitosis -hallucis -handcuff -handhewn -handinhand -handshape -handstand -harderedged -harmonically -hartebeest -hassle -hastata -headhunting -headteachers -helicases -hemorrhoids -herbalism -heroics -heterodimeric -heterosexuals -hibernating -hiekei -hieroglyphica -highbandwidth -highvisibility -hilum -hindquarters -hippopotamuses -hirtipes -hispines -historicism -hitmen -holeinone -holoenzyme -homely -homologated -hoon -houseguest -housemusic -hoy -hubris -hula -humic -humps -husbandwife -hydrolysed -hydrophilid -hypervisors -hypnotized -hypo -hysteresis -iPhoto -iceskating -ileal -illequipped -imagers -imitans -impalement -imperceptible -impresses -imprimatur -incinerated -incompressible -incongruous -indictable -individuation -inexact -infallibility -infectivity -infuscata -inhibitions -inhumation -innately -innerwest -inputting -insectoid -insipid -insolation -instrumentality -interclub -interdependencies -interdisciplinarity -invalidation -inverts -inviolability -invulnerability -ionexchange -ironmaking -ischaemic -islamic -isocitrate -isocyanate -italiano -jeanneli -jumpsuit -junkyard -keratoconus -ketua -kilometerlong -kinesthetic -kirke -kleptoparasitic -knockoff -koa -kommun -krewes -lItalia -lOuest -labium -laconic -lacteus -lakebed -lamentation -lanky -lanuginosa -lanyard -largebilled -largeeyed -largeheaded -largestever -laserbased -lash -leet -leftbank -leftofcenter -lehmannii -lekythoi -lessexpensive -letterhead -leucurus -li -liceo -lightflyweight -lightharvesting -lightheadedness -lightsaber -lightships -lilacina -limonite -ling -linger -lipped -lipsyncing -litem -litigate -loaning -loeil -logistically -logographic -longboat -longerrange -longtongued -lowresidency -lowwage -lucerne -lullabies -lysogenic -machetes -macrophyllum -macropod -magnetometers -mailman -mainlands -mala -malacology -maneuvered -mantella -marginella -marginicollis -marionettes -massmedia -masterplan -matchplay -mediocris -megatons -melanotis -meleagris -melicope -menatarms -mendax -meningitidis -mercilessly -mesophyll -metalanguage -metalcased -metalloendopeptidase -metasedimentary -metasomal -metres -metrication -meyi -micelles -microenterprise -microliths -micromanagement -microplate -microscale -microspheres -migrans -minigolf -minstrelsy -mires -misconstrued -misdirected -misdirection -misstatement -moccasin -moksha -mola -molts -monocarpic -monograms -monsoons -moorlands -morphism -morphologic -mortem -mortgagee -mosquitofish -motorcoach -motorpaced -mucopolysaccharides -multialbum -multifarious -multilane -multipunctata -multireligious -multitracked -municipio -museology -muses -muskellunge -mustardlike -mutans -mutase -myoblasts -myriapods -nanofibers -naproxen -nares -narrowness -naturism -neoNazis -nervousness -netlike -neuromodulation -neurosecretory -neurosurgeons -nineminute -ninetyminute -ninthplace -niveus -nodosus -nominotypical -nonArab -nonCanadian -nonMormon -nonaccredited -noncontract -nondepolarizing -nonhumans -noninterference -nonplayable -nontheistic -nonuniversity -nonuse -northnorthwestern -nourishing -ns -nuisances -numberthree -nunatak -nuthatches -obesus -obstetricians -occluding -oder -odorants -offagain -offshoring -offsprings -onagain -onedollar -onemember -onesixth -onetwo -onice -onomastics -onorbit -onreserve -opcode -openminded -opportunistically -orangebellied -ordinariates -organoarsenic -orogen -osteomalacia -outcompeted -outofdate -outrun -ovule -pacifists -palp -pampa -pamphleteer -pant -papular -parabola -parachutists -parasiticus -paratype -pares -parsimonious -paternalistic -pathologically -pathophysiological -patientcentered -pedalboard -pedicellata -penicillins -pentagram -peppercorn -perianal -perplexing -persicus -pestilence -petabytes -pewee -pharmaceutics -physiognomy -pia -pickpocket -pillbox -pints -pipelined -pipevine -piriform -piriformis -placebocontrolled -planiceps -pleats -plicate -plumb -plumelike -plummet -pluton -plutons -pneumatics -pocketbook -polyketides -ponte -poppei -porta -postReformation -postnominals -prasina -pratincole -prebends -prelaunch -premed -preoptic -prepubescent -presentism -presumptions -princedom -priors -prisonersofwar -procures -prodrugs -professionalized -programmatically -prolifera -prospectively -provincia -psychoacoustics -pt -publicists -puffballs -puffy -pulpwood -pulsations -punters -purplishbrown -pyrophoric -quadrilineata -qualia -qubit -qucha -quintessentially -racialized -radiopharmaceutical -rainaffected -ramped -ramping -rangelands -readied -reales -realitytelevision -realtors -reapply -rebooting -rebreathers -reburial -receptorrelated -reciprocated -redesignating -redevelopments -redhaired -redhot -redlichiid -redshouldered -reelect -reenacts -refueled -refundable -regionspecific -regularities -regulus -reiterating -rejoicing -relisted -rentable -renter -reoffer -repaying -reselected -resonators -resourcing -respirators -restrains -restrictor -retrenchment -retry -reus -reviled -rhenium -rhizobia -ribbonlike -ridicules -rifampicin -riflebird -riflemen -rightsofway -ringname -rippled -rituximab -rockclimbing -rolledwinged -rollicking -rooArt -rootlets -roseate -rossii -rs -ruffled -rugae -ruggedness -rungs -runon -ruralurban -rutilans -sahib -samenamed -samphire -sandfly -sanskrit -sarangi -satrapy -saucershaped -sauteed -scaber -scaledup -scandium -scapes -schloss -schoolyard -scopolamine -scorewriter -scramjet -scrappy -screamer -screwdrivers -scriptorium -scrubbers -scuola -sebum -secondcycle -secondranking -secondworst -segued -selfadministered -selfdistributed -selfgenerated -selfindulgent -selfloading -semifinished -seminarian -sendup -sentience -septate -septicaemia -serpin -sevengame -seventhgeneration -sexdetermination -shard -shelve -shipsloop -showgrounds -shutdowns -shuttlecock -sidescroller -sidestep -sidewall -sighthound -signifier -similarlythemed -singlechip -singlelane -singlemolecule -singlepass -singleroom -singlestrand -sinker -sinuatus -sixmembered -sixmile -sixstepsrecords -sixwheeled -skidding -skiffs -skinneri -skirmishers -skirmishing -skylark -sleepwear -sleeved -sluglike -smearing -smitten -smoothie -sn -snowflakes -snowpack -snowshoes -sociopathic -softspoken -solitarius -sonography -sorrowful -souljazz -spinyrat -sportscasters -springfly -springy -squarish -ssDNA -stadtholder -stageplay -stags -stash -statemaintained -steely -steindachneri -stellated -stembased -stenting -sterilize -stickseed -stifling -stigmatization -stimulatory -stitchwort -stolonifera -storedprogram -storybooks -straightedge -strapon -stratotype -stretchers -strobili -stromatolites -strychnine -studentoperated -suavis -subadult -subaerial -subbasin -subdivides -subnotebook -subprefectures -subprojects -subscapular -subspecific -subthreshold -subwoofers -succinctly -sulfonate -sulfuroxidizing -sundried -superEarth -superuser -supplyside -suppressive -suspenders -suspends -suzerain -swallowtailed -swayed -sweats -swinger -symporter -synapomorphy -synthesizerbased -taffy -tampon -tautology -telegraphs -temperaments -tempers -tenantinchief -tensioned -tenuretrack -tenwicket -tergites -terminological -tessellations -tetrahydrocannabinol -tetras -thalloid -themself -thengovernor -theoreticians -thespian -thiomersal -thompsoni -threealbum -threeaxle -threeround -threestriped -threeyearsold -thrichest -thunderous -thyristors -tibiofibular -timekeeper -timesensitive -tinctures -tonguefish -topline -topminnow -torchbearer -torched -tourers -townsendi -trabecular -tracheotomy -tractate -tractive -traditionalism -tramroad -trapezohedron -travelrelated -treeline -treerat -trier -triller -trimaculata -trinkets -trusty -tuberculatum -turbans -turbofans -tutti -tweak -twentysomething -twoLP -twocharacter -twowheel -typo -ultramarine -unconference -uncoursed -uncus -undercoat -undercurrent -underemployed -understrength -undertakers -undertone -unenrolled -unheated -unifasciata -uninvolved -univallate -unlined -unnaturally -unordered -unreadable -unreasonableness -unsportsmanlike -urologic -userbase -usercentered -utTahrir -utricle -vacuums -vagabond -vandykei -vastness -vectorbased -veils -ventricosa -verandahs -vestries -vidua -virgatus -vitticollis -voiturette -volcanologist -waiters -warfighters -warmwater -wastebin -waterless -watermilfoil -weaned -webonly -weightings -westend -whereof -whitebacked -whitecrowned -whitetail -wilder -windowed -wizardry -wobble -womensonly -workman -wych -xLP -xy -yardstick -yearonyear -yellowjacket -yesno -zombielike -zoospores -abated -aboriginals -absenteeism -abstractly -abutted -abyssicola -abyssinicus -accreditor -acetabular -acetonide -acolyte -acro -acromion -acrosome -actorwriter -acuminatum -adenomas -adonis -advices -aerobe -affirmations -aforesaid -agitators -agitprop -alBaghdadi -alMasri -alQaida -alQasim -alZawahiri -albofasciatus -alkynes -alleyways -alphahelix -amateurism -ampelographers -anachronisms -anarcho -anathema -anchorages -anesthesiologists -angulosa -angustatus -angusticollis -anna -anodized -antacid -antennalis -anteriorposterior -anthocyanins -anthropic -antiHIV -antiZionist -antiandrogenic -antiestrogenic -antillarum -antiradiation -appreciates -aptamers -archeparchy -archiver -arcminutes -arcticus -arenarius -aroundtheworld -atripes -atrocious -attache -attenuator -attorneyatlaw -attractant -aurantium -authoritatively -autocompletion -autocross -availing -avantpop -azteca -backbeat -bagrid -bairdii -baited -bakar -balladeer -bandtailed -barbara -barbouri -barker -barks -baroness -barquentine -baseMjondolo -basepairing -baserunning -bassistguitarist -battlemented -baxteri -bayside -bb -beautician -beeches -befell -belvedere -bene -benzilate -bequaerti -berets -beriberi -bigelovii -bigeye -bij -billeted -billiondollar -bimetallism -biofouling -biotechnologist -bispinosa -bistable -blackbrown -blackfronted -blackletter -blackspot -blissful -bloated -blocky -bloodstained -blued -blueheaded -bluetail -bobbing -bobcats -bodyboarding -bolo -bookcase -bookshelves -borderlands -bosom -bouillon -brainwave -brandishing -brasses -brawls -brazing -breadwinner -breccias -brigadesized -brinjal -brioche -broadbill -brodiaea -broiled -brownblack -brownies -brownishred -buccinator -bucked -buddhist -buoyed -buries -burnin -bushveld -businesstoconsumer -byname -cadherins -calendaring -calva -calycina -campusbased -canadense -candelabrum -cannonballs -canus -canvass -capsizing -carboxyterminal -cardroom -carpooling -cashiers -cashless -caskets -catholique -cattleheart -centaury -centralnorthern -centralwest -centreboard -cerium -chaenopsid -chaplet -cheery -cheeseburger -chestnutbacked -chicory -chillwave -chinaman -chivalrous -chlamydia -chokes -chrysantha -chrysogaster -chytrid -cicadabird -cisgender -cisterna -cisternae -citygrade -claspers -clathrate -clayey -clingfishes -clocktower -closefitting -clouding -cloven -clubwoman -clumped -cobwebby -cockatiel -cockerelli -codominant -codrivers -coedits -cognatic -cogs -collagenous -collegeuniversity -colloquium -colluded -colonnades -compositionally -congratulations -congregating -congruence -conniving -consequentialist -conservationrestoration -construe -consulgeneral -contrarian -controllability -coown -copse -copywriting -corneas -corroded -cosine -cotter -countenance -cravings -crowbar -cryptanalyst -cued -curbside -curtus -cushioned -custos -dElegance -dHainault -dInfanterie -damped -datacasting -datatypes -decentralize -decommission -decoratively -deferring -defluvii -degenerates -demodulation -dentatum -dented -denticollis -derailing -despondent -determinative -detours -deva -dextromethorphan -dialaride -diatreme -dichloride -dielectrics -diencephalon -digester -dinitrogen -dipeptides -disassociate -disbursing -discotheque -disfiguring -disfranchised -disinfect -disinvestment -diskette -diskettes -disliking -dismount -disobedient -districtwide -distro -diverticula -docosahexaenoic -doctored -documentarys -dogmas -dolmens -doppelganger -dosa -dosimeter -dotting -doubleedged -doubletail -downright -downturns -dramadocumentary -driller -drogue -duckbilled -dysarthria -dystopic -earMUSIC -earlymodern -easttowest -easylistening -eightseat -eightsided -eightyseven -eightythree -electrostatically -elegies -emaciated -embouchure -emoticons -empathize -encasing -enclaved -endolymphatic -enduringly -energysaving -enlistments -enshrines -enslaving -enterica -entrenchment -envisioning -epigram -equitably -erogenous -ethinylestradiol -ethnics -ethnocultural -eutectic -evansi -exacerbations -exaltation -excellently -excon -exempts -exogamous -exoneration -expartner -exquisitely -extrapolate -extravagantly -exuded -eyelash -fG -faba -factorial -fanlike -farmhand -fawncolored -february -femtosecond -ferrocene -fests -fiberreinforced -fibrocartilage -fifthcentury -figureeight -filefishes -fimbriae -finescale -fining -finitestate -fishkeeping -fishlike -fissured -flaking -flameback -flashpoint -flatlands -flexneri -flirtation -flyfishing -foliated -foliosa -folksongs -forbesii -foreleg -foreplay -fourlevel -fractious -frameshift -freejazz -freesoftware -frequenting -fretting -fritter -frontmen -fulllengths -functors -fungusgrowing -furcula -furor -fuscatus -fusilier -garbled -gelling -gentilicum -geocentric -geochronology -geste -ghastly -ghostwriters -gigahertz -girlband -gladly -gluttony -glyceraldehyde -glycosaminoglycan -godparents -gongan -gonorrhoeae -governmentapproved -governmentheld -gradation -graeca -gran -grana -grandidieri -gras -grasstrack -graybreasted -greeni -groundnesting -groundshare -guanidine -guitarfish -guitaristsingersongwriter -gurudwara -gutturalis -hCG -hackathons -hairpins -halfbacks -hallowed -halyard -handsomely -hardbound -harrow -harveyi -hazzan -headspace -heady -heartwarming -hedleyi -hee -helena -helming -hemispheric -hemorrhaging -hemorrhoidal -henryi -hentai -hepatica -herder -hetero -heterogenous -heteromeric -heterozygote -highball -highbrow -highpurity -hippy -hopped -hortensis -hospitalizations -hostagetaking -houndshark -humbled -hurriedly -hydrocortisone -hydroponic -hyperbole -hyperlipidemia -hypersensitive -hypertonic -ichneumonid -idealization -identitybased -ideologue -iguanian -ikan -illadvised -immiscible -impracticable -incamera -incapacitate -inculcate -indehiscent -indicia -indolent -induct -inductor -inexorable -infesting -infuscatus -inhabitation -inosine -inprogress -institutionally -integumentary -interjections -intermissions -internalcombustion -interrelations -intrapersonal -intronless -ionize -irascible -ironcontaining -ironworker -ironworking -isoenzyme -isoprene -iswas -jamesii -javelins -jettison -johnsonii -journeymen -judokas -keratoconjunctivitis -kestrels -keypads -khanates -kilburni -kimono -knotting -kpc -lAbbaye -laceration -laciniata -languishing -lasing -lateGothic -laurifolia -laxatives -leafshaped -leafwing -leftfield -lemongrass -lemonlime -lemonyellow -leucomelas -leucostigma -lexis -ligamentous -ligandbinding -lightvessel -limbless -lindenii -linga -linsleyi -listserv -literati -litigations -locket -loincloth -loomed -loons -looseknit -lorica -louvers -lowdose -lowerranked -lowinterest -luminary -luteous -lyceum -macleayi -macrocephala -magazinestyle -magnolias -mailers -mailroom -mano -manumission -mapmaker -marinum -massifs -mata -matchlock -matchmakers -mauled -mbaqanga -mech -mediarelated -mediatised -medicalsurgical -meetups -megahit -melas -memorybased -mesangial -mesencephalon -meshed -mesopredator -messageoriented -metalloprotease -metonymy -metropolises -mezzo -microarchitectures -microcar -microtubuleassociated -midWales -middorsal -midprice -midwater -mie -miliaris -mindanaonis -minimallyinvasive -minis -minored -misadventure -misappropriating -misidentifications -mispronounced -misreading -mists -mitogenic -mn -mockingbird -modulations -moister -moisturizing -monetized -monosodium -muffin -muffler -mufti -multiarts -multinucleated -multiplexers -multipotent -multistoried -multisubunit -mush -muslims -mustread -mutinous -myoclonus -mystique -nadu -nakedeye -naloxone -narrowwaisted -nationalfederal -naturalborn -naturists -navarretia -ndrina -nearness -nearsightedness -needbased -needless -neocharismatic -netrin -neuroticism -neverending -nigropunctata -ninepiece -nomdeplume -nonIndigenous -nonOrthodox -nonagricultural -nonblocking -noncatalytic -noncompete -noncovalently -noncriminal -nonenveloped -nonfilm -nonfunctioning -nonidentical -nonnegative -nonorganic -nonrecourse -nonsporulating -nonsulfur -nontribal -nonviable -nosocomial -novelized -nucleases -nucleobase -nuraghe -nutritionists -obkom -obovate -obstinate -ocularis -oedema -offleash -oleander -ommatidia -oneeyed -onthespot -optouts -orchestrates -organismal -organochlorine -organofluorine -organum -orthocerids -osteosarcoma -outcompete -outdo -outflank -outofmarket -outpaced -outport -outsized -ov -overcharging -overdraft -overvoltage -overzealous -oviposit -ownerships -paclitaxel -paddlesteamer -padlocks -paisa -paleoconservative -pales -palika -pallidula -panfried -panregional -paraathlete -parareptiles -paresis -parolees -partygoers -passant -passionfruit -patientreported -patios -patrolman -paytelevision -pectineal -penitent -pentila -pepsin -pereiopods -perfectionist -periurban -perpetration -pervades -perverting -pew -phenological -phosphatidic -photobiont -phytochemical -phytosaurs -pierid -pignut -pillory -pinchhit -pinyon -pipa -piscina -pizzicato -plantpathogenic -plantsman -playmaking -pluralities -pluralityatlarge -podandboom -poetically -poi -pointsbased -policyoriented -pollinates -polychromatic -polysynthetic -pompom -pontiffs -ponytail -poop -popinfluenced -porthole -postWWII -postganglionic -postprimary -powertoweight -powertrains -pranksters -preapproved -preassembled -precollege -precooked -predicaments -prenylated -preordering -preowned -prepped -presidium -pretaped -pretournament -prettiest -principalis -proNazi -procrastination -producta -prof -projectionist -prophesies -prostigs -protostar -psephologist -pseudosuchian -pulldown -puma -punctum -purpleblack -purposedesigned -purpurata -pusillum -putida -pyridoxal -pyrrolizidine -quadriplegia -quarreling -queso -quilter -rackmount -raffia -railyard -rainstorms -rampaging -ranchs -raptorial -raytracing -readopted -reapportioned -reattached -rebut -receptorinteracting -reconquer -recused -redfaced -redlining -redoubts -redstriped -reductionist -reedit -reexamine -refillable -reformat -regius -regularized -rei -reining -relapses -releaser -remanufactured -remediate -remerged -remotes -repaint -resplendens -restatement -ret -rete -reticulation -retracts -retransmits -retrotransposons -rhabdomyolysis -rhizospheric -rhumba -ridding -ridiculing -rightbank -rightfully -rightmost -ringnecked -rishi -riverbeds -roadkill -roan -roasters -rockpower -rockpunk -rockstar -rolledleaf -rooks -rootstocks -rosinweed -roundups -rubberized -rudiments -rufousvented -rulesets -rumbling -rupturing -rutilus -sabers -saclike -saluted -sapient -sauropodomorph -savagery -scabbard -scalps -scalytoed -scarecrow -scariest -scions -sclerosing -scorch -screed -screensavers -scrofa -scutum -seasonality -secco -seconddeadliest -secondterm -sed -seethrough -sei -seine -seismological -selectmen -selfactualization -selfconsciously -selfcreated -selfdestruct -selfidentifying -selflaunching -selfpreservation -selfreflection -semiempirical -semihard -seminarys -semipublic -semisimple -sentimentality -separata -sepoys -ser -servos -sett -sevendigit -shanks -sharptailed -sheetmetal -shieldtail -shiners -shirtless -shockwave -shoemaking -shorn -shorttempered -signposts -silencers -silhouetted -silversmiths -simians -simulata -sinew -sirtuin -sive -sixdimensional -sixterm -sixtimes -slacks -slotting -slumber -slurries -smokebox -sneaked -sneeze -snobbish -snowmaking -snowman -soapy -sociality -socialnetworking -sockeye -solemnity -solidity -somaliensis -songstress -sorbitol -soundcheck -sourcecode -sparsa -spasmodic -spearfishing -spectrums -speedup -spherically -spinelike -splintering -spuria -stackbased -staid -standardgage -standpipe -staphylococcal -starlight -steelframe -steeplechasing -stepentrance -stickleback -stillexisting -stirs -stockbroking -storehouses -storia -strainer -strangler -streamside -streetlights -strenuously -strictness -strokeplay -structureactivity -stth -studentwritten -styrofoam -subarticle -subheading -subjectivism -subkingdom -subluxation -subscale -subscriptiononly -subventral -sudoku -sumatranus -superintendence -supermax -superstardom -suppers -surfacelevel -suspensethriller -swabs -swale -swish -sylvaticum -symbolist -syncytial -tacitly -tacky -tagteam -tailgating -tailorbird -takaful -takedowns -tantamount -tarda -tartans -technetium -techs -teleconferencing -telekinesis -telepath -tempeh -tempestuous -tenanted -tenax -tenpoint -tenthcentury -tenuicornis -terete -textilis -thenunreleased -thermoforming -thimble -thirdlongest -thirdly -thirdworld -thongs -thornbush -threenight -threeroom -thresher -tieup -timberline -timehonored -timeofflight -tipple -titlist -toasters -toenail -tokenization -tomahawk -toothbrushes -tossup -tote -totems -touchsensitive -trachomatis -transSaharan -transacting -transfected -transubstantiation -traversodontid -trematosaurian -triadic -triclinic -tripunctata -trophoblast -trustworthiness -trypanosomes -tuberosum -tumefaciens -tutu -tuya -tvOS -twelveinch -twentysomethings -twiggy -twinturboprop -twofer -twospeed -twospotted -typescript -typesetter -unabated -unbundled -undeciphered -underaged -undying -unencumbered -unflinching -unlobed -unpitched -uns -unspoken -unwillingly -uprooting -uptight -urbane -ustulata -uvula -vaccinia -vallenato -valved -vanduzeei -variegatum -varnished -vassalage -velutinus -venerate -verifiability -vestibulocochlear -vestitus -vexillology -vicariates -vicechampion -vihara -vilified -vill -vin -virally -visavis -viscounts -vitiligo -vitripennis -viziers -vocalizing -vulpes -vwo -wah -walkietalkie -walkup -wallichii -warthog -waterrelated -weathervane -wedgetailed -weep -wellfunded -wellhouse -wellliked -wellmade -wept -westernstyle -wharfs -whitecrested -whiteedged -whiteheadi -whitelabel -whitelined -whitenecked -wholebody -widowers -windstorms -wiretap -wistful -withering -woken -wolfpack -womenowned -workgroup -worthiness -wriggler -xxxx -yaks -yellowbrowed -yellowshouldered -yogic -zeitgeist -zelandica -zeroes -zeroth -zooid -zvezda -abnormis -abortifacient -abounded -abridgment -absconding -absurdities -academe -acquit -acrostic -acrylamide -actinocerids -actormanager -acuminate -adat -adderstongue -adjoint -adjourn -admirabilis -advertorial -aerobes -aerofoil -afarensis -affectivity -afire -agespecific -agonizing -agoraphobia -airside -alHadi -alKabir -albonotata -alcalde -alexandri -allIndia -allardi -allcomers -alleviates -alpacas -amplexicaulis -amyl -anaerobically -anaphylactic -angering -anglicisation -anhydrides -animates -animus -annihilate -annuum -anodic -ansorgei -anthophorine -anthracina -antiTaliban -anticoagulation -antifeminist -antihuman -antimoney -antiparkinsonian -antiphons -antipruritic -antivaccination -applicator -apposition -apprehensive -aprotic -archpriest -archways -aridus -arsenals -arthroplasty -arthroscopy -artiodactyls -artrelated -artrock -artsrelated -assemblys -astro -atomicity -attainments -attired -attractively -auctioning -auks -aurantius -aureola -auspice -austenitic -autoclave -averting -axing -ayahuasca -backhoe -bahiensis -ballplayers -balneario -bandicoots -bandshell -barbarism -basolateral -batesii -batswoman -baueri -baumannii -bayeri -begotten -belayer -belllike -bergfried -berlandieri -betaNacetylglucosaminyltransferase -bib -bichir -bidentatus -biflora -biguttatus -biochemists -bioinspired -biozone -biryani -bisecting -bispinosus -bitcoins -bitesized -bitterns -bitwise -blackchinned -blastula -blenders -bleu -blowfly -blueeye -bluespotted -bluntly -boletes -boneless -borohydride -bosons -bovid -boxings -branchs -brassiere -brownthroated -brucellosis -brushstrokes -buffalos -bulking -burgeoni -bused -buskers -byelaws -byword -cadences -caffer -cajun -calcaratus -calipers -caliphs -calisthenics -calliostoma -camelopardalis -canadien -candidly -candpolit -cantos -capabilitybased -capitalistic -capitate -captor -carabid -caramelized -carboniferous -carburettors -cargos -carne -carnifex -carpio -carpus -cartulary -catastrophically -catatonia -categorys -cattail -caucused -causally -celled -celltocell -centavos -centralism -centrifuges -cernua -cestodes -chalybeous -changers -chap -charmed -chasm -chatbot -chelate -chennai -cherish -childhoods -chile -chisels -chromaffin -chronobiology -churned -ciders -cilium -cingulatus -ciprofloxacin -circularly -circumvents -citizeninitiated -citizenships -citruses -classs -claustrophobic -clavigera -clubmosses -clubrooms -coax -coconsecrators -coerulescens -coeval -cognitions -collegiality -colonelcy -colonizer -colorings -comer -comforted -comicsrelated -commendam -commenters -communautaire -communitybuilding -compactus -complanata -complexed -comprehending -conational -conceptacles -concur -conformis -confuses -conicus -conidiophores -connexin -consecrating -consignee -consonance -contractility -conventual -convergens -convexity -cookoff -corbel -cordage -cordicollis -cordis -coriaceus -cornfield -coscreenwriter -costipennis -costulata -cottagers -coughs -counteracted -counterrotating -counterstain -courtesans -coverups -cowgirl -crablike -crassirostris -craterlike -crenellate -crockery -crony -crossreferencing -crowdfund -cryptically -cryptosystems -cyanipennis -cyathium -cystoscopy -cytochromes -dAssisi -dBase -dacoit -dado -dag -dahi -dama -damnation -dandruff -dandy -danieli -danse -daysofstatic -debased -debentures -debridement -decelerate -decile -decisionmaker -decked -decomposers -decouple -decrypting -deeplevel -defacement -defecating -defiantly -defibrillation -deftly -degeneracy -dehydratase -deification -demurrer -dephosphorylation -deportees -deputations -deputize -deserting -desiccated -dethrone -devastate -dextroamphetamine -dhrupad -diacritical -diagrammatic -dialectology -dicastery -dicta -digestible -digestsized -digitalis -diketone -dimple -dipper -directoral -disassemble -disintegrin -diskless -disklike -dismutase -disobeying -dispossession -dissents -dissipative -distancelearning -diterpenes -documentations -dollhouse -doorbell -doubletracked -doxycycline -dragline -draping -drenched -drudgery -drunkard -dsRNA -dualband -dualsided -dugesiid -dulce -durum -dwarfing -dysautonomia -dysmorphic -eXtensible -eburnea -echocardiogram -economys -editha -effaced -eigenvalues -eighthcentury -ejournal -electrodynamic -elegantissima -elongates -elongating -eluding -ember -embrasures -embroideries -emery -eminences -enchantment -encyclopedist -endeared -endocones -endophyte -endowing -enduros -enemas -energize -engelmannii -enslave -entrails -envelopment -ephemeris -epigraphical -epigraphist -epithelioid -epizootic -equina -erhu -eroge -erythrocephala -escapologist -eugenol -evaporite -excruciating -exculpatory -exempting -expediency -expending -expletives -explication -expound -extenuating -extorting -extrafloral -fainted -fairmairei -fallwinter -falsify -familia -fanbased -fastcasual -fatsoluble -feae -feedwater -feelgood -felted -feltlike -femorata -fenestrae -fenestratus -feng -ferritin -fervida -fess -fetishistic -ff -fibrinolysis -fictionadventure -fieldbased -fiestas -fifthseason -fiftyyear -filets -financials -firedamp -fivemile -fixeddose -fixedpoint -fixedprice -flashbased -flatheads -flaveola -flecked -flesheating -floccosa -flocculation -floodwater -fluidic -fluting -folkcountry -fontainei -forbs -forefather -forefinger -foregone -foreignpolicy -foreknowledge -foremast -foreshadows -forgave -forwardfacing -forwardthinking -foulmouthed -fourlegged -fourlined -fourtimes -fowleri -freelances -freemasonry -friaries -frontiersmen -frontmounted -fullblooded -funerea -furiously -fuscum -gallo -galvanize -ganglionic -garra -garret -gasholder -gatehouses -gen -genal -generale -geophysicists -geoscientist -geraniums -germinating -gforce -ghouls -ghrelin -glabrescens -glibc -glorifies -glucosidase -gmol -goalposts -goddaughter -goldenbacked -gondolas -gouramies -governmentappointed -grandiflorum -gratiosa -grayishgreen -greatgreatgranddaughter -greatgreatgreatgrandson -greyer -grisealis -guaranty -guardhouse -guerillas -guillemot -guitaroriented -gumbo -gymnosperm -hacklegilled -hafnium -hagiographic -haircare -hairyeyed -halfday -halfmoon -hallux -hardcorepunk -hardcovers -hardyhead -haustoria -hawthorns -headoffice -hearingimpaired -heartache -heartlung -heartthrob -heathen -hellebore -helmetshrike -helminths -hematuria -herdsmen -herpetologists -hesperus -heterotrophs -hexapods -hey -hiccups -highbudget -highestever -highfloor -highoctane -hijackings -hindlimb -hiplife -historiographic -homeotic -homevideo -homeware -hookups -hoopoe -hoprap -horrordrama -horseflies -hospitalacquired -hostnames -hugs -humanitarians -humile -humoristic -humors -humped -huttoni -hybrida -hybridus -hydratase -hydrogenated -hydrolyzing -hydroquinone -hydroxyapatite -hyperrealistic -hypersurface -hypomanic -hypoxantha -hyraxes -iSchool -iZombie -iberica -icefishes -ign -imipramine -impatiens -imperatives -impinging -implementers -incantations -incentivize -incongruent -indecision -indent -indict -indomitable -industrialscale -infringes -initiatory -innocently -inselbergs -institutionalize -insurrections -intensifier -interKorean -interconversion -interdistrict -interestfree -interferences -interlanguage -interlocutors -intermountain -internecine -internets -intifada -intima -intuitions -inversus -iota -irrationality -isolationism -isometry -isotonic -itemized -jacamar -jacketed -jae -jaguars -jazzpop -jigger -jonesii -jubatus -jugal -kanamycin -kernelbased -kilobases -kingfish -kiteboarding -kr -krater -kudu -labormanagement -lacquered -laevigatum -lagers -languid -largestselling -laryngitis -latitudinal -launchpad -leachate -leafeared -leaguewide -leitmotif -leonensis -leukemic -leukotrienes -levodopa -liars -lightbulb -lindae -lioness -lipases -liquified -litmus -littlealtered -livability -livebearing -loadcarrying -localism -localist -localitys -lonelygirl -longan -longbill -longfinned -longifolium -longline -longtoed -lores -lowangle -lowskilled -lumpy -lunettes -mabuya -magmas -magnesia -magnesian -magnocellular -mailings -makuuchi -maletofemale -manes -mangled -manis -mantids -marga -margaretae -marinade -marquetry -maudlin -maurus -mazelike -mealy -medialward -meditated -mediumterm -megakaryocytes -megalith -megalopolis -melaleucas -melanomas -meningoencephalitis -mensonly -mentalis -mercaptan -meristems -meromictic -merriami -mesonotum -messagepassing -mestizos -metalprogressive -metalworker -metopes -metrelong -meyeri -micrograms -micropayments -microprocessorbased -microsurgery -midteens -millimeterwave -millionseller -mindorensis -mindsets -mineralised -minicomic -minimax -minimi -minimums -mirei -miserly -mismatches -misrepresent -missal -misspellings -mixedused -mollissima -mona -monadic -monocle -mortician -mortification -mountainsides -mudbrick -multicenter -multidisciplined -multilobed -multiprotocol -multitap -multituberculate -multiweek -mumblecore -musae -myiasis -myxosporean -naga -naphthenic -nappy -natans -nativism -naturopathic -nearfield -neavei -needleshaped -neighbored -neurone -neutered -newscasters -newswire -ney -nibs -nigrifrons -nilotica -nilpotent -nociception -nolimit -nonAsian -nonactors -nonautonomous -noncirculating -noncooperative -nondominant -nongaming -nonindustrial -nonmetal -nonpaying -nonpenetrative -nonperiodic -nonpigmented -nonredundant -nonreproductive -nonsingle -nonsmallcell -nonsmoking -nonsporting -nonstarter -nonstick -northend -norvegica -nouvelle -nucleoplasm -numb -nunciature -nutcracker -nutritionally -nutshell -obiter -oceanographers -ochraceus -odorous -oesophageal -officinarum -offkey -offstreet -oilonpanel -olivebacked -oliveri -ora -orand -orexin -organosilicon -ornithomimosaurs -osteonecrosis -ostinato -outstation -overblown -overconfidence -overeating -overrunning -overtimes -overused -overwrite -ovina -oxeye -oxidants -packagers -paddocks -padic -pagodas -painstakingly -paleozoic -palpalis -pandemocrats -pantheons -paperandpencil -paralog -paralympics -parang -paratriathlete -pasteurization -pastorate -pastpresident -patricia -pauli -payam -pegging -penandink -penetrance -pentafluoride -perforata -perfumed -pericarp -peridotite -perimeters -peripatetic -perpetrating -personatus -perturbative -petiolaris -petiolata -petticoat -pharyngitis -phenomenally -phenotypical -phenotyping -phorbol -photoreconnaissance -photosharing -phrasal -pigmy -pilus -pinups -pitfall -pixilation -placeholders -plantigrade -plasticine -platinumcertified -platy -plausibly -playgroup -playmate -playset -pleiotropic -pleuralis -plucks -plumages -plumed -pluto -pochard -podcasters -policewomen -politely -polyA -polyamine -polyamines -polyandrous -polyesters -polyposis -portlet -portly -positrons -postconviction -postmistress -postsurgery -potty -precipice -predicative -prefab -prelaw -premeditation -presales -preth -prewritten -priapulid -pringlei -probono -prodemocratic -proffered -profilers -propeptide -propped -propyl -prosauropod -prostrata -prostyle -proteinbinding -proteus -pruinosus -pseudopodia -psychedelicprogressive -psychosurgery -publicizes -pufferfishes -pulverulenta -pupating -puree -purist -purser -quatrefoil -quickwitted -quinoline -quintessence -rackmounted -radiotelegraph -rainfed -ramen -rasp -rationalists -rava -ravage -rawhide -reaffirmation -reaffirms -rearranges -reassess -recension -recertification -recombinase -recompense -reconnection -reconvene -redaction -redeemable -redtail -redwoods -reemerge -refilling -refiner -reflectometry -reflow -reformism -reframing -reimagines -relaxin -relictual -relictus -remapped -remounted -renaissancestyle -reorientation -repetitious -replications -repo -reptiliomorphs -rerunning -resentful -reserpine -resettling -resourcebased -resourcepoor -retinoid -retrofuturistic -retrogaming -revalidated -rheumatologist -rhombicuboctahedron -ringlike -rippling -riskbased -rivulets -roadbuilding -rockfall -rockjazz -roguelikes -rolebased -rots -rotted -roughcut -ruficauda -rufousbellied -rufulus -rugicollis -rugosum -ryanodine -sagittata -sandbags -sansserifs -sapphires -sarcolemma -sarsaparilla -sawnwork -scalding -scalped -scatters -schoolwork -scitula -scrapbooks -screener -scuttling -seashell -secondperson -secundum -sedate -sedatives -seedeaters -seismograph -selfpaced -selfprotection -semestered -semitrailers -senates -serpentinite -sevencylinder -sevenvolume -sexrelated -sextuplets -sexualized -shallowdraft -shaven -shedroof -shootoff -showband -sibiricus -silicic -silicide -siliconbased -simplifications -singleseaters -singlestage -sinner -sixdisk -sixpointed -sixthmost -sixtyeighth -sixtythird -skewered -skillet -sl -slatecolored -sleepwake -slicer -smack -smallbusiness -smallformat -smeltwhiting -snakeweed -snobbery -sobriquets -sociopath -solanacearum -solida -songbooks -soror -soundman -southwestwards -spaceborne -spacey -spamdexing -spandrel -sparkplug -spats -spatulate -speakership -spearing -spedup -spillways -spinifer -splenomegaly -splints -spotlighted -spouts -spreaders -sprinkle -squalene -squeaking -ssh -standardbearer -startfinish -statedesignated -stereochemical -stereoscopy -steroidogenesis -stilllifes -storedvalue -stormtroopers -strapping -stressinduced -stretchy -strigatus -strigosus -stubs -stung -sua -subbranches -subcomponents -subdialects -submerge -submergence -submillimeter -subnets -subpart -subperiod -subsaharan -subscales -substellar -substructures -subtests -subtriangular -succinic -sulci -sunscreens -supercouples -superheroic -superioris -supplicant -suppository -suprarenal -supremo -surcharges -surinamensis -surreptitious -swaths -sweetgum -swingarm -swingman -sympathizing -tabloidstyle -tabulating -talkative -tamil -tampons -teapots -teasel -technologyoriented -tegu -telepathically -televisionradio -tenantsinchief -tendollar -tentrack -terpenoid -terroir -testtakers -tetrafluoroborate -tetrahydrobiopterin -tetrameric -tetrapyrrole -thenSenator -thiazide -thintoed -thirdcentury -threebedroom -threebladed -threespan -threetower -thriceweekly -thrifty -thrombi -thrombocytopenic -thst -thwaitesii -timeshifted -timestamps -tinkering -tomographic -topos -tourismrelated -traitorous -tramline -transect -transliterations -transracial -traviata -treatmentresistant -tribunus -trickortreating -tricolored -trifida -triloba -triphenylethylene -triphosphates -tripods -triremes -triterpenoid -trivially -troglobite -troodontids -trophoblastic -truncating -twang -twayblade -twentyminute -twinkling -twobladed -twochannel -twolined -typicus -ulFitr -umami -umlaut -unabashed -unassailable -unbanked -unbilled -uncertified -undeliverable -underscoring -undoubted -unfluted -unicornis -unipolar -unpolluted -unpunished -unquestioned -unreactive -untidy -untried -unwind -upanddown -upgradeable -utilis -vadose -valgus -vandalizing -vaulters -velcro -velocimetry -ventilators -ventromedial -vernaculars -vesical -vibrancy -vibrated -videoclips -videographers -vindictive -vinyls -virginalis -virginiae -viridula -vitis -vixen -vocalistkeyboardist -volitional -volunteerdriven -vomer -voyageurs -voyeuristic -vshaped -wXw -walteri -warmers -warps -washedup -washout -watchdogs -waterpower -watertube -wavesynthpop -weatherresistant -weathers -wellfounded -wellintentioned -wellkept -wheelbarrow -wheeling -whirling -whirlpools -whopping -whydah -wigeon -wilsonii -wipers -wiretaps -wombat -wooddecay -woofer -worksheet -worshiper -xerophytic -xi -xiangqi -yellowrumped -zebrina -zenkeri -zeylanicum -zig -zigzagging -zodiacal -zucchini -zum -abrogation -absolved -abstinenceonly -acclimatization -accrual -acousticelectric -acrimoniously -acutifolia -adagio -adduction -adjusters -adventive -advisement -african -aftershow -aftertax -afterthought -agassizii -airbrushed -alArab -alHakim -alHassan -albata -albidus -albiflora -albipuncta -albomarginata -alboplagiata -albosignata -albuginea -albumlength -aldolase -allinstrumental -allodial -allyoucaneat -alphaketoglutaratedependent -altaica -alteregos -alternatingly -alternatus -ama -amara -amazement -amazingly -amirs -anachronistically -anaconda -anchorite -ancilla -angiotensinconverting -ankylosaurid -anodes -anoles -ans -anthozoans -antiApartheid -antiIsrael -antigenbinding -antigonadotropic -antiinfective -antiporter -apheresis -apologizes -apotheosis -appetites -applicationlevel -applicators -appraisers -arbitrations -arboriculture -archerfish -archeri -arcus -argumentum -armeniaca -arrester -arroyos -artillerymen -ascendens -assertiveness -assize -aterrimus -atmospherics -atricornis -atripennis -attentiondeficit -august -auricle -automorphic -autotransportable -avec -aviso -awardgiving -backbenches -backboard -backwardness -bakelite -ballclub -balteatus -bancrofti -bangles -banishing -baritones -baronetage -barreled -basking -basque -batteryelectric -batterys -battlegroup -beagles -behead -belowaverage -belting -benga -benthicola -betaadrenergic -beth -bicinctus -bicolorata -bigtime -bilberry -bilinear -bioactivity -biobank -biodefense -bioengineered -biographic -biotope -biplagiata -birdcage -birdsofparadise -biroi -birthplaces -birthwort -bisphenol -bistatic -biz -blacklists -blacknecked -blackwood -blanco -blemishes -bloke -bludgeoned -bluebanded -bluescreen -blushing -bodhran -bodyboarder -bole -bollards -bonang -bonanza -bonnets -bonspiels -bottomlands -bourse -bower -boxcar -brachialis -breakdance -breakpoints -brigand -brigsloops -broadbanded -broadbilled -bronchoconstriction -bronchodilator -broomlike -brownbacked -brutish -bryanti -bullfight -burgher -butlers -butternut -buyback -cEvin -calendrical -callups -calluses -camerawork -candidum -canopied -capitalintensive -cara -carburetted -cardstock -carolinus -carryout -cartouches -carvalhoi -casta -catsuit -causeandeffect -celeste -cellmate -centerhall -ceramidase -chaindriven -chalcedony -chargeback -charterer -chelicerate -chemistries -chessplaying -chiller -chines -chiseled -cholestasis -chowk -churchrelated -circinata -circumnavigating -cityoperated -classy -clawless -cleansed -clicker -climaxes -closeby -cmdexe -coFounder -coactivators -coarctata -coattails -cobranding -cockatoos -cocreate -coediting -coeditorsinchief -cognitivebehavioral -cohors -collarti -collateralized -comatus -combusted -communityfocused -competently -complacent -composerlyricist -composita -compressus -compta -concentrators -conceptualizations -concordant -concretely -congenial -connectionist -conquers -conservatoire -conservatoires -conservatorship -constitutionalism -consumerist -contactor -contiguity -contortion -contrastingly -contravened -cooccur -coopers -coots -copulatory -coqui -cordgrass -cordoned -cornstarch -corpsman -cos -cosponsoring -costsharing -cowinners -crabbing -crackdowns -cranked -cranking -cratering -cremations -crewserved -crimp -cristal -croaking -crocata -cronies -crosshead -crossreference -crosssector -crosswalks -crosswind -cruck -cryptids -cs -ctenophores -cubism -cuboctahedron -culdesacs -cunt -cupbearer -cupreus -curculio -curlytailed -curtailment -curtisii -cusk -customisation -cyberterrorism -cystatin -dAsti -dEUS -dacoits -dais -dancedrama -datacenters -davisi -deacetylation -decedent -decompressing -decoratus -deers -deferment -deforms -degreelevel -deliquescent -delos -demystify -denouement -dentifera -deodorants -deoxyribonucleic -depersonalization -deposittaking -depress -dermoid -desertorum -desertparsley -designationKorea -despairing -despise -deters -dhol -dialers -diapsids -diffractive -digoxin -dildo -directbroadcast -directedenergy -disaffiliation -disagreeing -disburse -discalis -discoidalis -discouragement -discoverable -dismasted -disorienting -disparage -disqualifying -distillates -distracts -distributaries -distrusted -diterpenoid -djent -documentoriented -dogstail -dole -domainbinding -dopant -doris -dotterel -doused -downplay -doxorubicin -dreamt -dropseed -dropwort -drosophila -drownings -drugresistant -duallicensed -duals -duckweed -dud -duff -dukun -dullcolored -duplicity -dyad -dzong -eccentrics -ecclesiastica -echinatus -echinoids -econometrician -edule -eggshells -eicosapentaenoic -eightpointed -eightynine -elatus -elderberry -eloped -emarginatus -emboli -emceed -emotionless -endogenously -endproducts -enganensis -enlightening -enquire -ensuite -enterpriseclass -enumerative -envied -eos -epicyclic -epidermolysis -epitaphs -epoxidation -equalizers -equids -equivocal -ergo -ergonomically -ergosphere -errorcorrecting -errorfree -erythropus -etcetera -ethnocentrism -etiologies -eusociality -evaporites -exacerbating -exarchate -exes -exome -exostoses -expansionary -expletive -exservice -exsoldier -extractors -exurb -exurban -eyeglass -eyesore -fa -factitious -factorybuilt -falcatus -fallaciosa -falter -famiglia -fanfiction -fasciculi -fasti -fatherland -faulttolerance -featherlike -feigning -felderi -felids -fended -ferch -fiend -fifthbest -filles -finalization -finetune -finlayi -firebrand -fireships -firstcentury -firsthalf -firstlook -fissionable -fixative -fixedgear -fixer -flagellation -flamines -flattery -flattish -flavitarsis -fleurdelis -flexi -floodlighting -floorboards -floriculture -flowery -flowthrough -flumes -folkloristics -folky -fooling -forebay -forestfly -forfeits -forgettable -formant -formicid -formyl -fornication -fortlets -fossilfuel -fossilize -fourinhand -fourletter -fourspotted -fourtholdest -foxhound -framebased -framebyframe -fraterculus -freeflow -freeskier -freespace -freezethaw -freshener -fritillaries -fronton -fruitfly -fucose -fullterm -fume -functionals -funksoul -funneling -furling -furtive -fuscicornis -galago -gallate -gamebird -gameboard -gamelike -gaon -garnets -gastropub -gaur -gearequipped -geeky -gemellus -genrebending -gentlemanly -germinates -germplasm -giudice -glassenclosed -glassreinforced -glens -globalizing -gloria -glycolytic -gnarled -goalies -gobetween -goldcertified -gondii -gorgonopsian -gouged -gourmand -grackle -graham -granatum -grandifolia -gravitationalwave -graybacked -greataunt -greenishcream -greenlight -groupie -groupthink -gulfs -guttulata -gyrase -haberdasher -hackerspace -hackle -hackney -hairtail -halfmillion -halfpenny -halfsiblings -hallandparlor -hallparlor -hamatus -handouts -handrail -haphazardly -harbourside -hardwearing -hart -hatchbacks -hauler -havo -hazmat -headfirst -headscarf -headup -heidelbergensis -helleri -hemosiderin -henna -hermaphroditism -hermitages -heterologous -heteromorph -higherresolution -highstreet -hillstream -hindmargin -histiocytosis -hitches -hockeys -hoffmanni -hollyhock -homebuilders -homefront -homeomorphic -homestyle -homodimeric -hoodies -hoodoo -hookeriana -hornero -hornpipe -hostelry -hotelcasino -houseplants -hulks -hunky -hydrologist -hydroxides -hydroxycinnamic -hyphy -hypodermis -iCal -iSeries -ich -idiots -idolized -illumos -imbedded -immunogen -impressionists -incepted -incessantly -incharacter -indentures -independentminded -indevelopment -indiealternative -indirection -indisputable -indusia -industrialize -industryled -industryrelated -inear -inexhaustible -infilling -inflates -infraspecific -infuse -inquires -insourcing -instinctual -insulae -insulindependent -interactionism -interbellum -interdental -interdepartmental -intermarriages -intermezzo -internetconnected -interparliamentary -interrelation -intersperses -interstates -intertrochanteric -invision -ironweed -irresponsibility -irrevocably -isolators -jammers -jetliner -jewelcase -jobber -jobbing -judicata -july -kPa -kabbalistic -kame -kantele -kashmirensis -katakana -kebeles -kecap -kendo -keypunch -keyring -kickstart -kidfriendly -kindergarteners -kirtan -kitschy -kmlong -kris -kuna -kungfu -lacordairei -lacunae -laevicollis -lamas -laminating -larder -largescaled -lascar -latenineteenth -latens -latipes -latticework -lawrelated -leatherbound -lefteye -legislating -legspinner -lessors -leucoptera -levitate -lexicographical -likens -linearifolia -linkers -lipodystrophy -liposuction -lipsynced -listenable -listenedto -literals -liturgically -lobotomy -locallyowned -lockable -lollipops -longed -longiceps -longulus -longum -loon -loopback -lotic -lowerranking -lowestranked -lowflying -lucasi -lumberjacks -luzonensis -lysozyme -madcap -madrassa -maegashira -mafiosi -magellanica -magnetospheric -majorityblack -maladies -mandocello -mandola -manhours -manioc -mansoni -manubrium -marae -marca -margaritifera -marginalia -marihuana -maritimum -marmorea -marxist -massless -maternally -matric -matroid -maura -meadowrue -mechanoreceptors -meditating -mediumdensity -mediumlift -megacephalus -megacorporation -megaphone -megaprojects -melaleuca -melanops -melidectes -mentalhealth -merchandisers -mercurial -merriment -mesentery -metacognitive -metalpoor -metaphoric -micaceous -microhabitats -microservices -microstrip -midafternoon -midinfrared -midnd -midnineteenthcentury -midribs -midvein -mimeograph -mirus -misprinted -missional -mistranslated -mixedmember -modillions -moerens -moistened -moldy -molerats -moluccensis -moneylaundering -mongrel -monofilament -monomorphic -monoterpene -monotonic -monte -montivaga -moonwort -moorhens -morel -morels -motorable -mottoes -mouses -mousse -mullioned -multibattalion -multicar -multienzyme -multipass -multiphoton -multitenant -murinus -musicaldrama -musicianproducer -mutagen -muting -mycorrhiza -mycosis -nakedtailed -nam -nannies -nanoelectronics -naphthoylindole -nasopharyngeal -natured -nawabs -nearvertical -negates -neighborly -neoclassicism -nepal -neptunium -neuromuscularblocking -neuropathies -neuropsychiatrist -neurovascular -neutralizes -neutrally -nigropunctatus -ninepart -nitrification -nitriles -nitrobenzene -nl -noball -noche -nofault -nonNATO -nonbenzodiazepine -nonconference -nondigital -nonfarm -nonhomologous -nonintrusive -nonlinguistic -nonperishable -nonprogrammers -nonsmokers -nonsocialist -nonstarters -noradrenergic -notational -notoungulate -nowlost -nowobsolete -nozze -nuchalis -nullifying -observatorys -ocarina -ocellate -ogre -ol -oleifera -omnipresent -onematch -oneness -oofamily -openheart -openwater -ophiolite -oppressing -oratorical -orientalism -orofacial -oropharynx -oseltamivir -ossicones -osteitis -ostium -outfitters -outgunned -outlast -ovalifolia -overextended -overflights -overlaeti -overwork -ovis -oxygenate -pachyphylla -packhouse -paleobotany -panpipes -papillomas -parallelus -parasitizing -parenchymal -parenthesis -parvidens -parvocellular -passionflower -pastoring -pathfinding -patricius -pax -paymaster -pcode -peacemaker -peatlands -peddlers -peduncularis -pendent -pendulums -penicillatus -penmanship -pennywort -pentacle -pepperweed -peripheries -peristyle -permanganate -peronii -peroxisomes -personam -personifies -personify -petaflops -petascale -pharmacogenomics -phenylpropanoid -phenytoin -phonologically -phototropism -phthalic -pickpocketing -pilsbryi -pilsner -pinetorum -pinks -pinnule -pinwheel -piranha -plainer -planifrons -platelike -pleases -pneumatically -pneumococcal -poinsettia -polaris -policemans -polyene -polyglutamine -polymerize -polymorph -pompano -pontica -pontis -popindie -populating -porcupinefish -porgy -porins -postIndependence -postcentral -postconceptual -postdoctorate -potently -pothole -potluck -pratti -preadolescent -preceptor -precut -predesignated -predisposes -predraft -preempting -preestablished -prefixing -prepartition -preplanned -presacral -presupposition -priapism -primatology -primitively -probationers -proclivity -producersongwriter -prolate -pronouncement -propofol -proprotein -provably -provocatively -psaltery -pseudodocumentary -psycho -psychopaths -pupillage -purer -purplishred -pushtotalk -pushup -putrefaction -pyrethroid -pyrimidines -quadrupeds -quango -quash -quatrain -quatrains -quelling -quietest -radicalisation -raindrops -ramosissima -rapae -ratite -reanimation -reapplied -reassured -recede -recensions -reclassed -reconnecting -recordequalling -recurva -recurvata -redbelly -redecoration -redhead -redtipped -reedgrass -reefing -refiners -refoundation -refusals -regality -registrant -reinsurer -reinterprets -rejuvenating -relished -remailer -remotest -renegotiation -repented -repopulated -reptilelike -requisites -rerum -resents -reshuffling -retraced -revere -reversibility -revises -ribcage -ribonucleic -richardsoni -richteri -riggers -rightangled -rightsbased -ringens -romani -rosei -rotoscoping -ruggedized -runins -rushhour -sabermetrics -sabino -sachets -safeworking -safflower -saligna -saluting -salvo -sambo -sandbanks -sanddune -santa -santoor -sapling -sapo -scammers -scaphopod -scaring -schlegelii -scopa -scrapbook -scriptable -scuffle -seabrai -seagulls -seamer -searcher -seaworthiness -secondfastest -seizes -selectman -selenocysteine -selfbuilt -selfdescribing -selfstudy -seltzer -semesterlong -semilunaris -semispinalis -senatus -senex -sequins -serjeant -serogroup -serpentina -serviceability -serviceberry -setigera -sevenstring -seventyfifth -sextant -shackle -shapeshift -sharppointed -shia -shifters -shortfin -shorting -shredder -shrimplike -shuttled -sidelong -sidewalls -sieboldii -sifted -signaller -signees -signlanguage -silane -silvanid -silverline -simpleton -sinense -singersong -singlespeed -siphonophores -sixgame -sixpage -skapop -skewers -skinning -slaveholding -slavemaking -sliceoflife -slideout -sloe -slung -snRNP -sniping -snowi -snowstorms -solitons -solstices -somalica -sparkignition -speakerphone -specialedition -specialinterest -speedrunning -spicatum -spinet -spinicollis -spiteful -splines -spongelike -sportstalk -spotty -sprain -sprig -squamosal -squeaker -stacker -stairwells -stammer -stealthbased -steed -steeplypitched -stemcell -stepchild -stephensi -stepper -stereographic -stifled -stillactive -stipes -stoic -stoker -stolon -stoop -storeroom -strategical -strategize -stroked -strollers -strum -strutting -stuarti -studenttofaculty -stuntmen -subassemblies -subcarriers -subcomponent -subdermal -subframe -subfund -subline -submariner -submersion -submucosa -submunicipality -subnormal -subscapularis -subsectors -subtended -subverts -subvillage -sues -suffusion -sunbirds -supercooled -superheroines -superlightweight -superstores -superstructures -suspiciously -swamphen -swash -sweatshirts -sweaty -sylvaticus -symbolical -synanthropic -syndactyly -syntrophic -syslog -tablecloths -tabletennis -takeup -talker -talkshows -tamarack -tapeless -taunts -technopop -teledrama -telencephalon -teleprompter -teleserial -telethons -temperaturecontrolled -tenderloin -tergum -terminata -terminators -terpenoids -terricola -testisspecific -tetratricopeptide -thawed -theists -thenmayor -theraphosid -thethen -thieving -thioester -threebarbeled -threemovement -threesome -threewheelers -thtier -thuringiensis -tightens -tightest -tightfitting -tillers -timberframe -timetrial -titlewinning -toolmaking -torpor -tors -torta -touchscreenbased -touronly -toxicities -trabeculae -traceroute -tractortrailer -tradeshow -tragacanth -transesterification -transposing -trawls -treadle -trendsetting -triaxle -tricksters -triennially -trifolii -trilateral -trimarans -trimethylamine -trippy -trumpetshaped -trunking -tsetse -tuneful -turnstile -twelvebar -twosport -typographers -udder -uilleann -ulmi -ultrashort -umbilicata -unabashedly -unaffordable -unblack -unbridled -unburned -unceremoniously -unconvincing -uncountable -uncrewed -undercooked -undercroft -undeserved -unfocused -unicode -uninvited -unities -unknowable -unleavened -unmask -unsatisfying -unselected -unselfish -unshared -unthinkable -updateThe -upgradation -upturn -uremia -uremic -vaccinepreventable -vacuolar -vaga -valedictory -valency -valvetrain -vanillin -variegation -vascularized -vasomotor -vedette -vedic -veld -venae -venata -venters -vergence -verifications -versant -vertextransitive -vexillum -viewport -viking -violoncello -viridipennis -virility -vise -vitriol -viva -volans -volcanically -voussoirs -voyaging -vulcanization -walkthroughs -walruses -wanderers -warders -wardrama -warplanes -watchOS -wattleeye -weaponized -wearables -webtoon -wedging -welldressed -wellmarked -wellplanned -wellused -welwitschii -westernized -wetness -wetsuit -whereafter -whims -whitecollared -whiteface -whiteflies -whiteowned -whitepainted -wholegenome -wholeheartedly -widemouthed -wireguided -wishful -wolflike -woodruff -woodturning -workup -wreaks -writeup -xB -yachtsmen -yearbyyear -yonipitha -yoyos -zigzags -zonatus -zookeeper -abolishes -absconded -academical -acceptances -accosted -achilid -acidfast -acrimony -actionplatform -acutangula -addins -admonition -advantaged -adversarys -advertisingsupported -ae -aerostat -aestivalis -affirmatively -aflatoxin -aftertouch -agnostid -agri -agronomic -airfoils -airguns -alKarim -albicosta -albomaculatus -allover -allylic -almighty -ambercolored -ambushing -amelioration -amenorrhea -americium -aminotransferase -amity -amperes -anagrams -anamorphs -anesthetized -anglicization -angulifera -anonymised -antagonized -antbirds -antechamber -antennatus -anthracycline -anthropomorphism -antiCatholicism -anticensorship -antifungals -antigenantibody -antithetical -anxiogenic -api -apoplexy -appendectomy -apportioning -aramid -araucaria -arbitrate -arbitrated -arboreus -arcana -areolata -aroundtheclock -arsenite -arterials -arteriole -arteritis -ascidians -ascomycetous -asemic -atrovirens -attestations -aucuparia -auroras -australasiae -autobiographic -autosomes -autotrophs -avenger -avocation -awakes -axially -azureus -backarc -backpropagation -backstretch -backwardscompatible -bagpiper -bailiwick -bairdi -ballshaped -bandcamp -bandurist -bap -barbecuing -barbeled -barite -basketballs -battens -bazar -beaklike -beaming -bearish -beatnik -becard -bedchamber -beddomei -beefsteak -beeman -bellbird -benchtop -benefaction -bengal -benzoin -betacatenin -betalactamase -biconvex -bioassay -bioethical -biomaterial -biomolecule -bioorganic -bipropellant -birchbark -birder -bishopelect -bitrates -bizarrely -blackcap -blooper -bluesmen -bluetongued -bollworm -bolton -bombmaking -bombsight -bookends -bookmarklet -bouvieri -bowtie -brasiliana -brazen -breastfed -breastfeed -breastwork -breedspecific -brent -briefcases -brokendown -brushy -budgerigar -bulkier -bullatus -bullous -burqa -bushbaby -bushman -busk -busted -butterscotch -buttes -cabriolet -caddis -cadenza -caimans -caliper -calorific -calorimeter -calorimetry -calpain -camerunica -canaliculi -canards -candphilol -canoekayak -cantaloupe -cantankerous -canted -capitatus -carbapenem -carborundum -cardinality -carelessly -cargopassenger -carica -carmakers -carnivory -casebooks -casework -castello -casters -castinplace -catechin -cathodic -cavalcade -cavalier -ce -centralisation -centralizes -centurions -chalked -chalybea -chasmogamous -chicane -chiefofstaff -chilies -chloroquine -chondrodysplasia -churchstate -chylomicrons -cinchweed -cineraria -circulars -citri -citrifolia -cittern -citybased -clavatus -cleat -cleaver -climaxed -clingfish -clomifene -closein -clothesline -cloverlike -coalburning -coasting -cochineal -cocitation -codependency -coffeetable -coinages -coir -coitus -collimator -colorblind -colostrum -colourings -comefrombehind -comfrey -commas -commensals -commissar -comorbidities -comosa -compactly -compactor -compartmentalized -condensers -condyles -conferral -congratulate -congratulating -congratulatory -congregationalist -conjunctival -conjured -consciousnessraising -consecrator -constructional -consulships -consumerfacing -consumerlevel -contentcontrol -contextualized -continuouslyoperating -contrabassoon -contravenes -contrition -convertases -coolness -copiously -coppers -copresidents -coronae -corrector -correlative -corrosionresistant -corrupts -corvina -coshowrunner -cosmetically -councilowned -counterparties -countersued -cowbells -cp -crankshafts -crawfish -creamwhite -credo -creepers -crematory -crocheting -crosscommunity -crossfertilization -crossselling -crouching -crowfoot -crucifers -crushers -cryptanalytic -cucullatus -cuirass -cuneatus -cupule -curios -cuticular -cyclopentadiene -cypresses -cystadenoma -dArt -dEtat -dalli -datestone -dawah -dawning -dayschool -deacetylases -deactivating -deadmaus -debilitated -debugged -decently -decidable -decimation -deeplying -deflector -defusing -degenerating -degranulation -dehumanization -delimiting -denitrification -deoxyribonuclease -deoxyribonucleotides -depresses -depressum -depute -deputizing -derivate -derivational -dermatologic -desertions -desolation -despotic -destitution -detonates -devolving -dhonneur -diacritic -diene -diffusely -diffusive -dilating -diluta -dilutions -dimorph -diphallia -dipoles -disallows -disassembling -discontinuance -discors -discrepans -dishware -disinterested -dispositional -dissuaded -distans -distinctness -distrustful -disunity -dit -divisor -docklands -docusoap -doghouse -dossiers -doubleact -doubledecked -doubleentry -doublehanded -downsides -dragonfish -dragonfishes -dragonlike -drapers -drinkware -drowns -dryas -duc -dugongs -dunks -dustjacket -dyslipidemia -earlyseason -easterncentral -educationrelated -eduskunta -effectual -effusive -eicosanoids -eigenvalue -eighteenyear -eighthmost -eighthplace -einer -elSheik -elastica -electrohydraulic -electronicore -elephantiasis -ellipses -ellipticus -eloquently -embarrassingly -embellishing -emulations -enantioselective -endodermis -endoparasitoids -engrossed -enlargements -enliven -enlivened -enrollees -enterovirus -entheogen -entrained -entrees -enumerating -envelops -eosin -erasable -eremita -erosa -erythraea -estrus -ethicists -ethnical -ethnographical -etv -eu -eugeniae -euglossine -european -euskelian -everetti -evicting -exSoviet -excising -exerciseinduced -expressible -exslaves -exstudents -extemporaneous -externa -externality -extrachromosomal -extremophiles -facebook -facile -faired -fairings -fancreated -fantasyscience -fasciatum -fasciolata -fasttracked -fathering -favelas -fc -feeforservice -femaleled -femoratus -fermentans -fey -fiefdoms -fifteens -figureheads -filebased -filers -filmTV -filmi -filmrelated -fils -financings -finned -firehouses -fireproofing -firstofitskind -firstwave -fisheri -fivecard -fivespeed -flagstaff -flamethrowers -flatmate -flaxseed -flirted -floodprone -floorcrossing -floored -fluorouracil -foeticide -folkoriented -followedup -foodies -footers -foraged -fording -foreignexchange -foresees -forestland -forgings -fornix -fortifying -fragariae -framerate -freckles -freeflying -fricatives -friendlier -frogmen -frothy -fructosebisphosphate -fullline -funnier -furosemide -futurists -gTLDs -gadolinium -galeata -gamekeeper -gamemasters -gassed -gauge -gcc -geminatus -genderless -gendhing -generelated -genial -gentium -geoengineering -geoffroyi -geosynthetics -gettogethers -geup -gharanas -gibberish -giftgiving -gimp -giorni -giudicato -glaber -glaberrima -glassblowing -glasshouse -glasslike -glassworks -gliadin -globetrotting -glucosamine -goaround -goldenbellied -goldenbush -goldeneye -goldenweed -goldfield -golem -gonophores -gorget -gossypii -goths -grabbers -gradations -grammaticalization -graptolite -gratifying -graythroated -greeneyed -gregaria -gridlike -griffins -grin -grottos -grownups -guadalupensis -guar -guernseys -gullible -gusty -gynecomastia -hAlba -hacktivism -halfyear -handblown -handwashing -happiest -haptophytes -haptor -harmlessly -harry -hast -hateful -headbands -headhouse -headhunter -headstander -heave -heavymetal -heightening -helicinids -helixturnhelix -helplines -hemagglutinin -hemostatic -heterodont -heterophyllus -heterosexism -hexameter -hexane -hexose -hiemalis -hierarchs -highcaliber -highestplaced -hightraffic -hiked -hilli -hirtus -hispanicized -hoarse -hognosed -holdouts -holism -hollowedout -holoprosencephaly -homemakers -homesick -homestays -homophile -hoplite -hornblende -hors -hostbased -hostguest -hostname -http -huddle -humbuckers -humpbacked -humpless -hydantoin -hydrogels -hydrometer -hygienist -hyperparasitoids -hyperstimulation -hyperthermophilic -hypnagogic -hypoglycemic -hyrax -iBook -iHeartMedias -ichthyology -ignobilis -iguanodontian -illegitimacy -illustris -imberbis -immobilizing -immunizations -immunoassays -impasto -impermissible -implementable -impregnation -impressa -impressment -incites -indemnify -indignant -inducting -industrials -infaunal -infiltrators -infirmity -inflicts -informality -informations -inhalers -inheritor -initialize -injunctive -innersouthern -innerwestern -inseason -insides -insincere -interbred -intercalation -intercede -intercommunal -interconnectivity -interferons -intermarry -interna -internodes -interrogates -interrogative -intervarsity -interweave -intracytoplasmic -intrathecal -intraventricular -inulin -inuse -invariable -invective -inventoried -inviteonly -invulnerable -ip -ironman -ironmasters -irrepressible -isabellae -ischaemia -isochronous -isomerism -jamesonii -jammer -jazzbased -jird -joist -jubilant -jumbled -juristic -kaffir -kaiju -kalam -karri -kebabs -keratins -khagan -kickstarter -kiloton -kilts -kinder -kinetochores -kirbyi -kneading -kneelength -knell -knits -knobtailed -lacertid -lactam -ladybirds -lagomorphs -lancehead -landlordtenant -laparotomy -lastsecond -lateonset -launder -lawnmower -leges -lemmonii -lemonscented -lenticularis -leprechaun -leucophrys -leucopterus -leucosticta -leucotis -likenamed -lilting -limo -lineblue -lineside -lipoic -liquidus -lithified -livres -ll -loancharter -loansharking -lobar -lockedin -lodgement -logspace -lomatium -longarm -longcourse -longicaudatus -longimanus -longissimus -longtrack -longwinged -lowcalorie -lowrider -loxensis -loya -lp -lucens -luciferase -lunules -lusitanica -luteal -luteolus -luxuriant -lycophyte -lyse -lysophosphatidic -machineguns -macrocycle -macrurus -magnetohydrodynamics -maidservant -maingayi -majori -majoritarian -majoritys -majoritywhite -malar -maleate -malic -malocclusion -malpractices -mama -mamma -mammalogist -manageability -mange -mangle -manofwar -manyflowered -maraschino -marathoners -marcher -marginatum -marketleading -marls -martens -martensi -masseter -masseur -masterminding -matador -maypole -mediterranean -megabits -megacephala -mei -melancholia -melange -melitensis -memorializing -mending -menhir -merciful -merong -merostomatan -metalsmith -metasomatism -miRa -microcrystalline -microdistillery -microform -microhouse -microloans -micronucleus -microstructures -microvascular -middleblocker -middlegame -middlesized -midtour -militarythemed -milkfish -milkweeds -millrace -mimed -mineralocorticoid -minutissimus -mirabile -misbehaving -misread -missense -missteps -mitchelli -mitogen -mitosporic -mitten -mixologist -mixtus -modernists -modica -modillioned -modularization -moisturizer -monacha -monetizing -monocotyledon -monogenetic -monolayers -monopodial -monotype -montivagus -moralizing -mordax -mostnominated -mot -muay -mudslide -multibeam -multichip -multidisk -multiepisode -multifrequency -multigames -multispecies -multivenue -multiwavelength -murrayi -musichall -musicmaking -muskrats -mustaches -mutism -myopic -myxobacteria -nForce -nSpace -nailing -nanocrystals -nanomolar -nanosatellites -narcissus -nasogastric -nattereri -naturale -nay -ndth -ndtier -neckties -necromancer -nectarine -needlefish -neocaledonica -neoconservatives -neonatology -nephrons -netballer -neurocognitive -neuroectodermal -neurolinguistic -neuropharmacology -neutering -nevercompleted -nexin -nextgen -nicht -nigerrimus -nigritarsis -ninthyear -nitrogencontaining -nitrox -nodosaurid -nokill -nonATPase -nonAustralian -nonRussian -nonTest -nonathletic -nonbusiness -noncash -noncooperation -nonfat -nonlife -nonmarket -nonparallel -nonprofitmaking -nonprogressive -nonrecognition -nonsecure -nonspecialists -nontest -nonthreatening -nontrinitarian -nonurban -nonvisual -northnortheastern -nosewheel -notarized -nowdiscontinued -nth -nuclearencoded -nucleons -nullius -nutraceuticals -nympha -oakleaf -obfuscated -obligor -observables -oceanside -ochroleuca -octal -odontocete -offandon -offprice -offseasons -ohm -ohne -oligochaetes -oligolectic -omniscience -oncogenesis -oncourt -onebyone -oneclick -onepercenter -onetrack -onevote -ontheground -opacities -openloop -orality -orangery -orbiculata -orgy -orientis -origen -orthogonally -orthotics -osteotomy -outliner -outofwork -overarm -overexploited -overloads -overprint -overrode -oversea -overshooting -packetbased -painkiller -palatini -palawanensis -paleoclimatology -palinopsia -pallor -palmoplantar -panacea -pandanus -panegyric -panfish -pantherina -papillomatosis -paraAlpine -paralogous -paranasal -parapatric -parapodia -paraprofessional -paratriathlon -parceled -parkinsonism -parlay -parotia -passengeronly -passphrase -pasty -pathognomonic -pavers -pectinate -pedagogic -peephole -pensive -pensylvanica -pentito -perakensis -periapical -peristaltic -persecuting -pesantren -pg -pharma -pharmacodynamic -phaser -phenanthrene -phencyclidine -phenethylamines -phenolics -phenylpiperazine -phoebe -phosphatic -phosphoglycerate -phrynosomatid -phyllodes -phyllosilicate -phyllosphere -physic -physicianassisted -pianistcomposer -pictographs -picturing -piercer -pigmentosum -pilaster -pileatus -pillaging -pinkishpurple -piratethemed -piscivorous -pistachios -pitchman -pithy -placode -planer -plasmons -plasterboard -platensis -platyphylla -ploidy -plumaged -plumbeous -plummeting -plutino -podiatric -podiatrist -polishes -polyamorous -polyatomic -polycythemia -polygenic -polymorphs -polyneuropathy -polyol -pondering -poojas -popmusic -poppier -pornographer -porphyrins -porteri -postAmerican -potentiality -potentiate -potentiometers -prasad -prayerbook -preamplifiers -precariously -preclearance -precollegiate -prednisone -prek -prenominal -prepainted -preparers -prepublication -preregistration -presale -primality -priscus -privatizing -proConfederate -proGaddafi -proa -probationer -procedurals -prodigal -producerDJ -programmability -progrock -prominences -prominens -promotor -proms -pronominal -prospected -proteobacterium -provirus -prowar -proximally -pruritic -psammophila -pseudoD -pseudouridine -psychoses -pterostigma -publishable -puddling -pugnax -pulcherrimus -pulsejet -pumpedstorage -punchy -puppeteered -purifiers -purplepink -purples -pv -pylorus -pyram -qigong -quadricolor -quadrifasciata -quadriguttata -quadruped -quadrupole -quantifiers -quashing -quasicrystals -quasilegislative -quasiparticles -quasisatellite -quasispecies -quebracho -questionably -quiescence -radiobiology -radiographer -radiographers -radishes -railfan -rajasthan -ramblers -rapamycin -rapture -ras -ratites -rauisuchid -raving -realignments -realitydocumentary -reapers -rearmost -reauthorize -rebeli -receptormediated -recombine -recombining -reconciles -reconnaissancebomber -recordholding -reddening -reddishgreen -redistributing -redrew -redrumped -redshirting -reductases -reedbed -reformminded -refried -reggaedancehall -reggaeinfluenced -reimplemented -rekindling -renderers -renovates -reoccupation -reopens -repels -repetitiveness -replicative -reprieved -reptiliomorph -rereading -reroofed -residuals -respectably -resuscitated -retracing -retrievable -retroflex -retroperitoneal -rhomboidea -ribald -riddims -rifleman -rightangle -rimonabant -ringback -roadrail -roams -robertsi -robs -rockcountry -rockpsychedelic -rollerblading -rondo -rookielevel -rootkits -rootsrock -rotundatus -roughscaled -rufouswinged -rulebooks -rune -rustcolored -rut -saboteur -saccharin -saddlebags -safetyrelated -salvini -samiti -sampy -sander -sanders -sandmat -sandwiching -sangha -sannyasa -sapper -satraps -sawmilling -sawscaled -sc -schoollevel -schoolmate -scoped -scow -scruffy -scrummaging -scrupulous -scrutinizes -scrutinizing -scute -seascape -seatbelts -secondever -secondseeded -secotioid -sedanbased -segregates -selfdesigned -selfdeveloped -selfdisclosure -selfexamination -selfloathing -selfparody -selfregulated -selfrighting -selo -semirufa -semisequel -sen -seneschal -sensationally -serializing -sericans -serosa -serra -sessilis -sevengill -seventeenvolume -seventerm -sexratio -shadowdamsel -shallowness -sharpnose -shearer -shewolf -shikimate -shined -shins -shipoftheline -shortbilled -shortbread -shorteared -shortnosed -shortseason -shoulderlaunched -showgirls -shrikethrush -shuffles -shul -shun -sickened -sideboard -siderophore -siglum -signifer -silentera -silicones -silvicultural -simpleminded -singermusician -singersongwriterproducer -singleCD -singleminded -singleparent -sitio -situs -sixbay -sixcar -sixthround -sixthseason -sixtyfourth -skerry -skintight -skyrocketing -slaw -slott -slowwave -smothering -snaketail -snowdrop -snowplow -snug -sociability -sociolect -socotranus -solenodon -soloalbum -somnolence -soulinfluenced -souring -soursop -spacesuits -spacethemed -spaniels -spatter -spatulashaped -specifier -speckling -speedily -sphenopalatine -spicier -spindlework -spinipes -spintronics -spools -sporeproducing -sportscasting -sporulation -squadbased -squamates -squeak -stablemates -stackable -steelpan -steelworkers -stejnegeri -stench -stenography -steyermarkii -stippling -stockman -stonefish -storybased -stramineus -strath -streamflow -striatula -strictum -subarea -subcommunities -subdean -subfasciatus -sublist -sublittoral -subname -subneighborhood -subprovincial -subranges -subsume -subterranea -suburbicarian -succubus -sulfinic -sulfonyl -sulphureus -sunbeam -sunsynchronous -supercharging -superimpose -superposed -supposing -surahs -surfed -switchbacks -swordshaped -symmetrickey -symptomatology -syndromic -syngas -synthwave -syriaca -syrinx -tabacum -tandemseat -teacherstudent -technetiumm -technologyfocused -tectonically -temperaturedependent -tempering -tendril -tenebrosus -tenmember -tensioner -tenthplace -tenuissima -teraflops -terpene -thankful -theist -thenexisting -thenincumbent -theophylline -thermophilus -thickens -thionyl -thirdbestselling -thirdstring -threebanded -threecornered -threeengine -threepronged -throes -throughhole -tics -timberland -timeframes -timezone -titanosaurian -titers -tolllike -toms -tong -topaz -topgallant -topgrade -topside -torques -tourmaline -towerlike -townsendii -toxicant -toxoid -transPacific -transcriptomics -transferases -translucida -treadmills -treatys -treecovered -treedwelling -treetops -triazine -trickling -tricounty -trifasciatus -trigone -trinucleotide -triplefins -trisphosphate -triumvirs -trochlea -trombonists -trucked -trumped -truncatipennis -tumorassociated -tunebook -tung -turbojets -turcica -turgor -turnarounds -twodivision -twoinch -typespecies -ugandae -ugliness -uliginosa -ulnaris -umbrina -unadulterated -unallocated -uncirculated -unconstrained -underfloor -underhand -underrecognized -underresourced -understaffed -undulations -unenclosed -unfertilized -unfused -unifasciatus -uninstalled -unleaded -unmade -unmapped -unpredictably -unraveled -unreinforced -unstressed -untraceable -unviable -unwise -uralensis -urologists -ussuriensis -vagaries -validators -valorem -vancouverensis -varicella -venules -verum -victualling -vilification -violaceous -violascens -vittatum -vittipennis -vocalese -vocalsbass -voicings -vrh -vulpina -vv -warranting -wasis -watercolourist -waterproofed -wavefunction -webcap -wedded -wellarmed -wellbehaved -wellloved -wellremembered -wetsuits -whitestriped -wholemeal -whore -wicketkeeping -widereaching -wielder -wilful -windfarm -woodchips -woodfired -wordlist -workrate -wormholes -woundup -xylose -yarrow -yawning -yuhina -zag -zombiethemed -zooms -zygomorphic -abaca -abrogate -abscisic -abseiling -absolve -absorptive -acacias -acceptably -achondrites -achromatic -acquis -actionanimated -activitybased -actomyosin -acutirostris -adenomatous -adjudicative -adlibbed -administrate -adversities -aedes -aegagrus -aegypti -aenescens -aeri -aeroengines -affray -aftersales -agnathans -airforce -airstable -alBayt -alSadiq -albipennis -albopunctata -albumen -alces -alexandrae -aliciae -alkalis -alkalitolerant -allantois -allcolor -allene -allotropes -allrounders -alnifolia -alreadyexisting -alternations -amazonicus -ameiva -amortized -anarchosyndicalism -anatolica -andrei -angusticeps -annalist -annandalei -annularity -annuli -annus -anomalus -anoxia -ansa -antidemocratic -antifouling -antiparty -antirheumatic -antisolar -antitax -antituberculosis -anvils -apache -apicata -aponeurotic -appointive -aptera -ardens -arenafootball -arginineserinerich -armiger -armillary -aroa -arrowshaped -artfully -artificiality -ascariasis -ascendency -ascribing -ashgray -asis -aspartyl -assignee -assuage -asterisks -atlantic -attitudinal -attractants -audacity -auricollis -autapomorphies -authenticates -authenticator -autoregulation -autostereogram -avidly -avoidant -awardwinner -awnings -ayurveda -azygos -backings -bacterias -badgeengineered -baffled -baffling -bailouts -bandoneon -bandwagon -banger -bani -banka -bankroll -baptizing -baremetal -bartering -baseless -basidiomycetes -basilaris -bello -belowground -benchmarked -bennetti -bentgrass -benzylpenicillin -bespectacled -bestofsix -bewildering -bicolour -bigamous -bigleague -biliverdin -billowing -binning -bioarchaeology -biocide -bioidentical -biomimicry -bioprinting -biopsychosocial -biosimilar -biotransformation -birches -bisporus -bitches -bivalent -bivalved -bivouac -blackcollared -blackmailing -blacktail -bladderpod -bleedingheart -blemish -bleomycin -blooded -bluecolored -blueribbon -blueviolet -bluffing -boatbuilder -bodyshell -boilermaker -bolivianus -bollard -bonariensis -bondsman -bookended -bookie -boombox -booter -booze -borderland -boreale -boric -boride -borings -bosss -bovines -braising -breuningi -bridleways -brightened -brightening -bro -broached -brocket -bronchiolitis -bronchus -bronzeback -brothersinlaw -brushtail -buffets -buffing -bullpens -bullring -bungling -burchellii -burrito -bursae -butchered -butene -buttoned -buttstock -buxifolia -buyrate -caatinga -caffeic -calamine -calamus -calcicolous -calibrating -callable -calligraphers -calliope -canadienne -canter -canticles -cantopop -capite -capos -carbody -carbonized -carboxylase -carburettor -carob -carriercapable -carrierneutral -carting -cartridgebased -castaneum -casted -casteism -catecholamine -catharsis -catkin -catus -caudalis -caulking -cayenne -ccTLDs -cds -ceaseanddesist -celecoxib -cellspecific -cementation -centralhall -centrioles -centripetal -ceratopsians -ceratopsid -chachalaca -chainlink -chanterelle -chatterbot -chattering -chelicerates -chemiluminescence -chilly -chloris -cholangitis -choli -chopsticks -chum -ciclosporin -cinnamomeus -cist -citadels -citrinum -civilizing -clasped -clausa -clenched -cleverness -cliffside -clindamycin -clinids -clitellum -cloacal -clotted -clubbers -clumsiness -coalbearing -coauthorship -coccidiostat -cocoordinator -codirect -cognitivism -coincidences -colchicine -coleaders -coliform -colilargo -collectivism -collectivities -collectivization -collides -colonias -colorists -colossus -commelinids -committal -communions -commutator -compressions -concentrica -conceptualizes -condensates -confound -conjunto -conjures -consanguineous -consensusbased -constricts -constructible -consulategeneral -contemptuous -contented -contestable -continuoustime -contrastive -convergently -cooccurring -coomani -cordatum -corf -costumer -counterfeiters -counternarcotics -cowbell -cowherds -crackling -crass -crassum -creameries -credibly -crenatus -cretacea -crewing -cribrata -cribriform -cricothyroid -crier -crimemystery -crombec -crossChannel -crossreferenced -cruenta -crumb -crura -crutch -crypta -cryptica -cubed -cucurbit -cueing -cultivator -cunnilingus -curbed -curcumin -currentaffairs -cursory -cushionlike -cutoffs -cyberculture -cyclins -cyclopentadienyl -cyclopropane -cylindricollis -cypsela -dAragona -dArtagnan -dacite -damning -dampened -dampness -dancebased -dancelike -dangle -datamining -debarred -decisis -defacing -defamed -defensa -deflate -dehumanizing -dehydrogenation -deliciosa -dellArte -demandside -demarcating -demethylation -demogroup -demyelination -denaturing -deniers -denotational -deontological -deorbited -departement -deplete -dermatan -derricks -desiccant -despicable -despot -detaches -detections -deviceindependent -devolve -dhoti -dialogic -diana -diarrheal -dich -diethylamide -diisocyanate -dimensionless -dimmed -dingoes -dinucleotides -diplomate -dirigible -discolouration -discretetime -disgraceful -dishs -disinhibition -disintegrates -disputation -disruptors -distills -diversely -diwan -dodgy -dogfaced -dolostone -dolphinariums -dominicensis -doodle -doorbells -doublecollared -doubleleaf -downpour -dragoon -drawbar -dreadnoughts -dredgers -dressmaking -droid -droit -drowsy -druids -drumkit -drumline -dualsport -ducting -dudleya -duple -dysregulated -eSport -earlycareer -earlymids -earnestly -eastfacing -eastnortheastern -edX -editio -egganddart -eggersii -eightieth -eightstring -eightyfifth -eine -ejaculate -elbowed -electrify -electroencephalogram -electronbeam -elephantfish -eleventime -eliminationstyle -ellipticum -elopement -emanation -embeddings -emigre -emulsified -endoparasite -endopeptidases -endophytica -endosiphuncular -endothermic -endotoxin -enewsletter -enfant -enshrining -entailment -enterpriselevel -epauletted -ephedra -eps -erections -erects -eremomela -eryngo -erythropoiesis -escapist -esp -esquire -ethidium -ethnocentric -eugenic -eulogized -evodevo -exaggeratedly -exaggerates -exaggerations -exasperated -excipient -excreting -executivelevel -exhilarating -expectancies -experimentalism -expungement -extenders -extinguishment -extravasation -extravascular -extricate -extruding -facelifts -faceon -factorlike -faecalis -falconer -falconers -falx -familybased -fancier -farmtotable -fasces -fatherdaughter -fatherinlaws -fearlessness -ferrugineum -ferulic -fetid -feverish -fez -fifer -filifera -filipes -fimbry -firstaid -fishmongers -fishtail -fistulae -fivealbum -fivecar -flanging -flatbill -flatrate -flavicosta -flavofasciata -fleshcolored -flexural -floorless -floorspace -floury -flowerpot -fluorinating -fluoroacetate -flyway -foie -foliate -folktronica -foment -foolishly -foolproof -footoperated -forebear -forensically -forestay -foretell -forgetfulness -forsaken -fortunei -fourchannel -fourline -fourmovement -fourpetalled -fourstring -fourthround -fourwire -foxhunting -framer -fraudsters -frayed -frazioni -freeaccess -freeopen -freeradical -freethinking -frequencydivision -frontages -frontgabled -frontrunning -fruitworm -fruticosus -ftp -fulvipes -fumarolic -fumitory -fungible -funiculars -funiculata -furva -gaffes -gaiters -galactosemia -gallicus -gamepads -gangways -gars -garu -gasphase -gastroparesis -gazetteers -gelatinase -genealogically -genoa -genotoxic -gentamicin -geodynamics -geoid -germane -giesberti -gimlet -gladiolus -glaring -glasswing -glides -globule -glowworms -gluconate -glycopeptide -goldrush -gracilior -graffito -grammy -grasps -gravitate -grayhooded -graziers -greenblue -greenstriped -grenadine -grimoires -grisaille -grossers -grotesques -groundstroke -growthpromoting -gueststar -gueststars -gulch -gulper -gundog -gunports -gynoecium -haberdashery -haemolymph -haggis -halfamile -halfamillion -halfbeaks -halogenation -halophytes -halophytic -handaxes -handprinted -hangul -hardnosed -harks -hashed -haystack -headpiece -heartless -hebe -heddle -hedgerow -heifer -heirapparent -heirlooms -hemi -hemispingus -herbacea -herbrich -hesitated -hexachlorocyclohexane -hexamer -hexastyle -hiatuses -highbypass -highestincome -highexplosive -highlow -highorder -highpaying -hinterlands -hipsters -hirsutism -historyfantasy -hobbit -hochstetteri -hoenei -hofjes -hollowbody -holmium -holoparasitic -homebrewing -homefield -homeopath -homespun -hooklike -hopedfor -hornwort -hostparasite -howdeni -humidifiers -hurtful -hyanggyo -hydnoid -hydriai -hydrologists -hydrolysate -hydrophobicity -hydroplanes -hydrops -hydroxylases -hypanthium -hypertrichosis -hypotensive -iWork -ideographs -idled -idly -iliopectineal -illegitimately -illiquid -illtempered -imago -imitatrix -immanent -immitis -immunoassay -immunologically -imode -impetigo -impinge -importin -impotent -impoverishment -impressionable -improvisatory -inXile -inasmuch -inaudible -inauthentic -incongruity -incremented -inculcating -indenting -indexer -indexicality -inducts -indulgent -inequitable -infernal -inferno -informationprocessing -informationsharing -infringer -ing -inheritable -initializing -instagram -interactor -interatomic -interestbased -interlocutory -interneuron -intramembrane -intronic -invagination -iptables -ireland -irreligion -irroratus -isoflavones -iterator -jackknife -jai -jamband -jazzier -jerkinhead -jerks -jilted -jonesi -junco -junipers -junkie -justiciable -justifiably -juxtapositions -kelloggii -keratinized -khel -kinescopes -kinglet -kitbuilt -kitplane -kitty -kronor -krypton -kwela -laborsaving -labrisomid -ladle -lakeshores -lampposts -lanceolatus -langurs -lanyards -largearea -largeeared -largesize -largetooth -lateness -lateterm -latifascia -latifasciata -lauding -launderette -lea -leadzinc -leafmining -leastaltered -leche -lecherous -legato -lentic -lesslethal -letterbox -lewisia -libations -liberalarts -limitedproduction -limitedtime -limosa -limped -linchpin -lindleyana -liquidpropellant -lithia -lithophytic -lithospheric -liturata -liturgist -livelier -loblolly -longplay -longshoremen -longula -longwhiskered -lossoffunction -lotor -lowmaintenance -lowslung -lowwater -lucifer -lumpsum -lunchbox -lycopene -lymphangitis -lymphoproliferative -lyrata -lyretail -mHz -macadamia -machadoi -macroalgae -macronucleus -magisterium -magnificence -magnificently -mainshock -makebelieve -malabarica -malapportionment -malemale -malkoha -mammallike -manipurensis -maniraptoran -mannagrass -mannitol -mansa -mantelpiece -manytomany -mappers -marabi -marcescens -marquees -martensite -mas -masochism -matchdays -matorral -meandered -meerkat -meetinghouses -megaspores -melam -melo -melongena -membranespanning -memoria -memoriam -menonly -menorah -mercantilism -meritocracy -meshwork -mesonephric -metacarpals -metaheuristic -metaheuristics -metahuman -metalbased -metaleuca -metatherians -meterhigh -metformin -methanogen -methemoglobin -metoclopramide -metricus -micra -microbicides -microcontinent -microfabrication -microfilaments -microfilms -micron -microphthalmia -microspores -microstock -midcourse -mig -milkbased -mima -mince -miniepisodes -minifigures -minke -miraguama -miscreants -mississippiensis -mistranslation -mitra -moccasins -mochi -mockups -mohawk -molecularly -monachus -monilifera -monkeypox -monodrama -monoid -mononucleosis -monorails -mopane -mops -morphometric -morse -mortgagor -mostpopulous -mote -motorcars -mountainbike -mourner -mousedeer -mouseear -muchloved -muddled -mudra -muds -mugwort -multiauthor -multiband -multibyte -multifuel -multiinstitutional -multilateralism -multilocation -multimodality -multinucleate -multipage -multiplane -multituberculates -multitudes -mundo -mundus -muroid -muscovite -musicale -musictheater -muskeg -mustang -mutata -muticus -myTouch -myelitis -myelofibrosis -myocyte -myofibrils -mystica -naiad -nailtail -naira -nakedbacked -naltrexone -nameboard -nameday -nameship -nanosecond -nanowire -nappes -natalis -navale -ndimensional -nearctic -necking -nella -neomycin -neurocranium -neurologically -neuroses -nevi -newel -ngoni -nidulans -nightlight -nigrofasciata -nigrolineata -ninehour -nipalensis -nn -nociceptors -nonRoman -noncollegiate -noncommunist -nondairy -nondemocratic -nonelectric -nonet -nonexperts -nonliteral -nonmetals -nonobjective -nonparole -nonphotosynthetic -nonprescription -nonrevenue -nonsworn -nontariff -noreaster -northwestwards -nuptials -nutcrackers -oberthueri -obeys -occultus -octamer -october -oddson -oecomys -offhand -offhook -officebased -offlicense -offpremises -offyear -oito -oligopoly -olivary -onboarding -oncourse -oneline -oneoverone -onewin -oneword -onramp -onychomycosis -openmic -openwork -ophthalmological -opima -opine -opining -opportunist -oppositifolia -orach -ordinaries -organogenesis -organolithium -otolaryngologist -outgassing -outlays -outofbody -outrageously -outranks -outsize -outskirt -overexposure -overnights -overprotective -overreaching -overshadow -overshadowing -oversimplified -oviduct -oxidizers -oxlip -oxycodone -palecolored -pallasii -palmatus -palmettes -paltry -panicgrass -panty -parasitise -paraswimmer -pareddown -parotoid -parsimony -partes -partiality -partials -passivity -pastern -patriation -patrimonial -pauciflorum -pdr -pearling -peatland -peddler -pedigreed -pellicle -pelycosaurs -penitents -pennames -pennsylvanicus -pennyroyal -pentode -perfectionism -perfluorinated -perforators -perianths -periastron -perishables -perk -peruana -pervaded -petri -pfeifferi -phantoms -phenom -phi -pholidoskepian -phosphorescent -phosphotyrosine -photodiodes -photophobia -photorealism -photosphere -pic -pictograph -pigweed -pilastered -pinheyi -pinholes -pinkishred -pinky -pinnace -pinniped -pinpointing -pisco -piss -pittieri -placidus -plaice -planform -playthrough -playtime -plugandplay -pneumoconiosis -pocketed -poeciliids -pointedarch -pointofcare -pol -polemicist -polkas -polluters -polyolefin -polyols -polyomaviruses -polypores -polyurethanes -porosus -portalThe -portrayer -posek -postandbeam -potentialities -potentiometric -poultice -pow -powerlines -practicalities -praiseworthy -prefabrication -preimplantation -premedical -premonition -prenursery -preparative -pres -presbyter -presumptively -prevertebral -proAmerican -proanthocyanidins -processual -procollagen -procurators -prodrop -productservice -profeminist -prologs -pronounces -propitiate -prospering -proteinases -proteolytically -protonation -pseudepigraphical -pseudoscorpion -psyllids -ptype -pubescence -publicdomain -puffbirds -pulchrum -pullover -pullus -pulmonic -pulped -punctuality -punctuate -punctures -punkmetal -purinoceptor -purplespotted -purpletipped -pushers -pustulatus -putters -pygmies -pyrin -qawwali -qi -quadricollis -qualityoflife -quanta -quilted -quinquennial -quips -racecard -racetam -racino -radioligand -radiotelevision -railgun -rajput -rapax -rapcore -ratcheting -rationalizing -ravenous -realityTV -reappraised -rearadmiral -rebased -recharted -recherche -reciprocally -recommissioning -recompiling -reconditioned -recouped -redistributable -redlined -redpurple -redspot -redtoothed -reducer -reducers -reedition -reflexum -refloat -reformists -refreshingly -refutes -regicide -regrant -regretting -reinforcers -reinterpret -relievers -renounces -reoffending -replicable -replying -repressions -reptans -resent -resupplied -retcon -retitling -retorting -retrievers -reuteri -revaluation -revascularization -rhyolitic -ribonucleotides -riche -rightleaning -rightsholders -rinds -ringside -riprap -roX -roadtrip -rockslide -romana -roomed -ropelike -roper -rosecolored -rotund -roxburghii -rsync -rubiginosus -rubriceps -ruderal -rufifrons -rufousbacked -rufum -sabot -sabotaging -saccule -sachet -sacris -saddlebag -saleable -salicifolia -salicina -salinities -samegender -samplereturn -sanded -sandwicensis -sanitization -sarcomere -sarcomeres -sarsen -sate -saturata -saucy -sawyer -saxophonistmultiinstrumentalist -scaleup -scammer -scandalized -scapulae -scenarist -scenographer -scenography -schooldays -schoolwide -scintillans -scintillating -scot -scratchy -scrawled -seafoods -seagull -secondo -secondranked -secondrun -segmenting -seiner -selfdefeating -selflove -selfpropagating -sellouts -semielliptical -semienclosed -semiprofessionally -semiskilled -sengi -senseless -sensitively -sensitizing -septs -sequelae -seral -serendipitously -seriata -seriatus -sericeum -serow -servicelevel -servile -ses -sesamoid -seventhday -seventhhighest -seventyseventh -sexpunctata -shambles -shamed -shareduse -shareholdings -sharpest -sharps -shawm -sheetlike -shi -shiplap -shophouses -shrewlike -shutoff -sicula -sidewheeler -signmanual -silverspot -simultaneity -simus -singlelayer -singlemode -sinusoids -sistership -sixdigit -sixfigure -sixperson -sixtysixth -sixway -sketchbooks -skuas -skylarks -slashes -slatecovered -slickheads -slipcased -slowmotion -slowworms -slugger -smelled -snaffle -snares -snarling -snatches -sneaks -socialcultural -socialeconomic -socialis -sociolinguist -soggy -soir -solemnis -solum -solvated -sonars -songcraft -sono -sortingassociated -souks -southsoutheastern -southsouthwestern -spacings -spadeshaped -sparred -spayed -spearmint -specifiers -spigot -spironolactone -spitz -splinting -spongiform -sporocarps -spurfowl -spurius -squill -ssRNA -stagehand -staking -stalkeyed -stammering -standardsized -standpoints -starlets -stationer -stearate -steeping -steeples -steinbachi -stemlike -stepwells -stillstanding -stirrups -stoked -stomatal -stonechat -stonemasonry -storable -stovepipe -strada -stragglers -streamliners -streptococcus -strummed -stubbornly -studenttoteacher -studious -stuffs -subbituminous -subcircular -subclans -subcoastal -subcutaneously -subdominant -subdorsal -subjectspecific -suboccipital -subprovince -subsumes -subtracts -subtyping -suffices -sulfone -sultanas -summerhouse -sunlike -superbantamweight -supercarriers -superluminal -superresolution -supersoldier -superspy -superstring -supersymmetric -superweapon -supraventricular -sureties -suspender -sutural -sweetly -swindler -symbioses -sympathize -sympatrically -synergistically -synthetics -tabling -taillight -talon -tamperresistant -tankette -tapas -tariqa -tarsiers -tarts -tasters -tautomer -teachinglearning -teat -tecta -telecommuting -telemarketers -teleosts -telephoned -telephonic -telerehabilitation -televangelism -tentaculata -tenweek -teratomas -terminer -terpenes -terrors -teshuva -tessellatus -testudo -tetrafluoride -thalli -thana -themebased -thenformer -thenyearold -theodicy -theorbo -thinline -thinners -thoughtless -thousandth -threadleg -threebody -threefin -threeinarow -threelegged -threelined -threesport -threestrikes -threewicket -ththcentury -tidally -tigrinus -timekeepers -timeshared -timeshares -tinder -tipi -tirade -tirthankara -tis -titans -toadfishes -toasts -toothpastes -toric -tormenting -tortious -torturers -touristoriented -tourneys -towered -toxicologists -toxinantitoxin -tracheae -trachyte -trackmaker -tractable -tradesperson -trancelike -transactivation -transborder -transcriber -transgene -transglutaminase -translocon -transphobic -treasonable -treasonous -treed -triamcinolone -triandra -triangulated -tribus -tridentate -triiodothyronine -trill -trillions -tripoints -trite -trivittatus -troopships -tropicbird -tropicbirds -truncus -tubercules -tuberculous -tupelo -turgida -turntablists -turrita -tussle -tussocks -tweens -twelvetime -twirler -twobook -twobuilding -twocolored -tworecord -twospot -twotoone -typecasting -typein -typesafe -typica -ulMulk -ulkei -ultraconservative -ultrafiltration -ultramodern -unavoidably -unblemished -uncleared -uncontacted -uncoupled -underclassmen -undercuts -underdrawing -underpaid -underreporting -underwoodi -undyed -unica -unicycles -uninstall -unjustifiable -unkempt -unmanageable -unmoved -unobtainable -unter -untraditional -unveils -unwary -uptotheminute -uranyl -urticating -userlevel -usermode -utilitys -vaporize -velutinum -vendorspecific -ventilate -verecunda -verisimilitude -vermiculata -vicargeneral -vicepresidency -vicissitudes -videocassettes -viruss -visage -visors -vitreus -viverrini -vivipara -vocalinstrumental -vocalize -vodkas -voyaged -vu -wahoo -walkaround -wapiti -wartlike -waterlogging -waterman -waterplantain -waterspouts -wateruse -waveinfluenced -wavelets -wayfinding -waypoints -weighty -welltolerated -wellunderstood -westerlies -westernization -wheelbases -wheelie -whipworm -whisk -whispers -whitecolored -whiteonly -whiter -wholes -wicks -widelyused -wideopen -williamsoni -wily -windbreak -winddriven -windingup -windpipe -wingers -winking -wintry -wollastoni -wombats -woodbased -woodrotting -woogie -workaholic -workerowned -workforces -workin -xylanase -yearslong -yellowfish -yellowishorange -yellowstriped -yews -yurts -zeroknowledge -zerosum -ziczac -zikani -zincfinger -zoogeographic -zoonosis -zouave -abaxial -abducens -abhorrent -abiogenesis -absurdly -acaciae -acalyptrate -accentuating -accentuation -accessioned -acerosa -acetylacetonate -acharya -achondroplasia -acicularis -acinar -acrylate -actinium -actionbased -acupuncturist -acutissima -adCenter -adduced -adits -adsorb -adustus -adventurepuzzle -adzes -aenigma -aeronomy -aerotolerant -aestivum -aestuarii -afterburner -afterparty -aggravate -aggravation -agrili -agroecology -airmobile -airraid -airsensitive -aisled -akLaff -alGaddafi -alKhattab -alQaedas -alZarqawi -alb -albendazole -albitarsis -alders -ali -alkaliphilus -alkalosis -allChristmas -allacoustic -allergenic -allocators -allophones -allot -alphaamylase -altus -amacrine -amanda -amaretto -amateurish -amazoncom -ambitus -amination -amnesic -amphotericin -amply -ancillaries -andinus -anecdotally -anechoic -anovulation -anteroposterior -antheridia -anthos -anthracinus -anticult -antiepileptic -antiimperialism -antimiscegenation -antimonide -antiphon -antiseptics -aperiodic -apid -aplocheilid -apomorphic -apomorphies -apophysis -apostate -apotropaic -appetizing -applicative -april -apsidal -aptitudes -aquaponics -aquaticum -arbors -archicortex -archipelagoes -arecanut -arguta -armors -armslength -arpeggiator -arpeggio -arrestor -arrowwood -arthrogryposis -ascenders -ascetical -ascomata -ascription -associativity -asters -asthmatic -asylumseekers -atkinsoni -atrazine -attenuating -aucklandica -audiocassette -augmentative -augusta -auras -auricularia -aurulenta -australiana -authorisations -auxilia -bTV -babirusa -babu -babul -backlighting -backplanes -backscattering -bada -bailo -bairro -bakes -balearica -baler -ballooned -bambusae -bane -bankable -bara -barbells -barebones -barrelvaulted -barrierfree -baryonic -basionym -bassplayer -bather -bathymetry -batlike -bayed -bazooka -beachheads -beatmaker -befallen -begat -belied -bemoaned -benghalensis -benzoyl -beryl -bestiary -bestkept -bestowal -betacoronavirus -betasandwich -betasheets -beware -bezoar -bifrons -bifurcates -biguttata -bilaterian -bilinealis -bilinguals -binotatus -bioanalytical -biomorphic -biophotonics -biopolymer -biotopes -birefringent -bisector -bist -bitComposer -blackfin -blacksnakeroot -blanched -blanketed -bln -bloodletting -blowflies -bluecapped -blunted -boastful -boatswains -bobby -bobsleighskeleton -boissieri -bologna -bomblet -bomblets -bonebed -bonito -bonobo -bookbinders -bookers -bookmobiles -bootstrapped -bordello -boronic -botfly -bottlings -brachytherapy -brachyurus -braggadocios -braunii -braziliensis -breadcrumbs -breading -brevicaudata -brokenhearted -bromodomain -brotherly -broths -bryophyte -buchneri -bucki -bugler -bugles -bugloss -buildout -bulldogs -buntlines -buprestid -burrfish -burtoni -bushcrickets -bushfrog -businesslike -butanol -buzzword -buzzy -cabinetmakers -cackling -caecum -caeni -caesius -calcicola -calicoflower -caliginosus -callosa -campfires -campuss -canaliculatus -cancellous -cancercausing -candidatus -candoecon -caninum -cantellation -canthus -cantilevers -capitula -capitulum -capixaba -cappuccino -carbanion -carcinoembryonic -carpel -carpeted -carrierborne -carteri -carves -casecontrol -casemakers -castmember -castrato -catappa -catechisms -categorizations -caudatum -cavernosum -celebritys -cenotaphs -centenarian -centralpassage -centrism -centrists -centrosomes -centrum -centuryThis -cervina -chairback -chalcogenide -chalkboard -chandler -chapmani -charango -charlatan -chartings -chatrooms -checkerspots -checkup -chervil -chestnutcapped -chestnuttailed -chevrolati -chewable -chikungunya -childcentered -chinook -chironomid -chloral -chloro -chore -christmas -chrominance -chugging -ciguatera -cinchona -cinders -circuitswitched -cirrostratus -citrinus -citydwellers -civets -classicists -classless -clavicornis -cleats -cleavages -clevelandii -clevis -clickers -climatologists -clings -closedcanopy -clothe -clownfish -clownfishes -clozapine -clumpforming -coachwork -codevelopment -coelestis -cogenerate -cognizant -cohesin -coldness -collagist -colliders -collinsi -colluding -cologne -colonialist -colonialstyle -colorization -combinational -commonlyused -communitarian -communityminded -communitywide -compacting -compensators -compostable -computerization -conclaves -condensedmatter -conferment -congestus -congoana -conjoint -conjugations -connexa -conscientiousness -consignments -constitutionalist -constraintbased -conte -contemporarily -contortionists -contractus -contravene -contre -conundrum -conures -convalescence -convertibility -convexus -conveyancer -coolie -cooper -coopt -copresent -copyists -copyprotection -copyrightable -coquilletti -cordite -cornbread -corniculata -cornified -cornu -corporals -corroborate -corydalis -cosmologies -costlier -counterargument -counterfeiter -counterforce -cowcalf -cowpox -crabgrass -craftsperson -craniosynostosis -credulous -creeps -crevasses -cribbage -cribricollis -cringe -crispus -crock -crofts -cronyism -crosscity -crossdressers -crossflow -crosshairs -crossindustry -crosslinguistic -crossmedia -crosspromotion -crunching -cryogenically -cryogenics -cryptid -cryptographers -crystallizing -cubicles -culturebound -cumini -cuneate -curassows -curried -cursors -curvatures -cwm -cyanosis -cyclamen -cyclophosphamide -cypionate -cyprinids -cytosines -dAdda -dEspoir -dHuez -dOrcia -daguerreotypes -dalits -dappled -darshan -databank -datacentric -datastores -decapods -deceives -decemvir -decipherment -decolor -deconstructing -deconvolution -deepbodied -delightfully -delocalized -deltaic -denarius -dendrobium -denigrated -dents -depolymerization -deregulate -derivates -dermatomes -dermatomyositis -dermatophytes -describers -desmosomes -destino -detaching -deubiquitinating -dev -dexterous -dhole -diagenesis -diavolo -dichroism -dichromatic -difformis -difluoride -digenetic -digibook -dihydropyridine -dilapidation -dimensionally -dingo -dinosaurian -directcurrent -dis -disappoint -disappointingly -disbarment -discectomy -disconnects -diskjockey -dispassionate -dispensations -dispersant -dispersants -disputable -dissorophoidean -distributable -districtlevel -divina -diviner -documentarians -documentarymaker -doe -dogleg -dogtooth -dolphinarium -domestique -donovani -doublebill -doubleheaders -doublevinyl -douc -dovetails -downhome -downlisted -dpi -draco -drafter -dragsters -dreampop -dredges -drizzle -droll -druidic -drumbeat -drumheads -duPontColumbia -dualfuel -duespaying -duetted -dustbin -dysostosis -dysplastic -dystrophic -eIFG -eMule -eScience -eXtended -earlobe -earnt -earthcreeper -eavesdrop -ebola -echinus -ecovillage -edgetoedge -editorialist -editorpublisher -egregia -ehrlichiosis -eightysecond -eins -elapse -electioneering -electrodiesel -electropositive -electrostatics -electroweak -elevenday -elitism -elliottii -embassieshigh -embryologist -emittance -employmentrelated -emptyhanded -enameling -endgames -endoglucanase -endoscopes -endows -endproduct -enduse -enfants -engineerproducer -enjoin -enkephalinase -ensigned -ensnare -entactogenic -entangle -enterocolitis -entrenching -epaper -epaulet -epidermidis -epigrapher -epigraphs -epimer -epineurium -epitomize -equalspan -equid -erFX -erinacea -erratica -ersatz -esterases -ethnologists -eudicot -euphemistically -evanescent -eventuality -ewe -exBritish -exarata -exhortations -exonerate -exostosis -exotics -expandability -explicitness -extendedplay -extensors -extracellularly -extraprovincial -extrastriate -extrude -eyepatch -eyewall -faber -facetransitive -faders -faerie -faeries -fale -fanfares -fantasybased -farwestern -fatigues -featherlegged -fedora -feedbacks -feedin -feldspars -felonious -femurs -fencedin -ferrea -ferro -ferrule -fetishists -fetlock -fibratus -fibrotic -fictionist -fiddleneck -fides -fifthhighestgrossing -figlio -figurae -fijiensis -filicornis -filius -fimbria -finalgame -finchlike -finedining -finergrained -fingertip -finitedimensional -firebombed -firstseeded -fishfly -fishponds -fiveandahalf -fivebook -fivecent -fivedigit -fiveround -flagpoles -flaked -flashforward -flatboat -flatmates -flattered -flavanol -floodlight -floortoceiling -floundered -flowchart -fluoxetine -flyout -folkpunk -folkstyle -fomented -fomenting -fontinalis -fordii -foreseeing -formalizes -formosanus -formosum -forthwith -fossilbearing -foundermember -fourdecade -fournote -foveolatus -frailty -framers -frangible -fraternitys -frenectomy -fresheners -freshwaters -frictionless -fridge -fringefingered -fulgidus -fumarole -fumigatus -functor -funhouse -furtiva -fuscula -gagged -gaijin -gallinaceous -gallinarum -gamechanging -gangliosides -gantries -gavel -gelatine -gemina -gemmae -gemology -generalists -geniculatus -gentiles -gentis -gentryi -genuss -geodesics -geotagging -getrichquick -getters -geyeri -gforces -ghostwriting -gilberti -givenThe -glassmaker -globosum -glucosinolate -gluons -glycerine -glycosylases -glycosylphosphatidylinositol -gnutella -goalline -goalpost -godfathers -goggle -goldencrowned -goodhearted -goons -gov -governmentdebt -gracing -graminearum -grammitid -grandiceps -grandiflorus -grandsire -granodiorite -granti -grantinaid -granulipennis -granulocytic -grasswren -gratuity -graueri -gravedigger -graycrowned -grazes -greenbrier -gridconnected -gripper -groins -groovy -groping -groundhog -guestbook -guillemots -guitarbass -guitaristbassist -gundi -gunfighters -guyanensis -guyot -gyroplane -hadiths -hadron -haematopoietic -haemolytic -haemorrhoidalis -hag -hajj -haka -hakea -haloperidol -hamiltoni -hamstrings -handcranked -handstamp -hantaviruses -hapkido -hardcoremetal -harddriving -hardshelled -haveli -hawkmoths -hawksbeard -hawksbill -hayesi -headlamp -headlong -headwords -healings -heddles -helianthi -heliosphere -helipads -heliskiing -helpfulness -hematoxylin -hemiparesis -heteroatom -heterogametic -hideouts -highconcept -highestprofile -highfunctioning -hippedroof -hiproof -hispidula -histograms -histoplasmosis -hocicudo -homebound -homeschoolers -homophone -homophones -hongkongensis -hoodoos -hornist -horrendous -horrormystery -hort -hotseat -housekeepers -housemaster -humanely -hush -hyaluronidase -hydrogel -hyperalgesia -hyperkeratosis -hyperkinetic -hypermutation -hyperplastic -hyperspace -hypnotism -hypocalcemia -hypogeous -hypomania -hypoparathyroidism -hypostome -iCalendar -iMovie -iPhoneiPod -iRobot -ichnology -iconoclast -iconostasis -icosahedra -igloo -immunemediated -immunosuppressed -impar -imploring -impoundments -impregnate -inbrowser -incanus -incl -inclusivity -incorporators -incriminate -indecora -indigenes -infidels -infinitives -ingests -innovativeness -inoculant -inorder -inotropic -inquirenda -insigne -insolitus -inspace -instantiate -insulates -interactional -intercalating -intercoastal -interlinking -interlobular -intermingle -internalizing -intimated -intoxicants -intraperitoneal -intricatus -invigorating -ipso -irate -islandica -iso -isoenzymes -isothermal -issuebased -italicus -ivermectin -jackalope -jazzoriented -jeepney -jenny -jerking -jesters -jockeying -jolt -joshi -jour -jujitsu -jujube -jumpsuits -junctures -juniorlevel -kachina -kala -kali -kameez -kar -keelboats -keratinocyte -ketal -kevlar -kinesis -kingbird -kingly -kininogen -kinky -kirkii -kleine -koreana -kumaenorum -kylix -labialis -lability -labyrinthodont -lactase -laminitis -landscaper -lanei -languagelearning -languagespecific -langue -lanigera -laparoscopy -lapponicus -largeflower -lasiocarpa -latefasciata -laticornis -laughable -laundered -lauryl -lavage -lawfulness -leagueleading -leantos -lectureships -lepidopterans -leptalea -lettings -leucophaea -leva -lexicographers -lexicographic -liber -lichenicolous -lidded -ligata -lightblue -lightening -lightvessels -lignicola -lilioid -limping -lindheimeri -lindy -lineolatus -linsang -liocichla -lionfish -lipidlowering -lipsynched -lis -loafing -loathed -lobatus -locomotory -locules -logbooks -logperch -london -lonesome -longclawed -longdelayed -lounging -loveable -loveless -lowerelevation -lowturnout -loyalism -lubber -lunaris -lunatics -lunule -lurk -lysed -mAh -mHealth -mTc -macerated -maces -macrodon -macropus -macroscale -madeforcable -madetoorder -madrasahs -magazinefed -magnetoencephalography -magnetoresistance -mainboard -maiolica -maiores -maison -maisonettes -majorityminority -mako -malady -mali -maltings -mandarina -manicures -mannikin -mantellid -mapmaking -margaritae -marginalize -mariana -marietti -martingale -massparticipation -masterly -masterworks -masturbate -materia -matinees -mattered -mb -meaningmaking -meatball -meatloaf -medica -medicolegal -mediofasciata -medulloblastoma -mee -melanosomes -melic -mellower -melodeon -menaced -menorrhagia -mento -mephedrone -meriting -mesocyclone -mesolithic -messes -messing -metaethical -metalled -metalloid -metamorphose -meterlong -methacrylate -methanogens -methodologically -metronidazole -metronome -metropolitans -microasteroid -microcephala -microelectrode -microsite -microsomal -microsurgical -middleoftheroad -midsixties -mille -milliliter -mineralocorticoids -minimalis -minuet -misaligned -miscalculation -miserably -misinterpret -misinterpretations -misleads -miso -misreported -misshapen -mitchellii -mitzvot -mixedtonegative -mk -mockumentaries -modello -mohair -moisturizers -molybdate -mon -monadnock -moniliformis -monnei -monocyte -monocytic -monogyna -monohydrate -monopolizing -monosperma -monstrosa -montrouzieri -monzonite -mooncakes -moron -mothertongue -motorcar -mouflon -mtvU -muckraking -mucocutaneous -mucopolysaccharidosis -mudpuddling -muhafazah -multicasting -multiprocessors -multisided -municipium -murphyi -mushing -musiciancomposer -mustelid -musty -myalgia -mycobacterial -myelination -myosins -myotonic -myspace -mysticus -nanoseconds -naris -nasus -nationalize -nautilids -nautilus -nds -nebulas -needlefly -needlestick -neoNazism -neomexicana -nephrogenic -neststraw -netlist -neuroanatomical -neuroblasts -neuroeconomics -neurogenetics -neuropteran -neurotrophin -newsman -newwave -nigerrima -nightwear -nigroapicalis -nite -nitrides -nitrogenase -noblest -nodulosa -noirs -noiseless -nonCatholics -nonCongress -nonGreek -nonattendance -noncompulsory -nonconfrontational -noncorporate -nondurable -noneconomic -nonfinishers -nonimport -nonindependent -noninterventionism -nonjudgmental -nonlegal -nonliturgical -nonnational -nonperformance -nonplacental -nonplayers -nonpotable -nonpowered -nonprimary -nonproteinogenic -nonresponse -nonribosomal -nonscripted -nonspore -nontour -nook -normalis -northtosouth -notifiable -novads -novaezealandiae -novarum -novena -nucleobases -nudism -nunneries -nutraceutical -nylons -obscurata -obtusirostris -obviating -occiput -octocorals -octuplets -od -oddest -offaxis -offstream -offtarget -offthewall -oldestknown -oleoresin -oligarch -oligarchic -oligomer -ommatidium -omnipresence -oncoprotein -oneoffs -onlinebased -oogonia -oospecies -opercular -opercularis -ophthalmia -ophthalmosaurid -opposita -oppress -orangebreasted -ordeals -oreas -ornithomimosaur -orthochoanitic -ostraca -otagoensis -outbid -outgrow -outliving -outofcontrol -outspent -ouvrages -overcall -overhears -overwater -oxidations -oystercatchers -ozonedepleting -paa -padlock -pageviews -paidin -paladin -palaeography -paleocortex -paleoecology -palmaris -palmlike -pandit -pantanal -papaverine -papayas -papuanus -paracanoeist -paraensis -paramountcy -paraphilic -parented -pargana -pari -parquet -parsons -particularism -particularities -parturition -parviceps -passivation -pat -patchily -patency -pater -patera -pathosystem -pathovar -patronym -patruelis -patulin -pawang -payola -payphone -peaceable -peacekeeper -peaceloving -pearsoni -pecel -peddle -penetrators -pennate -pennsylvanica -pent -pentecostal -pentellated -pentyl -peony -perceptually -periallocortex -peristome -permease -perry -persevere -perspicua -pervade -petered -pf -phagosome -pharaonic -phenylketonuria -pheochromocytoma -phosphoenolpyruvate -phosphorylating -photobleaching -photocopies -photocopy -photodetector -photogenic -photoluminescence -photolysis -photosynthesize -phylogeography -physiologists -pianoforte -pianoled -piastra -picnickers -piebald -pigeonhole -piggybacking -piglike -piiri -pinewoods -pinicola -pita -pitchfork -pixies -placentation -plagiarizing -plantarum -plantfeeding -plasmonic -plateway -platinumyear -plumbeus -pointblank -polarize -poliocephalus -polychoron -polylepis -polymerizes -polypody -ponder -postApartheid -postWar -postacute -postconditions -posteriori -postmodernity -postponements -potentiometer -powerassisted -powerboating -poweron -powerup -preEuropean -preKindergarten -prebiotics -prebooked -precode -precongregational -preconstruction -predawn -predebut -predesigned -predestined -preglacial -preissii -premiumrate -preppy -presentable -presentational -prespecified -pressurize -pressurizing -presuming -pricking -priesthoods -primroses -privateequity -privatizations -proTrump -processs -profitmaking -proisocortex -prokaryote -prolegs -propers -prophesy -propraetor -proprius -prorector -prosthodontics -prostituted -proteinaceous -proteintyrosine -protruded -provincelevel -prudential -pseudocode -psychophysiology -pteron -pulla -pulpits -punctatissima -punkpop -punted -purinergic -putu -pyrenaica -pyridoxine -quadrillion -quantile -quart -quarterhour -quartile -quartos -quasiindependent -queenslandica -quickies -quicklime -quizmaster -quod -quoining -quotients -rRNAs -rabbinate -racists -radiationinduced -radiochemistry -ragtag -railbus -raincoats -rajas -rama -rambutan -rancho -rapidity -rapturous -rarefied -ratedetermining -readjustment -reairing -rears -reassuring -rebus -rebuttable -recant -recapitalizations -reconnects -redbanded -redefines -redlist -reelin -refinishing -refits -refresher -regionalisation -regranted -regressions -regularization -regurgitated -rehire -reimagine -reimbursements -reinvigorating -relicta -religiosa -relit -remedying -remembrances -remissions -remover -renames -rentfree -repentant -replayability -reposted -reroute -resentenced -restharrow -restorers -resubmitted -reticent -revisionists -revocable -rewarming -ribonucleoproteins -ricotta -ridleyi -rightward -rimbachii -ringette -ringroad -riparius -riven -roaches -roberti -rockhopper -rockprogressive -rocksnail -rolani -romcom -roomtemperature -rootsy -rosella -rosenbergii -rosids -rostrally -rotundus -rubricollis -rudeness -rufousheaded -runcinated -sabulosus -sailfish -salacious -salat -salmonella -saloonkeeper -saltern -samoensis -sandblasting -sandpipers -sangam -sanitizer -saponin -sarcosine -saundersi -sawtoothed -saxes -saxitoxin -saxophonistflutist -scala -scallion -scalybreasted -scareware -scarification -scaup -scenthound -schists -schizoaffective -schoolrecord -scintigraphy -scitulus -scoparius -scorpionweed -scotoma -screenbased -screenprinting -screwworm -scrubwren -scutellatus -seafarer -seakeeping -seashores -seaters -secondaryschool -secondstring -secondunit -segreto -seismometers -selfarchiving -selfassembled -selfconfessed -selfdiscipline -selfdual -selfexplanatory -selfsustained -sella -semaphores -semihistorical -semperi -sendoff -serena -serf -sesterces -setts -sevenman -sevenpoint -seventhmost -sh -shallowly -shalt -shalwar -sharecropper -sheading -sheepbreeders -shenanigans -shieldshaped -shingling -shiprigged -shipwright -shortestserving -shortrodshaped -shove -showboat -showmen -shunted -siddur -sienna -sigmoidal -signifera -signifiers -silences -silkscreened -similaris -singaporensis -singledigit -singlepiece -singleserving -singlevehicle -siphoned -siphoning -sisorid -sisterhood -sixtyminute -skateparks -skerries -sketchcomedy -skicross -skifield -skirmished -skool -skyrocket -skyway -slapper -sleeker -sleighs -slimming -slinky -slivers -slowdowns -slut -smallbodied -smallholdings -smaragdinus -smartglasses -smokestacks -snailkilling -snorting -snowfalls -soiltransmitted -solenoids -solifuges -solipsism -solus -somethings -sonographers -sororia -sorter -sounder -sourceThe -sparrowhawks -spearmen -specular -spellers -spermathecae -sperms -sphingomyelin -sphingosine -sphinxes -spiderwort -spikenard -splay -splendidus -spolia -spoliation -sporophylls -sporophytes -sportswomen -spotless -springparsley -sprocess -squarekilometer -squaring -squaw -squelch -standardbearers -standins -stanozolol -starrs -startstop -stashed -stateapproved -steamy -stella -stellarator -stenciling -sterications -sternites -sternwheelers -stickwork -stigmatizing -stipitata -stouter -stowage -straggling -straightforwardly -straitjacket -stratiform -stratovolcanoes -stratus -streetscapes -stressrelated -strictus -stringy -stripetail -stroller -structurebased -stupor -stylet -subindex -subking -sublet -sublieutenant -submittal -subsists -substring -subtaxa -subthalamic -sulla -sunroom -supercards -superclusters -superfight -supergiants -superinjunction -superlatives -superordinate -superstes -supplication -suprascapular -supremely -sural -sustainer -swage -swales -swashplate -swathe -sweepoared -sweetsmelling -switchboards -syllabuses -syllogistic -sympodial -synchronic -syncretised -synecdoche -syrupy -taillike -taipan -tamales -tamarins -tamperproof -tangerines -tansy -tapetum -taproots -targa -tarring -teachertraining -teahouse -teamsters -teatime -technicolor -telangiectasia -telcos -templeform -temporality -tempt -tenofovir -tentlike -teratogenic -tertius -testandset -testate -thalami -thalamocortical -theatergoers -theatricality -thenSecretary -thencontemporary -thenfuture -theodolite -thereunder -thermocouple -thgrade -thickeners -thicktailed -thievery -thirdfastest -thixotropic -thminute -tholos -thousandths -threadsnake -threeawn -threecent -threefinger -threepage -threescreen -threespot -throwin -thunbergii -tickers -tickle -timedivision -tlatoani -tomatobased -tonsure -topoisomerases -tormentors -tornal -torquetum -torrid -torturous -totalisator -tourniquet -trachoma -tradeable -tradenames -transcriptomic -transcutaneous -transduced -transpire -travancorica -trebuchet -trenching -tricarboxylic -triclads -trie -trifecta -trifoliata -trills -trimethoprim -trimmers -tripinnate -triquetra -triticale -troff -trompe -tropic -trounced -truncatum -trutta -tryst -tumbled -tumblers -tumbles -turbidites -turbodiesel -twelvehour -twentyfoot -twocent -twofamily -twoliter -typists -tyramine -ubiquitinconjugating -ufologist -ugandensis -ukiyoe -ulema -ultraOrthodox -ultralights -ultranationalist -ultrastructure -ultrazoom -unafraid -unbeatable -uncaring -uncluttered -unconformities -uncoupling -underbanked -underbone -underfoot -undigested -undulate -unearthly -unelectrified -unescorted -unfenced -unfurled -unhurt -uni -uniaxial -unicolorous -unlabeled -unlit -unmetered -unmyelinated -uno -unreformed -unsponsored -unsuitability -untamed -unyielding -upgradable -upped -uppercut -uppersides -ur -ursinus -userland -ut -vCard -valuepriced -vaporizes -vaporizing -variabile -vascularization -vee -veli -verandas -vetchling -viciously -victualler -vignetting -villainy -vining -violenta -virgatum -virginea -virginicus -viridissima -viruslike -viscose -vivisection -vocalized -vocalsguitars -vocoders -volleyballist -vols -volva -vor -vos -voterapproved -waiving -wakerobin -walkovers -wallboard -wallmounted -wampum -warder -wareni -warmseason -warred -warreni -wastewaters -watchmen -waterjet -watermen -waterrepellent -watsonii -wattage -wavelike -wavetable -weaponbased -weatherboards -weaved -wellbeaten -wellprepared -wellwooded -wheelhouse -wheelset -whitestart -wideeyed -widowbird -wigeons -wildrye -windlass -windsurfers -wingmounted -wingsuit -winkle -womanist -wondrous -woodbat -woodsman -wooing -workarounds -worldbuilding -wow -xenoliths -xinjiangensis -xs -xylene -yaxis -yearlings -yellowtipped -yoked -youtube -zIIP -abate -abbreviate -abc -abductors -abetted -abled -ablest -abodes -abortus -absentminded -acaulis -accidentprone -acclimate -acclimation -accreting -acetates -acetophenide -achalasia -acousmatic -acquiesced -acquittals -acrosomal -actionmasala -adamantine -adaptors -addenda -adherens -adit -adlib -aegyptiaca -aeneum -aether -afresh -afzelii -ageappropriate -ageless -ageng -agoraphobic -agricola -agroindustrial -airplayonly -airspaces -alAziz -alIslami -alNuman -albocincta -algeriensis -alii -allAfrican -allegorically -allocator -allogeneic -alloriginal -allyear -alni -alphasynuclein -alternifolia -aluminate -alvars -amanuensis -aminoacyl -ammon -amo -amoebiasis -amphoteric -amylose -anaesthesiology -anaglyph -analogical -analysers -anarchosyndicalist -andean -andicola -andrewesi -andunder -annealed -annulatum -anomalously -anomodont -antediluvian -anthocyanidin -anthropomorphised -antiCastro -antiRoman -antiWestern -antiallergic -antibioticresistant -anticlines -antifascism -antifraud -antigenspecific -antimetabolite -antiperspirant -antiphishing -antisocialist -antithrombotic -antithyroid -antiwhaling -anurans -anxiolytics -apartmentstyle -apertural -appendiculatus -applaud -appraise -appressed -aquila -aquilonia -arboreta -archon -arco -arcshaped -areca -arenosa -arewere -argenteum -aridity -armigera -arowana -arrowgrass -arrowroot -artesunate -artifice -artistproducer -arundinacea -aryepiglottic -asexuality -asneeded -astonishingly -astra -astroparticle -asymmetries -atlantooccipital -atomically -atomization -atypically -audax -audiotape -audiotapes -aulica -auricula -autocephaly -autophosphorylation -autoreactive -autoxidation -awarenessraising -awls -axil -axonemal -bZIP -baccharis -backfires -backtobasics -backwardcompatible -badmintons -baeri -baileys -balalaika -balansae -bambara -bandwidths -bangers -barbarae -barbican -barest -bargained -barkeri -barotrauma -barrestaurant -barroom -baseboard -baserich -bastards -batatas -bathyal -batterrunner -beargrass -beauxarts -beggarticks -behaviorbased -bellcote -beluga -benched -benefactions -bereft -bestreviewed -beststudied -betaamyloid -betacarotene -bezels -bicupola -billfish -bilobed -bioacoustics -biofilter -biomonitoring -bionics -biosystems -bioweapons -bipyramids -birdied -birdies -birdsnest -birdsong -birthname -bispecific -bisphosphonate -bitting -blackhead -blacknose -blackstriped -blackwhite -blairi -blanketing -blitzkrieg -blocklevel -bloodied -blowdown -bluecrowned -blueflowered -boardinghouse -boba -bocagei -bogeyman -bolas -boldest -boobies -booing -bookmarked -booties -boronia -botanique -bottae -bottomless -boxelder -boxtobox -brackishwater -brahmins -brandti -brant -braves -brazed -brazieri -breakins -breathalyzer -breathhold -bricabrac -bricklaying -bridegrooms -bridles -briefer -bristled -brittlegill -broach -broadtailed -bronchiectasis -browncapped -bruneri -brunneum -brutalized -bss -buccaneers -buchanani -bulbuls -bullish -buprenorphine -burdock -burgdorferi -burnishing -burro -businesspersons -buteo -butoh -butters -butterwort -cadetship -caeca -cafeteriastyle -cagelike -calcinosis -caldo -callaloo -calle -callout -candi -candidus -candybar -caniceps -cannabidiol -cantonments -cantorial -canzone -capitulate -capybara -carbocation -carbohydratebinding -carbonyls -cardiogenic -carhop -caribaea -carinatum -carloads -carnosa -caroli -carparks -carrageenan -carted -cartoony -caseworker -castellanus -castellum -castling -castmate -catsharks -caucasian -caveats -caymanensis -cellcycle -cellulosome -centriole -cepa -cerana -chaat -chairmanships -chakra -chakras -chanceries -chanteuse -chapelofease -chapini -charmer -charr -chastised -chatroom -chebula -chelae -chestnutbreasted -chews -chez -chicha -chiefship -chins -chitinase -chits -chlorofluorocarbons -chocolateflavored -chorales -chorizo -chough -chow -chrism -christophi -chthonic -churchmanship -cincture -cinque -citronella -civile -clammy -clamor -clandestina -clapboarded -clarinetists -clarus -classing -claustrum -clearness -cleptoparasitic -clerkship -clerkships -clueless -clung -clypeatus -cnidocytes -coChair -coarranged -coaxed -coccineus -cochairmen -cocounsel -codeword -coeruleus -coffered -cofinancing -cohousing -coinfection -coinventors -coldweather -collegebound -collegeeducated -colli -colonially -comarcas -comedienne -comedywestern -commandery -commissario -commotes -communique -complicata -composted -comprehends -comstocki -concedes -conceptualist -concord -condyloid -confidentially -conformist -confounds -conjugacyclosed -conjugating -conjunctive -conjuring -consultum -consumerdriven -contentions -contextaware -contiguously -conversant -convoluta -cooter -copei -coprolites -copyprotected -corallina -corallites -cordate -cordatus -cored -coregency -coring -corkscrews -cornflower -coronaria -coronatum -corporateowned -corticola -coruns -coscripted -costae -counterclaims -counterdrug -counterproliferation -cowbird -cowon -coxalis -crampons -crassidens -creamyyellow -creatinine -creolization -cribbing -cribellum -cricoarytenoid -crisscrossed -crocodilelike -croesus -crooning -croplands -crossbones -crosscoupling -cru -crucifer -crumbles -cryptocrystalline -cryptoprocessor -crystallites -culm -cumingi -cupping -curdled -curvipes -curvy -cusickii -cutlass -cuvieri -cyanogenic -cyanohydrin -cyanuric -cybersquatting -cyclophilin -cylindrata -cytochalasin -cytological -dArco -dAulnoy -dOrange -daerah -dahlia -damask -dampwood -damselfishes -dancerchoreographer -dar -darkgreen -darkwinged -dasa -databasedriven -dayboarding -daybreak -daytrippers -deWilde -deadball -deafmute -debauched -decanoate -decemviri -decimalisation -decorus -decouples -deductibles -deemphasizing -defibrillators -deflationary -deflectors -deiodinase -delist -demarcates -democratizing -denature -deniability -denotified -deodar -deoxy -deoxyribose -deporting -deprecation -derogatorily -deserta -designee -deuterated -dextrin -diGMP -diastema -diceless -dichotomies -dichrous -diethylene -differentiator -digitalized -dilecta -diluent -diopside -dioxinlike -diphenyl -dir -disciplinarian -discoideus -discriminant -disfranchisement -disinterest -disomy -disparagement -disproving -disrespected -dissectum -distractors -distros -disulfidelinked -dithering -diuresis -diversus -divinorum -divisors -divulged -djinn -dockworkers -doctoring -dodger -dodsonii -dogwoods -dolorosa -domingensis -dominica -donee -donoradvised -doodles -dopants -dorothea -dorsoventral -doublebyte -doublehulled -doublemini -downandout -downonhisluck -downplays -dowsing -dram -dramaadventure -drawstring -drippings -drivable -driveshafts -drivetrains -droids -dromaeosaurids -dross -drucei -drumlins -drunks -drypoint -dualSIM -dualhatted -dualregistered -dualtrack -dubber -dubiosa -ducarmei -duetting -dugong -dumper -dumpers -duoprism -dupe -duplicatus -durational -durophagous -dussumieri -dusters -dv -dyari -dynamos -earmarks -earpiece -easeofuse -easytoread -eatoniellids -eau -ecclesia -ecclesiae -echos -ecolabel -econophysics -ecotypes -ectothermic -edentulous -edibles -efficientmarket -eggbased -eicosanoid -eighthgeneration -eighthhighest -eightthousanders -ejaculatory -elSisi -eland -elatum -electorally -electra -electrochemically -electromagnetically -electronicbased -electrospinning -elevenminute -elopes -eloping -emanations -embodiments -embryophytes -emesis -emiliae -empyema -emus -encapsidation -endblown -endoparasitic -endoribonuclease -endorphins -enigmatica -enmeshed -enoploteuthid -ensnared -enstatite -entablatures -entactogen -enthalpy -entheogenic -enthralled -enumerators -envenomation -envious -enzymelinked -epee -ephrin -epipelagic -equalsized -equational -equatorialis -equi -equilibration -erred -ersguterjunge -erythrocephalus -esculentum -esculentus -esotropia -essayists -estrous -ethnobotanical -eubacteria -euphorbiae -euthanised -eutherians -evaporators -everpopular -everted -evildoers -evisceration -exCIA -exarmy -excitons -excitotoxicity -exedra -exegete -exoffenders -experimentalist -extendedstay -externalizing -extolled -extraembryonic -extraversion -extremal -extrusions -eyelets -faciundis -factchecking -fady -faipule -falsifiable -familiarization -familyoperated -fannish -fanrun -farina -farsighted -fasciculatum -fastacting -fastenings -fattest -federalization -feedlots -femaleoriented -femaletomale -feminisms -fendleri -ferredoxin -ferrooxidans -fetes -feu -fictionthemed -ficus -fieldbus -fifthplaced -fiftyminute -figureofeight -filiforme -filosa -finery -finless -finweight -fireclay -firefights -fireteam -firstdivision -firstlanguage -firststage -fishmonger -fittest -fiveacre -fivesecond -fivesided -fixedsize -flaccida -flashcut -flashsideways -flatscreen -flavirostris -flavivirus -flexes -fluorination -fluorocarbon -fluoropolymers -flutterer -flyable -flytrap -fob -fogou -foley -foliacea -foodplant -foraminiferal -forcipata -forded -forebody -foreclose -foreshadow -forfeitures -forktailed -forlorn -foyers -franciscanus -frankness -frantically -frat -fraternization -freeborn -freedesktoporg -freedomfighter -freephone -freepiston -freerange -frequencydependent -frequentflyer -frondosa -fronttoback -frugality -fruited -fryer -fulldome -fullyear -fulminans -fumigant -funereus -funfairs -funkrock -funneleared -fuoco -furfural -furrowed -fuscomaculata -fuss -futurology -gabapentin -gaffrigged -gambled -gambusia -gamekeepers -gameshows -gametocytes -gapping -garagerock -garfish -garish -gasping -gastrocnemius -gastrovascular -gateposts -gayoriented -ge -gegen -gelded -gemma -gemmology -gendarmes -gennaker -geodesist -geopark -geoscientific -gertschi -gi -gibber -gibbicollis -gilts -ginkgo -girlhood -glabratus -glimpsed -gliomas -glucanohydrolase -glucosinolates -glucuronic -glycerides -glycoconjugates -glyoxylate -gnateater -goalsetting -goanna -goatee -godeffroyi -goo -gorgon -gorgonian -gorgonians -gossiping -gouldii -governmentrelated -gradualism -grail -granatensis -granduncle -granny -granulosum -grappler -grasscovered -grassleaved -grater -gravimetric -graving -graycapped -greased -grieves -gristmills -groovebased -grotei -grottoes -groundlaunched -gt -guacamole -guardrail -gubernaculum -guile -guitarshaped -gulai -gunrunning -guqin -gurdwaras -gusset -gyrocompass -hailstorm -hairiness -halacha -halfstory -halophiles -han -handcrafts -handdug -handicapper -handshapes -handspring -haram -harddrive -hardtoreach -harmonizes -harpists -hassles -hatchetfish -hawkish -headcoach -hearses -heatingcooling -heavyset -heckling -hectocotylus -hectolitres -heelsplitter -hegemon -heiresses -helicis -helvetica -hemiacetal -hemionus -hemipterans -herbology -heroically -hesperid -heterocysts -heterojunction -heterostracans -hexavalent -hexokinase -hibernates -higherpriced -highestdebuting -highestquality -highestrating -highheeled -highlift -highwire -hijra -himalayana -hindrances -hiphops -hispidum -hodgepodge -holidaying -holistically -holsters -homebuyers -homestay -homiletics -homological -homonyms -honeycombs -honourees -hoolock -hornless -horseless -horticulturists -hotshot -hounded -housefly -householder -howl -hubbardi -humaninterest -humeri -humi -hummocks -hummocky -hunterkiller -hurl -hushed -hustling -hyalinus -hydrofluoric -hydrogens -hydrolysable -hydronic -hydroxycoumarin -hydroxylated -hymenoides -hymnody -hypercalcemia -hypercorrection -hyperventilation -hypocaust -hypovolemia -iBiquity -iFM -iVillage -ibid -icefield -icefish -ichnospecies -iheringi -ilex -ilk -illconceived -imbalanced -imines -immunohistochemical -impactor -impartially -impatience -impatient -impedances -impolite -improbably -impulsiveness -inapplicable -incarnate -incomers -inconceivable -inconcert -inconclusively -indefatigable -independentlyowned -indiscipline -indolebased -inducements -industrialelectronic -indwelling -inescapable -inexorably -infidelities -informationbased -ingot -inheritances -innocents -inops -inouei -instep -insulana -insurrectionary -integrable -integrally -intensifiers -intensional -intensivecare -intercollege -interferometers -interiomarginal -interleukins -intermediation -intermixing -interpeduncular -interzone -intraplate -introversion -intuitionism -invalids -inversa -invertible -invicta -involution -ironore -isabella -ischial -isomorphous -isoquant -itemizes -ivorybilled -jacaranda -jackpots -jackrabbits -jamborees -janus -javascript -jean -jelskii -jetblack -jibs -johnstonii -joiners -judgemade -jumpstart -kN -kabuki -kaftan -kaki -kalari -kalimba -kelvin -kempyang -kermadecensis -kerogen -ketene -ketoacidosis -keyboardistguitarist -keystream -khanqah -khat -kho -kinaseassociated -kindling -kip -kiwifruit -kneels -knickers -knobbed -knowitall -kokanee -kraal -krupuk -kt -kurgan -kw -lOrdre -laboratorys -lacerations -laidoff -lambing -lamprophiid -lanceleaf -lancifolia -landliving -laneways -languageindependent -largecaliber -largescreen -lariat -lashing -laterialba -lather -laths -latior -laurae -lawnmowers -laxity -leaden -leadfree -leat -lectotype -legatine -legitimization -legitimizing -leiomyoma -leleupi -lengthens -lengthier -lentus -leotard -leotards -lepidopterist -lessingia -letzte -lib -liberalizing -librations -libri -licensors -lifealtering -lifesaver -lighterweight -liiga -liken -limbal -linesmen -liniment -lipopeptide -liposome -lipsync -lisp -lithographed -lithologies -lithos -litura -liveperformance -livework -lncRNAs -loams -localizer -locallevel -longhandled -longicaudata -longipalpis -lontong -loti -lowrent -luciferin -lucus -lunchtimes -lunula -lusca -lutzi -lycanthropy -lycopersicum -lysyl -maars -mackerels -madre -mags -maguirei -mailin -maire -majalis -malacological -mammaliaform -manakins -mancipi -mandapa -maned -mangabeys -mangosteen -mani -manna -manycore -maquis -marchese -marinades -marketshare -massaging -massproducing -masterfully -mastership -mastic -masturbating -matchpoint -matteroffact -maturities -mbuna -mealworms -mediumship -meetingplace -megachurches -megacity -megakaryocyte -megaloblastic -megaproject -melanite -melilot -melodically -melzeri -memberdriven -membranophones -menhaden -menisci -mensural -mesodermal -mesoglea -mesonephros -mesoporous -metabolomic -metallescens -metalpower -metaobject -metatherian -methylcytosine -metonymically -microbicide -microclimates -microfibrils -microfilariae -microgranular -microphyllum -micros -microsystems -midcap -middleage -midnorthern -midtier -miei -mightiest -mike -mildest -miliolid -milked -millpond -millworkers -mimus -minicamp -minitournament -minty -minutiae -mis -misella -miseries -mishmash -mismanaged -misnamed -misogynist -misprint -moans -modicum -mohan -monazite -moneymaking -monooxygenases -monopropellant -monopulse -moonwalk -mor -mora -morgen -morphinan -mosh -mosquitoborne -mostread -mostrecent -motherly -mothertochild -motionbased -motioncapture -motivators -motorcross -mountainbiking -mowed -mucronatus -mudflows -muesli -mugged -mugging -mullion -multicurrency -multigrain -multihulls -multilink -multimeters -multiphysics -multipleoutput -multiproduct -multisector -multispan -muris -murti -muscorum -muskox -mv -mycelial -mycotic -myelopathy -myofascial -myostatin -mystax -mythologist -myxedema -nOg -nacional -nada -nakedness -nanometerscale -nanometres -nanotechnologies -nanum -nasalis -natricine -naturae -naturallyoccurring -neatness -neckwear -nectarines -nectary -needlessly -negroes -nematocysts -neoclassic -neocolonialism -neosuchian -networkcentric -neumanni -neuroactive -neurochemical -neurosteroid -neverbeforereleased -newberryi -newline -nightshades -nightspot -ninetrack -ninthhighest -ninthmost -nip -nirvana -nitrated -nitrites -nivosa -nogo -nonApple -nonDisney -nonEuclidean -nonGMO -nonNewtonian -nonUK -nonaggressive -nonanimal -nonconfidence -nondefense -nonexpert -nongraduates -nonhistoric -noninstitutional -nonintervention -noninterventionist -nonmalignant -nonmusic -nonpassenger -nonperturbative -nonphysician -nonprofitable -nonpsychoactive -nonrecurring -nonregular -nonrepresentational -nonrotating -nonscience -nonsensemediated -nonspeech -nonterminal -nonthermal -nontowered -nonuniformed -nonunionized -nonwinning -noresult -northerners -northflowing -nothingness -novelistic -nucleoli -nucleon -nuit -nuragic -nymphal -oberthuri -obligates -obscuripennis -observability -observergunner -obstetriciangynecologist -obtrusive -obviate -occultations -oceanarium -octopods -odometer -odoratum -offreserve -offthefield -offtopic -offtrack -ohms -oilcontaminated -okapi -oldworld -oligodendrocyte -olivieri -olympiad -onechild -oneforone -onestep -oneyearold -ontogenetic -oozes -oozing -opalina -opendoor -opentopped -openweight -operability -operationalized -opisthosoma -opsin -orache -orang -organophosphates -organotin -ornithuromorph -oro -orthocerid -oscillated -ospreys -osteology -osteopath -ostracon -otherness -outpacing -overallrankings -overbroad -overestimation -overreaction -overruling -overstayed -overunder -overwhelms -overworld -ovipositors -ovulatory -owstoni -oxidiser -oxychloride -oxyconic -oxyrhynchus -pachycephalosaur -pacificum -paged -pagus -palaearctic -palindromes -pallidipennis -pamoate -panela -pang -paniculatum -pantheistic -papilio -papyrifera -paracyclist -paradoxum -paraprofessionals -parasitises -pareiasaurs -parley -parotta -pascoei -passengermiles -pastas -pastellist -pastrami -pasturage -patellofemoral -patriciate -patronize -patti -paysites -peacefulness -pearlwort -pedantic -pedicure -peltate -penandpaper -pencak -pendens -penetrans -penghulu -penitence -penknife -penstemons -pentalogy -pentameric -pentandra -pepperoni -peppy -perf -perfoliata -perinuclear -periodontist -periodontium -perithecia -permittivity -persimmons -perstans -persuasions -peruanus -perunit -petrologist -phagocyte -phalangeal -pharmacognosy -pharmacologists -philandering -philologists -phlorotannin -phosphotransferase -photobooks -photomasks -photometer -photomontage -phyllostegia -phylogenic -phytochemistry -picipes -pickpockets -picric -pictipes -pietistic -pikes -pilosum -pimples -pinnules -pinworm -pitvipers -placemaking -placers -planche -platani -platethigh -platformadventure -playas -playerdriven -pledgers -plena -plicatus -pluripotency -pointbased -polaritons -policedrama -pollute -polyphase -polyphemus -polyphenolic -polysilicon -polytetrafluoroethylene -ponyfish -popsicle -populares -portalHenry -portlets -postRevolutionary -postminimalist -postpolio -postprandial -postshow -potyvirus -powerhungry -pracharak -pragmatically -pram -prams -prasinus -preIndependence -preNorman -preachings -preconstructed -prefigured -preheat -prehispanic -premenopausal -premiershipdeciding -preprep -presaging -previouslyreleased -pricefixing -printouts -privata -privateuse -proboscidean -proboscideans -professionalgrade -progeria -prolata -promulgates -pronouncer -proofofwork -propolis -propriospinal -prosencephalon -prostration -protean -prounion -provicechancellor -provident -prurigo -psychophysiological -publicinterest -publishereditor -publishsubscribe -pullback -pumilum -pumper -puncta -puppeteering -pur -purgative -purifier -purplishblack -purposive -pusio -pyralid -pyriforme -qua -quadrinotata -quadripunctatus -quam -quasimilitary -quasiperiodic -quicksand -radiopaque -radioplay -radome -rajahs -ranchstyle -rappersinger -rasterization -ratifies -rationibus -rauisuchian -rawness -raze -reacquire -reactance -realitycompetition -reallocate -rearfacing -rearview -reassign -reassortment -reassumed -rebbes -recalcitrant -recapitulates -recedes -receiverdefensive -reciprocate -reckon -recoded -recognizance -recolored -recommission -rectally -rectangulus -rectouterine -rectrices -recyclers -redcarpet -redeal -redoing -redshank -reenlist -referents -reflexively -reflexivity -refract -refugium -regressed -rehearing -reheated -rehouse -rehoused -reification -reignite -relabeled -relinquishment -relives -remanence -renegades -repairer -repatriating -reportable -reputational -requester -requestor -reranked -reread -resentencing -reshuffles -resinosa -resistanceassociated -resoundingly -restocking -resuscitate -retarding -retested -retinoids -retrain -retroreflective -reunify -reverseengineering -rewiring -rhetoricians -rhizosphaerae -rhombifolia -ricebased -rickety -ridgelines -righttowork -ritonavir -roadracing -roadrunner -roared -rockslides -rocksynthpop -romanisation -rookeries -rootless -rosadoi -rosenbergi -rossa -rotogravure -roundels -roundly -roundnecked -roundtrips -roused -routings -rowboat -rowboats -rubblestone -rubicundus -rucksack -rufescent -rufitarsis -rufousbreasted -rufouscrowned -rufousnaped -rufousthroated -rutila -sagar -saka -salinus -sallfly -salva -sanguine -sanitize -sanitizing -saprotrophs -sarawakensis -sarda -sardars -sarong -satellitedelivered -satiation -saucepan -savignyi -scallions -scantilyclad -scapulars -schnapps -sconces -scopulorum -screwdriven -scrubfowl -scullery -sd -sealift -seaming -seawalls -seconddivision -secondgrowth -secondleading -sedativehypnotic -seebohmi -seers -selfadvocacy -selfassemble -selfdeception -selfexecuting -selffertile -selflearning -selfmonitoring -selfperpetuating -selfrun -semicha -semicustom -semioctagonal -semisoft -semitone -semitones -sequitur -serendipity -serpulid -servlets -sesquiterpenes -setaside -settlors -sevenbay -seventeenyear -seventyeighth -seventysecond -severally -sexspecific -seychellensis -shamisen -shapers -shareable -shelfstable -sherbet -shim -shiur -shockingly -shoeing -shoplifter -shuttering -sickles -sideshows -sideview -sig -signora -sika -simmer -simony -singersongwritermultiinstrumentalist -singlecarriageway -singlechannel -singlecore -singlemasted -singlestagetoorbit -sinkings -sip -sirventes -sisterships -siteswap -siva -sixbook -sixpoint -sixthgrade -sixtyninth -sixtyseventh -skylines -slaked -sleaze -sleightofhand -slicker -slop -sluggers -slurred -smallcap -smoothscaled -snags -snailfish -snailfishes -snipes -snob -socialemotional -sodalite -soldierfish -soldiering -solidi -solstitialis -solvation -somatoform -sonority -sonsinlaw -sorption -soulmate -soundbites -spanner -sparkle -sparser -spatulata -speciesism -speedways -spelaea -spelaeus -speleothem -spermatids -spermatophore -spermidine -spicebush -spiralshaped -splat -splendidly -spoked -spooling -spoonerism -sprayers -spraypainted -springbeauty -springflies -squeegee -src -stagflation -stannary -stardust -startlingly -statelessness -statics -steakhouses -steatosis -steelblue -stepfamily -stereospondyl -stevedore -stevedores -stevia -stickiness -stictica -stimulators -stipendiary -stipularis -stnd -stoats -stonethrowing -storerooms -strafed -streaky -streptomycete -stricture -striolatus -strop -structurefunction -stylesheet -stylosa -subcamp -subcastes -subdirectory -subdwarf -subheadings -sublaevis -sublanguage -subsector -subsidiarys -subsidizes -subspeciality -subsuming -subtask -subtehsil -subtler -subtopic -subtributary -suburbanized -subzones -sucralose -sulfation -sundews -superbum -superciliosus -superheaters -superheterodyne -superimposition -supermodels -superphylum -supersaturated -supershow -supra -sus -swatting -sweatshops -sweetest -sweetgrass -swerve -swingometer -swordlike -swordsmen -syllabics -sylvanus -synchromesh -synchronism -synchronizer -syncline -syncs -syndicators -syntagmatic -systemd -taconite -tacrolimus -tafsir -tailbone -tailending -talkers -taming -tapa -tarns -tarp -tarpaulin -tat -tatei -taxfunded -taxol -teals -tearooms -technologys -teepee -teff -teleconference -televangelists -tellall -tennesseensis -tenpiece -tenrecs -tenvolume -terabyte -tercentenary -terrarium -terre -tertia -tesserae -tessitura -testaceous -testretest -tetani -tethers -tetragona -tetrodotoxin -thailandica -theae -theaterintheround -thenChief -thenPremier -thenVice -thenchampion -thendominant -thenfledgling -thenmanager -thenowners -theosophist -thereabouts -thermomechanical -thermowell -thgeneration -thine -thiopental -thirdbiggest -thirdrail -thistletail -thoroughness -thrashers -threedaylong -threedomain -threeheaded -threemeter -threepointers -threewheel -thrombolytic -throughcomposed -tidytips -tiedown -timecritical -timeresolved -titulus -toadheaded -tobogganing -tobyMac -togetherness -toiled -toiling -tonguesole -tonkinea -tonsillitis -toothcarp -toothpicks -tortfeasor -tortilis -tortuosa -totemic -toto -toucanet -touchline -towerhouse -traditionalstyle -trama -tramcar -tranches -translucency -transsexuality -transurethral -trapezius -travesty -treading -trekked -tremble -tremuloides -trenchant -trialist -tribally -tribunate -tricarinata -trifluoromethyl -trimers -trimulcast -tripleA -trogons -tropism -tropomyosin -troubleshooter -truncatula -tuftedtailed -turmoils -turnbyturn -turnings -tweeter -twicedaily -twoandahalfyear -twobanded -twohander -twohundred -twoline -twolobed -twostriped -twowire -typologies -uhleri -ultima -ultradistance -ultramarathoner -ultraprominent -umbilici -unadjusted -unattributed -unbranching -unbundling -uncommercial -uncommitted -uncontaminated -unconverted -undatus -underdiagnosed -underestimation -underfloorengined -underinsured -underwings -undressing -unforeseeable -unhygienic -universityowned -unknowing -unmarketable -unmastered -unmentioned -unpacking -unperformed -unpigmented -unpressurized -unrealised -unrehearsed -unschooling -unscored -unsolvable -untethered -upcountry -uplisted -upperincome -upstanding -urbanites -urbansuburban -urease -urens -ureteric -url -urticae -usenet -userdriven -usurpers -utters -vaccae -vaginitis -valerate -valvata -vancomycinresistant -vandal -varicornis -vectorborne -vedotin -veiny -velomobile -veneered -ventricosus -verapamil -vesicant -vetiver -vici -vicinal -vicinus -victimless -vies -vigas -vinblastine -vindication -vingtaines -virga -virginiensis -virtuosos -vis -visualizer -vitrified -vloggers -vocalistlyricist -voce -volutions -voxelbased -vtm -wad -wagered -waistcoats -wallpaintings -warbird -warbirds -warble -wardrobes -warfighter -wastegate -waterfronts -waterweed -wavyedged -weavings -weberbaueri -weblike -wellcovered -welllit -wellplaced -wellrepresented -westernthemed -westflowing -wheelchairusing -whippet -whitedominated -whitenaped -wickhami -wides -wiggle -wilfully -williams -willistoni -winghalf -winkleri -winks -wolffish -wolfs -woodnymph -woolens -wordprocessing -workability -worldchampion -wracked -wrapup -wrathful -wreaked -wrecker -wrighti -writeoff -writerdirectorproducer -wt -xiphosuran -xxmember -xylanolytic -yangi -yearending -yellowhammer -yeomen -yogis -zVM -zeolite -zygotes -abdita -abditus -abducts -abet -abietis -ablated -abraded -abridgements -abscission -absinthium -abugida -abugidas -acanthodians -acellular -acetals -acnes -acquisitive -acral -acromegaly -acroporid -acta -actio -adamantly -adamsi -addictiveness -adipic -adnexa -adsorbents -advection -advertisingfree -aestiva -aforethought -afromontane -afterdeck -afterload -agonism -agonistantagonist -agoseris -agroecosystem -agroecosystems -airbrakes -airbrushing -aiyl -alAhmar -alArabi -alHashimi -alMutawakkil -alZubayr -alas -alboguttatus -albomarmorata -albrechti -alexia -alighted -alkylated -allay -allcomposite -allimportant -allmusic -allornothing -allwheeldrive -allwomens -allwood -aloes -alps -alwayson -amentum -amethystina -amica -amidohydrolase -aminosteroid -aminoterminal -ammunitions -amnestic -amnicola -amphisbaenian -amplexus -amputate -amseli -amt -anagenesis -anaplasmosis -ancora -angelshark -anglerfishes -anglewings -angulicollis -angustifolius -aniconic -animalderived -animationrelated -animestyle -ankylosaurian -anni -annotates -anonymization -antagonizes -anthesis -anthologys -antiCD -antiLabor -antiSikh -antiausterity -anticapitalism -anticyclonic -antidotes -antidumping -antimateriel -antiobesity -antioquiensis -antipoaching -antipodum -antiprostitution -antipsychiatry -antizyme -antv -anxiously -aphelion -apolipoproteins -appeasing -appendicular -appreciations -aptamer -apterous -aquatilis -aquifolium -arachidis -archaeogenetics -architraves -archiveorg -archosauriforms -areabased -areolatus -aril -arisan -arista -armrests -arraignment -arresters -arteriosclerosis -articulators -artpop -artstyle -asanas -asbestosrelated -ascus -asocial -assaying -assumpsit -asthenosphere -astrobiologist -astronomically -astroturfing -atabeg -atavus -attenuators -attila -attractors -audiological -audiologists -auditable -augurs -aurantiacum -aureum -auripes -autogas -autoloader -automobilia -autoreceptors -autostereoscopic -avex -avialans -awned -axion -azhwars -azoospermia -azurite -bachelorette -backfilled -backless -backstop -bacteriochlorophyll -bagger -bailee -bakso -balfourii -baling -balloonist -bankrolled -barbadensis -barbarous -barbeque -bareeyed -barometers -bartschi -basilicum -basmati -bast -beachgoers -beachwear -bearskin -beata -behaviorally -belaying -bellula -belowgrade -beltfed -benandanti -bender -benthamii -benzamide -berms -bernardi -bestial -betaB -betaglucosidase -betapropeller -bettong -bevels -bhaji -biblically -bibliometrics -bicommunal -bicyclefriendly -biennale -bifidus -bigcity -bihar -bijective -billbug -bioaccumulation -bioculata -biogeochemist -biomineralization -bionanotechnology -bioturbation -bipedalism -birdwatcher -birthweight -bistort -blackbrowed -blackburni -blackcaps -blackchested -bladelike -blading -blanca -blaring -blastema -blockchainbased -blockship -bloodstain -blowbackoperated -blowhole -bluishwhite -boatshaped -bobble -bock -bocourti -bodyboard -bohemians -bola -boliyan -bombardiers -booklouse -bookpublishing -borane -boranes -borg -borides -bowfin -boyar -brachypterus -brachyura -brainspecific -brainstorm -breadmaking -bristlecone -broadshouldered -broadwinged -broilers -bromelain -brotherinlaws -brownishorange -budgerigars -buffthroated -bugeyed -bupropion -burbot -burette -burlesques -buttercream -buxom -buzzwords -cDc -cabooses -cachexia -cadenzas -caduceus -caelatus -caesarian -cajan -calcifications -calida -calmodulinbinding -camelids -canastero -candlelit -canina -canvassers -capitatum -caprock -capucinus -carbolic -cardioversion -cardrooms -carhouse -carnelian -carnosus -carota -carotene -carpetlike -carpometacarpal -carrack -carriergrade -cartoonstyle -casebased -cassiterite -castmates -casus -catabolite -catalepsy -catapulting -catechesis -catenata -cauliflora -cauline -causewayed -cavea -celandine -celata -celer -cellulases -centrale -centromeric -cephalometric -cerebri -ceruminous -cerussite -cervicalis -chaebol -chairmans -chandlers -characterisations -chargesheet -charioteer -chasuble -chatbots -chauffeurs -chaus -chav -cheapness -cheaters -chelator -chemoinformatics -chemoprevention -chiasm -chinch -chinchillas -chiptunes -chiricahuae -chitosan -chlorophenol -chocolatebrown -cholecystectomy -chome -choreographies -christyi -chromatophores -chromogenic -chronostratigraphic -chronostratigraphy -chucks -churns -ciliatum -cinclodes -cinnabarina -cinnamic -citalopram -citrinin -cladistically -classe -clathratus -cleome -clientelism -clinopyroxene -cloakroom -closerange -closers -clubman -cluboriented -cmyc -coaccused -coanchoring -coatis -cocaptains -coccidiosis -cockatiels -cocommissioned -codebooks -codesign -codiscovery -codrove -coelurosaurian -coexpressed -coffeae -cofrontman -cogenerates -coldhardy -coleads -colensoi -collegia -colorcoding -colorimetric -columbarium -columnoriented -comedones -comedyaction -comedyfantasy -comity -commendatory -commercialresidential -commissaries -comorensis -comosus -compensations -componentry -compulsively -conceives -conceptbased -concessional -concoctions -condescending -condolence -condominia -condone -condylar -confectioneries -confessors -confided -config -confiscations -confluences -congdonii -congenitally -conifera -conned -consequentially -consonantal -consumerbased -contactors -contaminates -contemptible -contextualism -contextualize -contextualizing -contortrix -contraindication -convolutional -convolutions -coofficial -cookei -copal -copastor -copperhead -copublishing -cora -coreceptors -coriaceum -corniculatus -corrie -corruptions -corticobulbar -corticotropin -corticotropinreleasing -coscored -cosmopolitanism -costate -costimacula -cottonwoods -coua -couched -coumarins -councilmen -counterclaim -countercult -counterfeited -counterfeits -countershading -countyequivalents -courageously -coveralls -coverart -covermount -coxswains -crepitans -crescentic -cretica -crimeaction -crispata -crispum -croon -crossbars -crossbrowser -crossconnect -crossexamine -crossfunctional -crosshatching -crossreactivity -crownofthorns -cruciferous -crucis -crural -cryotherapy -cryptologic -cryptozoological -cubicle -cubist -culls -curettage -curtainraiser -curvata -cuskeel -custodianship -cutgrass -cyanidin -cyanotic -cybersex -cyclitol -cyclol -cyclopentane -cylindershaped -cyproterone -cyrtocones -cytoprotective -dAzione -dBASE -dElsa -dHarcourt -dItalie -daenggi -dala -dalla -damsels -dangerousness -darkveined -darwiniensis -daytimer -dblock -deLillos -deaconess -decamped -decibel -deckhouse -declarers -declensions -decoherence -decussate -deducing -dee -deemphasize -deepfrying -deflagration -deitys -delator -deliberating -delimiter -dellAquila -dellintervallo -deltoides -deltopectoral -demountable -dene -denervation -denialist -denitrifying -denominate -densiflorum -dentipes -denuded -deorbit -depositor -deprecating -depthfirst -dermatome -desensitized -desertdandelion -destructiveness -devas -devours -deworming -dextran -dhow -diable -diabolica -diaconal -dialectics -dialin -diaphysis -dichroa -diehli -dieoff -diffusers -digitizes -dilatatus -dinein -dioxygen -diphtheriae -directtofan -dirge -disaccharides -discophora -discopop -discretely -disembarkation -disincentive -disobey -dispersa -disruptor -dissections -dissorophoid -distaff -distinctives -disulfides -div -divinatory -divisus -documentaryreality -doer -doldrums -dollhouses -dolosa -domiciliary -dominicanus -dorsiflexion -dosed -dpkg -dragger -drinkable -drinkdriving -drooling -droving -drumset -dryad -dryandra -drywood -dubiously -duckling -dukedoms -duplicator -dvinosaurian -dynamicist -dysplasias -dysprosium -dystrophies -eastsoutheastern -ebXML -ebenus -eberti -eccentrically -echinococcosis -ecolabels -economywide -ecophysiology -ecosocialist -educationalists -ee -eerily -effused -effusions -egovernance -eightbar -eightfoot -eighthgrade -eightsong -ejects -ejournals -elastically -elastics -electronicarock -electronwithdrawing -electrooptic -elegantulus -elementarymiddle -elitelevel -ellagitannins -emarginate -embargoed -emeryi -emigrates -emulsification -enablers -enamine -encrustations -encumbrances -ender -endo -endocrinologists -endophthalmitis -endorsers -enlargers -enormity -enshrine -entranced -entrench -ephemerides -ephippium -epiblast -epicenters -equivalences -erases -erica -eruv -erythrothorax -ethnogenesis -ethnohistory -euptera -ev -eva -eventrelated -everevolving -exCEO -exchairman -excons -exemployees -exfootballer -exguitarist -exhorting -exigent -exiguum -exopolysaccharide -exotoxins -expectorant -explayers -extendedrange -extrabase -extroverted -eyepieces -eyestripe -fabula -facetious -facetiously -faceup -factorbinding -factorybacked -faecium -fairtrade -falconeri -fandoms -fansites -fantasyaction -farefree -farfetched -farinfrared -farmworker -fasciculatus -fasttalking -fava -fecaloral -feebleminded -feign -felid -felting -femtocell -fermentable -fermionic -fernandezi -festooned -fewflowered -fibrosa -fidelis -fifers -fiftholdest -fifthround -filbert -filibustering -filum -finfish -fipple -fireresistance -firethorn -firmament -firstpass -firstpreference -firstprinciples -firth -fistball -fistfight -fitzgeraldii -fivestage -fixedlength -fixedrate -flabellata -flailing -flamboyance -flankers -flasher -flatly -flavolineatus -flavosignata -flayed -flexuous -florensis -floridanum -flowerbeds -fluorspar -flutamide -flyingfish -fody -fogs -folium -folkinspired -folksonomy -footbag -footballsoccer -footballthemed -footstool -forager -foraminiferans -forayed -forego -foremen -forenames -forestation -forhire -fori -formosensis -fortuneteller -forwardline -fourangled -fourcounty -fourinarow -foveolata -foxy -franchiser -fratelli -fraying -freakbeat -freerider -fro -froggatti -frostfree -frosti -fruitpiercing -fuelwood -fufu -fullbacklinebacker -fullface -fullon -fullthickness -fulminant -fulvicollis -fumipennis -furans -gadwall -gagging -galapagensis -galaxiid -gallantly -galleried -galvanometer -gameday -gammaaminobutyric -garciai -garleppi -gasdischarge -gastald -gastroenterologists -gasturbine -gat -gaudichaudii -geisha -gemologist -genderfluid -genderrelated -generales -geneticallyengineered -gentrifying -genuineness -geocaching -geocast -geoglyph -geomatics -geophytes -georgei -geoscientists -geosocial -gestalt -gestroi -gether -ghosting -gigantocellular -gimbal -givers -glasswort -glidepath -gloved -glucosides -glycobiology -gnatcatcher -goa -goaloriented -goddesss -godmani -goldenmantled -goodlooking -goodquality -gopuram -gotta -governmentsanctioned -governmentsupported -graciously -gradesharing -granddaddy -granges -grantfunded -granum -graphbased -graphicsbased -grappa -grapples -gratuities -gravure -graywhite -grazer -greasewood -greatgrandfathers -greenbanded -greenlighted -greenscreen -gregorii -greyscale -griffon -grippers -griseata -grommet -groomers -grossepunctata -groundings -groundup -groupbased -groupies -grunting -guajava -guarana -guestrooms -guitarheavy -guitarled -guitarsvocals -gulp -gunplay -gunsmiths -gurnard -guttulatus -habituated -haematobium -haematoxylin -hailstorms -hairdo -hairstreaks -hairyfooted -hairytailed -halfcourt -halfling -halfsisters -hamate -handbell -handbills -handcraft -handcut -handguard -haptics -harbourfront -harkens -harpoons -hatOLOGY -hatchets -hatter -headboard -healthpromoting -heathy -heatstable -heattreated -hecklers -heeded -heeled -hepatomegaly -heptagonal -heringi -hermeneutical -herpesviruses -hesperiid -hessian -heterodyne -heteronormative -heterosis -heterothallic -heterotypic -heterozygosity -heures -hexameric -hh -hians -higherperformance -higherprofile -higherseeded -highestresolution -highfin -highprotein -highschools -hijinks -himalayensis -hiragana -hirasei -hirtella -historia -historiated -historicalcritical -historymaking -hitmakers -hitmaking -holdovers -holdup -holospira -homecourt -homemaking -homepages -homer -hominem -homme -homogeneously -hondurensis -hoppy -horsfieldii -horst -horticulturalists -hostesses -hotkeys -houraday -houseboats -housebuilder -huachuca -huegelii -humanrobot -humansized -humantohuman -humanus -humifusa -hundredyear -hybridity -hydrangea -hydrophones -hydroxamic -hydroxyzine -hygroscopicus -hymenophore -hyperopia -hyperplane -hypertelorism -hyperythra -hyphenation -hypnotics -hypolipidemic -iMessage -iN -iPlanet -ibogaine -ic -icestrengthened -icterid -idempotent -identifiably -ideographic -idiophones -idli -idyll -iguanians -ileocolic -illuminance -illwill -imaginal -imbibed -imbibing -immaculatus -immunize -imp -impala -imperialists -impossibly -impressus -impugned -incentivized -inclass -inclusively -inconveniences -incrassata -indazolebased -indicting -indiepunk -indiscretions -indult -indumentum -indurated -industrializing -infarct -infinitedimensional -inflatables -inflationadjusted -infraorders -infringers -ingrown -inhalational -innominata -innominate -inquirybased -inscribe -instanton -interconfederation -internists -interorganizational -interposition -interstitials -intertexta -intragroup -iodinated -iriver -ironbased -ironbinding -irrigating -irritates -isoelectronic -isoquinoline -itThe -italicum -itzingeri -ivories -iwan -jackhammer -jarl -jaunt -jaunty -jetpack -jetski -jewelrymaking -jobbers -jointer -joules -joust -juggles -jujutsu -jumpoff -jumpstarted -juno -juvenilia -kalos -kamacite -kambing -kampong -karoo -kashmir -kati -keepsake -kefir -kenong -keratoderma -kernelmode -ketupat -khyal -kilometres -kittiwake -kivas -kneaded -knocker -knowable -koel -kombucha -kookaburra -kozlovi -kulit -kurodai -kyung -labral -lacera -lacquerware -lacteata -laevipes -lambasted -lambic -lamblia -lamellophone -landscapers -laner -lanolin -lanternshark -lappaceum -lar -latae -latecomer -latemodel -laterals -latifolius -latitudelongitude -latrans -laughingthrushes -lawgiver -laxum -leapfrog -leaseholders -leastknown -lefthanders -leiomyomas -lensshaped -lenta -lepidosaurs -lepospondyls -lepton -lethargic -letterwriting -leucocephalus -leucura -leukoplakia -lexeme -libavcodec -libertine -lichenised -lifeaffirming -lifesavers -lifeways -lignaria -ligne -lignins -liminal -limosus -linamarin -lineare -linearization -lineitem -lingulata -lipoamide -lipolysis -liquidations -liquidfueled -literalism -lithophyte -liveable -loantovalue -lobate -lobelioid -lockets -locution -logicbased -logograms -longclaw -longforgotten -longispinus -longissima -longitudes -longspined -longspur -lorikeets -lovegrass -lowcarbohydrate -lowfare -lowfi -lowmolecularweight -lowpaid -lowvalue -lowveld -ls -lubricate -lubricity -luctuosus -lumens -luminaires -lunacy -lunchroom -lungfishes -lunular -lutung -luxe -luzonicus -mR -mV -macrocycles -macropods -macroptera -macrostoma -macroura -macularis -madras -madrasas -maestros -magdalenae -magicJack -maiming -majorparty -majuscula -makings -malingering -malonate -mandamento -mangos -manholes -mantlet -marinemollusks -maroons -marquisate -marshloving -martyrology -marvels -masa -masculinities -masoni -masqueraded -masseteric -masterplanning -masterslevel -mastheads -matriarchy -mau -mauritanica -maynei -mayri -meadowgrass -mearnsii -meatbased -medicalization -mediumsmall -meetup -megacarpa -megalops -melania -melanism -melanocortin -melanosis -melanoxylon -mellea -memberschool -membersupported -memorability -memoriae -memorymapped -menaces -mentalities -menubased -mercer -mesencephalic -mesoregions -mesothorax -metacarpophalangeal -metaloriented -metamodeling -metapuzzle -metonymic -mgkg -miasma -mich -michaelseni -microcirculation -microcline -microlithiasis -microphthalmus -microprobe -microregions -microscopist -microsimulation -microsomes -microsporidian -microstate -midbody -midflight -midlatitudes -midtwentiethcentury -millefolium -mils -mimula -mindanensis -minifootball -minion -minorkey -misattribution -misfolding -mislabeling -mispricing -misprision -misquoted -missionbased -mitts -mixdown -mixedtraffic -modelmaker -modernizations -modillion -modularized -molted -moneyed -monodon -monogenic -monoplacophorans -monopole -monsoonal -moolavar -morbidly -morganatic -motorgliders -mottes -mountable -mouthing -mps -mr -muchbranched -mucinosis -mucoid -mukims -multiflorum -multigabled -multimachine -multipartisan -multiprogramming -multirotor -multisource -multisyllabic -multitiered -multivesicular -musicvideo -mustachioed -mustcarry -mutilating -mutuals -mynas -myops -myrsinites -mysticete -mz -naivety -nappies -narrowboat -narrowmouth -nasociliary -nat -nationallyrecognized -naumanni -nearcoastal -nearpasserine -necrotrophic -nectridean -nemertean -neoclassicalstyle -neoromantic -neritic -netCDF -nettop -neuro -neurodiversity -neurotensin -newgrass -newlybuilt -newness -newtoni -ngmoco -nicest -nickelplated -nicks -nictitating -nielseni -niente -nightspots -nigrans -nigrofasciatus -nigromaculatus -nigrovittata -nimbus -nineteenyear -nobudget -noctule -nocturnally -nohit -noisemakers -nolonger -nonCommunist -nonFIFA -nonIBM -nonLatin -nonbonding -noncompetition -noncrystalline -nondrafted -nonhomogeneous -nonincumbent -noninternational -nonlawyer -nonmoving -nonneurotoxic -nonnews -nonobvious -nonplanar -nonreactive -nonregistered -nonrelational -nonrival -nonscientists -nonsterile -nonstudent -nontextual -nontraumatic -nonvascular -nonviral -nonword -noseband -nosy -notchback -nothobranch -nourishes -novelised -novicida -nowdeceased -nuclearcapable -nuclearfree -nucleogenic -nulls -nyctosaurid -oathtaking -obliques -oblita -obliterate -obscenities -obscurely -obsoleted -obtusata -occhi -odora -offbalance -offboard -offcolor -offends -officious -offisland -offoffBroadway -offthegrid -offworld -ogee -ogres -oinochoai -okmotu -olsoni -oncedaily -oncepopular -onduty -oneacre -onelevel -onenightonly -onenorth -oneteacher -onground -onhand -onium -ons -onside -ontime -oops -oospores -opals -ophthalmopathy -opsis -optima -opulenta -orbweb -orc -ordains -ordinaria -orebody -oreophila -oreophilus -ornis -oropendola -orthopedist -orthophoto -osculating -osseointegration -osteological -ostomy -otoliths -otorhinolaryngology -outflanked -outgroups -outgrowing -outmaneuver -outmaneuvered -outpointed -outranked -outspokenness -outstations -overburdened -overgrazed -overheat -overpriced -overspending -overstepped -overstretched -oversupply -ovine -oviraptorid -oximetry -oxo -padi -palatability -palates -palatina -palazzi -paleyellow -palmfly -pampered -pandemocracy -pandering -panspermia -papa -papain -pappi -paralogues -parameterization -parapsychological -parasailing -parched -parenthetical -partido -passwordprotected -pathogenassociated -patientspecific -pauperis -paychecks -pe -peacemakers -pearlbordered -pecked -pectineus -pedagogues -peeks -pemphigus -penalizing -penology -pentagona -pentane -pentavalent -pentellations -penthouses -pentoxide -peopletopeople -perceiver -perceivers -perigynium -perilymph -perioral -perplexed -pervert -pes -petiti -pharming -phaselocked -philanthropies -phonetician -phospholipases -phosphoproteins -phosphorescence -phosphoribosyltransferase -photobased -phrenology -phytoremediation -phytosanitary -picea -pigeonholed -pigtails -pileipellis -pining -pinpointed -pipiens -pipped -piqued -piratical -pitman -pitohui -pixelated -pkg -placodonts -plaited -planarity -planteating -plantlets -plastically -platting -platysma -playbook -playercontrolled -plcs -plebejus -pleiotropy -pleurae -plexiglass -plowman -pluvialis -podocytes -poeciliid -pointscore -pointscoring -politicizing -polkadot -pollsters -poloidal -polycarbonates -polyimide -polymerizations -polyvalent -pondered -popolo -poppers -populaire -porcelaneous -porin -porno -porticus -posetal -postbox -postimpressionist -postmarked -postmerger -postpunknew -potto -powerlessness -ppt -practicum -praestans -praomys -preCrisis -precocial -precomputed -predatorprey -predisposing -preelementary -prefatory -preflight -preheated -premillennial -premotor -prepay -prerRNA -prescientific -preservational -preservice -pretax -preussi -preventer -pricklypear -primatial -primigenius -printout -prizegiving -producerrapper -professionalquality -proffer -progestogenic -prohibitionist -proleptic -prolixa -promethium -pronggilled -proofreader -proprietorships -proscriptions -proselytism -prostatespecific -proteinligand -protozoal -provers -psalters -pseudanthium -pseudoacacia -pseudoautosomal -pseudosuchians -psychoacoustic -psychoeducational -psychotherapies -publ -publiclyfunded -pubrestaurant -pulsecode -puniceus -punkhardcore -purism -puritanical -purplegreen -purpletinted -purpuratus -purveys -pushbuttons -pustulosa -putti -pyelogram -pyelonephritis -pyramidshell -pyruvic -qibla -quadband -quadrangularis -quadrat -quadratojugal -quadrifolia -quercifolia -quesadillas -quickrelease -quicksort -quinta -quintile -rabble -racemization -radarguided -radiolabelled -radioman -radiotelephony -radiotracer -ragazza -railbed -rainmaker -ramosus -rancid -randalli -ransacking -ranting -rasping -rattus -rayless -rc -realizable -reaped -rearprojection -reasserting -rebalanced -rebated -rebrands -rebuttals -receiverlinebacker -receptorbinding -recharges -recirculated -reclassifying -reclined -reconfiguring -reconvening -rectilinea -recto -redbordered -redcrowned -redeposited -redpolls -redressed -redshanks -redveined -reeled -reenters -refashioned -referrer -refinanced -regionalization -regulative -rehashed -relaxants -reliving -remediated -remount -renamings -renminbi -renominate -reoccupy -reparative -repertories -repopulate -reprogram -reschedule -rescored -residentialcommercial -resister -resize -resprouting -restive -retable -retouched -retranslated -retroreflector -returners -revelator -revelry -rewinding -rhamnose -rhinovirus -rhomboidal -rhombus -ria -ribeye -rideon -ridgetop -ridiculously -rightside -rigidum -rimu -roadhouses -roadless -roadshows -roars -rockdwelling -rockelectronic -rockface -rockformatted -rollerskating -rollup -ropax -rostered -rostratum -rothi -roughskinned -roughwinged -roundness -routable -roux -rprocess -rubellus -ruffed -rugifrons -runt -rupestre -rushers -rushreleased -russula -rusticana -rustler -rytas -sabbath -sabertooth -sabrewing -saccadic -sacramentary -sacredness -sacrorum -saddest -saddleback -saguaro -salps -saltans -salutatorian -sanctaecrucis -sancti -sandlot -sanitorium -saprobes -saprophyte -sapwood -sara -sarasinorum -sarmentosa -saturate -saundersii -sauropterygian -sauros -savagei -saxicolous -scalariformis -scalpels -scalping -scaphopods -scatterable -schiedea -schneideri -schoolfriend -schottii -scintillators -sclerophylla -screencasting -screwpropelled -scribbled -scrim -scriptura -scuffles -scuppered -seagrasses -seastar -secondbottom -secretagogues -sectorspecific -secundus -seedstage -seeping -selfcriticism -selfdefinition -selfeducation -selfidentifies -selfinterested -selflessness -selfmotivated -selfmutilation -selfowning -selfpity -selfunderstanding -selloff -semihit -semipermanently -semitropical -sensitizer -sententiae -senza -serendipitous -seriocomic -serjeantatlaw -serpens -serverless -servicemember -sessilifolia -seung -sevenbook -sevencard -sevenhour -sevenperson -seventyfirst -seventyninth -sevenwicket -sexbased -sexselective -sexting -sexualised -shakti -shallowest -shapeless -shatters -sheikhs -shelllike -shifty -shikhara -shims -shipmates -shiptoship -shiurim -shive -shola -shortbarreled -shortcrust -shorthold -shoulderwing -shoveler -showjumper -shreds -shri -shrikebabbler -shriveled -shuffleboard -shuttlecraft -siRNAs -sickly -sidecars -sidepassage -sidequests -sidetank -sidetracked -sidevalve -sift -signallers -signalosome -signum -silverback -silverygray -silyl -sind -singerproducer -singlechain -singleonly -singlephoton -singleturreted -sinicus -sinter -sirenians -sitchensis -sitedirected -sitski -sixinch -sixpassenger -skewering -skilfully -skillsbased -skillset -skua -skybox -slanting -slatted -sleeplessness -slights -sloweddown -slowmedium -smacks -smallangle -smallness -smallsize -smartcards -smartweed -smithiana -smokey -smudge -snagged -snagging -snark -sneezeweed -snowfields -snowmen -soapbox -sobering -socioeconomics -sodic -soffit -softdrink -softswitch -softwareopen -soiled -soldi -soleil -soloartist -solomonensis -solubilize -sonorensis -sorghi -soteriology -sourcetosource -southeastnorthwest -southflowing -spaceports -spalling -spanners -speakeasies -speculatively -speleothems -spendthrift -spermatogonia -spheroids -spheromak -spiciness -splake -splitfins -splitlevel -sporocarp -sporozoites -sportsbook -sportsmanlike -spotbilled -spotfin -spritsail -spurts -squabbling -squamatus -squamouscell -squint -stadsdeel -stateofthe -stationkeeping -std -stealer -stepbrothers -stereocenter -stereoselective -stereospondyls -stevedoring -stewarded -stiles -stillbirths -stilted -stingers -stoat -stockists -stonecutters -stonei -stooge -stopovers -storechain -stowing -straightaway -straightchain -straightens -straightsided -stratagem -streambed -streetside -streetsmart -strenua -striatulus -strikeshortened -striven -stroboscopic -stylomastoid -subapicalis -subassembly -subbase -subbasins -subcallosal -subdiscoidal -subflava -subfusca -subgraphs -subiculum -sublists -submaxillary -subnetwork -subnetworks -suborganizations -subsect -subsides -subspecialists -substage -substriatus -subtopics -subverted -sulfatide -sulfonamides -sulfonylureas -suling -sumichrasti -sundae -sunroof -superalloys -supercapacitors -superfeatherweight -superficiality -supergun -superhighway -superintelligent -supermajorities -superpipe -supertribe -surcharged -surfeit -survivin -sustentacular -suteri -swagman -swamy -sward -swarthy -sweetscented -swidden -swirled -swordandsandal -sylvatic -symptomless -synaesthesia -syndicating -synephrine -synthbased -taarab -tabira -tachykinin -tambour -tapaculos -tapebased -taprooted -taxifolia -tearaway -teardropshaped -teaspoon -teats -tejano -telepaths -telerecordings -teleserye -tendonitis -tenman -tenmile -tentorium -tenue -tenuifolium -teosinte -terbium -territoriality -testdriven -testtaker -tetany -tetraplegic -tetrazolium -texanum -thaler -thatching -thenCEO -thenGov -thenState -thenfashionable -thenhead -thenpartner -theorys -therian -thermic -thermochemical -thermogenesis -thermophila -thermophile -thermostable -thermotolerant -thgreatest -thioether -thirdbase -thirddeadliest -thirdparties -thither -thnd -tho -thrd -threadleaf -threeaxis -threecolor -threedecade -threefoot -threehundred -threelane -threeyearlong -thrombolysis -thromboplastin -throwins -thylacine -tiaras -tibetanus -tibetica -tigerfish -tigre -tills -timbering -tinamous -tinkling -titanosauriform -tobacconist -toggling -tomboyish -tomistomine -tooled -toolpaths -topend -tornadogenesis -toro -torpedoboat -torrida -torulosa -toymaker -tr -trackpad -tradecraft -tragicomic -tramtrain -transcatheter -transcendentalist -transcode -transdenominational -transputer -transversefasciata -travail -treeliving -treeshrews -tremens -tremula -trenbolone -tribulation -tridactyla -trifold -trifunctional -trimethylsilyl -trinervia -trinitarian -triviality -trivium -troublemaking -truecolor -trumpetervocalist -trunkfish -ts -tubeless -tufting -tuman -turacos -turbellarian -turboelectric -turningpoint -turnstone -twelvepart -twelvetrack -twotoed -typewritten -udDin -uddin -ufologists -ugliest -ultrawideband -uluguruensis -umbo -umbratica -unIslamic -unarmoured -unchangeable -uncoated -uncoiled -unconquered -unconstitutionality -unconvinced -uncultured -underemployment -underpainting -underpants -undersecretaries -undulated -uneasiness -unexposed -ungainly -unheralded -unicity -unilineata -unimaginable -unindicted -uninformed -uninspiring -unipunctata -unmargined -unmasking -unmethylated -unmolested -unnavigable -unobtrusively -unpacked -unpatriotic -unrealistically -unrepresentative -unsimulated -unspecialized -unspecific -unstudied -untelevised -untreatable -unum -unweighted -upscaling -upstage -upto -urad -urbanrural -uroporphyrinogen -uropygialis -usambarensis -ushers -vachanas -vaginatum -vaginismus -valuer -valveless -vang -vaping -variablepitch -varix -vaunted -ved -velia -velodromes -ventriloquists -vermicularis -vermiculatum -vermiform -verticallyintegrated -verve -vicechairmen -vicecounty -videotelephony -videotex -vietnamensis -villous -viminalis -vincristine -vindicate -violator -viride -viroids -virtuality -visaexempt -viscosum -visionimpaired -visuality -visuallyimpaired -vitriolic -vivant -vocalistrhythm -voix -voluntaryaided -vorax -vous -voxels -wagonway -walkability -walkingsticks -walkouts -wargamers -warmhearted -warthogs -wasabi -wat -watchmakers -waterholes -waterparks -watersaving -waterwheels -waystation -webaccessible -webshow -websteri -weirdest -weirdness -welladapted -wellconserved -wellconstructed -westcoast -westtoeast -wetlease -whammy -wheelbarrows -wherry -whisked -whitebearded -whitespots -whitestem -whitethroats -wickedly -widefield -wierde -windage -windproof -wisest -woe -woodswallows -wordmark -workroom -worldsystems -worldweary -worrisome -wrack -wreckers -wretched -wrinkly -wrongdoer -wrongness -wv -xBase -xcompatible -xeroderma -xerophila -yampah -yaws -yearns -yellowbelly -yellowcolored -yellowwinged -yokes -youthbased -yurt -zale -zap -zeae -zerofare -zincdependent -zipline -zoanthid -zooarchaeology -zoomed -zoot -abbandonata -abbreviates -abruption -absolutist -accentual -accentus -acclaims -acousticbased -acquaint -acreages -acromioclavicular -actionscience -activin -actoractress -actresss -aculeatum -acupressure -adhesins -adipogenesis -adivasi -adjudications -adrenocorticotropic -adunca -advena -aediles -aerate -aerea -aerosolized -aes -affordances -aflame -aftereffect -afterimage -ag -agebased -agegrade -agriculturerelated -agrifood -ahistorical -airlifter -airpark -ajax -alAbbas -alHasakah -alHouthi -alKhatib -alMukhtar -alQura -alae -alberti -albina -albopunctatus -albula -algebraically -alkalic -alkyd -allEnglish -alleghaniensis -allegro -allo -allostatic -alphanumerical -alpicola -alpinism -alterglobalization -altiplano -aluminized -amaniensis -amaurosis -ambassadoratlarge -ameliorating -amici -amicorum -amineassociated -aminoacids -amiodarone -ammoniaoxidizing -amoebic -ampersand -amylopectin -anatolicus -andamanicus -andra -androcentric -androgendependent -angelicus -anguished -anguli -aniconism -animalistic -anis -annatto -annoyances -annunciation -annuus -anomodonts -antedated -antiAmericanism -antiFascist -antiFrench -antiMormon -antiTreaty -antiZionism -antianxiety -antiarmor -anticaking -anticholinergics -anticodon -anticolonialist -anticounterfeiting -antidiarrheal -antifascists -antiinvasion -antimafia -antimigraine -antiparticle -antirevisionist -antiserum -antistate -antitheft -antitorpedo -antitragus -antivaccine -antmimicking -anuran -apalutamide -aphanitic -apo -aposematism -applicationbased -approximans -approximatively -aquanaut -aquaporin -arRahman -arachnoidea -arbiters -arborescence -arbuscula -archangels -archosauromorphs -ardently -arenarium -arenaviruses -areolae -argillite -argo -ariki -arimanni -armlock -aromaticity -arpa -arsons -artemisiae -arthistorical -articulator -artscene -aruensis -asaphid -aspergillosis -assamica -assemblyline -assimilationist -assistantcoach -associational -astarte -asterids -asthenia -astrocytoma -asymptotically -asynchrony -ataxic -atelectasis -athecate -atlantis -atque -atricapilla -attenuates -atypia -auricularis -aurifrons -aurum -austrina -autocannons -autocatalytic -autoerotic -autoinjector -automatics -autorotation -avarice -avocets -axel -azathioprine -azimuthal -bFM -babai -babesiosis -backchannel -backformation -backmasked -backrest -baculovirus -badtempered -bagh -bailing -balk -ballclubs -ballfield -ballista -balsamic -baltica -balticus -bandh -bandsaw -bannerfish -baptistry -barnesi -baroreceptors -barre -bartsia -barycenter -baryon -baryons -baseballonly -baskettail -basse -batandball -battleax -battlement -beatmania -beaufortia -beautified -beeper -beeping -beeps -beetroot -begonia -beijingensis -beisa -bellydance -bematistes -bergeri -berlepschi -bermudensis -bestplaced -bewitching -bharatanatyam -bhutanensis -biaxial -bicornuta -bidirectionally -biennis -billable -bioassays -bioorthogonal -biosensor -bipectinate -biped -biphobia -bipunctalis -bisignata -bistate -bittertasting -blackedged -blackhooded -blackishgray -blacklight -blackmails -blanci -blesses -bloat -blockbased -blondes -bloodbath -bluebird -bluefaced -bluesoriented -boater -boatswain -bobblehead -bodhisattva -bodysuits -bogan -booklice -boonei -boorish -boudoir -bowllike -brachiation -brachydactyly -brainy -brandished -braueri -bravest -breakneck -breams -breastmilk -breviary -brickred -brickyards -bridesmaids -bridetobe -bridgewire -brigadelevel -brightred -brimmed -brindled -briquettes -brisket -briskly -bristlegrass -brittleness -broaching -broadcloth -bronco -bronzecolored -bronzed -brownstones -bruchid -brushwood -buccopharyngeal -buddha -buffetstyle -bufo -bugging -buio -bullnose -bullocks -bumpkin -bung -bungalowstyle -bunghole -bungled -bunkering -burgee -burgeoned -burly -burnings -bushcraft -bushfood -bushmallow -bushwalkers -bushwillow -businessfocused -bustards -busters -butcherbird -buttonweed -cAMPdependent -cDNAs -cabinetmaking -cachet -caco -caespitosum -caffeinefree -calamitous -calicivirus -callouts -calmness -calvary -camming -canaliculatum -cancan -cancerassociated -cantharidin -cantina -capacitation -capense -capindependent -capitalis -capitano -capitols -capybaras -carbamates -carbamoyl -carbocyclic -cardui -careerlong -carfentanil -carillons -carinae -carinipennis -carioca -carmen -carnations -carplet -carpool -cascaded -catechu -catenifer -caul -caulescens -caulk -caved -cavein -cavemen -cavifrons -ceRNA -cebuensis -centrallylocated -centurylong -cepacia -cerastes -cerebelli -ceres -ceroid -cervinus -chachalacas -chaetae -chainring -chainsmoking -chaitya -chalcopyrite -chalkhill -chamaeleon -chansen -chante -chapatis -chathamensis -checkups -cheesemaker -cheilocystidia -chemoattractant -chemoheterotrophic -chestnutcrowned -chevrotain -chickadee -chilis -chimp -chinstrap -chital -chlorantha -chloroformate -choirboys -choker -chokeslam -cholesteryl -choro -christenings -chromaticity -chromatograph -chronobiologist -chuckwalla -chukar -churchgoers -churchwarden -cinematographed -cinnamate -circlet -circovirus -circumdata -cirques -cirrate -citrusflavored -classroombased -claudin -clavi -clavus -cleansers -clewlines -clickthrough -clockmaking -closedcell -cloudhosted -clubfoot -clupeid -coNP -coagulated -coagulopathy -cobwebs -coccineum -cockerel -cockscomb -cocoyam -codesharing -coelomic -coffeeshop -cognizable -coholder -coleading -collagraph -collaterals -collegian -colocalizes -colorado -colorism -colorspace -columellar -combinedcycle -comedymusical -commanderies -commaseparated -commemoratives -commoditized -communicant -communicantes -communityrun -compartmentalization -complexation -comradeship -concocts -concomitantly -concubinage -condoning -confederated -confidants -conformant -conidial -conjugacy -connate -conquistadores -consensually -considerate -consigliere -consolidators -conspersus -constabularies -constrictors -contextbased -contortus -contravening -contrivance -conveniens -conversos -convivial -cooccurrence -cookii -cookingthemed -coolies -cooperators -coorganizing -coppernickel -copulate -coquina -cordiformis -corinthian -cormous -cornets -cornett -corns -coronagraph -corporis -corrugations -corrugatus -corsetry -corvids -cosmetologist -cosmochemistry -costimulatory -coterie -cottongrass -coulteri -councilmembers -countably -counterattacking -counterbattery -countervailing -countryblues -countryformatted -countryinfluenced -couturiers -cowbirds -cownose -coy -cradling -cram -crania -crashlanding -cravat -crawshayi -craziest -creatorexecutive -creditcard -credulity -crematoria -cribripennis -crimecomedydrama -crimesolving -criminalisation -crisper -criteriums -cropmarks -crossbowmen -crossculturally -crossoverfriendly -crossstate -cruciatus -crucibles -cruentus -crypsis -cryptophytes -cryptozoologist -crystallina -ctenophore -cultclassic -cuneifolia -cuniculus -curialis -curlews -cursorial -curvaceous -curvatum -cutandcover -cutandpaste -cutaways -cutback -cyanocephala -cyanogen -cyclecars -cycloalkane -cyclobutane -cyclohydrolase -cyclorama -cyrtochoanitic -dArtois -dAutomobiles -dAuvergne -dEbre -dIberville -dIvry -dabbles -dachshund -dalam -dalmatic -damnatio -danae -dangereuses -danseuse -daphne -dashiki -dastardly -datapath -datas -datasheet -dawsoni -dayi -daymark -db -deadeyes -debenture -debited -debonair -decadal -decadeold -decaryi -decelerating -deciders -declivis -decoction -decolorata -decongest -decry -decurved -decussation -deducting -defers -defile -defoliating -dehalogenase -dehydroepiandrosterone -deinstitutionalization -delamination -delhi -dellEmilia -demerit -demissionary -demodulator -demoralizing -demote -denticulatum -depowered -deprotection -derbid -desa -descant -descarpentriesi -descender -desertus -desi -despoiled -destructively -det -determinacy -deterministically -dethroning -detracting -detrital -deula -devilsbit -devolves -devoutly -dianhydride -diatomaceous -dicotyledon -digenean -diglycerides -digna -dihydroxyacetone -dimensioning -dimerize -dimly -dinerstyle -dingbat -dint -dioicous -diphthongs -diptera -dipteran -directdrive -directionally -directness -dirk -dirtiest -disciplinespecific -diseaserelated -diseasespecific -disenfranchise -disfavored -disheartened -dishonorably -dishonored -disinclined -disincorporate -disinfecting -disown -disparilis -distanti -distillations -distresses -distributorship -districtfree -disturbingly -ditzy -diversities -dockland -docureality -dodecahedra -dogaressa -dognini -dolens -domenica -dominical -dominula -dongs -dosedependent -dosimeters -dotmatrix -doublebanded -doubleender -doublets -doula -downregulate -downshifting -drake -dramahorror -dramaromance -drawbridges -dreamtime -dregeanum -dromedary -drugsmuggling -drumlin -drydocks -dryseason -dualdegree -duathlete -ducalis -dudleyi -duomo -duralumin -durbar -dustpan -dutiful -dyestuffs -dynamiclink -dynamited -dyrosaurid -dysphonia -dysphoric -dyspraxia -dysthymia -eReader -eSTREAM -eServer -earlike -earlytomidth -earworm -eclampsia -ecotype -ecrime -edu -efflorescence -eggfly -egregius -eightdimensional -eightperson -einsteinium -eke -eked -elasmosaurid -electroactive -electrodeposition -electronegative -electronhole -electronicmusic -electrophiles -electroporation -electrum -elevatus -elevenstory -elided -elisabethae -elisae -elision -elixirs -ella -ellagic -elliptocytosis -elongatum -eludes -emodin -emollients -emoryi -emotionality -empirebuilding -employmentbased -emulsifying -encase -encroaches -endocardium -endod -endolymph -endophytes -energizing -enfilade -englynion -engorgement -entertainmentrelated -enticement -entrust -enucleation -environmentfriendly -ependymal -epigenome -epilogs -episodically -epitomizing -equestris -ergative -errans -erythrogaster -essences -ethno -ethnopolitical -eucalypti -eugenicist -eun -euphratica -europium -eutriconodont -everybodys -evidencing -examinee -exboyfriends -excavatum -excavatus -exclaiming -excommunicate -exfiltration -exgirlfriends -exhorts -exocyst -exopeptidase -exoribonuclease -exoskeletal -exoticism -expanders -expartners -expediting -expensively -experiencebased -experimentalists -explicate -explorable -explorative -exslave -exsul -extranet -extraterritoriality -extremophile -facially -fag -fairyfly -fairylike -fait -fallible -familyrelated -familystyle -fanfunded -fanout -fanthroated -fanvoted -farmhands -farmrelated -farnesyltransferase -farrier -fasciated -fasterpaced -fastjet -fathead -fattened -faun -faxed -faxing -fencedoff -fera -fermentative -fernleaf -ferociously -ferruginosa -fervently -festa -ffrench -fibrate -fibrillar -fibrosarcoma -fiends -fifthbusiest -figment -filamentosus -filmgoers -fingered -fireandforget -firebomb -fireprone -fireside -firma -fishbone -fishnet -fishpond -fittingly -fiveseason -fiveyears -fixating -fixity -flails -flammeus -flashbulb -flashcard -flavanonol -flavomaculatus -fleeces -fleshing -flexors -flippant -flotsam -flumazenil -fluoridated -flyaway -flywheels -fnumber -folddown -folia -foodie -foosball -footballplaying -footsoldiers -footstep -foreignbased -forewords -formless -formylation -forticornis -foundereditor -foundling -founds -fourbar -fourbeat -fourbladed -fourfaced -fourhelix -fourhorse -fouronthefloor -fourpanel -foursquare -fourteenstory -fourtoed -fourtower -foxi -frameless -freestyling -freethinker -freetouse -frequentative -freshest -friable -friendtofriend -frivolity -frogman -frontoffice -frosty -frugivore -fruitbody -fruitgrowing -fulgurata -fuliginea -fullseason -fultoni -fulvicornis -fumida -functionalized -funesta -funkacid -funkdisco -furfuracea -fuscicollis -fuscosignatus -gadgetry -gaffe -gaiety -gainoffunction -galagos -galanin -galli -galling -gametogenesis -gametying -gamingrelated -gangway -ganja -gape -garam -garri -gaslift -gasp -gayfeather -gayrights -gazettes -gdb -geayi -generalis -generalship -genetical -genies -genredefying -geodes -geomembranes -geomorphologist -geotagged -gerardi -ghatam -gibbosum -gigolo -glassfiber -glasswork -globemallow -glossa -glyceryl -glycomics -glycopeptides -glycosphingolipids -glyptodont -glyptodonts -gm -gnathos -gnoma -gnosticism -goalsagainst -goatantelope -goatskin -godwits -gofasi -gompa -goniometer -gooseberries -gorgoniantype -gossypinus -gothicstyle -gotomarket -gounellei -governmentimposed -governmentled -governmentwide -grabber -gradelevel -graftversushost -grahami -graminicola -graminifolium -granitoids -grassfed -greenfinch -greengrocer -greenschist -greenveined -grieve -grimy -griseipennis -griseola -groaning -groovetoothed -grooving -groped -grouchy -groundskeepers -growthstage -grungy -guarantors -guesswork -guesthosted -guitaristproducer -gummifera -gunsmithing -guttula -gymnasia -gynoid -gyrate -haciendas -hadrosaurids -haemodialysis -haha -halfinch -halfpage -halfscale -hallmarked -haloalkanes -halve -hammerless -handbells -handeye -handhold -handmaiden -handpowered -handshakes -haploinsufficiency -hardedge -hardliners -harewallaby -harrows -hartwegii -hastatus -hastening -hauntingly -havelis -hawkbit -headfinal -headinitial -headmarking -headstream -healthiest -heartily -heatsink -hedgenettle -heerlijkheid -heinrichi -hemangiomas -hematomas -hematopathology -hemiparasite -hemoglobinuria -hemophiliacs -hempnettle -henrici -hepaticus -hepatobiliary -hercules -herrerae -heterodimerizes -heterodoxa -heteronormativity -heterotopia -hexahydrate -hexahydroxydiphenic -hexandra -hexaploid -hierarch -hierba -highcarbon -highcontrast -highdemand -higherlayer -highflier -highspired -highspirited -hightide -highveld -hilariously -hilarity -hillclimbs -hillslopes -himselfherself -hindlegs -hippodrome -histopathologic -hitchhiked -hitmaker -hm -hnRNP -hoatzin -hocks -hoffmannsi -hollandi -holosericea -hombre -homecountry -homeground -homewardbound -hommes -homopolymers -homothallic -hookah -hookladen -hookshaped -horary -hormonelike -hormonesensitive -hornfels -hornsnail -horological -horrorscience -horsenettle -horsewoman -hosei -hostagetakers -hostpathogen -houseband -hu -hubcaps -huberi -hunchbacked -huntingtin -hussars -huxleyi -hyacinthorchid -hyaluronan -hybridizing -hydel -hydrazone -hydrochlorothiazide -hydrogenases -hydrogenpowered -hygroma -hypercarnivorous -hypergraph -hyperlinking -hypermethylation -hyperpolarization -hypnotize -hypocrites -iAPX -iCN -iChat -iConji -iKON -iShine -iTV -iTaukei -iTree -iboga -iceplant -ichthys -iconographical -ideologues -idiotic -illsuited -illusionistic -imageguided -imatinib -imbricate -immaculately -immanence -imminently -immodest -immunogenetics -immunosuppressants -impish -implementer -implored -implores -imprisons -ina -inbody -incurvata -incurved -indazole -indels -indexation -indexers -indigestible -individuallevel -indoctrinated -indoorarena -industrialism -industryfocused -iners -infernalis -inflammations -infolding -infra -inimitable -injectionmolded -injuryplagued -inlining -innernorthern -inquinata -inrush -inscribing -insecta -insets -insideleft -insignificance -insolens -instructorled -insulare -insularum -insurable -integrum -intellectualism -intensa -interatrial -intercaste -interconvert -interlayer -interlinear -intermediaterange -intermodulation -internationallyknown -internode -interpretable -interrelate -interstices -interstitialis -intertextual -interveniens -intimates -intrahepatic -introducer -inundating -inveterate -invisibly -ionizes -ironical -irrationally -irreparably -irrigates -irritans -isidia -isobaric -isobutyl -isomerases -isopropanol -italica -iterate -iterators -itis -jacana -jacobsi -jag -jailers -jamb -jambs -jansei -jarrah -jazzs -jeepneys -jessamine -jetpropelled -jigsaws -jinx -jogs -jou -jugularis -juju -juliae -junebug -juniperi -junks -kalan -kathak -kaya -kempi -kempul -kennedyi -kenyensis -kephale -kessleri -ketuk -keydependent -keyloggers -kiellandi -kinetically -kinked -kinks -kirkko -kirkyard -klapperichi -klugii -knifemaker -knobbly -knockon -knowledgeintensive -knulli -koehleri -koinobiont -kollari -korean -krai -kraussii -kuwait -kya -kyu -labiatus -labii -lackey -lacrimation -lacunosa -lacus -ladybugs -laetifica -laevipennis -lal -lam -lamin -lamivudine -lamour -landraces -landsale -lang -languagerelated -largeleaved -largeprint -largesse -larrikin -lass -lastnamed -laticauda -latidens -laudable -laudatory -laurisilva -lawbreakers -lawfirm -layabout -layia -leachii -leadbased -leadmining -leaguebest -leaseback -lefty -legalism -legalities -legit -lentiform -lentigines -lentiginosa -leopardus -lepidota -leptosporangiate -lesbianfeminist -lesbianthemed -lessdeveloped -letterboxing -libation -liberationists -librettists -lienholder -ligatus -lightinduced -lightwave -lignans -ligulate -limber -limiters -linebyline -lini -linkup -linocut -liotia -lipomas -liquidfuel -lirae -lithification -litigious -littleleaf -liveliness -loathing -locoweed -lodes -logicians -logotype -loiter -longboarding -longdead -longhand -longispina -longlegs -longstay -lossmaking -loungewear -lousewort -loveteam -lowball -lowborn -lowerleague -lowerquality -lowii -lownoise -lowsulfur -loyally -lube -luciae -ludens -lungwort -lupa -lurch -lusitanicus -lutosa -lycioides -mAb -mach -machineries -macleani -macquariensis -macrocarpus -macroengineering -macronutrients -macrophthalmus -macrosperma -maculicornis -maculifrons -maculiventris -magellanicus -magnirostris -mahal -mahalla -mahout -mainmast -mainspring -majlis -malacologists -malacostracans -malapropisms -malayanus -malayi -malepreference -malleability -malodorous -manca -mancalas -maneaters -manhunts -manicata -manifestly -manmachine -manpowered -manroot -mantidflies -manufacturability -manybranched -maoria -mappa -mara -marigolds -marimbas -markhor -marriageable -martensitic -martian -martinsi -marzban -masochistic -massacring -masterminds -mastodonsauroid -matchsticks -matins -matzo -mazurka -meateating -mechanistically -mechs -medalproducing -mediabased -medicinalis -medlar -medroxyprogesterone -megacolon -megalodon -megalotis -melancholicus -melanoptera -meliloti -melisma -melvilli -memetics -meningioma -mentum -meperidine -merlons -mesylate -metaldeath -metalloproteins -metalsmithing -metanephric -metaplot -metatarsus -metatheory -methanotrophs -methylenedioxy -microbat -microfinancing -microgrids -microliter -microsaurs -middleeastern -midelevation -midfifteenth -midfifties -midmounted -midrash -midthirties -militaryrelated -milks -milliners -mindinabox -minks -minutiflora -mirages -misanthropy -miscredited -misfeasance -misjudged -misl -missouriensis -mistrusted -mittens -mixedgrass -mixin -mjobergi -moaning -mobilis -modestum -moglie -monarchic -monetalis -mongoliensis -monkshood -monnieri -monoamines -monoglycerides -mononymous -monoplacophoran -monopoles -monosomy -monounsaturated -monteithi -moonlights -moorgrass -moralist -morid -morose -morpholine -mosaicist -mostlistenedto -mothball -mothballs -motionsensing -motorman -motorvehicle -motown -mouhoti -mountainbuilding -mountaintops -mouthbrooders -mouthwashes -mpg -msDNA -msnbccom -mt -mufflers -multiPlatinum -multiaxial -multicellularity -multiengined -multifactor -multifasciata -multifield -multiissue -multimodel -multinarrative -multiphonics -multipleuse -multipolar -multipronged -multiregional -multisectoral -multistriata -multitenancy -multiway -muntins -muons -muricatum -muscularis -musiciansongwriter -musing -mutagens -mutates -mutex -mutualisms -muziki -mycoplasma -mycorrhizae -mythologized -nacreous -naively -nama -namechecked -namechecks -nanomachines -naringenin -narratology -narrowboats -natrix -naturallanguage -naturopath -navigability -nearmonopoly -neartotal -nec -necrolysis -neediest -neglectum -negus -nematicide -nematicides -nemo -nemorosa -neoLatin -neocolonial -neoformans -neotype -nephridia -nervously -nettops -networkconnected -networth -neuroethics -neuromodulators -neuromorphic -newbuilt -newsbased -nigeriae -nigeriensis -nigricauda -nigrosignata -nigrovittatus -niobe -nipponica -nitidulus -nitrogens -nocturnus -noirish -noiserock -nomological -nonAnglican -nonAustronesian -nonGovernment -nonItalian -nonNintendo -nonabelian -nonacceptance -nonadjacent -nonbuilding -noncapital -noncircular -noncoalition -noncoercive -noncollecting -nonconducting -noncontroversial -nonedible -nonenzymatic -nonfamily -nonfermentative -nonfluorescent -nongan -nongraded -nonimaging -noninstrumental -nonjusticiable -nonliterary -nonmajor -nonmoral -nonmotil -nonnatives -nonnatural -nonneoplastic -nonoriginal -nonradioactive -nonrelated -nonremovable -nonresistance -nonscholarship -nonsequiturs -nonsubscribers -nontheism -nontherapeutic -nontournament -nori -nosed -nota -notarial -nubicola -nucleate -nudisco -nuke -nullity -nyatiti -oaxacana -objectorientation -objets -obligee -obliterans -obscurior -obviated -occidental -ochrea -octagons -octomaculata -octuple -octyl -odious -odoratus -offbreaks -offcourse -offeror -officialdom -officiant -offnetwork -offroading -offtrail -oilbearing -oiling -oklahomensis -okutanii -oligopeptide -olingo -olla -olympiads -omnes -omnipotence -onagainoffagain -onca -oncethriving -onehundredth -onepass -ontheair -oocysts -opamps -openage -openchain -openend -operatingsystem -opisthoglyphous -opportunists -orangetip -orbitofrontal -orderings -oregana -organochloride -organoleptic -originalism -ornithomimid -orthomolecular -orthoses -osmolarity -osmoregulation -otherworld -otolith -outlasting -outofhospital -outreaches -outstripping -overemphasis -overo -overrepresentation -overripe -overstate -overstating -oversteer -overvalued -overwatch -ovotransferrin -ownerbreeder -oxidization -oxoglutarate -oxygencarrying -oxymoron -pachinko -pacu -paddleshaped -padlocked -padre -pagodula -pai -paidup -paintwork -palatalization -palebellied -palmitoyltransferase -palmyra -panchayaths -pani -pannosa -panoply -pansori -panto -papua -papyrologist -paracompact -paraganglioma -paragon -parallelized -paralympian -parapeted -paraphyly -parapsoriasis -parasympathomimetic -paratope -paraventricular -parboiled -pardalina -pardoning -parentteacher -parka -parterre -partfunded -partialism -parvorder -paso -pasticcio -patel -paucicostata -paupercula -payrolls -paytoplay -peaceably -peakhour -pearlite -peda -pegylated -pelargonium -pelea -pelted -pemphigoid -pendentives -penduliflora -peneplain -penstock -pentachloride -pentapeptide -pentaprism -peopling -pepe -peralkaline -percher -perchlet -percolating -perestroika -perfective -performancerelated -perfunctory -perfused -perilla -perissodactyl -perissodactyls -periventricular -permeation -pernix -persephone -persicum -personifying -pertinax -pertusa -perversa -petticoats -pfefferi -phalloides -pharmacopeia -phasers -phenacetin -phenmetrazine -philippii -philippina -philosophyrelated -phonebook -phonolite -phosphodiesterases -phosphoserine -photoplay -photothermal -phototransduction -phototypesetting -phpBB -phthalates -phycologist -physa -phytopathogenic -phytoplasma -phytoplasmas -pickaxe -pickoff -pictipennis -pictogram -pieve -pigmentary -pigra -pilota -pinewood -pinkpurple -pinnatum -pinout -pipettes -pisiform -pitha -pitlane -pityriasis -pkgsrc -plaits -planation -planatus -planetesimals -planigale -planum -plasmodesmata -playwrightinresidence -plexippus -pliosaurid -plumipes -pocketing -podocarp -poignantly -pointcut -pointspaying -policybased -policys -poling -politicalmilitary -poliziotteschi -pollo -polluter -polyelectrolytes -polygamists -polymerisation -polymorphonuclear -polyolefins -polysemy -polysomnography -pomelo -poncho -pont -ponyfishes -poplin -populates -possessors -postByzantine -postReconstruction -postally -postmatch -postrevolution -postscarcity -posttreatment -potestate -potoroo -pottage -pounce -pourover -powerlifters -pr -praeclara -pragmatist -preSocratic -precalculus -preceramic -precomposed -preconditioning -precovery -predacious -prednisolone -prefigures -prefilled -preheating -preliminarily -premarket -premaxillary -premorbid -preorbital -preposterous -prepreparatory -preprints -presbyters -preselections -presss -presuppositions -prevalently -prickle -primitivism -primordia -princebishop -printrun -printworks -prizewinners -proBrexit -problemist -procerus -processbased -procreate -productiondistribution -progressiveness -progressiverock -pronation -propagandistic -propagator -propagules -propanol -prophage -propranolol -proscribe -prostacyclin -protoporphyrin -prototypic -provinciale -psalmody -pseudomallei -pseudoplatanus -pseudosciences -pseudotuberculosis -psychoanalytical -psychologies -pugilist -pulmonologist -pulsates -pulverea -puncticeps -purposemade -purulent -pushbacks -pustaha -putrescine -putrid -pyogenic -pyrazinamide -pyrazine -quadrilineatus -quadrupleplatinum -quadrupling -quae -qualityadjusted -quarrymen -quartic -quartzites -quasiparticle -quasipeak -quasipublic -quatrefoils -queenless -quicken -quincunx -quinic -quinones -quinquemaculata -quinquestriatus -quip -quipped -quitensis -quoined -rabbet -raceethnicity -racemosum -racerelated -racerunner -racketeers -radials -radiocommunication -radiogram -radiolucent -rafted -ragazzi -rai -railmotors -raincoat -rainfalls -raivaru -rajputs -ramair -rambunctious -rater -ratfish -raymondi -rdeyegirl -reactivating -readying -readytorun -reair -reassigning -reattach -recapped -receival -recognizer -recommence -recompile -reconceptualization -reconditioning -reconsidering -recouping -rectorate -redblack -redder -reddishyellow -reddy -redeploy -rediscovers -redpoll -redundantly -reencryption -reflexology -refound -refractories -refractors -reg -regidor -reginae -regionfree -reheating -reified -reimiro -reinforcer -reiteration -rejoice -rekeying -reliquaries -remarrying -remodels -reoriented -reovirus -repairable -repatriates -reportages -repurchases -requestresponse -reregistration -rerio -respelling -resplendent -restenosis -restock -restorationist -resung -retesting -retouch -retraces -retributive -retroperitoneum -retropharyngeal -rhamnogalacturonan -rheological -rhizoids -rhynchocephalian -riband -ribboncutting -rices -richardsonii -richeri -ricinus -ridable -ridehailing -riderless -rightangles -rightofcenter -ringneck -roachlike -roadies -rockery -rocketassisted -rocketed -rockindie -rockmaster -rockshelter -rogenhoferi -rollingstock -roofer -rotatable -rotundifolium -roughhewn -roundoff -rubberlike -rubbertired -rubbertyred -ruckmen -runcination -ruts -sabermetric -sackbut -sailboard -sailmaker -sallies -salmonis -salsify -saltation -saltmarshes -saltworks -salutary -salve -sanatoriums -sandtreader -sandverbena -sanguinicollis -saron -sartorial -saturatus -satyagraha -satyrs -saussurei -sauteri -savants -sayur -scarcer -scavenges -schlechte -scission -sclerite -sclerophyllous -sclerotic -scones -scotica -scourged -scramblase -screencast -screwpine -scripter -scrobiculata -scroller -scrubbed -sculpturing -seamens -seared -secessionists -secondclosest -secretarymanager -sectionals -secularists -securitys -seeped -segmentalarched -segmentata -seigneur -sejm -selenite -selfacceptance -selfauthorship -selfdetermined -selfeducated -selfhosted -selfing -selflimited -selfperception -selfpollinate -selfpresentation -selfrenewal -selfsacrificing -selfsupported -semaphorin -semaphorins -semialdehyde -semicrystalline -semiflava -semihollow -semiimprovised -semimetal -semiparametric -semisweet -sensationalistic -sentimentalism -serializable -serialize -sericulture -serology -serpyllifolia -serration -serratum -serricornis -sertraline -serval -servitudes -sesquicentenary -setacea -setiger -setpoint -sette -sev -sevenmatch -sevensegment -seventythird -severability -sexton -shackled -shags -shama -shantytown -sharedmemory -sharpei -sharpener -shasum -sheepherders -sheeted -shellcoiling -shepherded -shod -shootemup -shoreside -shortnecked -showtime -showtunes -shreddy -shrieks -shrublike -sibogae -sicca -sideboards -sideloading -sieves -sifaka -sightlines -signee -signups -sikh -silktassel -silvercolored -silversmithing -silverwork -sinfluenced -singalongs -singerpianistsongwriter -singlebyte -singlepage -singleperson -singlesonly -singlewinner -sirolimus -sissy -sistersinlaw -sixdayaweek -sizzling -skinnable -skole -skybridge -skyphoi -skyphos -skyward -slater -slayings -sleuths -slitting -slooprigged -sloughing -sluicing -smallschool -smalltoothed -smelly -snakeeater -snakeeyed -snakeskin -snaking -snappers -sneer -snowfinch -snowtrout -snus -soaks -sobbing -sociolinguists -sociologically -softlaunched -softserve -softshelled -softwinged -softwoods -soi -solemnized -soleus -solium -soloproject -somebodys -somersaults -songbased -songwriterguitarist -songwritingproduction -soothsayer -sophist -soulpop -soundchecks -soupy -sousveillance -souterrain -spaceage -spaceman -speared -speciess -speedcuber -speeded -speedthrash -spellcasting -spenceri -spermalege -spiderorchid -spinulosus -spirulina -spixii -splashdown -splendidula -splenectomy -sponsons -sportfishing -sportrelated -spouting -sprawled -springeri -sprinted -spunky -sputtered -squalida -squama -squamulosa -squaredoff -squashed -squealing -squirrelfish -sri -stackers -stagnate -stares -starflower -stargazer -statemandated -statesmanship -statism -steadfastness -steadicam -stealthily -stearic -steatohepatitis -stepfathers -stereocilia -stereograms -stewing -stigmatica -stirfried -stockmen -stoloniferous -stonecutter -storeandforward -stowaway -straightfour -straightness -stressstrain -striding -stripebacked -studium -stuntwork -stylesheets -styx -subRoman -subareas -subclassification -subcounties -subgeneric -subgrade -subgrouping -sublicensed -sublimate -sublineata -subornata -subprior -subproblems -subsampling -subsiding -subsocial -subspherical -subsumption -subtree -subungual -succinea -sud -sugarbush -suggestibility -sulcicollis -sulfuryl -summeronly -sundries -supercontinents -superdelegate -superheater -superintend -supersoldiers -superteam -supination -suprachiasmatic -suprapubic -supremacism -survivalism -sutra -swallowwort -swamplands -sways -sweetclover -symphonys -syndesmosis -synodical -syntypes -systematization -tPA -tableland -tachycardias -taffeta -taggers -tahr -tailcoat -tailing -taillights -tailpipe -taitensis -talkradio -tanka -tankettes -tanneri -tapeout -taphonomy -tarnishing -tarpon -taser -tasmaniensis -tattered -teambuilding -teardown -teatree -technologydriven -teeing -tegulae -telecare -teleology -teleomorphic -teleoperation -teleosaurid -telerecorded -teletypewriter -televoters -tempest -tencent -tenens -tensioning -tenuiflora -tenuously -teretifolia -terming -termitaria -terrigenous -tesla -tessera -tessmanni -testa -tetrahydrate -tetrahydrofolate -tetraplegia -thcenturies -thenar -thenemerging -thermo -thesauri -thespians -thibetanus -thicketbird -thielei -thiourea -thirdseeded -thirteenpart -threelayered -threerace -threering -throng -throttles -thwarts -thymocytes -thynnid -tickseed -tierra -tigress -timbales -timelessness -timeshifting -timpanist -tinfoil -tinsmith -tintype -toadstool -toileting -tollhouse -tonsured -toolsets -topquality -toprating -toptobottom -torc -torgrass -touchback -touchtone -tourerstyle -townsites -tra -tradeshows -transduce -transducing -transects -transgenesis -transhipment -transitivity -transmigration -transmittance -transposes -treebased -treeplanting -trendsetters -trespasses -triAce -triangulations -triarylmethane -tribological -triceratops -triclosan -trifle -trifluoroacetic -trigeminothalamic -trimaculatus -trimix -trioval -triphenylphosphine -triplestore -triptychs -triquetrum -triune -troika -trp -truant -truer -truest -trumpetfish -trunnion -tryptamines -tryscoring -tubas -tuberculosa -tuckeri -tuffaceous -tumidus -turbidite -turbocharging -turbopump -turnofthethcentury -tuyas -twelveteam -twinspot -twintron -twoacre -twoandonehalf -twocandidatepreferred -twoplatform -tworow -twoseatsintandem -twowinged -twoyears -txt -typhimurium -tyrosinase -tyrosinebased -uDraw -uShaka -ua -udDaulah -ultramarathons -ultrastructural -ultraviolent -umbrata -unaddressed -unassociated -unblock -underachieving -underestimating -underfive -underframes -underslung -underwrites -underwrote -undiminished -undisciplined -undulatum -unexcavated -unexceptional -unfixed -unfrozen -ungrammatical -unguis -unholy -unidentifiable -uninitialized -unipuncta -uniserial -universalis -universalist -unmemorable -unnoticeable -unobservable -unowned -unprincipled -unreached -unrestored -unseasoned -unsegmented -unspent -unsporting -unsprung -unsubstituted -unwinds -uomini -upcurved -upcycling -upfronts -upraised -upshot -upslope -uraeus -urichi -urinated -urokinase -urothelial -userbased -usercontributed -userfriendliness -usufruct -vSphere -vada -valens -vampirelike -vanpool -vanquishing -vara -variablesweep -variola -varyingly -vasospasm -veer -vehiclemounted -vehicleramming -veiling -velata -velopharyngeal -vendorindependent -vento -veritas -versechorus -vespertilio -vestalis -vestrymen -vetches -vexed -vicechairperson -vicechancellors -vicedean -vidhansabha -vihuela -villagelike -vino -violetbacked -virologists -viscida -vitesse -vitrification -vivarium -vividness -vocative -volleys -voltaic -volunteerled -vomeronasal -vorticity -votegetter -voto -vulnerata -wallichiana -wallum -wandoo -waraffected -warhorse -warmtemperate -warungs -washouts -waspfishes -wasplike -wassail -watermarked -waxbill -waxwing -waxworks -waylaid -wd -webenabled -wef -weighbridge -weldability -welfaretowork -wellqualified -wellread -wellspaced -wellstocked -wentletrap -whaleback -wheellock -wherries -whitened -whiteyellow -whiz -wholewheat -widowhood -wie -wil -wilaya -williami -windpump -windrows -wining -wiregrass -withstands -witnesss -woad -wolfpacks -womanowned -womenled -wong -woodcreepers -woodwardi -woollystar -woos -wordlists -workbook -workhorses -workweek -wrenching -wrestlings -wrinkling -writerperformer -writeups -writtendirected -wurtzite -wwwlegislationgovuk -xCD -xanthus -xerographic -xerography -xv -yachtswoman -yakuza -yawing -yea -yellowbacked -yelloweared -yellowishred -yellowjackets -yellowwood -yerburyi -yeti -ylangylang -yolksac -yoni -yourselves -ypsilon -yu -zAAP -zarzuela -zen -zenana -zoek -zymogen -abandonware -abbr -abbrev -abductive -abides -abietina -abjad -abjection -abjuration -abominable -aborting -abri -abut -acaule -accentuates -accreditors -acculturated -acesulfame -acetylacetone -achondrogenesis -achromatopsia -ack -acolytes -acquirers -acquitting -actindependent -actionpuzzle -actormusician -actuate -actuating -acutephase -adamantane -adenoviruses -adidas -adipocyte -adorable -adsorptive -adspersa -advocation -aegirine -aerobically -aerophone -aerophones -africa -agammaglobulinemia -agender -agranulocytosis -agreeableness -agricultures -agua -aimlessly -airdried -airfares -airfreight -akathisia -alAnsar -alJihad -alMuayyad -alMulk -alQassam -alQuwain -alRashid -alShaykh -alShibh -alTabari -alatus -albicincta -albimacula -albiplaga -alboguttata -albolateralis -albopicta -albopictus -albumDVD -alecto -allRussian -allopathic -allopurinol -allozymes -allresidential -allroad -allseason -allstock -allusive -alongwith -alphasialyltransferase -altimetry -alunalun -ambiguum -amd -ameliae -ameliorated -amieti -aminoacylation -amitriptyline -amniocentesis -ampakine -amphibolite -analogdigital -anaphoric -anarchocapitalists -andalusite -androecium -androgyny -andromeda -ane -anemias -anemic -angasi -angeli -angiogenic -angiopathy -anglica -anguid -angulated -angulation -angustior -angustissima -angwantibo -anhedral -annulate -anomeric -ansorgii -answerer -antarctic -antarcticum -anteroventral -anthracene -anthropoid -anthropometry -anthroposophist -anthroposophy -antiStalinist -antibodymediated -anticlericalism -anticlinal -anticommercial -antifeminism -antihelix -antiincumbency -antiinsurgency -antimitotic -antimutant -antimycobacterial -antinociceptive -antioxidative -antiport -antiquum -antireflective -antiroll -aolid -aperitif -apertus -apiary -apiculture -applicationoriented -appraising -approximatus -apterus -aquathlon -aquatint -arabesques -arbitrates -arborist -archaean -archaebacteria -archduke -architectonic -archosaurian -arenaindoor -argid -arietinum -armatum -armeniacus -armorer -arrhythmogenic -arrowheadshaped -arrowleaf -artbased -arte -artforms -arthropathy -arthropodborne -arthuri -artificer -arty -asbestosis -ashen -ashmaple -asian -asteroides -astrocytomas -astrodynamics -atheneum -atomism -atrophied -attainders -attenuatum -attributive -aubergine -auctioneering -aupouria -aurescens -auricoma -auriculatus -auripennis -aurorae -austeni -austerities -australasica -authoreditor -autoconfiguration -autogenic -automobilerelated -automorphisms -autopilots -autotomy -autotransporter -ave -avenae -avenges -azapirone -azithromycin -babysitters -bacilliform -backdoors -backroads -baclofen -bactericide -bagasse -baguette -bahamensis -bailli -baja -balancers -baller -ballhandling -barbieri -barbthroat -barfi -barodontalgia -baronium -barramundi -bartered -barteri -basepair -bashed -basicity -basidium -bask -bassdriven -bassguitar -bastarda -bastide -bayan -bayberry -beachcombers -beaching -beanie -beatem -beckii -bedpan -beguinage -behaviorists -belids -bellflowers -bellhop -bemused -bendahara -benefactress -beneficent -beneficiarys -bennettii -bentwing -benzimidazole -benzofuran -benzophenone -benzoquinone -berated -bergii -beseech -bestcharting -besteffort -betaDfructan -betaoxidation -bg -bhavas -biarticulated -bibliophiles -bibroni -bicincta -bicker -bicolora -biconica -bicostata -biennium -bigamist -bilaminar -bindery -biobehavioral -biocatalysis -biochar -biocultural -biodegradability -bioplastics -biorefinery -biotechnologies -bipinnata -biplagiatus -bipustulata -biretta -bitesize -bitterling -bituberculata -blackbutt -blackdeath -blackthrash -blackveined -blakei -blameless -blanfordi -blastomycosis -blatchleyi -blaue -blazar -bleheri -blesseds -bleue -blip -blissfully -blistered -bloods -bloomed -blu -blueandwhite -bluebonnet -bluebreasted -bluelight -bluetongue -bluishblack -blunttipped -boatbuilders -bodystyles -bol -bolivari -bombmaker -bonafide -bonefish -bookies -bookkeepers -bookplates -borbonica -borndigital -borneana -bosuns -bottlenecked -bowmen -brachyphylla -brachypterous -bracteatus -bracted -bradleyi -brags -brauni -braved -breakdancer -breastbone -breasted -brevispinus -brickmaker -brigadiers -brimming -bristletipped -brit -brittlegills -broadcastquality -bromo -brooded -broodmares -broomstick -brotula -brownfields -brownwater -brunnealis -brunneipennis -brushlegged -brushturkey -brusque -bu -bubbler -bubur -budworm -buffbellied -buffbreasted -buffish -bugged -bulbifera -bulletshaped -bullettes -bullfights -burh -burmeisteri -burntout -bursage -buruensis -bushranging -businessmans -buttercups -butterfish -butterflys -butyrophenone -buyside -byggnadsminne -cJun -cadastre -cadaveric -cagebird -calcar -calcined -calfskin -calibrations -calla -calmed -calumnia -calvaria -camaldulensis -camerae -cameroni -camptown -canariense -canarygrass -candicans -canephora -canna -canso -cantabile -canticle -capandtrade -capbinding -capitalizationweighted -capitation -capitularies -caproate -capsularis -capsulatus -captaincoaching -capuchins -caracal -carbonarius -cardiotoxic -cardsized -cargocarrying -caridean -cartesian -cartographical -caruncle -carvel -caryae -casebearer -casei -cashstrapped -cassowaries -castrati -casuarina -catadromous -catafalque -cataloguer -catechist -catecholaminergic -cath -catnip -catuaba -caucasicus -cavallo -cavernicola -cayennensis -ceftriaxone -celatus -celebica -cellulosebased -cellwall -cena -centimes -centimeterlong -centra -centre -centreline -centroids -centrosaurines -cerata -ceratina -cercle -cereale -cerebellopontine -certainties -cest -chalking -challengeresponse -cham -chancellorship -chank -chapaensis -chapati -chapelries -chaplaincies -chaps -chard -charmers -charring -chartarum -charterhouse -chartreuse -chateaux -checkbox -checkpointing -checkweighman -cheesmanae -chefowner -cheilitis -chemoreceptor -chemosynthesis -cheni -chestnutheaded -chia -chica -chicklit -chihuahua -childrenoriented -chiles -chinese -chirp -chlamydospores -chlordiazepoxide -cholangiocarcinoma -cholesterollowering -chopstick -chorded -chording -chordophones -choreographs -christen -chromeplated -chromeyellow -chronozone -churchwardens -churchwide -chyme -ciliogenesis -cincinnata -cinctella -cinctipes -cinematheque -cineplex -cinereiceps -cinnabarinus -circumcincta -circumnavigates -cislunar -citable -citril -civilianmilitary -cladodes -clansmen -clarifications -clasper -classicallytrained -classis -clathrincoated -clayrich -cleancut -cleanshaven -cleavers -cleistogamy -clenching -cliffhangers -clinicalstage -clitic -clonidine -closedoff -clotrimazole -cloture -cloudforests -cloudiness -clubdance -clubrush -clusterlily -coCEOs -coachbuilt -coarctation -coccusshaped -coccygeal -cocoach -coconsul -coconvenor -codefensive -codexes -codistributed -codling -coelenterates -coenzymes -coerces -coercing -coercivity -coeur -coevolutionary -coexpression -coffer -cogent -cohabit -coheadliners -cojoined -colas -colchica -coldpressed -coldrain -coleoids -collaged -collard -collectivist -collectivized -colliculi -collimation -colloquialisms -collude -collybioides -coloboma -coltan -colubrids -comanagement -combinatory -commandandcontrol -commend -commentate -commingled -comminution -communitylevel -commutations -complementarian -compositors -composti -compressedair -comprimario -compulsions -comuna -conceptualism -concessionary -concordia -concretion -conditionals -condors -confertus -configurability -configures -conflate -conglutinate -congolensis -connectionism -connectives -conservativeleaning -consignor -consolidator -conspicillatus -constrictive -containerships -contemporaryformatted -contextualization -continentwide -continuouslyrunning -contractionary -contrada -contrapposto -converses -convoyed -convulsive -coorbital -copilots -coppersmith -copyhold -copywriters -coquette -coram -corax -cordovan -corella -coriaceous -coronial -corporatised -correctors -corrodes -coruled -corulers -corymbs -cose -cosponsorship -costatum -costed -costeffectively -cosubstrate -cotoneaster -cots -countermanded -countermelody -counterprotest -counterprotesters -counterweights -countout -countybased -countyequivalent -courtmartialled -cowherd -cr -craftbased -crameri -crassiceps -crataegi -cratonic -craved -creatorproducer -crenulatus -crewmates -crimerelated -crippleware -crispness -cristae -critter -croceus -crooned -crosscheck -crosscontamination -crosscounty -crosscuts -crosseyed -crosslanguage -crosswinds -crouch -croup -croupier -crowdsources -crowngroup -cruentata -cryoelectron -cryptograms -cryptologist -cryptomonads -cryptovirology -crystalclear -crystallinity -cuddle -cuddling -cufflinks -cuing -culturalhistorical -culturespecific -cupronickel -curiosa -curvebilled -customerpremises -customizability -cuticles -cutthrough -cwmwd -cyanus -cyclases -cyclopropene -cyclosporin -cynically -cyrtocone -cysteinyl -cytoarchitecture -cytolytic -dAlger -dAlsace -dAnnunzio -dEtudes -dOrbigny -dUrbervilles -dactylifera -dagga -dandelions -dapple -dapsone -databased -dataprocessing -datasheets -dauber -davits -dayandnight -daybook -deadbeat -deathmatches -debile -debtridden -decapeptide -decapping -decemvirate -deceptrix -decidual -decimals -declarant -decompressor -deconstructionist -decussatus -defeasible -definitional -degradative -dehumidifiers -dehydrating -deidentification -deildegast -delavayi -deliciosus -delimits -dellAdriatico -dellOpera -delphinidin -deltav -demarzi -demissa -demodulate -demonetized -demoralize -demotic -deniable -densification -depauperata -depletes -depolymerizing -deprivations -deprotonated -depsipeptide -dept -derailments -deregister -dermatophyte -descadre -desertlike -deservedly -designees -desorptionionization -despondency -desulfurization -determinable -detracts -deutschen -developerpublisher -devilish -dham -dholak -dia -diagnostically -dialectologist -diarchy -diatribe -diborane -dichotomus -diclofenac -didactics -didst -dieoffs -differencing -digitalization -digitigrade -digraph -dihydrocodeine -dihydroisocoumarin -dihydromorphine -dilatatum -diminutives -diomedea -diopetes -diplococci -diptychs -disaggregated -disassembler -discoinfluenced -disconnector -discosorid -discosorids -diseaseresistant -disengaging -disillusion -disinfected -disjunctus -dislocating -dismantles -dispersions -displaystyle -displeasing -disproportionality -disses -dissimilarity -districting -disubstituted -diviners -divisioona -dizzy -djs -dm -dockets -dodecahedral -doeuvre -doggerel -dogmatics -dolce -domelike -dominicana -dominus -dorado -dorcas -doric -dorsata -doublebarrelled -doubleclick -doublecurvature -doublepen -doubler -doubletracking -downregulates -downstroke -draftsmanship -dragnet -dramaseries -draperies -draughting -drawl -dressmakers -droughtresistant -drubbing -drugdealer -drugdealing -drugging -druglike -dualities -duallanguage -dualmember -dualspecificity -dualvoltage -duchesses -dumbwaiter -dumetorum -duncani -dunked -dunkeri -duogroup -durables -duskywing -dvips -dwarven -dwm -dynactin -dysgalactiae -dystonic -dysuria -eCos -eHarmony -eXtreme -ealdorman -earlyBaroque -earlyRenaissance -earmark -earmarking -earring -eastend -ecclesiological -eclectus -ecofeminist -ecologic -ectoparasitoids -ecuadoriensis -eczematous -edematous -edtech -eelpouts -effusa -efile -egotism -egressive -ehealth -ei -eider -eightacre -eightcounty -eighteenhole -eighths -eightpoint -eightyfourth -eightyseventh -ekmanii -elation -elatior -electroRB -electrophile -electrophysiologist -electrotherapy -eleventrack -elgonensis -elliptically -elmeri -elucidates -eluvial -emailbased -emancipatory -embanked -embeddedness -embezzler -embolic -embroiderer -embryologic -embryonal -emertoni -employments -empresses -enV -enceinte -encephalomyopathy -enchantments -enchiladas -endochondral -endodeoxyribonuclease -endometritis -endosome -energyefficiency -enfeoffed -engrossing -engulfs -enigmas -enjoining -enkephalin -enquired -enshrinement -enterocytes -enteroviruses -enterprisegrade -entertainmentbased -enthralling -enthused -entices -entreaties -entrenches -entrustment -entryways -enumerations -enunciate -enunciation -enuresis -env -enzymecatalyzed -epigyne -epilepsies -epilepticus -epiphysis -epipubic -episiotomy -epochal -epoxygenases -eprocurement -equalarea -equalities -equitans -erbium -eremic -eremicola -eremitic -ergaster -ergometer -erinaceum -erlangeri -erotically -erraticus -erythroblasts -escapology -escheat -essaying -essentialist -ethoxylation -eubacterial -eulogies -eustatic -evades -ewer -exBlack -exMuslim -exboxer -exemplification -exfoliating -exhaling -exhibitionism -exigency -exminister -exmodel -exocyclic -exogenously -exoplanetary -expiratory -explicable -expolice -extendedrelease -extraplanar -extrapolating -extrema -exuviae -fRoots -faafafine -fabricii -facilis -factice -factotum -fairywrens -falafel -falcataria -falcatum -familiars -fanfriendly -fang -fangame -fanless -fanlights -fantastically -farebox -farranging -fascicular -fasciculosa -fasciolatus -fastidiosa -fatalism -fatherly -fattening -fatter -fatwas -fe -federallyrecognized -felina -feminized -ferryman -ferrys -fervidus -festivus -fetishist -fiberbased -fibrinolytic -fibrocartilaginous -fibrocystic -fibromas -fibromatosis -fictionpolice -fieldstones -fim -fimbriated -fingerholes -finschi -fireadapted -firebase -fireboxes -firecolored -firetail -firstplaced -fitters -fiveact -fiveeighths -fivenight -fivereel -fiveseater -fixedincome -fixedwidth -fka -flabby -flamed -flatfour -flatroof -flavoproteins -flavovirens -flavovittatus -fleck -fledglings -fleur -flicked -floaters -flocculent -floes -floodgate -florae -floristry -floundering -flowerrich -flues -fluidly -fluorosis -flyback -flypast -fogging -folklores -fondue -foodplants -foodprocessing -foolishness -footwide -forepart -foresail -forestalled -foretells -forgetful -forgoes -formbased -forrestii -forza -fosbergii -fossicking -fosteri -fou -foursomes -fourstep -fourthhighestgrossing -foxhole -frameup -franchisebased -francophones -freakish -freeforall -freereed -freeskiing -freest -freezedried -frenchi -fricative -friday -frizzen -frolic -fructus -fruiteater -fucata -fuciformis -fucked -fugacity -fullbore -fulldepth -fullmarket -fullrange -fullstack -fumata -fumetti -funereal -funfilled -fungicidal -funkjazz -furca -furcifer -furlined -furred -gadogado -gadwalls -gahani -galangal -galba -gallinae -gallotannins -gamertag -gamigo -gangeticus -ganglioside -gardenia -gargantuan -gasgenerator -gash -gatra -gazella -gelisols -gellike -geminus -genei -genericised -genitalium -genotypic -geomechanics -geosphere -germanus -gesso -gettogether -ghanensis -ghostlike -ghoul -ghoulish -gibberellin -gigawatts -gilva -gingivalis -girardi -giro -gist -glabricollis -glace -glasshouses -glassmakers -glazier -glaziovii -glean -glitz -glossystarling -glovebox -glycines -glycoalkaloid -gneisses -gobiensis -gobo -goldbased -goldbearing -golgi -goodfaith -gooey -gordonii -gores -gouges -governmentsubsidized -governorelect -gracilicornis -grandly -grandslam -grangeri -granitoid -granzymes -grapegrowing -grapeshot -graphed -grappled -grassbird -grates -gravitating -grayblack -grayblue -graycolored -graying -greaser -greatgreatgreat -grebo -greenbacks -greenii -greenishblue -greenlet -greenling -greenskinned -greentailed -greenyellow -greylag -greywacke -grindstones -groenlandica -gromwell -groundfeeding -grudgingly -guanylyl -guestedited -guesthouses -guillotined -guineense -gular -gullwing -gumballs -guppies -gusto -gutsy -gyroelongating -gyros -haLevi -haat -habenular -hackneyed -hadrosauroid -hairthin -halfdemon -halfman -halfround -halfstaff -halfstep -halloween -haloalkane -halteres -hammerbeam -hampers -handcrafting -handlettered -handloading -handlooms -handout -handrolled -handwired -hangingfly -hangouts -haptoglobin -harddrinking -hardtack -hardtail -hardwickii -hardyi -harterti -hasta -hatchlings -hating -haughty -haulers -havanensis -headbutt -headbutting -headsails -headshot -headshunt -heathens -heathi -heatwave -hebes -hebridarum -hecate -hedged -heifers -helds -hematophagous -hendersoni -hentzi -hepatotoxic -hepcidin -herbicidal -hereinafter -heritors -hermanni -hesperia -heterochrony -heteroclinic -heterostructure -heterostructures -heterotetramer -heterotroph -heterozygotes -heydeni -hg -highalbedo -highcalorie -highcost -highcurrent -highlanders -highmounted -highrate -highreliability -highsensitivity -highsociety -highyielding -hihats -hildebrandtii -hilltopping -hilts -hiphoprap -histidines -histiocytes -histiocytoma -histopathological -hitched -hitsingle -hl -hnRNPs -hoarseness -hob -hogshead -hogweed -hollies -holometabolous -holomorphic -homomorphisms -homopolar -hon -honeycreepers -honeypots -hookers -hopRB -hormonereleasing -hornbeams -hornii -hornshaped -hornworm -horrormysteryerotica -horsemounted -hospitalist -hothouse -hotswappable -hotwater -hoverboard -howls -hulking -humanbased -humanize -humanizing -hummock -hun -hus -husbandmen -huur -hyaloclastite -hybridelectric -hybridoma -hydatid -hydrocodone -hydroformylation -hydrolyzable -hyperboreus -hypergiant -hypergraphs -hypersexuality -hypertonia -hypochondriac -hypocotyl -hypogeal -hypogean -hypogeum -hypostatic -hypotonic -iF -iNews -icefall -ices -icicle -iconoclasts -ictal -idaeus -ideograms -idleness -ignita -iguanid -iiNet -ikat -ileocecal -iliopsoas -iliotibial -illudens -illusionists -imagistic -imbibition -immunologists -impetuous -implacable -impositions -impregnating -imprisonments -inattention -incardinated -incisus -incomegenerating -inconspicuus -inconstant -incorporations -incorruptible -indents -indigene -indigetes -indistinctly -indistinctus -indoles -indomalayan -inextricable -infirmaries -infix -inflatum -influenzalike -infrahyoid -infrasonic -infrasound -infraspinatus -infructescence -ingratiation -ingressive -inground -inheritors -inholding -injectables -inkblot -inkstand -innameonly -innervating -innotata -innumeracy -inorbit -inordinately -inquisitors -inroom -inscripta -inscriptional -insolubility -instabilis -instants -instillation -instream -instructionlevel -instrumentalonly -insufflation -insulins -interapplication -interceded -intercolonial -intercommunication -intercoms -intercondylar -intercropping -interdicted -interdictor -intergiro -intergrade -intermediatemass -internationalize -internee -interossei -interpolating -intersymbol -interurbans -intestacy -intracardiac -intraspecies -intrathoracic -intuitionistic -invalidly -inviolable -invisa -iodides -ionophores -irinotecan -irish -irrefutable -irrelevance -irretrievably -isabellina -isentropic -isis -isoflurane -isogonal -isomerisation -isotretinoin -isthmica -ixioides -jacksonii -jaegeri -jailbreaks -jangling -javanicum -jawline -jazzblues -jeg -jejuensis -jeotgal -jeune -jewish -jitsu -jobrelated -jobseekers -johannis -johns -jojoba -josephinae -jovian -joyriding -jubilees -judicatory -judice -juiced -jul -jurisprudential -jut -juxta -juxtapose -kanjira -kaolinite -kapok -karatedo -karschi -karsholti -kaval -kcal -keralensis -keratan -keratectomy -keratoses -keratotic -kerk -kethuk -ketoprak -keybindings -keyensis -keyserlingi -kickboxers -kilim -killdeer -kilobits -kimberleyensis -kina -kinetoplast -kingi -kingmaker -kirki -klossi -knapping -knickerbockers -knickpoint -knifefishes -knotty -kotschyi -kraits -krishna -kulintang -kumquat -kund -kundalini -kunya -kynurenine -lAvenir -lOntario -labyrinthodonts -lacelike -lacrosseonly -lactiferous -lahar -lamarckii -lambdoid -lamberti -lamellata -lamia -laminectomy -landfalls -languagespeaking -languida -lappet -larches -largecell -largeleaf -largestcirculation -largetoothed -largish -larseni -laserassisted -lasso -latefasciatus -latenineteenthcentury -lateralization -laters -latirostris -latum -lawrencei -layardi -lbf -leadsingle -leafflower -leafroll -leai -leastused -leftism -leftside -legge -leggenda -legrandi -lekking -lemoulti -lengua -lentiginous -leonardi -leonis -leptons -lespedeza -lesscommon -lessthantruckload -leuconota -levitated -liaised -liberator -libpcap -libro -licentiousness -lichenoides -liege -lifelines -lifesustaining -lightbrown -lightdependent -lightyear -lijsttrekker -likelier -limata -linda -lineament -linemandefensive -lingers -linksstyle -linnet -lipidomics -lipreading -lirica -liui -liveactionCGI -liveactioncomputeranimated -liveinthestudio -livemusic -lividum -locallyproduced -localregional -locationspecific -lockkeepers -lockon -lockouts -locksmiths -loggerheads -loi -lolita -lon -loners -longbox -longclaws -longerestablished -longfooted -longisporum -longplayer -longshort -longsnout -longspine -loosed -loris -lostwax -loveinterest -loveridgei -lovestruck -lowbypass -lowermiddleclass -lowestlevel -lowestranking -lowlife -lowpaying -lowwinged -loxP -lumawigi -lumbermen -lumborum -lupines -lupulus -lustful -luxuriously -lyallii -lydekkerianus -lymphadenitis -lyssavirus -machismo -macrocosm -macroeconometric -macrolides -macrospora -madagascariense -maderensis -madia -mafiatype -magmatism -magnesiumrich -magnetohydrodynamic -magnetooptical -magnetostrictive -magnoliids -maguey -maia -maim -mainwheels -maisonette -majordomo -malagasy -mallows -malonic -mammoplasia -mammy -manat -mand -manhandled -manicure -mantidfly -manu -manumitted -manycolored -mapbased -mapboards -mapmakers -maquette -marchio -margaritacea -margraviate -mariculture -marketrate -markups -marmalades -martialarts -martialed -masers -masseuse -masterclass -masticatory -mataiapo -matchboxes -matchings -matricellular -matrixassociated -matthewsii -maven -meanspirited -meatless -mechanician -mechanotransduction -mediations -medico -medio -mediumformat -mediumlength -mediumscale -mediumweight -medullaris -megalitres -megastar -megastructure -melanistic -melanopus -melanosticta -melomys -memetic -mendicants -menstruating -meow -meprobamate -merchandised -meri -meridensis -meridianus -meridional -merlin -merous -merrymaking -merula -meshless -mesmerized -mesocortex -mesophytic -mesothelium -metacognition -metalinfluenced -metalliferous -metalloids -metalthrash -metalware -metaphilosophy -meteoroid -methylenetetrahydrofolate -methylmalonic -metriorhynchid -metrosexual -mettle -micelle -michaeli -micranthum -microalga -microbats -microblogs -microburst -microcap -microdissection -microdon -microevolution -microfilming -microgames -microlights -micromarketing -microphthalma -microplates -microstoma -midCretaceous -middecade -middistance -midlatitude -midpaced -midrd -midtolates -mileposts -milfoil -millenniums -mimes -mimesis -mineralisation -minggah -miniatus -minidocumentary -miniflyweight -minihumbucker -minisite -minusculus -minutissimum -minyan -misapplication -misheard -misinformed -misperceptions -mispronunciation -mistreating -miterwort -mitomycin -mitred -mixedNOCs -mixedvoice -mixins -mocha -modernizes -modernly -modiglianii -modiolus -modo -molder -molesta -mollymawk -moluccana -momenta -monads -moneda -monetarily -monocrystalline -monodi -monohulls -monolinguals -mononeuropathy -monopolist -monotony -monotypical -monozygotic -monthslong -moog -moonlit -moonseed -moots -mopping -morphometrics -morrisii -mortared -mossi -mosslike -mostadded -mostknown -mostperformed -motmots -mountainaccess -mourns -mousy -mouthfeel -movierelated -muchanticipated -mucida -mucins -mucolytic -muerte -muffed -muffled -mulching -mullions -multiangle -multiasset -multibody -multiclass -multicostata -multigame -multigene -multihop -multilineata -multimammate -multimeter -multiobjective -multiplayeronly -multipleinput -multiplications -multipole -multiround -multisporting -multistrategy -multocida -mummers -mura -muralists -murdermystery -mus -muscled -museologist -mushers -mushroomtongue -mushy -mustangs -musthave -mutabile -mutator -mutilate -mutuality -myersi -mysids -mysterycrime -mysterydrama -mysterysuspense -myxozoan -nVidia -naiads -naivete -nameservers -nannodes -nanobiotechnology -nanocomposites -nanofabrication -nanophotonics -nanoscopic -nanosponges -napus -narrowheaded -nasals -nationalinternational -nationalsecurity -natura -naturopathy -navigations -ndlargest -ndu -nearrecord -nebulosity -necromancy -nectars -needling -neophyte -neotenic -neotropica -nephrosis -nereis -neriifolia -nesiotes -netlabels -neuroendocrinology -neurokinin -neuroleptics -neuropathologist -neuropil -neuroprotection -neuroradiology -neurostimulation -nevermanni -newlyelected -newsboy -newsfeed -newsfeeds -ngoma -nicefori -nif -nigella -nightflying -nightingalethrush -nightwatchman -nigripuncta -ninebark -nineepisode -ninemile -ninetieth -ninetythree -nipa -nitration -nitre -nitromethane -nobiliary -nociceptin -noire -nomadism -nominalism -nonAboriginal -nonIslamic -nonalignment -nonanimated -nonbasic -nonbiodegradable -nonblack -noncelebrity -nonchalant -noncognitivism -noncollagenous -noncommercially -noncompilation -nondrafting -nonelectrical -nonextant -nonfigurative -nongeographical -nonhistone -nonhybrid -nonleap -nonlifethreatening -nonlocality -nonnetwork -nonneuronal -nonnormative -nonobviousness -nonpersistent -nonproportional -nonreflective -nonrepudiation -nonrestricted -nonsanctioned -nonscripta -nonserious -nonsingular -nontidal -nontimber -norepinephrinedopamine -normalizes -normani -normativity -norovirus -nortestosterone -noster -nostra -notehead -notepad -nothofagi -noticeboard -novellength -nowcanceled -nowretired -npower -nucleotidegated -nudists -nul -numerator -nummularia -nymphaeum -oC -oast -obfuscate -objectify -objectivebased -oblates -obliterata -obliterating -obovatus -obviousness -occipitotemporal -occlude -occlusive -occulting -occultists -ochraceum -octogenarian -officebearer -offputting -offthecuff -oftenused -ohmic -oilfilled -ok -oldiesclassic -oleaster -omental -omissa -omnitruncated -omphalinoid -onager -onehorse -oneliner -onestring -onfarm -openangle -openwheeled -ophioglossoides -ophiolites -ophthalmoplegia -opilio -opimus -opposable -opposedpiston -optimates -orangespotted -orbis -oregona -organisationally -organismic -organizationwide -organoids -oribatid -orientational -ornatipes -ornatum -orographically -orthometric -osteopaths -otaku -otome -outlawry -outoffocus -outpolled -outrages -outrighted -outsmart -outspread -outwits -ovalifolium -ovenbirds -overblowing -overcurrent -overfished -overfitting -overflight -overlong -oversimplification -overtopping -ovipennis -oviraptorosaurs -ovulate -owlflies -owlsclover -oxaloacetate -oxoacid -oxyanion -oxygenic -oyer -pachycephalosaurs -pacifying -paddlefish -paella -pagana -painlessly -palaeographer -palaestra -palay -paleobotanist -paleography -palla -pallasite -palliatus -palma -palpal -panIndia -panchromatic -pandora -paned -pangenome -panhandling -paniculate -panniculus -panniers -papilledema -paraaortic -paraboloid -paracanoe -paralimbic -parasitised -parastatals -paratonia -paratroops -parchmentlike -parfait -parietooccipital -parliamentarism -parol -particleboard -partita -partwork -parviflorus -parvifolium -paspalum -passagerequired -pata -paternoster -patriarchates -patristics -patronal -pattress -pau -paume -pawl -pawnbrokers -paygrade -peacockpheasant -pearcei -pebbledash -pectinase -peculiaris -pedata -pedestrianfriendly -pedestrianization -pedestrianonly -pedipalp -peeping -peeress -pegasus -pellagra -pelle -pellitory -pemoline -penciltailed -penduline -penetrations -penpal -pensioned -pensylvanicus -pentamer -peonage -percepts -percolate -perenne -performingarts -perfumers -pergandei -periaqueductal -periderm -perimenopause -perineurium -perm -permadeath -permeating -personalizing -perspex -perturb -pervasiveness -perverted -peseta -petersii -petrophila -peyrierasi -phenethyl -phenylpropene -philippiana -philippinus -philtrum -phlebotomy -phloroglucinol -phoenicea -phonebased -phono -phosphatidylethanolamine -phosphocreatine -photoacoustic -photogrammetric -photoionization -photoperiod -phycology -physiochemical -phytoalexin -phytogeography -pianistbandleader -pici -picturatus -picturized -piedra -piercers -pietas -pietra -piger -piha -pileata -pilosella -pinelands -pinelike -pinkishwhite -pinstripe -pinstriped -pintle -piperata -piperita -pipetting -pipework -piranhas -piscivorus -piste -pitiful -placegetters -planers -planetoid -planicollis -planispirally -planked -plasmin -plastering -platformagnostic -platformpuzzle -plats -plaumanni -playercreated -playhouses -playonwords -playschool -playscript -pleco -pleinair -pleopods -plethysmography -pleurisy -plexiform -poensis -poetsaint -pointillism -pointofpurchase -pokeweed -polarities -poled -polenta -policyrelated -polingi -pollarded -pollards -polyamides -polychroma -polycomb -polyelectrolyte -polymerbased -polypectomy -polypoid -pompadour -ponderous -ponerine -pooram -popart -popcountry -popera -poprap -populariser -populists -porcellus -porphyroblasts -portalRobert -portalWilliam -portent -postBeatles -postBritpop -postKatrina -postabortion -postcanine -postcapitalist -postcrisis -postcyberpunk -postfeminism -posthole -postoperatively -postseasons -pouchlike -powwows -ppi -praenomina -preBroadway -preConfederation -preamps -preapproval -precognitive -precuneus -predispositions -predrilled -preevent -preferment -prehuman -premRNAs -premenstrual -prequalification -prescriptiononly -preselector -presenilin -presidentCEO -presolar -presuppose -presupposed -pretest -prez -pricei -primase -printf -proPalestinian -problematica -problembased -procommunist -prodromal -producercomposer -proficiencies -profligate -progun -prohormones -projectional -prolixus -proloculus -propanediol -propertycasualty -proplyds -propodeal -propodeum -proselytization -proteasomes -proteinDNA -proteinbased -protem -protocarnivorous -protolanguages -protolith -protostars -protosuchian -provenience -provincials -pry -przewalskii -pseudepigraphic -pseudohistory -pseudopods -pseudowire -psychobiology -psychographic -psychokinesis -psychokinetic -psycholinguistic -pu -publichealth -publicrelations -puerile -puklo -pullata -pulloff -punctifrons -punctiventris -punditry -purifies -purlins -purpleglossed -purplethroated -purpleveined -pursuer -pursuivant -purveyed -pushchairs -pushover -putamen -puzzleplatformer -pyrrolidine -quadrifidus -quadrivium -quadruplets -quaestors -quagmire -quandong -quantitation -quarrelsome -quarterbacked -quarterlies -quasilegal -quasiofficial -quickservice -quiero -quieting -quitrent -quizbowl -quorums -radiatum -radioshow -radular -raffrayi -rages -railguns -railtour -railyards -rainbowcolored -ramjets -ramsayi -ramsons -ranchera -rangefinders -ranita -rapa -rapidacting -rapidresponse -rappel -ratcatcher -ravelin -ravers -rayed -rdlargest -rdparty -rds -reaccreditation -readapted -reals -reaming -reanimate -reappoint -reappropriated -rearm -reassignments -reattributed -reawakened -reawakening -recapitalization -recasts -recline -recliner -recoiloperated -recollect -recollected -recondita -reconnoiter -reconstituting -reconversion -recrimination -rectangularshaped -recuperative -recusancy -recyclables -recycler -redbay -redblue -redbodied -redbud -redchested -redcrested -reddelli -redfooted -rednecks -redressing -reductant -redviolet -reefbuilding -reengage -reevaluating -refills -reframe -refreshable -refulgens -regenerator -regionalized -regionbased -regnum -regurgitate -rehabilitates -rehash -reimbursable -reincarnate -reincorporation -reinstall -reiterates -relabelled -relapsingremitting -relativist -remelting -remiges -remits -remitting -remunerated -renews -replenishes -replevin -reprieves -reprimands -reprintings -reregister -rerigged -resected -reseeded -reshoot -residentially -resp -restate -restricta -restructures -resupplying -resurveyed -retakes -retiarius -retinas -retool -retractions -retransmitting -retrofits -retrotransposon -returnable -revenant -reverent -reversa -reverser -rhatany -rhineurids -rhizospheres -rhombifer -richardi -rideshare -ridgeway -rightbranching -rightsholder -rigsdaler -rioni -roadbased -roadlegal -roadmaps -rochet -rockhard -rockinspired -rockpostpunk -rockreggae -roled -rollouts -romancing -romantics -roqueforti -rosaries -rotisserie -rotoscoped -roughest -roundeared -rubriventris -rubythroat -ruffles -rufousfronted -rufoussided -rugulosa -rumah -runandgun -russelli -sTLD -sabbaticals -sabulosa -saccades -saccharolytic -saccharum -sachalinensis -sacristan -saddlery -saddleshaped -safehouse -sagitta -saillike -sailmakers -salebrosus -salicylates -salinarum -salivarius -salmonellosis -salmonfly -saltwort -salvia -samizdat -sandflies -sandplains -sandspit -sanidine -sants -saponification -sargentii -satchel -savez -sawedoff -scaffoldin -scaleless -scalene -scalywinged -scarecrows -scarps -schaeferi -scheffleri -schemer -schiffornis -schilbid -schistacea -schistosomes -schizoid -schwannomas -schweinfurthii -sci -sciatica -scienceoriented -scififantasy -sclerotherapy -scolding -scone -scoparium -scorekeeping -scrambler -scratchoff -screamers -screeners -screenprinted -screeves -scribed -scribing -scrimshaw -scrivener -scrummager -scud -scudderi -scullers -sculptilis -sculpturatus -scythes -seaice -sealskin -seasnake -seborrheic -secessions -sechellarum -secondconsecutive -secreta -seductress -seedbed -segueing -sein -seismometer -selfabsorption -selfacting -selfassessed -selfconfident -selfdoubt -selfenhancement -selfextracting -selfheal -selfinjury -selflocking -selfmanaging -selfportraiture -selfpublishes -selfreflective -selfreports -selfrestraint -selfsealing -selfselected -selfsupport -selfsynchronizing -selftrained -sellata -sellside -semiabstract -semibrunnea -semicircles -semiconservative -semidry -semifast -seminigra -semireality -semiregularly -semitractor -sensitisation -sensus -sentinels -septostomy -seraph -seraphim -serenata -serinethreoninespecific -setal -setoff -setulosa -sevenacre -sevencounty -sevenseat -sevenseater -seventysixth -sexier -sexpunctatus -seychellarum -shafferi -shameless -sharable -sharpnosed -shastra -shavers -shawarma -shea -sheave -shebeens -shelducks -shepherdess -shied -shikimic -shipwrights -shogunate -shortduration -shorthead -shortlasting -shortsighted -shorttime -shovelers -shrewrat -shruti -shura -sibia -sibiricum -siddha -sidebars -sideburns -sidechains -sidegill -sidemounted -sidestick -sidewinder -sieberi -sightseers -signalmen -signore -signsoff -silene -siliciclastic -silicosis -siliques -sillimanite -silvermedal -sima -similarlytitled -similes -simulationbased -singlefield -singlegender -singleleaf -singlepurpose -singlestep -singlewalled -sinistra -sinuate -siphonophore -sis -sistergroup -sisterstation -situating -sixacre -sixalbum -sixcarbon -sixspotted -sixthhighest -skacore -skeptically -skiathlon -skittles -skydive -slabsided -slatybacked -slaving -sledging -sleepaway -slewing -slimmest -slipcover -slowburning -slowtempo -smallcaliber -smallmarket -smallscaled -smiled -smug -smuts -snappy -snelleni -snowcats -snowdrops -snowplows -sobria -socioecological -sociolegal -socken -sodalis -softwareonly -sogno -sojae -solaris -soloed -somalicus -somatotropin -somites -songanddance -sop -sophia -sorely -sorters -sortes -sotol -soubrette -souldisco -soundcard -soundeffects -sourness -souschef -southeasterncentral -spacegrant -spacerock -sparrowsized -spectroscopically -spectroscopist -speedier -speleology -spermatophores -spermicide -sphaerica -sphaericus -sphingolipids -spiculum -spiderlily -spiker -spiketail -spinART -spinae -spinetipped -spinigera -spinneret -spinsters -spirometry -spittlebugs -splitreel -spongiosum -sportsdrama -sprawls -spurwinged -spymaster -squadra -squib -stagnating -stairstep -stalkless -stampings -stan -starched -starfield -starfighter -stargazers -statebred -staybehind -stearothermophilus -steelreinforced -steelworker -steeplechasers -steerage -stegosaur -stellatum -stenographers -stenopetala -stenotype -stephani -stepparent -stercoralis -sterilis -sternoclavicular -stewarding -stickball -stillextant -stingy -stipitatum -stlargest -stoa -stockier -stoke -stoptime -storksbill -stovetop -stowaways -straightbilled -straighteight -straightsnouted -straightwing -stranka -streetfighter -strenuus -stresemanni -striatella -strippedback -stroboscope -strongpoints -studentbased -studentdirected -studioalbum -studiooffice -stunningly -sturgeons -stygia -subLOGIC -subaquatic -subaqueous -subband -subbrands -subcosmopolitan -subdirector -subentity -subgen -subhuman -subjunctive -subleased -sublingua -submarket -submillimetre -subpost -subscript -subscripts -subsisted -subspaces -substantiation -subthalamus -subtleties -suburbanites -subvillages -subwavelength -succubi -sudanensis -suduirauti -sugaring -sulcatum -summiting -summitted -sumptuosa -superblock -supercup -superego -superfluidity -superfluids -superimposes -superimposing -supermoon -supernaturally -supertanker -superyachts -supracondylar -supralibros -supratrochlear -surfacesupplied -surficial -surfperches -swaggering -swainsonii -swindles -swinhoei -swiped -swiss -switchback -swooping -swordfighting -swordgrass -sympatry -syncretistic -syncretized -synovitis -synthdriven -synthheavy -syriacus -systemspecific -tabloidsize -tabulations -taczanowskii -tahitensis -tailshield -talbotii -talismanic -tambourines -tamsi -tangleweb -taphonomic -taskspecific -tastefully -tattooist -technocracy -technoscience -tectus -tegument -tela -teleported -televisionfilm -telugu -temperaturesensitive -tenable -tenellum -tenesmus -tenfoot -tensong -tera -teramachii -terga -terminologyoriented -termly -ternata -terraformed -terreus -testability -testaceipes -testaceum -testbench -tetrads -tetrahydrofuran -tetramers -textmessaging -textually -thenBritish -thenMinister -thencontroversial -thenknown -thenongoing -thensister -theobromae -thermalis -thermite -thermochromic -thermography -thermohaline -theyyam -thhighestgrossing -thiazole -thimerosal -thinskinned -thirdever -thirdfloor -thirdranked -thirdsmallest -thirdtallest -threadsafe -threecolored -threeline -threenote -threeposition -threeseater -threshers -thrifts -throb -thromboembolic -throttled -thymosin -tilling -tiltwing -timberlands -timbral -tintinnabulum -tipoff -titania -titillation -titleThe -tody -togoensis -tollways -tondo -toneddown -tonsillar -toolpath -toon -topdressing -topmounted -topspin -torchbearers -tornadic -tornados -torogan -tou -toulgoeti -townscape -toxopei -toying -tp -tracheobronchial -trackandfield -trackwork -tradein -trademarking -tramlines -tranquilizers -transcendentalism -transferral -transfused -transhuman -transhumance -transience -translatable -transliterating -transload -transloading -translocates -translunar -transmissive -transnationally -transpacific -transpires -transplantations -transverses -transvestism -trashy -trax -treader -trebles -treefrogs -treehunter -treering -treetop -trehalose -trellises -triakis -triaugmented -tribosphenic -tribunician -trichloroethane -trichomoniasis -tricorne -trifolia -trilateration -trilling -trilobata -trinitrate -triphenylchloroethylene -tripwires -triteleia -tritone -trochaic -trochanteric -troglobites -troublemakers -trustfund -truthvalue -tryoni -trypsinlike -tsars -tserkvas -tsugae -tubericollis -tucking -tugged -tularemia -tuneup -tunicle -turanica -turbinata -turbot -turnbowi -tutta -tvs -tweeters -twelveepisode -twelveminute -twentyfirstcentury -twinrotor -twinturbo -twistedpair -twitter -twobarred -twoblock -twocandidate -twodecade -twofaced -twofifths -twoforone -twoleg -twolight -twospan -twospirit -twostoried -twostringed -twothree -twoweeklong -twowheeler -twoword -tyer -typeA -typifying -typos -tyrannosaur -tyrannosauroid -tyrannosaurs -ulcerated -ulei -ultrasoundguided -ultrasounds -umbellatum -umbilicate -umbraculum -unachievable -unbalance -unbanned -unbleached -unblocked -unbroadcast -unclassifiable -unclothed -undemanding -underbrush -underlings -undernourished -undershot -understatement -understeer -understudying -undervalue -undosa -unformed -unfortified -unicolored -unicyclist -unifascia -uniflorum -unionizing -unitized -universityaffiliated -unlistenable -unmonitored -unnerving -unornamented -unpasteurised -unpronounceable -unrolling -unsaturation -unscented -unsorted -unsurprising -untalented -untangle -untaxed -untoothed -unwholesome -uomo -updatable -upended -upfield -upperbody -upscaled -upselling -uptick -urethritis -uropeltid -uropods -userselected -ute -vaccinating -vaccinology -vacuumchannel -vacuumtube -vaginally -vallecula -valuesbased -vampirethemed -vanquish -variata -variates -varipes -varus -vasodilators -vectorized -vel -venipuncture -ventilatory -verismo -vermiculatus -vermiculite -vernalgrass -verrilli -versioned -vervet -vesicatoria -vespid -vetus -vetusta -vexans -vexillological -vibrans -viceroyalty -videodisk -vigintiviri -viharas -vilis -villosum -vimana -vinaigrette -vinegars -vinelike -viscosus -vitrinite -vittigera -vivesi -viviparity -vivir -vocalistsongwriter -vocalskeyboards -voi -voiceactivated -voicetracked -voir -volleyballer -volubilis -vomited -voyagers -voyeur -vulgarism -vulval -wada -waddling -wale -walkietalkies -wallaroo -walsinghami -warmups -warmweather -washable -waterhousei -watertable -wavering -waxcaps -weaponsgrade -weatherboarding -weathercaster -webMethods -webtoons -webzines -wedgeleaf -wellproportioned -wellwatered -werejaguar -westerner -wetware -whitecapped -whitechinned -whitings -wholegrain -whoopee -wicking -wilfordii -windbreaks -windpollinated -windpowered -windsurf -windtunnel -winerys -wingbars -wireworm -wisteria -wkndstv -woodcarvings -woodchip -woodcraft -woodfordi -woodi -woodlot -woodlots -woodswallow -wooed -wools -woolstore -workgroups -worksite -wormeating -wows -writeonce -writeractor -wrongdoers -wryly -ws -wunderkind -wurdackii -wurrung -xaxis -xenarthrans -xenos -xenotransplantation -xyloglucan -yellowcress -yellowfooted -yellowishgray -yellowthroat -yi -yn -yodel -yodeler -yogurts -yuca -yunnana -yuppie -zari -zealandica -zealot -zerocarbon -zeroemission -zerotolerance -zeteki -zhejiangensis -ziemia -zimmermanni -zircons -zombified -zonalis -zonation -zorro -ztl diff --git a/app/src/main/java/com/example/myapplication/BigramPredictor.kt b/app/src/main/java/com/example/myapplication/BigramPredictor.kt deleted file mode 100644 index 010786f..0000000 --- a/app/src/main/java/com/example/myapplication/BigramPredictor.kt +++ /dev/null @@ -1,198 +0,0 @@ -package com.example.myapplication.data - -import android.content.Context -import com.example.myapplication.Trie -import java.util.concurrent.atomic.AtomicBoolean -import java.util.PriorityQueue -import kotlin.math.max - -class BigramPredictor( - private val context: Context, - private val trie: Trie -) { - @Volatile private var model: BigramModel? = null - - private val loading = AtomicBoolean(false) - - // 词 ↔ id 映射 - @Volatile private var word2id: Map = emptyMap() - - @Volatile private var id2word: List = emptyList() - @Volatile private var topUnigrams: List = emptyList() - - private val unigramCacheSize = 2000 - - //预先加载语言模型,并构建词到ID和ID到词的双向映射。 - fun preload() { - if (!loading.compareAndSet(false, true)) return - - Thread { - try { - val m = LanguageModelLoader.load(context) - - model = m - - // 建索引(vocab 与 bigram 索引对齐,注意不丢前三个符号) - val map = HashMap(m.vocab.size * 2) - - m.vocab.forEachIndexed { idx, w -> map[w] = idx } - - word2id = map - - id2word = m.vocab - topUnigrams = buildTopUnigrams(m, unigramCacheSize) - } catch (_: Throwable) { - // 保持静默,允许无模型运行(仅 Trie 起作用) - } finally { - loading.set(false) - } - }.start() - } - - // 模型是否已准备好 - fun isReady(): Boolean = model != null - - //基于上文 lastWord(可空)与前缀 prefix 联想,优先:bigram 条件概率 → Trie 过滤 → Top-K,兜底:unigram Top-K(同样做 Trie 过滤) - fun suggest(prefix: String, lastWord: String?, topK: Int = 10): List { - val m = model - - val pfx = prefix.trim() - - if (m == null) { - // 模型未载入时,纯 Trie 前缀联想(你的 Trie 应提供类似 startsWith) - return safeTriePrefix(pfx, topK) - } - - val candidates = mutableListOf>() - - val lastId = lastWord?.let { word2id[it] } - - if (lastId != null) { - // 1) bigram 邻域 - val start = m.biRowptr[lastId] - - val end = m.biRowptr[lastId + 1] - - if (start in 0..end && end <= m.biCols.size) { - // 先把 bigram 候选过一遍前缀过滤 - for (i in start until end) { - val nextId = m.biCols[i] - - val w = m.vocab[nextId] - if (pfx.isEmpty() || w.startsWith(pfx, ignoreCase = true)) { - val score = m.biLogp[i] // logP(next|last) - - candidates += w to score - } - } - } - } - - // 2) 如果有 bigram 过滤后的候选,直接取 topK - if (candidates.isNotEmpty()) { - return topKByScore(candidates, topK) - } - - // 3) 兜底:用预计算的 unigram Top-N + 前缀过滤 - if (topK <= 0) return emptyList() - - val cachedUnigrams = getTopUnigrams(m) - if (pfx.isEmpty()) { - return cachedUnigrams.take(topK) - } - - val results = ArrayList(topK) - if (cachedUnigrams.isNotEmpty()) { - for (w in cachedUnigrams) { - if (w.startsWith(pfx, ignoreCase = true)) { - results.add(w) - if (results.size >= topK) return results - } - } - } - - if (results.size < topK) { - val fromTrie = safeTriePrefix(pfx, topK) - for (w in fromTrie) { - if (w !in results) { - results.add(w) - if (results.size >= topK) break - } - } - } - return results - } - - //供上层在用户选中词时更新“上文”状态 - fun normalizeWordForContext(word: String): String? { - // 你可以在这里做大小写/符号处理,或将 OOV 映射为 - return if (word2id.containsKey(word)) word else "" - } - - //在Trie数据结构中查找与给定前缀匹配的字符串,并返回其中评分最高的topK个结果。 - private fun safeTriePrefix(prefix: String, topK: Int): List { - if (prefix.isEmpty()) return emptyList() - - return try { - trie.startsWith(prefix, topK) - } catch (_: Throwable) { - emptyList() - } - } - - private fun getTopUnigrams(model: BigramModel): List { - val cached = topUnigrams - if (cached.isNotEmpty()) return cached - - val built = buildTopUnigrams(model, unigramCacheSize) - topUnigrams = built - return built - } - - private fun buildTopUnigrams(model: BigramModel, limit: Int): List { - if (limit <= 0) return emptyList() - val heap = topKHeap(limit) - - for (i in model.vocab.indices) { - heap.offer(model.vocab[i] to model.uniLogp[i]) - if (heap.size > limit) heap.poll() - } - - return heap.toSortedListDescending() - } - - //从给定的候选词对列表中,通过一个小顶堆来过滤出评分最高的前k个词 - private fun topKByScore(pairs: List>, k: Int): List { - val heap = topKHeap(k) - - for (p in pairs) { - heap.offer(p) - - if (heap.size > k) heap.poll() - } - - return heap.toSortedListDescending() - } - - //创建一个优先队列,用于在一组候选词对中保持评分最高的 k 个词。 - private fun topKHeap(k: Int): PriorityQueue> { - // 小顶堆,比较 Float 分数 - return PriorityQueue(k.coerceAtLeast(1)) { a, b -> - a.second.compareTo(b.second) // 分数小的优先被弹出 - } - } - - // 排序后的候选词列表 - private fun PriorityQueue>.toSortedListDescending(): List { - val list = ArrayList>(this.size) - - while (this.isNotEmpty()) { - val p = this.poll() ?: continue // 防御性判断,避免 null - list.add(p) - } - - list.reverse() // 从高分到低分 - - return list.map { it.first } - } -} diff --git a/app/src/main/java/com/example/myapplication/GuideActivity.kt b/app/src/main/java/com/example/myapplication/GuideActivity.kt index f6477b7..e9a4513 100644 --- a/app/src/main/java/com/example/myapplication/GuideActivity.kt +++ b/app/src/main/java/com/example/myapplication/GuideActivity.kt @@ -159,11 +159,25 @@ class GuideActivity : AppCompatActivity() { } // 键盘发送 - inputMessage.setOnEditorActionListener { _, actionId, _ -> - if (actionId == EditorInfo.IME_ACTION_SEND) { + inputMessage.setOnEditorActionListener { _, actionId, event -> + if (event != null) { + return@setOnEditorActionListener false + } + if (actionId == EditorInfo.IME_ACTION_SEND || + actionId == EditorInfo.IME_ACTION_DONE || + actionId == EditorInfo.IME_ACTION_UNSPECIFIED + ) { // 走同一套发送逻辑 sendMessage() - true + true + } else { + false + } + } + inputMessage.setOnKeyListener { _, keyCode, event -> + if (keyCode == KeyEvent.KEYCODE_ENTER && event.action == KeyEvent.ACTION_UP) { + sendMessage() + true } else { false } diff --git a/app/src/main/java/com/example/myapplication/MainActivity.kt b/app/src/main/java/com/example/myapplication/MainActivity.kt index 89e3f2c..50c2831 100644 --- a/app/src/main/java/com/example/myapplication/MainActivity.kt +++ b/app/src/main/java/com/example/myapplication/MainActivity.kt @@ -17,8 +17,6 @@ import androidx.activity.OnBackPressedCallback import androidx.appcompat.app.AppCompatActivity import androidx.core.content.ContextCompat import eightbitlab.com.blurview.BlurView -import eightbitlab.com.blurview.RenderEffectBlur -import eightbitlab.com.blurview.RenderScriptBlur import androidx.lifecycle.Lifecycle import androidx.lifecycle.lifecycleScope import androidx.navigation.NavController @@ -236,6 +234,15 @@ class MainActivity : AppCompatActivity() { is AuthEvent.OpenGlobalPage -> { openGlobal(event.destinationId, event.bundle, event.clearGlobalBackStack) } + // Circle 页面内跳转(保留原页面栈) + is AuthEvent.OpenCirclePage -> { + switchTab(TAB_CIRCLE, force = true) + try { + circleHost.navController.navigate(event.destinationId, event.bundle) + } catch (e: IllegalArgumentException) { + e.printStackTrace() + } + } is AuthEvent.UserUpdated -> { // 不需要处理 @@ -357,6 +364,9 @@ class MainActivity : AppCompatActivity() { R.id.feedbackFragment, R.id.MyKeyboard, R.id.PersonalSettings, + R.id.circleCharacterDetailsFragment, + R.id.circleAiCharacterReportFragment, + R.id.CircleMyAiCharacterFragment ) } @@ -476,13 +486,10 @@ class MainActivity : AppCompatActivity() { private fun applyCircleTabBackground() { bottomNav.itemBackground = null - if (blurReady) { - bottomNavBlur.visibility = View.VISIBLE - bottomNav.background = ColorDrawable(android.graphics.Color.TRANSPARENT) - } else { - bottomNavBlur.visibility = View.GONE - bottomNav.background = ColorDrawable(ContextCompat.getColor(this, R.color.black_30_percent)) - } + bottomNav.backgroundTintList = null + // Circle 页底栏保持完全透明 + bottomNavBlur.visibility = View.GONE + bottomNav.background = ColorDrawable(android.graphics.Color.TRANSPARENT) } private fun resetBottomNavBackground() { @@ -492,35 +499,9 @@ class MainActivity : AppCompatActivity() { } private fun setupBottomNavBlur() { - if (Build.VERSION.SDK_INT < Build.VERSION_CODES.LOLLIPOP) { - blurReady = false - bottomNavBlur.visibility = View.GONE - return - } - - val rootView = findViewById(android.R.id.content)?.getChildAt(0) as? ViewGroup - ?: run { blurReady = false; bottomNavBlur.visibility = View.GONE; return } - - // Lighter blur for higher transparency - val blurRadius = if (Build.VERSION.SDK_INT >= Build.VERSION_CODES.S) 8f else 6f - try { - val algorithm = if (Build.VERSION.SDK_INT >= Build.VERSION_CODES.S) { - RenderEffectBlur() - } else { - RenderScriptBlur(this) - } - - bottomNavBlur.setupWith(rootView, algorithm) - .setFrameClearDrawable(window.decorView.background) - .setBlurRadius(blurRadius) - .setBlurAutoUpdate(true) - .setOverlayColor(ContextCompat.getColor(this, R.color.frosted_glass_bg)) - - blurReady = true - } catch (e: Exception) { - blurReady = false - bottomNavBlur.visibility = View.GONE - } + // 全局移除底栏毛玻璃效果 + blurReady = false + bottomNavBlur.visibility = View.GONE } /** 打开全局页(login/recharge等) */ diff --git a/app/src/main/java/com/example/myapplication/MyInputMethodService.kt b/app/src/main/java/com/example/myapplication/MyInputMethodService.kt index 60055e4..ff26eb2 100644 --- a/app/src/main/java/com/example/myapplication/MyInputMethodService.kt +++ b/app/src/main/java/com/example/myapplication/MyInputMethodService.kt @@ -20,7 +20,7 @@ import android.widget.TextView import androidx.annotation.ColorInt import androidx.annotation.DrawableRes import com.example.myapplication.data.WordDictionary -import com.example.myapplication.data.LanguageModelLoader +import com.example.myapplication.data.LanguageModel import com.example.myapplication.theme.ThemeManager import com.example.myapplication.keyboard.KeyboardEnvironment import com.example.myapplication.keyboard.MainKeyboard @@ -70,19 +70,13 @@ class MyInputMethodService : InputMethodService(), KeyboardEnvironment { private var currentInput = StringBuilder() // 当前输入前缀 private var completionSuggestions = emptyList() // 自动完成建议 private val suggestionViews = mutableListOf() // 缓存动态创建的候选视图 - private var suggestionSlotCount: Int = 21 // 包含前缀位,调这里可修改渲染数量 + private var suggestionSlotCount: Int = 10 // 包含前缀位,调这里可修改渲染数量 private val completionCapacity: Int get() = (suggestionSlotCount - 1).coerceAtLeast(0) @Volatile private var isSpecialToken: BooleanArray = BooleanArray(0) - private val suggestionStats by lazy { SuggestionStats(applicationContext) } - private val specialTokens = setOf("", "", "") - - @Volatile private var bigramModel: com.example.myapplication.data.BigramModel? = null - @Volatile private var word2id: Map = emptyMap() - @Volatile private var id2word: List = emptyList() - @Volatile private var bigramReady: Boolean = false + private val languageModel by lazy { LanguageModel(applicationContext, wordDictionary.wordTrie) } companion object { private const val TAG = "MyIME" @@ -124,6 +118,12 @@ class MyInputMethodService : InputMethodService(), KeyboardEnvironment { // Shift 状态 private var isShiftOn = false + private fun setShiftState(on: Boolean) { + if (isShiftOn == on) return + isShiftOn = on + mainKeyboard?.setShiftState(on) + } + // 删除长按 private var isDeleting = false private val repeatDelInitialDelay = 350L @@ -223,7 +223,7 @@ class MyInputMethodService : InputMethodService(), KeyboardEnvironment { ThemeManager.init(this) }.start() - // 异步加载词典与 bigram 模型 + // 异步加载词典与语言模型 Thread { // 1) Trie 词典 try { @@ -232,35 +232,11 @@ class MyInputMethodService : InputMethodService(), KeyboardEnvironment { Log.w(TAG, "Trie load failed: ${e.message}", e) } - // 2) Bigram 模型 + // 2) N-gram 语言模型 try { - val m = LanguageModelLoader.load(this) - - require(m.biRowptr.size == m.vocab.size + 1) { - "biRowptr size ${m.biRowptr.size} != vocab.size+1 ${m.vocab.size + 1}" - } - require(m.biCols.size == m.biLogp.size) { - "biCols size ${m.biCols.size} != biLogp size ${m.biLogp.size}" - } - - bigramModel = m - - val map = HashMap(m.vocab.size * 2) - m.vocab.forEachIndexed { idx, w -> map[w.lowercase()] = idx } - word2id = map - id2word = m.vocab - - isSpecialToken = BooleanArray(id2word.size) - for (i in id2word.indices) { - if (specialTokens.contains(id2word[i])) { - isSpecialToken[i] = true - } - } - - bigramReady = true + languageModel.preload() } catch (e: Throwable) { - bigramReady = false - Log.w(TAG, "Bigram load failed: ${e.message}", e) + Log.w(TAG, "Language model load failed: ${e.message}", e) } }.start() @@ -371,6 +347,9 @@ class MyInputMethodService : InputMethodService(), KeyboardEnvironment { // 删除键长按连删 val delId = resources.getIdentifier("key_del", "id", packageName) mainKeyboardView?.findViewById(delId)?.let { attachRepeatDeleteInternal(it) } + + // 同步当前 Shift 状态到主键盘 UI + mainKeyboard?.setShiftState(isShiftOn) } return mainKeyboard!! } @@ -388,7 +367,7 @@ class MyInputMethodService : InputMethodService(), KeyboardEnvironment { val full = et.text?.toString().orEmpty() if (full.isEmpty()) { // 已经空了就不做 - clearEditorState() + clearEditorState(resetShift = false) return } @@ -406,7 +385,7 @@ class MyInputMethodService : InputMethodService(), KeyboardEnvironment { ic.endBatchEdit() } - clearEditorState() + clearEditorState(resetShift = false) // 清空后立即更新所有键盘的按钮可见性 mainHandler.post { @@ -678,6 +657,28 @@ class MyInputMethodService : InputMethodService(), KeyboardEnvironment { return word } + /** + * 获取光标前的最后N个完整词(用于 N-gram 预测) + */ + private fun getPrevWordsBeforeCursor(count: Int = 2, maxLen: Int = 128): List { + val before = currentInputConnection + ?.getTextBeforeCursor(maxLen, 0) + ?.toString() + ?: return emptyList() + + // 如果最后一个字符是字母,说明词不完整 + if (before.isNotEmpty() && before.last().isLetter()) return emptyList() + + val toks = before + .replace(Regex("[^A-Za-z]"), " ") + .trim() + .split(Regex("\\s+")) + .filter { it.isNotEmpty() } + .map { it.lowercase() } + + return toks.takeLast(count) + } + // 提交一个字符(原 sendKey) override fun commitKey(c: Char) { val ic = currentInputConnection ?: return @@ -700,6 +701,7 @@ class MyInputMethodService : InputMethodService(), KeyboardEnvironment { c == ' ' || !c.isLetter() -> { updateCompletionsAndRender(prefix = "") } + } playKeyClick() @@ -803,7 +805,7 @@ class MyInputMethodService : InputMethodService(), KeyboardEnvironment { val editorReallyEmpty = before1.isEmpty() && after1.isEmpty() if (editorReallyEmpty) { - clearEditorState() + clearEditorState(resetShift = false) } else { // prefix 也不要取太长 val prefix = getCurrentWordPrefix(maxLen = 64) @@ -823,22 +825,49 @@ class MyInputMethodService : InputMethodService(), KeyboardEnvironment { val ic = currentInputConnection ?: return val info = currentInputEditorInfo - var handled = false + var actionId = EditorInfo.IME_ACTION_UNSPECIFIED + var imeOptions = 0 + var isMultiLine = false + var noEnterAction = false if (info != null) { // 取出当前 EditText 声明的 action - val actionId = info.imeOptions and EditorInfo.IME_MASK_ACTION - - // 只有当它明确是 IME_ACTION_SEND 时,才当“发送”用 - if (actionId == EditorInfo.IME_ACTION_SEND) { - handled = ic.performEditorAction(actionId) - } + imeOptions = info.imeOptions + actionId = imeOptions and EditorInfo.IME_MASK_ACTION + isMultiLine = (info.inputType and InputType.TYPE_TEXT_FLAG_MULTI_LINE) != 0 + noEnterAction = (imeOptions and EditorInfo.IME_FLAG_NO_ENTER_ACTION) != 0 } + + if (isMultiLine && (noEnterAction || + actionId == EditorInfo.IME_ACTION_UNSPECIFIED || + actionId == EditorInfo.IME_ACTION_NONE) + ) { + ic.commitText("\n", 1) + playKeyClick() + clearEditorState() + return + } + + // 兼容 SEND / DONE / GO / NEXT / PREVIOUS / SEARCH + val handled = when (actionId) { + EditorInfo.IME_ACTION_SEND, + EditorInfo.IME_ACTION_DONE, + EditorInfo.IME_ACTION_GO, + EditorInfo.IME_ACTION_NEXT, + EditorInfo.IME_ACTION_PREVIOUS, + EditorInfo.IME_ACTION_SEARCH -> ic.performEditorAction(actionId) + else -> false + } + Log.d("1314520-IME", "performSendAction actionId=$actionId imeOptions=$imeOptions handled=$handled") // 如果当前输入框不支持 SEND 或者 performEditorAction 返回了 false // 就降级为“标准回车” if (!handled) { - sendEnterKey(ic) + if (isMultiLine) { + ic.commitText("\n", 1) + } else { + sendEnterKey(ic) + } } playKeyClick() @@ -864,7 +893,7 @@ class MyInputMethodService : InputMethodService(), KeyboardEnvironment { override fun getCurrentWordPrefix(maxLen: Int): String { val before = currentInputConnection?.getTextBeforeCursor(maxLen, 0)?.toString() ?: "" val match = Regex("[A-Za-z]+$").find(before) - return (match?.value ?: "").lowercase() + return (match?.value ?: "") } // 统一处理补全/联想 @@ -875,15 +904,19 @@ class MyInputMethodService : InputMethodService(), KeyboardEnvironment { val afterAll = ic?.getTextAfterCursor(256, 0)?.toString().orEmpty() val editorReallyEmpty = beforeAll.isEmpty() && afterAll.isEmpty() + val rawPrefix = prefix + val lookupPrefix = prefix // 严格按原始大小写查询 + currentInput.clear() - currentInput.append(prefix) + currentInput.append(rawPrefix) if (editorReallyEmpty) { - clearEditorState() + clearEditorState(resetShift = false) return } val lastWord = getPrevWordBeforeCursor() + val prevWords = getPrevWordsBeforeCursor(2) // 获取最后2个词用于 trigram val maxCompletions = completionCapacity Thread { @@ -892,25 +925,30 @@ class MyInputMethodService : InputMethodService(), KeyboardEnvironment { emptyList() } else { try { - if (prefix.isEmpty()) { - if (lastWord == null) { + val modelResult = if (lookupPrefix.isEmpty()) { + if (prevWords.isEmpty()) { emptyList() } else { - suggestWithBigram("", lastWord, topK = maxCompletions) + // 无前缀但有上文:预测下一词(传入最后2个词以支持 trigram) + languageModel.predictNext(prevWords, maxCompletions) } } else { - val fromBi = suggestWithBigram(prefix, lastWord, topK = maxCompletions) - if (fromBi.isNotEmpty()) { - fromBi.filter { it != prefix } - } else { - wordDictionary.wordTrie.startsWith(prefix, maxCompletions) - .filter { it != prefix } - } + // 有前缀:严格按原始大小写查询 + languageModel.suggest(lookupPrefix, lastWord, maxCompletions) + .filter { it != lookupPrefix } + } + + // 如果语言模型返回空结果,回退到 Trie(严格按原始大小写) + if (modelResult.isEmpty() && lookupPrefix.isNotEmpty()) { + wordDictionary.wordTrie.startsWith(lookupPrefix, maxCompletions) + .filterNot { it == lookupPrefix } + } else { + modelResult } } catch (_: Throwable) { - if (prefix.isNotEmpty()) { - wordDictionary.wordTrie.startsWith(prefix, maxCompletions) - .filterNot { it == prefix } + if (lookupPrefix.isNotEmpty()) { + wordDictionary.wordTrie.startsWith(lookupPrefix, maxCompletions) + .filterNot { it == lookupPrefix } } else { emptyList() } @@ -919,7 +957,7 @@ class MyInputMethodService : InputMethodService(), KeyboardEnvironment { mainHandler.post { val limited = if (maxCompletions > 0) list.distinct().take(maxCompletions) else emptyList() - completionSuggestions = suggestionStats.sortByCount(limited) + completionSuggestions = limited showCompletionSuggestions() } }.start() @@ -1022,7 +1060,7 @@ class MyInputMethodService : InputMethodService(), KeyboardEnvironment { textView.text = word textView.visibility = View.VISIBLE textView.setOnClickListener { - suggestionStats.incClick(word) + languageModel.recordSelection(word) insertCompletion(word) } } else { @@ -1313,107 +1351,6 @@ class MyInputMethodService : InputMethodService(), KeyboardEnvironment { emojiKeyboard?.applyTheme(currentTextColor, currentBorderColor, currentBackgroundColor) } - // ================== bigram & 联想实现 ================== - - private fun suggestWithBigram(prefix: String, lastWord: String?, topK: Int = 20): List { - if (topK <= 0) return emptyList() - - val m = bigramModel - if (m == null || !bigramReady) { - return if (prefix.isNotEmpty()) { - wordDictionary.wordTrie.startsWith(prefix, topK) - } else { - emptyList() - } - } - - val pf = prefix.lowercase() - val last = lastWord?.lowercase() - val lastId = last?.let { word2id[it] } - - if (lastId != null && lastId >= 0 && lastId + 1 < m.biRowptr.size) { - val start = m.biRowptr[lastId] - val end = m.biRowptr[lastId + 1] - - if (start in 0..end && end <= m.biCols.size) { - - // 带前缀过滤 - val buf = ArrayList>(maxOf(0, end - start)) - var i = start - while (i < end) { - val nextId = m.biCols[i] - if (nextId in id2word.indices && !isSpecialToken[nextId]) { - val w = id2word[nextId] - if (pf.isEmpty() || w.startsWith(pf)) { - buf.add(w to m.biLogp[i]) - } - } - i++ - } - if (buf.isNotEmpty()) return topKByScore(buf, topK) - - // 无前缀兜底 - val allBuf = ArrayList>(maxOf(0, end - start)) - i = start - while (i < end) { - val nextId = m.biCols[i] - if (nextId in id2word.indices && !isSpecialToken[nextId]) { - allBuf.add(id2word[nextId] to m.biLogp[i]) - } - i++ - } - if (allBuf.isNotEmpty()) return topKByScore(allBuf, topK) - } - } - - // —— 无上文 或 无出边 —— - return if (pf.isNotEmpty()) { - wordDictionary.wordTrie.startsWith(pf, topK) - } else { - unigramTopKFiltered(topK) - } - } - - private fun unigramTopKFiltered(topK: Int): List { - if (topK <= 0) return emptyList() - val m = bigramModel ?: return emptyList() - if (!bigramReady) return emptyList() - - val heap = java.util.PriorityQueue>(topK.coerceAtLeast(1)) { a, b -> - a.second.compareTo(b.second) - } - - var i = 0 - val n = id2word.size - while (i < n) { - if (!isSpecialToken[i]) { - heap.offer(id2word[i] to m.uniLogp[i]) - if (heap.size > topK) heap.poll() - } - i++ - } - - val out = ArrayList(heap.size) - while (heap.isNotEmpty()) out.add(heap.poll().first) - out.reverse() - return out - } - - private fun topKByScore(pairs: List>, k: Int): List { - if (k <= 0) return emptyList() - val heap = java.util.PriorityQueue>(k.coerceAtLeast(1)) { a, b -> - a.second.compareTo(b.second) - } - for (p in pairs) { - heap.offer(p) - if (heap.size > k) heap.poll() - } - val out = ArrayList(heap.size) - while (heap.isNotEmpty()) out.add(heap.poll().first) - out.reverse() - return out - } - override fun onUpdateSelection( oldSelStart: Int, oldSelEnd: Int, @@ -1439,20 +1376,22 @@ class MyInputMethodService : InputMethodService(), KeyboardEnvironment { // 当编辑框光标前后都没有任何字符,说明真的完全空了 if (before.isEmpty() && after.isEmpty()) { - clearEditorState() + clearEditorState(resetShift = false) } } // 清理本次编辑框相关的状态(光标、联想、长按等) - private fun clearEditorState() { + private fun clearEditorState(resetShift: Boolean = true) { // 1. 文本联想/补全相关 currentInput.clear() completionSuggestions = emptyList() lastWordForLM = null // 2. Shift 状态 - isShiftOn = false + if (resetShift) { + setShiftState(false) + } // 3. 停止长按删除 stopRepeatDelete() diff --git a/app/src/main/java/com/example/myapplication/SplashActivity.kt b/app/src/main/java/com/example/myapplication/SplashActivity.kt index 2a18e92..d0e0027 100644 --- a/app/src/main/java/com/example/myapplication/SplashActivity.kt +++ b/app/src/main/java/com/example/myapplication/SplashActivity.kt @@ -7,6 +7,9 @@ import android.os.Looper // import android.widget.ProgressBar import androidx.appcompat.app.AppCompatActivity import com.example.myapplication.network.BehaviorReporter +import com.example.myapplication.network.RetrofitClient +import com.example.myapplication.ui.circle.CircleChatRepository +import com.example.myapplication.ui.circle.CircleChatRepositoryProvider class SplashActivity : AppCompatActivity() { @@ -19,6 +22,13 @@ class SplashActivity : AppCompatActivity() { setContentView(R.layout.activity_splash) // progressBar = findViewById(R.id.progressBar) + val preloadCount = CircleChatRepository.computePreloadCount(this) + CircleChatRepositoryProvider.warmUp( + context = this, + apiService = RetrofitClient.apiService, + totalPages = CircleChatRepository.DEFAULT_PAGE_COUNT, + preloadCount = preloadCount + ) val prefs = getSharedPreferences("app_prefs", MODE_PRIVATE) val isFirstLaunch = prefs.getBoolean("is_first_launch", true) diff --git a/app/src/main/java/com/example/myapplication/Trie.kt b/app/src/main/java/com/example/myapplication/Trie.kt index f7ad9e3..3667416 100644 --- a/app/src/main/java/com/example/myapplication/Trie.kt +++ b/app/src/main/java/com/example/myapplication/Trie.kt @@ -1,71 +1,156 @@ package com.example.myapplication -import java.util.ArrayDeque +import java.util.PriorityQueue class Trie { - //表示Trie数据结构中的一个节点,该节点可以存储其子节点,并且可以标记是否是一个完整单词的结尾 + // Trie 节点,包含子节点、终结词集合、是否是词尾,以及该子树的最大词频 private data class TrieNode( val children: MutableMap = mutableMapOf(), - - var isEndOfWord: Boolean = false + val terminalWords: LinkedHashSet = linkedSetOf(), + var isEndOfWord: Boolean = false, + var maxFreq: Int = 0, // 该节点及其子树中的最高词频 + var selfFreq: Int = 0 // 该词自身的词频(仅终结节点有效) ) - private val root = TrieNode()//根节点 + private val root = TrieNode() - //将一个单词插入到Trie数据结构中。通过遍历单词的每个字符,创建并连接相应的节点,最终在最后一个字符的节点上标记该路径代表一个完整单词。 - fun insert(word: String) { + // 用户点击权重倍数(点击一次相当于增加多少词频分数) + companion object { + const val CLICK_WEIGHT = 1000 // 点击一次增加 1000 分,确保优先于静态词频 + } + + /** + * 将一个单词插入到 Trie 中 + * @param word 要插入的单词 + * @param freq 词频分数(越高越常用) + */ + fun insert(word: String, freq: Int = 0) { var current = root - for (char in word.lowercase()) { + for (char in word) { current = current.children.getOrPut(char) { TrieNode() } + // 沿路径更新每个节点的最大词频 + if (freq > current.maxFreq) { + current.maxFreq = freq + } } current.isEndOfWord = true + current.terminalWords.add(word) + current.selfFreq = freq + // 确保终结节点的 maxFreq 至少是自己的词频 + if (freq > current.maxFreq) { + current.maxFreq = freq + } } - //在Trie数据结构中查找指定的单词是否存在。 + /** + * 插入单词(无词频,兼容旧接口) + */ + fun insert(word: String) { + insert(word, 0) + } + + /** + * 更新词的优先级(用户点击时调用) + * 沿路径更新所有节点的 maxFreq,确保该词在遍历时优先返回 + * + * @param word 被点击的词 + * @param clickCount 累计点击次数 + */ + fun updateClickFreq(word: String, clickCount: Int) { + if (word.isEmpty()) return + + // 计算新的优先级:原始词频 + 点击次数 * 权重 + var current = root + val path = mutableListOf() + + for (char in word) { + current = current.children[char] ?: return // 词不存在则返回 + path.add(current) + } + + if (!current.isEndOfWord) return // 不是有效词 + + // 新优先级 = 原始词频 + 点击加权 + val newFreq = current.selfFreq + clickCount * CLICK_WEIGHT + + // 更新终结节点 + if (newFreq > current.maxFreq) { + current.maxFreq = newFreq + } + + // 沿路径向上更新所有祖先节点的 maxFreq + for (node in path) { + if (newFreq > node.maxFreq) { + node.maxFreq = newFreq + } + } + } + + /** + * 在 Trie 中查找指定的单词是否存在 + */ fun search(word: String): Boolean { var current = root - for (char in word.lowercase()) { + for (char in word) { current = current.children[char] ?: return false } - + return current.isEndOfWord } - //查找以prefix为前缀的所有单词。通过遍历prefix的每个字符,找到相应的节点,然后从该节点开始迭代搜索所有以该节点为起点的单词。 + /** + * 查找以 prefix 为前缀的所有单词(不限数量) + */ fun startsWith(prefix: String): List { return startsWith(prefix, Int.MAX_VALUE) } + /** + * 查找以 prefix 为前缀的单词,按词频降序返回 + * 使用优先队列,优先遍历高词频分支 + * + * @param prefix 前缀 + * @param limit 最大返回数量 + */ fun startsWith(prefix: String, limit: Int): List { var current = root - val normalized = prefix.lowercase() - for (char in normalized) { + for (char in prefix) { current = current.children[char] ?: return emptyList() } val max = if (limit < 0) 0 else limit if (max == 0) return emptyList() - val results = ArrayList(minOf(max, 16)) - val stack = ArrayDeque>() - stack.addLast(current to prefix) + // 存储结果:(词, 词频) + val resultSet = linkedSetOf() - while (stack.isNotEmpty() && results.size < max) { - val (node, word) = stack.removeLast() + // 优先队列:按 maxFreq 降序排列节点 + val pq = PriorityQueue(compareByDescending { it.maxFreq }) + pq.add(current) + + while (pq.isNotEmpty() && resultSet.size < max) { + val node = pq.poll() + + // 如果当前节点是词尾,收集词 if (node.isEndOfWord) { - results.add(word) - if (results.size >= max) break + for (w in node.terminalWords) { + resultSet.add(w) + if (resultSet.size >= max) break + } } - for ((char, child) in node.children) { - stack.addLast(child to (word + char)) + if (resultSet.size >= max) break + + // 将子节点加入优先队列(高词频的会优先被取出) + for ((_, child) in node.children) { + pq.add(child) } } - return results + return resultSet.toList() } } diff --git a/app/src/main/java/com/example/myapplication/data/LanguageModel.kt b/app/src/main/java/com/example/myapplication/data/LanguageModel.kt new file mode 100644 index 0000000..6fac7fa --- /dev/null +++ b/app/src/main/java/com/example/myapplication/data/LanguageModel.kt @@ -0,0 +1,349 @@ +package com.example.myapplication.data + +import android.content.Context +import com.example.myapplication.SuggestionStats +import com.example.myapplication.Trie +import java.nio.ByteBuffer +import java.util.concurrent.atomic.AtomicBoolean + +/** + * N-gram 语言模型,支持: + * 1. 下一词预测(3-gram → 2-gram → 1-gram 回退) + * 2. 候选词排序(结合词频和用户个性化统计) + */ +class LanguageModel( + private val context: Context, + private val trie: Trie +) { + @Volatile + private var model: NgramModel? = null + private val loading = AtomicBoolean(false) + + @Volatile + private var wordToId: Map = emptyMap() + + private val stats = SuggestionStats(context) + + fun preload() { + if (!loading.compareAndSet(false, true)) return + + Thread { + try { + android.util.Log.d("LanguageModel", "开始加载语言模型...") + val m = LanguageModelLoader.load(context) + model = m + wordToId = m.vocab.withIndex().associate { it.value to it.index } + android.util.Log.d("LanguageModel", "语言模型加载成功,词表大小: ${m.vocabSize}") + } catch (e: Throwable) { + android.util.Log.e("LanguageModel", "语言模型加载失败: ${e.message}", e) + } finally { + loading.set(false) + } + }.start() + } + + fun isReady(): Boolean = model != null + + // ==================== 功能1: 下一词预测 ==================== + + /** + * 根据上下文预测下一个词 + * 策略:N-gram 模型获取候选词 → 用户点击记录排序 + * + * @param contextWords 上下文词列表(最多取最后2个) + * @param topK 返回数量 + */ + fun predictNext(contextWords: List, topK: Int = 10): List { + val m = model ?: return emptyList() + + val lastTwo = contextWords.takeLast(2) + val ids = lastTwo.mapNotNull { wordToId[it.lowercase()] } + + android.util.Log.d("LanguageModel", "predictNext: 上下文=$lastTwo, 映射ID=$ids, triCtxCount=${m.triCtxCount}") + + if (ids.isEmpty()) return sortByUserClicks(getTopFrequentWords(m, topK * 3), topK) + + // 获取更多候选词用于排序(取 3 倍数量) + val fetchCount = topK * 3 + + // 尝试 3-gram(2词上下文) + var candidates: List = emptyList() + var usedModel = "1-gram" + if (ids.size >= 2) { + candidates = predictFromTrigram(m, ids[0], ids[1], fetchCount) + if (candidates.isNotEmpty()) usedModel = "3-gram" + android.util.Log.d("LanguageModel", "3-gram预测: ctx1=${ids[0]}, ctx2=${ids[1]}, 结果数=${candidates.size}") + } + + // 尝试 2-gram(1词上下文) + if (candidates.isEmpty()) { + candidates = predictFromBigram(m, ids.last(), fetchCount) + if (candidates.isNotEmpty()) usedModel = "2-gram" + android.util.Log.d("LanguageModel", "2-gram预测: ctx=${ids.last()}, 结果数=${candidates.size}") + } + + // 回退到 1-gram + if (candidates.isEmpty()) { + candidates = getTopFrequentWords(m, fetchCount) + android.util.Log.d("LanguageModel", "回退到1-gram") + } + + android.util.Log.d("LanguageModel", "最终使用: $usedModel, 候选词前3: ${candidates.take(3)}") + + // 用户点击记录排序 + return sortByUserClicks(candidates, topK) + } + + /** + * 按用户点击记录排序候选词 + * 策略:有点击记录的优先,按点击次数降序,同次数保持原顺序(模型分数) + */ + private fun sortByUserClicks(candidates: List, topK: Int): List { + if (candidates.isEmpty()) return emptyList() + + // 按用户点击次数降序排序,同次数保持原顺序(原顺序已是模型分数排序) + val sorted = candidates.sortedWith( + compareByDescending { stats.getCount(it) } + ) + + return sorted.take(topK) + } + + /** + * 根据输入文本预测下一个词 + */ + fun predictNext(inputText: String, topK: Int = 10): List { + val words = inputText.trim().split("\\s+".toRegex()).filter { it.isNotEmpty() } + return predictNext(words, topK) + } + + private fun predictFromBigram(m: NgramModel, ctxId: Int, topK: Int): List { + if (ctxId >= m.vocabSize) return emptyList() + + val indexPos = ctxId * 6 + val offset = m.biRowptr.getInt(indexPos) + val length = m.biRowptr.getShort(indexPos + 4).toInt() and 0xFFFF + + if (length == 0) return emptyList() + + val results = ArrayList(minOf(length, topK)) + for (i in 0 until minOf(length, topK)) { + val dataPos = (offset + i) * 6 + val nextId = m.biData.getInt(dataPos) + if (nextId in m.vocab.indices) { + results.add(m.vocab[nextId]) + } + } + return results + } + + private fun predictFromTrigram(m: NgramModel, ctx1Id: Int, ctx2Id: Int, topK: Int): List { + val ctxIndex = binarySearchTrigramCtx(m, ctx1Id, ctx2Id) + if (ctxIndex < 0) return emptyList() + + val indexPos = ctxIndex * 6 + val offset = m.triRowptr.getInt(indexPos) + val length = m.triRowptr.getShort(indexPos + 4).toInt() and 0xFFFF + + val results = ArrayList(minOf(length, topK)) + for (i in 0 until minOf(length, topK)) { + val dataPos = (offset + i) * 6 + val nextId = m.triData.getInt(dataPos) + if (nextId in m.vocab.indices) { + results.add(m.vocab[nextId]) + } + } + return results + } + + private fun binarySearchTrigramCtx(m: NgramModel, ctx1: Int, ctx2: Int): Int { + var low = 0 + var high = m.triCtxCount - 1 + + while (low <= high) { + val mid = (low + high) ushr 1 + val pos = mid * 8 + val midCtx1 = m.triCtx.getInt(pos) + val midCtx2 = m.triCtx.getInt(pos + 4) + + val cmp = when { + ctx1 != midCtx1 -> ctx1.compareTo(midCtx1) + else -> ctx2.compareTo(midCtx2) + } + + when { + cmp < 0 -> high = mid - 1 + cmp > 0 -> low = mid + 1 + else -> return mid + } + } + return -1 + } + + private fun getTopFrequentWords(m: NgramModel, topK: Int): List { + // 词表已按频率降序排列,直接取前 topK + return m.vocab.take(topK) + } + + // ==================== 功能2: 候选词排序 ==================== + + /** + * 获取前缀补全候选词 + * Trie 遍历时已按(词频 + 用户点击)优先级排序,直接返回即可 + * + * @param prefix 当前输入前缀 + * @param lastWord 上一个词(暂未使用) + * @param topK 返回数量 + */ + fun suggest(prefix: String, lastWord: String?, topK: Int = 10): List { + val m = model + val pfx = prefix.trim() + + if (pfx.isEmpty() && lastWord == null) { + return if (m != null) getTopFrequentWords(m, topK) else emptyList() + } + + // 从 Trie 获取候选词(严格按原始大小写查询) + val candidates = if (pfx.isNotEmpty()) { + safeTriePrefix(pfx, topK) + } else { + emptyList() + } + + if (candidates.isEmpty() && m != null && pfx.isEmpty()) { + return getTopFrequentWords(m, topK) + } + + return candidates + } + + /** + * 对候选词进行综合排序 + * 排序规则:用户点击次数(降序)> bigram 分数(升序)> 词频分数(降序) + */ + private fun sortCandidates(candidates: List, lastWord: String?): List { + val m = model + + // 获取用户点击统计 + val clickCounts = candidates.associateWith { stats.getCount(it) } + + // 获取 bigram 分数(如果有上下文) + val bigramScores: Map = if (lastWord != null && m != null) { + val lastId = wordToId[lastWord.lowercase()] + if (lastId != null) getBigramScoresMap(m, lastId) else emptyMap() + } else { + emptyMap() + } + + return candidates.sortedWith( + // 1. 有点击记录的优先 + compareByDescending { if ((clickCounts[it] ?: 0) > 0) 1 else 0 } + // 2. 按点击次数降序 + .thenByDescending { clickCounts[it] ?: 0 } + // 3. 有 bigram 关联的优先 + .thenByDescending { if (bigramScores.containsKey(it)) 1 else 0 } + // 4. 按 bigram 分数升序(分数越小越可能) + .thenBy { bigramScores[it] ?: Int.MAX_VALUE } + // 5. 按词频分数降序 + .thenByDescending { getUnigramScore(it) } + ) + } + + /** + * 仅按词频排序(无上下文场景) + */ + fun sortByFrequency(candidates: List): List { + // 先应用用户个性化排序 + val userSorted = stats.sortByCount(candidates) + + val m = model ?: return userSorted + + // 对没有点击记录的词按词频排序 + val clickCounts = userSorted.associateWith { stats.getCount(it) } + val hasClicks = userSorted.filter { (clickCounts[it] ?: 0) > 0 } + val noClicks = userSorted.filter { (clickCounts[it] ?: 0) == 0 } + + val noClicksSorted = noClicks.sortedByDescending { getUnigramScore(it) } + + return hasClicks + noClicksSorted + } + + private fun getBigramCandidates(m: NgramModel, ctxId: Int, prefix: String, limit: Int): List { + if (ctxId >= m.vocabSize) return emptyList() + + val indexPos = ctxId * 6 + val offset = m.biRowptr.getInt(indexPos) + val length = m.biRowptr.getShort(indexPos + 4).toInt() and 0xFFFF + + if (length == 0) return emptyList() + + val results = ArrayList(minOf(length, limit)) + for (i in 0 until length) { + if (results.size >= limit) break + val dataPos = (offset + i) * 6 + val nextId = m.biData.getInt(dataPos) + if (nextId in m.vocab.indices) { + val word = m.vocab[nextId] + if (prefix.isEmpty() || word.startsWith(prefix, ignoreCase = true)) { + results.add(word) + } + } + } + return results + } + + private fun getBigramScoresMap(m: NgramModel, ctxId: Int): Map { + if (ctxId >= m.vocabSize) return emptyMap() + + val indexPos = ctxId * 6 + val offset = m.biRowptr.getInt(indexPos) + val length = m.biRowptr.getShort(indexPos + 4).toInt() and 0xFFFF + + val scores = HashMap(length) + for (i in 0 until length) { + val dataPos = (offset + i) * 6 + val nextId = m.biData.getInt(dataPos) + val score = m.biData.getShort(dataPos + 4).toInt() and 0xFFFF + if (nextId in m.vocab.indices) { + scores[m.vocab[nextId]] = score + } + } + return scores + } + + private fun getUnigramScore(word: String): Int { + val m = model ?: return 0 + val id = wordToId[word.lowercase()] ?: return 0 + if (id >= m.vocabSize) return 0 + return m.unigramScores.getShort(id * 2).toInt() and 0xFFFF + } + + private fun safeTriePrefix(prefix: String, limit: Int): List { + if (prefix.isEmpty()) return emptyList() + return try { + trie.startsWith(prefix, limit) + } catch (_: Throwable) { + emptyList() + } + } + + // ==================== 用户行为记录 ==================== + + /** + * 记录用户选择的词(用于个性化排序) + * 同时更新 Trie 中该词的优先级,使其在遍历时优先返回 + */ + fun recordSelection(word: String) { + stats.incClick(word) + // 获取更新后的点击次数,同步更新 Trie + val newCount = stats.getCount(word) + trie.updateClickFreq(word, newCount) + } + + /** + * 获取词的点击次数 + */ + fun getClickCount(word: String): Int { + return stats.getCount(word) + } +} diff --git a/app/src/main/java/com/example/myapplication/data/LanguageModelLoader.kt b/app/src/main/java/com/example/myapplication/data/LanguageModelLoader.kt index 7a8a016..a342fc1 100644 --- a/app/src/main/java/com/example/myapplication/data/LanguageModelLoader.kt +++ b/app/src/main/java/com/example/myapplication/data/LanguageModelLoader.kt @@ -5,137 +5,98 @@ import java.io.BufferedReader import java.io.FileInputStream import java.io.FileNotFoundException import java.io.InputStream -import java.io.InputStreamReader import java.nio.ByteBuffer import java.nio.ByteOrder import java.nio.channels.Channels import java.nio.channels.FileChannel import kotlin.math.max -data class BigramModel( - val vocab: List, // 保留全部词(含 , , ),与二元矩阵索引对齐 - val uniLogp: FloatArray, // 长度 = vocab.size - val biRowptr: IntArray, // 长度 = vocab.size + 1 (CSR) - val biCols: IntArray, // 长度 = nnz - val biLogp: FloatArray // 长度 = nnz -) +/** + * N-gram 语言模型数据结构 + * + * 文件格式: + * - vocab.txt: 词表(每行一个词,行号=词ID,按频率降序) + * - uni_logp.bin: Unigram 分数 [u16 score, ...](0-1000,越高越常用) + * - bi_rowptr.bin: Bigram 索引 [u32 offset, u16 length, ...] + * - bi_data.bin: Bigram 数据 [u32 next_id, u16 score, ...](score 越小越可能) + * - tri_ctx.bin: Trigram 上下文 [u32 ctx1, u32 ctx2, ...] + * - tri_rowptr.bin: Trigram 索引 + * - tri_data.bin: Trigram 数据 + */ +data class NgramModel( + val vocab: List, + val unigramScores: ByteBuffer, // u16 数组 + val biRowptr: ByteBuffer, // [u32 offset, u16 length] 数组 + val biData: ByteBuffer, // [u32 next_id, u16 score] 数组 + val triCtx: ByteBuffer, // [u32, u32] 数组 + val triRowptr: ByteBuffer, + val triData: ByteBuffer +) { + val vocabSize: Int get() = vocab.size + val triCtxCount: Int get() = triCtx.capacity() / 8 // 每条目 2 个 u32 +} object LanguageModelLoader { - fun load(context: Context): BigramModel { + + fun load(context: Context): NgramModel { val vocab = context.assets.open("vocab.txt").bufferedReader() .use(BufferedReader::readLines) - val uniLogp = readFloat32(context, "uni_logp.bin") - val biRowptr = readInt32(context, "bi_rowptr.bin") - val biCols = readInt32(context, "bi_cols.bin") - val biLogp = readFloat32(context, "bi_logp.bin") + val unigramScores = loadBuffer(context, "uni_logp.bin") + val biRowptr = loadBuffer(context, "bi_rowptr.bin") + val biData = loadBuffer(context, "bi_data.bin") + val triCtx = loadBuffer(context, "tri_ctx.bin") + val triRowptr = loadBuffer(context, "tri_rowptr.bin") + val triData = loadBuffer(context, "tri_data.bin") - require(uniLogp.size == vocab.size) { "uni_logp length != vocab size" } - require(biRowptr.size == vocab.size + 1) { "bi_rowptr length invalid" } - require(biCols.size == biLogp.size) { "bi cols/logp nnz mismatch" } + // 基本校验 + require(unigramScores.capacity() == vocab.size * 2) { + "uni_logp.bin 大小不匹配: 期望 ${vocab.size * 2}, 实际 ${unigramScores.capacity()}" + } + require(biRowptr.capacity() == vocab.size * 6) { + "bi_rowptr.bin 大小不匹配: 期望 ${vocab.size * 6}, 实际 ${biRowptr.capacity()}" + } - return BigramModel(vocab, uniLogp, biRowptr, biCols, biLogp) + return NgramModel( + vocab = vocab, + unigramScores = unigramScores, + biRowptr = biRowptr, + biData = biData, + triCtx = triCtx, + triRowptr = triRowptr, + triData = triData + ) } - private fun readInt32(context: Context, name: String): IntArray { + private fun loadBuffer(context: Context, name: String): ByteBuffer { try { context.assets.openFd(name).use { afd -> FileInputStream(afd.fileDescriptor).channel.use { channel -> - return readInt32Channel(channel, afd.startOffset, afd.length) + return mapChannel(channel, afd.startOffset, afd.length) } } } catch (e: FileNotFoundException) { - // Compressed assets do not support openFd; fall back to streaming. + // 压缩的 asset 不支持 openFd,回退到流式读取 } context.assets.open(name).use { input -> - return readInt32Stream(input) + return readStream(input) } } - private fun readFloat32(context: Context, name: String): FloatArray { - try { - context.assets.openFd(name).use { afd -> - FileInputStream(afd.fileDescriptor).channel.use { channel -> - return readFloat32Channel(channel, afd.startOffset, afd.length) - } - } - } catch (e: FileNotFoundException) { - // Compressed assets do not support openFd; fall back to streaming. - } - - context.assets.open(name).use { input -> - return readFloat32Stream(input) - } - } - - private fun readInt32Channel(channel: FileChannel, offset: Long, length: Long): IntArray { - require(length % 4L == 0L) { "int32 length invalid: $length" } - require(length <= Int.MAX_VALUE.toLong()) { "int32 asset too large: $length" } - val count = (length / 4L).toInt() + private fun mapChannel(channel: FileChannel, offset: Long, length: Long): ByteBuffer { + require(length <= Int.MAX_VALUE.toLong()) { "文件过大: $length" } val mapped = channel.map(FileChannel.MapMode.READ_ONLY, offset, length) mapped.order(ByteOrder.LITTLE_ENDIAN) - val out = IntArray(count) - mapped.asIntBuffer().get(out) - return out + return mapped } - private fun readFloat32Channel(channel: FileChannel, offset: Long, length: Long): FloatArray { - require(length % 4L == 0L) { "float32 length invalid: $length" } - require(length <= Int.MAX_VALUE.toLong()) { "float32 asset too large: $length" } - val count = (length / 4L).toInt() - val mapped = channel.map(FileChannel.MapMode.READ_ONLY, offset, length) - mapped.order(ByteOrder.LITTLE_ENDIAN) - val out = FloatArray(count) - mapped.asFloatBuffer().get(out) - return out - } - - private fun readInt32Stream(input: InputStream): IntArray { - val initialSize = max(1024, input.available() / 4) - var out = IntArray(initialSize) - var count = 0 - val buffer = ByteBuffer.allocateDirect(64 * 1024) + private fun readStream(input: InputStream): ByteBuffer { + val bytes = input.readBytes() + val buffer = ByteBuffer.allocateDirect(bytes.size) buffer.order(ByteOrder.LITTLE_ENDIAN) - Channels.newChannel(input).use { channel -> - while (true) { - val read = channel.read(buffer) - if (read == -1) break - if (read == 0) continue - buffer.flip() - while (buffer.remaining() >= 4) { - if (count == out.size) out = out.copyOf(out.size * 2) - out[count++] = buffer.getInt() - } - buffer.compact() - } - } + buffer.put(bytes) buffer.flip() - check(buffer.remaining() == 0) { "truncated int32 stream" } - return out.copyOf(count) - } - - private fun readFloat32Stream(input: InputStream): FloatArray { - val initialSize = max(1024, input.available() / 4) - var out = FloatArray(initialSize) - var count = 0 - val buffer = ByteBuffer.allocateDirect(64 * 1024) - buffer.order(ByteOrder.LITTLE_ENDIAN) - Channels.newChannel(input).use { channel -> - while (true) { - val read = channel.read(buffer) - if (read == -1) break - if (read == 0) continue - buffer.flip() - while (buffer.remaining() >= 4) { - if (count == out.size) out = out.copyOf(out.size * 2) - out[count++] = buffer.getFloat() - } - buffer.compact() - } - } - buffer.flip() - check(buffer.remaining() == 0) { "truncated float32 stream" } - return out.copyOf(count) + return buffer } } diff --git a/app/src/main/java/com/example/myapplication/data/WordDictionary.kt b/app/src/main/java/com/example/myapplication/data/WordDictionary.kt index 55c792f..1283ff4 100644 --- a/app/src/main/java/com/example/myapplication/data/WordDictionary.kt +++ b/app/src/main/java/com/example/myapplication/data/WordDictionary.kt @@ -5,6 +5,8 @@ import android.content.Context import com.example.myapplication.Trie import java.io.BufferedReader import java.io.InputStreamReader +import java.nio.ByteBuffer +import java.nio.ByteOrder import java.util.concurrent.atomic.AtomicBoolean class WordDictionary(private val context: Context) { @@ -18,15 +20,21 @@ class WordDictionary(private val context: Context) { fun loadIfNeeded() { if (!loaded.compareAndSet(false, true)) return try { + // 加载词频分数 + val freqScores = loadFrequencyScores() + context.assets.open("vocab.txt").use { input -> BufferedReader(InputStreamReader(input)).useLines { lines -> var idx = 0 lines.forEach { line -> + val currentIdx = idx idx++ - if (idx <= 3) return@forEach // 跳过 , , + if (currentIdx < 3) return@forEach // 跳过 , , val w = line.trim() if (w.isNotEmpty()) { - wordTrie.insert(w) + // 获取该词的词频分数(0-1000,越高越常用) + val freq = if (currentIdx < freqScores.size) freqScores[currentIdx] else 0 + wordTrie.insert(w, freq) } } } @@ -35,4 +43,25 @@ class WordDictionary(private val context: Context) { // 失败也不抛,让输入法继续运行 } } + + /** + * 加载 uni_logp.bin 中的词频分数 + * 格式:u16 数组,每个词一个分数 + */ + private fun loadFrequencyScores(): IntArray { + return try { + context.assets.open("uni_logp.bin").use { input -> + val bytes = input.readBytes() + val buffer = ByteBuffer.wrap(bytes).order(ByteOrder.LITTLE_ENDIAN) + val count = bytes.size / 2 // u16 = 2 bytes + val scores = IntArray(count) + for (i in 0 until count) { + scores[i] = buffer.getShort(i * 2).toInt() and 0xFFFF + } + scores + } + } catch (_: Throwable) { + IntArray(0) + } + } } \ No newline at end of file diff --git a/app/src/main/java/com/example/myapplication/keyboard/BaseKeyboard.kt b/app/src/main/java/com/example/myapplication/keyboard/BaseKeyboard.kt index 6d2d859..0d1d25b 100644 --- a/app/src/main/java/com/example/myapplication/keyboard/BaseKeyboard.kt +++ b/app/src/main/java/com/example/myapplication/keyboard/BaseKeyboard.kt @@ -65,8 +65,8 @@ abstract class BaseKeyboard( protected fun applyBorderToAllKeyViews(root: View?) { if (root == null) return - val keyMarginPx = 2.dpToPx() - val keyPaddingH = 8.dpToPx() + val keyMarginPx = env.ctx.resources.getDimensionPixelSize(com.example.myapplication.R.dimen.sw_3dp) + val keyPaddingH = env.ctx.resources.getDimensionPixelSize(com.example.myapplication.R.dimen.sw_8dp) // 忽略 suggestion_0..20(联想栏) val ignoredIds = HashSet().apply { diff --git a/app/src/main/java/com/example/myapplication/keyboard/MainKeyboard.kt b/app/src/main/java/com/example/myapplication/keyboard/MainKeyboard.kt index 5afccff..5423dcc 100644 --- a/app/src/main/java/com/example/myapplication/keyboard/MainKeyboard.kt +++ b/app/src/main/java/com/example/myapplication/keyboard/MainKeyboard.kt @@ -88,6 +88,15 @@ class MainKeyboard( others.forEach { applyKeyBackground(rootView, it) } } + fun setShiftState(on: Boolean) { + if (isShiftOn == on) return + isShiftOn = on + val res = env.ctx.resources + val pkg = env.ctx.packageName + rootView.findViewById(res.getIdentifier("key_up", "id", pkg))?.isActivated = on + applyKeyBackgroundsForTheme() + } + // -------------------- 事件绑定 -------------------- private fun setupListenersForMain(view: View) { val res = env.ctx.resources diff --git a/app/src/main/java/com/example/myapplication/network/ApiService.kt b/app/src/main/java/com/example/myapplication/network/ApiService.kt index 34e67a9..9d29de2 100644 --- a/app/src/main/java/com/example/myapplication/network/ApiService.kt +++ b/app/src/main/java/com/example/myapplication/network/ApiService.kt @@ -8,7 +8,7 @@ import retrofit2.http.* interface ApiService { - // GET 示例:/users/{id} + // GET 示例�?users/{id} // @GET("users/{id}") // suspend fun getUser( // @Path("id") id: String @@ -27,12 +27,12 @@ interface ApiService { @Body body: LoginRequest ): ApiResponse - //退出登录 + //退出登录 @GET("user/logout") suspend fun logout( ): ApiResponse - //发送验证嘛 + //发送验证邮件 @POST("user/sendVerifyMail") suspend fun sendVerifyCode( @Body body: SendVerifyCodeRequest @@ -44,7 +44,7 @@ interface ApiService { @Body body: RegisterRequest ): ApiResponse - //验证验证码 + //验证验证邮件 @POST("user/verifyMailCode") suspend fun verifyCode( @Body body: VerifyCodeRequest @@ -114,7 +114,7 @@ interface ApiService { @Query("tagId") tagId: Int ): ApiResponse> - //登录用户按标签查询人设列表 + //登录用户按标签查询人设列表 @GET("character/listByTag") suspend fun loggedInPersonaListByTag( @Query("tagId") tagId: Int @@ -125,7 +125,7 @@ interface ApiService { suspend fun personaByTag( ): ApiResponse> - //未登录用户人设列表 + //未登录用户人设列表 @GET("character/listWithNotLogin") suspend fun personaListWithNotLogin( ): ApiResponse> @@ -149,12 +149,12 @@ interface ApiService { suspend fun walletBalance( ): ApiResponse - //查询所有主题风格 + //查询所有主题风格 @GET("themes/listAllStyles") suspend fun themeList( ): ApiResponse> - //按风格查询主题 + //按风格查询主题 @GET("themes/listByStyle") suspend fun themeListByStyle( @Query("themeStyle") id: Int @@ -199,8 +199,98 @@ interface ApiService { suspend fun restoreTheme( @Query("themeId") themeId: Int ): ApiResponse + // =========================================圈子(ai陪聊)============================================ + // 分页查询AI陪聊角色 + @POST("ai-companion/page") + suspend fun aiCompanionPage( + @Body body: aiCompanionPageRequest + ): ApiResponse + + // 分页查询聊天记录 + @POST("chat/history") + suspend fun chatHistory( + @Body body: chatHistoryRequest + ): ApiResponse + + //点赞/取消点赞AI角色 + @POST("ai-companion/like") + suspend fun aiCompanionLike( + @Body body: aiCompanionLikeRequest + ): ApiResponse + + // 同步对话 + @POST("chat/message") + suspend fun chatMessage( + @Body body: chatMessageRequest + ): ApiResponse + + // 查询音频状态 + @GET("chat/audio/{audioId}") + suspend fun chatAudioStatus( + @Path("audioId") chatId: String + ): ApiResponse + + //语音转文字 + @Multipart + @POST("speech/transcribe") + suspend fun speechTranscribe( + @Part file: MultipartBody.Part + ): ApiResponse + + + // 分页查询评论 + @POST("ai-companion/comment/page") + suspend fun commentPage( + @Body body: commentPageRequest + ): ApiResponse + + + // 发表评论 + @POST("ai-companion/comment/add") + suspend fun addComment( + @Body body: addCommentRequest + ): ApiResponse + + // 点赞评论 + @POST("ai-companion/comment/like") + suspend fun likeComment( + @Body body: likeCommentRequest + ): ApiResponse + + //根据ID获取AI角色详情 + @GET("ai-companion/{companionId}") + suspend fun companionDetail( + @Path("companionId") chatId: String + ): ApiResponse + + //ai角色举报 + @POST("ai-companion/report") + suspend fun report( + @Body body: reportRequest + ): ApiResponse + + //获取当前用户点赞过的AI角色列表 + @GET("ai-companion/liked") + suspend fun companionLiked( + ): ApiResponse> + + //获取当前用户聊过天的AI角色列表 + @GET("ai-companion/chatted") + suspend fun companionChatted( + ): ApiResponse> + + //重置会话 + @POST("chat/session/reset") + suspend fun chatSessionReset( + @Body body: chatSessionResetRequest + ): ApiResponse + + + + + // =========================================文件============================================= - // zip 文件下载(或其它大文件)——必须 @Streaming + // zip 文件下载(或其它大文件)——必须用 @Streaming 注解 @Streaming @GET("files/{fileName}") suspend fun downloadZip( diff --git a/app/src/main/java/com/example/myapplication/network/AuthEventBus.kt b/app/src/main/java/com/example/myapplication/network/AuthEventBus.kt index 3acd7d5..2ef19ad 100644 --- a/app/src/main/java/com/example/myapplication/network/AuthEventBus.kt +++ b/app/src/main/java/com/example/myapplication/network/AuthEventBus.kt @@ -30,6 +30,10 @@ sealed class AuthEvent { val bundle: Bundle? = null, val clearGlobalBackStack: Boolean = false ) : AuthEvent() + data class OpenCirclePage( + val destinationId: Int, + val bundle: Bundle? = null + ) : AuthEvent() object UserUpdated : AuthEvent() data class CharacterDeleted(val characterId: Int) : AuthEvent() } diff --git a/app/src/main/java/com/example/myapplication/network/BehaviorHttpClient.kt b/app/src/main/java/com/example/myapplication/network/BehaviorHttpClient.kt index 1f66c3b..7b951dd 100644 --- a/app/src/main/java/com/example/myapplication/network/BehaviorHttpClient.kt +++ b/app/src/main/java/com/example/myapplication/network/BehaviorHttpClient.kt @@ -12,7 +12,7 @@ object BehaviorHttpClient { private const val TAG = "BehaviorHttp" // TODO:改成你的行为服务 baseUrl(必须以 / 结尾) - private const val BASE_URL = "http://192.168.2.21:35310/api/" + private const val BASE_URL = "http://192.168.2.22:35310/api/" /** * 请求拦截器:打印请求信息 diff --git a/app/src/main/java/com/example/myapplication/network/HttpInterceptors.kt b/app/src/main/java/com/example/myapplication/network/HttpInterceptors.kt index e0aaf8b..4bed35c 100644 --- a/app/src/main/java/com/example/myapplication/network/HttpInterceptors.kt +++ b/app/src/main/java/com/example/myapplication/network/HttpInterceptors.kt @@ -1,4 +1,4 @@ -// 定义请求 & 响应拦截器 +// 定义请求 & 响应拦截器 package com.example.myapplication.network import android.util.Log @@ -119,11 +119,22 @@ fun requestInterceptor(appContext: Context) = Interceptor { chain -> val requestBody = request.body if (requestBody != null) { - val buffer = Buffer() - requestBody.writeTo(buffer) - sb.append("Body:\n") - sb.append(buffer.readUtf8()) - sb.append("\n") + if (shouldLogRequestBody(requestBody)) { + val buffer = Buffer() + requestBody.writeTo(buffer) + val charset = requestBody.contentType()?.charset(Charsets.UTF_8) ?: Charsets.UTF_8 + sb.append("Body:\n") + sb.append(buffer.readString(charset)) + sb.append("\n") + } else { + val contentType = requestBody.contentType()?.toString().orEmpty() + val length = try { + requestBody.contentLength() + } catch (_: Exception) { + -1L + } + sb.append("Body: [omitted, contentType=$contentType, contentLength=$length]\n") + } } sb.append("================================\n") @@ -132,6 +143,22 @@ fun requestInterceptor(appContext: Context) = Interceptor { chain -> chain.proceed(request) } +private fun shouldLogRequestBody(body: okhttp3.RequestBody): Boolean { + if (body.isDuplex() || body.isOneShot()) return false + val contentType = body.contentType() ?: return false + val type = contentType.type.lowercase() + val subtype = contentType.subtype.lowercase() + + if (type == "multipart") return false + if (type == "audio" || type == "video" || type == "image") return false + if (subtype == "octet-stream" || subtype == "zip" || subtype == "gzip") return false + + return type == "text" || + subtype.contains("json") || + subtype.contains("xml") || + subtype.contains("x-www-form-urlencoded") +} + // // ================== 签名工具(严格按你描述规则) ================== // diff --git a/app/src/main/java/com/example/myapplication/network/Models.kt b/app/src/main/java/com/example/myapplication/network/Models.kt index be6e683..838d4b9 100644 --- a/app/src/main/java/com/example/myapplication/network/Models.kt +++ b/app/src/main/java/com/example/myapplication/network/Models.kt @@ -33,7 +33,7 @@ data class LoginResponse( val token: String ) -//验证码发送邮箱 +//验证码发送邮件请求 data class SendVerifyCodeRequest( val mailAddress: String ) @@ -48,7 +48,7 @@ data class RegisterRequest( val inviteCode: String? ) -//验证验证码 +//验证验证邮件请求 data class VerifyCodeRequest( val mailAddress: String, val verifyCode: String, @@ -249,3 +249,225 @@ data class deleteThemeRequest( data class purchaseThemeRequest( val themeId: Int, ) + +// =========================================圈子(ai陪聊)============================================ + +//分页查询AI陪聊角色 +data class aiCompanionPageRequest( + val pageNum: Int, + val pageSize: Int, +) + +data class AiCompanionPageResponse( + val records: List, + val total: Int, + val size: Int, + val current: Int, + val pages: Int +) + +data class AiCompanion( + val id: Int, + val name: String, + val avatarUrl: String?, + val coverImageUrl: String?, + val gender: String, + val ageRange: String, + val shortDesc: String, + val introText: String, + val personalityTags: String?, + val speakingStyle: String, + val sortOrder: Int, + val popularityScore: Int, + val prologue: String?, + val prologueAudio: String?, + val likeCount: Int, + val commentCount: Int, + val liked: Boolean, + val createdAt: String, +) + +//点赞/取消点赞AI角色 +data class aiCompanionLikeRequest( + val companionId: Int, +) + + +//分页查询聊天记录 +data class chatHistoryRequest( + val companionId: Int, + val pageNum: Int, + val pageSize: Int, +) + +data class ChatHistoryResponse( + val records: List, + val total: Int, + val size: Int, + val current: Int, + val pages: Int +) + +data class ChatRecord( + val id: Int, + val sender: Int, + val content: String, + val createdAt: String, +) + +// 同步对话 +data class chatMessageRequest( + val content: String, + val companionId: Int, +) + +data class chatMessageResponse( + val aiResponse: String, + val audioId: String, + val llmDuration: Int, +) + +// 查询音频状态 +data class ChatAudioStatusResponse( + val audioId: String, + val status: String?, + val audioUrl: String?, + val errorMessage: String?, +) + +//语音聊天 +data class speechTranscribeResponse( + val transcript: String, + val confidence: Number, + val duration: Number, + val detectedLanguage: String, +) + + +//分页查询评论 +data class commentPageRequest( + val companionId: Int, + val pageNum: Int, + val pageSize: Int, +) + +data class CommentPageResponse( + val records: List, + val total: Int, + val size: Int, + val current: Int, + val pages: Int, +) + +data class Comment( + val id: Int, + val companionId: Int, + val userId: Int, + val userName: String?, + val userAvatar: String?, + val replyToUserName: String?, + val replyToUserId: Int?, + val parentId: Int?, + val rootId: Int?, + val content: String, + val likeCount: Int, + val liked: Boolean, + val createdAt: String, + val replies: List?, + val replyCount: Int?, +) + +//发表评论 +data class addCommentRequest( + val companionId: Int, + val content: String, + val parentId: Int?,//父评论ID,NULL表示一级评论 + val rootId: Int?,//根评论ID,NULL表示根评论 +) +//点赞/取消点赞评论 +data class likeCommentRequest( + val commentId: Int,//评论ID +) + +//根据ID获取AI角色详情 +data class CompanionDetailResponse( + val id: Int, + val name: String, + val avatarUrl: String?, + val coverImageUrl: String?, + val gender: String, + val ageRange: String, + val shortDesc: String, + val introText: String, + val personalityTags: String?, + val speakingStyle: String, + val sortOrder: Int, + val popularityScore: Int, + val prologue: String?, + val prologueAudio: String?, + val likeCount: Int, + val commentCount: Int, + val liked: Boolean, + val createdAt: String, +) +//ai角色举报 +data class reportRequest( + val companionId: Int, + val reportTypes: List, + val reportDesc: String, +) + +//获取当前用户点赞过的AI角色列表 +data class companionLikedResponse( + val id: Int, + val name: String, + val avatarUrl: String?, + val coverImageUrl: String?, + val gender: String, + val ageRange: String, + val shortDesc: String, + val introText: String, + val personalityTags: String?, + val speakingStyle: String, + val sortOrder: Int, + val popularityScore: Int, + val prologue: String?, + val prologueAudio: String?, + val likeCount: Int, + val commentCount: Int, + val liked: Boolean, + val createdAt: String, +) + +//获取当前用户聊过天的AI角色列表 +data class companionChattedResponse( + val id: Int, + val name: String, + val avatarUrl: String?, + val coverImageUrl: String?, + val gender: String, + val ageRange: String, + val shortDesc: String, + val introText: String, + val personalityTags: String?, + val speakingStyle: String, + val sortOrder: Int, + val popularityScore: Int, + val prologue: String?, + val prologueAudio: String?, + val likeCount: Int, + val commentCount: Int, + val liked: Boolean, + val createdAt: String, +) +// 重置会话 +data class chatSessionResetRequest( + val companionId: Int, +) + +data class chatSessionResetResponse( + val sessionId: Int, + val companionId: Int, + val resetVersion: Int, + val createdAt: String, +) \ No newline at end of file diff --git a/app/src/main/java/com/example/myapplication/network/NetworkClient.kt b/app/src/main/java/com/example/myapplication/network/NetworkClient.kt index b7613ed..ca8d0b5 100644 --- a/app/src/main/java/com/example/myapplication/network/NetworkClient.kt +++ b/app/src/main/java/com/example/myapplication/network/NetworkClient.kt @@ -19,7 +19,7 @@ import com.example.myapplication.utils.EncryptedSharedPreferencesUtil object NetworkClient { - private const val BASE_URL = "http://192.168.2.21:7529/api" + private const val BASE_URL = "http://192.168.2.22:7529/api" private const val TAG = "999-SSE_TALK" // ====== 按你给的规则固定值 ====== diff --git a/app/src/main/java/com/example/myapplication/network/RetrofitClient.kt b/app/src/main/java/com/example/myapplication/network/RetrofitClient.kt index 8812eac..57b8259 100644 --- a/app/src/main/java/com/example/myapplication/network/RetrofitClient.kt +++ b/app/src/main/java/com/example/myapplication/network/RetrofitClient.kt @@ -10,7 +10,7 @@ import com.example.myapplication.network.FileUploadService object RetrofitClient { - private const val BASE_URL = "http://192.168.2.21:7529/api/" + private const val BASE_URL = "http://192.168.2.22:7529/api/" // 保存 ApplicationContext @Volatile @@ -21,16 +21,17 @@ object RetrofitClient { } private val loggingInterceptor = HttpLoggingInterceptor().apply { - level = HttpLoggingInterceptor.Level.BODY + level = HttpLoggingInterceptor.Level.HEADERS } private val okHttpClient: OkHttpClient by lazy { check(::appContext.isInitialized) { "RetrofitClient not initialized. Call RetrofitClient.init(context) first." } + // 创建 OkHttpClient.Builder 实例并设置连接、读取和写入超时时间 OkHttpClient.Builder() - .connectTimeout(15, TimeUnit.SECONDS) - .readTimeout(30, TimeUnit.SECONDS) - .writeTimeout(30, TimeUnit.SECONDS) + .connectTimeout(15, TimeUnit.SECONDS) // 设置连接超时时间为 15 秒 + .readTimeout(30, TimeUnit.SECONDS) // 设置读取超时时间为 30 秒 + .writeTimeout(30, TimeUnit.SECONDS) // 设置写入超时时间为 30 秒 // 顺序:请求拦截 -> logging -> 响应拦截 .addInterceptor(requestInterceptor(appContext)) diff --git a/app/src/main/java/com/example/myapplication/ui/circle/ChatMessageAdapter.kt b/app/src/main/java/com/example/myapplication/ui/circle/ChatMessageAdapter.kt new file mode 100644 index 0000000..8d69723 --- /dev/null +++ b/app/src/main/java/com/example/myapplication/ui/circle/ChatMessageAdapter.kt @@ -0,0 +1,285 @@ +package com.example.myapplication.ui.circle + +import android.media.AudioAttributes +import android.media.MediaPlayer +import android.os.Handler +import android.os.Looper +import android.view.LayoutInflater +import android.view.View +import android.view.ViewGroup +import android.view.animation.AnimationUtils +import android.widget.ImageView +import android.widget.TextView +import androidx.recyclerview.widget.RecyclerView +import com.example.myapplication.R + +class ChatMessageAdapter : RecyclerView.Adapter() { + + private var items: MutableList = mutableListOf() + + private var mediaPlayer: MediaPlayer? = null + private var playingMessageId: Long? = null + private var preparedMessageId: Long? = null + + init { + setHasStableIds(true) + } + + override fun getItemViewType(position: Int): Int { + return if (items[position].isMine) VIEW_TYPE_ME else VIEW_TYPE_BOT + } + + override fun onCreateViewHolder(parent: ViewGroup, viewType: Int): MessageViewHolder { + val layout = if (viewType == VIEW_TYPE_ME) { + R.layout.item_chat_message_me + } else { + R.layout.item_chat_message_bot + } + val view = LayoutInflater.from(parent.context).inflate(layout, parent, false) + return MessageViewHolder(view) + } + + override fun onBindViewHolder(holder: MessageViewHolder, position: Int) { + holder.bind(items[position]) + } + + override fun onViewRecycled(holder: MessageViewHolder) { + holder.onRecycled() + super.onViewRecycled(holder) + } + + override fun getItemCount(): Int = items.size + + override fun getItemId(position: Int): Long = items[position].id + + fun bindMessages(messages: MutableList) { + items = messages + notifyDataSetChanged() + } + + fun notifyLastInserted() { + val index = items.size - 1 + if (index >= 0) { + notifyItemInserted(index) + } + } + + fun notifyMessageUpdated(messageId: Long) { + val index = items.indexOfFirst { it.id == messageId } + if (index >= 0) { + notifyItemChanged(index) + } + } + + fun release() { + stopPlayback() + mediaPlayer?.release() + mediaPlayer = null + } + + private fun stopPlayback() { + val previousId = playingMessageId + val player = mediaPlayer + if (player != null) { + if (player.isPlaying) { + player.stop() + } + player.reset() + } + playingMessageId = null + preparedMessageId = null + if (previousId != null) { + val index = items.indexOfFirst { it.id == previousId } + if (index >= 0) { + items[index].isAudioPlaying = false + notifyItemChanged(index) + } + } + } + + private fun ensureMediaPlayer(): MediaPlayer { + val existing = mediaPlayer + if (existing != null) return existing + val created = MediaPlayer() + created.setAudioAttributes( + AudioAttributes.Builder() + .setUsage(AudioAttributes.USAGE_MEDIA) + .setContentType(AudioAttributes.CONTENT_TYPE_SPEECH) + .build() + ) + mediaPlayer = created + return created + } + + private fun toggleAudio(message: ChatMessage) { + val url = message.audioUrl + if (url.isNullOrBlank()) return + + val player = ensureMediaPlayer() + val currentId = playingMessageId + + if (currentId == message.id && preparedMessageId == message.id) { + if (player.isPlaying) { + player.pause() + message.isAudioPlaying = false + } else { + player.start() + message.isAudioPlaying = true + } + notifyMessageUpdated(message.id) + return + } + + if (currentId != null && currentId != message.id) { + stopPlayback() + } + + playingMessageId = message.id + preparedMessageId = null + message.isAudioPlaying = false + notifyMessageUpdated(message.id) + + try { + val targetId = message.id + player.reset() + player.setOnPreparedListener { + if (playingMessageId != targetId) return@setOnPreparedListener + preparedMessageId = targetId + it.start() + message.isAudioPlaying = true + notifyMessageUpdated(targetId) + } + player.setOnCompletionListener { + if (playingMessageId != targetId) return@setOnCompletionListener + message.isAudioPlaying = false + notifyMessageUpdated(targetId) + playingMessageId = null + preparedMessageId = null + it.reset() + } + player.setOnErrorListener { _, _, _ -> + if (playingMessageId == targetId) { + message.isAudioPlaying = false + notifyMessageUpdated(targetId) + playingMessageId = null + preparedMessageId = null + } + true + } + player.setDataSource(url) + player.prepareAsync() + } catch (_: Exception) { + message.isAudioPlaying = false + playingMessageId = null + preparedMessageId = null + notifyMessageUpdated(message.id) + } + } + + inner class MessageViewHolder(itemView: View) : RecyclerView.ViewHolder(itemView) { + private val messageText: TextView = itemView.findViewById(R.id.messageText) + private val audioButton: ImageView? = itemView.findViewById(R.id.audioButton) + private val handler = Handler(Looper.getMainLooper()) + private var typingRunnable: Runnable? = null + private var boundMessageId: Long = RecyclerView.NO_ID + private val loadingAnimation = + AnimationUtils.loadAnimation(itemView.context, R.anim.circle_audio_loading) + private val textLoadingAnimation = + AnimationUtils.loadAnimation(itemView.context, R.anim.circle_text_loading) + + fun bind(message: ChatMessage) { + if (boundMessageId != message.id) { + stopTyping() + boundMessageId = message.id + } + bindAudioButton(message) + if (message.isLoading) { + stopTyping() + messageText.text = message.text + messageText.startAnimation(textLoadingAnimation) + return + } else { + messageText.clearAnimation() + } + if (message.isMine || message.hasAnimated) { + stopTyping() + messageText.text = message.text + } else if (typingRunnable == null) { + startTypewriter(message) + } + } + + fun onRecycled() { + stopTyping() + audioButton?.clearAnimation() + messageText.clearAnimation() + } + + private fun bindAudioButton(message: ChatMessage) { + val button = audioButton ?: return + if (message.isMine || message.audioId.isNullOrBlank()) { + button.visibility = View.GONE + button.clearAnimation() + button.setOnClickListener(null) + return + } + + button.visibility = View.VISIBLE + if (message.audioUrl.isNullOrBlank()) { + button.setImageResource(android.R.drawable.ic_popup_sync) + button.contentDescription = button.context.getString(R.string.circle_audio_loading) + button.alpha = 0.7f + button.setOnClickListener(null) + button.startAnimation(loadingAnimation) + } else { + button.clearAnimation() + val isPlaying = message.isAudioPlaying + button.setImageResource( + if (isPlaying) android.R.drawable.ic_media_pause else android.R.drawable.ic_media_play + ) + button.contentDescription = button.context.getString( + if (isPlaying) R.string.circle_audio_pause else R.string.circle_audio_play + ) + button.alpha = if (isPlaying) 1f else 0.7f + button.setOnClickListener { toggleAudio(message) } + } + } + + private fun startTypewriter(message: ChatMessage) { + val fullText = message.text + if (fullText.isEmpty()) { + messageText.text = "" + message.hasAnimated = true + return + } + var index = 0 + val runnable = object : Runnable { + override fun run() { + if (index <= fullText.length) { + messageText.text = fullText.substring(0, index) + index++ + if (index <= fullText.length) { + handler.postDelayed(this, TYPE_DELAY_MS) + } else { + message.hasAnimated = true + typingRunnable = null + } + } + } + } + typingRunnable = runnable + handler.post(runnable) + } + + private fun stopTyping() { + typingRunnable?.let { handler.removeCallbacks(it) } + typingRunnable = null + } + } + + private companion object { + const val VIEW_TYPE_ME = 1 + const val VIEW_TYPE_BOT = 2 + const val TYPE_DELAY_MS = 28L + } +} diff --git a/app/src/main/java/com/example/myapplication/ui/circle/ChatPageViewHolder.kt b/app/src/main/java/com/example/myapplication/ui/circle/ChatPageViewHolder.kt new file mode 100644 index 0000000..64c3ce4 --- /dev/null +++ b/app/src/main/java/com/example/myapplication/ui/circle/ChatPageViewHolder.kt @@ -0,0 +1,259 @@ +package com.example.myapplication.ui.circle + +import android.view.View +import android.widget.ImageView +import android.view.ViewGroup +import android.widget.TextView +import androidx.recyclerview.widget.LinearLayoutManager +import androidx.recyclerview.widget.RecyclerView +import com.bumptech.glide.Glide +import com.example.myapplication.R + +class ChatPageViewHolder( + itemView: View, + sharedPool: RecyclerView.RecycledViewPool +) : PageViewHolder(itemView) { + + private val titleView: TextView = itemView.findViewById(R.id.pageTitle) + private val likeCountView: TextView = itemView.findViewById(R.id.likeCount) + private val commentCountView: TextView = itemView.findViewById(R.id.commentCount) + private val backgroundView: ImageView = itemView.findViewById(R.id.pageBackground) + private val likeView: ImageView = itemView.findViewById(R.id.like) + private val likeContainer: View = itemView.findViewById(R.id.likeContainer) + private val commentContainer: View = itemView.findViewById(R.id.commentContainer) + private val avatarView: ImageView = itemView.findViewById(R.id.avatar) + private val chatRv: EdgeAwareRecyclerView = itemView.findViewById(R.id.chatRv) + private val footerView: View = itemView.findViewById(R.id.chatFooter) + private val messageAdapter = ChatMessageAdapter() + private var footerBaseBottomMargin = 0 + private val loadMoreThresholdPx = + itemView.resources.getDimensionPixelSize(R.dimen.circle_chat_load_more_threshold) + private var hasMoreHistory = true + private var isLoadingHistory = false + private var onLoadMore: + ((position: Int, companionId: Int, onResult: (ChatHistoryLoadResult) -> Unit) -> Unit)? = + null + private var historyStateProvider: ((Int) -> ChatHistoryUiState)? = null + private var boundCompanionId: Int = -1 + private var boundCommentCount: Int = 0 + private var lastLoadRequestAt = 0L + private var onLikeClick: ((position: Int, companionId: Int) -> Unit)? = null + private var onCommentClick: ((companionId: Int, commentCount: Int) -> Unit)? = null + private var onAvatarClick: ((companionId: Int) -> Unit)? = null + private val loadMoreScrollListener = object : RecyclerView.OnScrollListener() { + override fun onScrolled(recyclerView: RecyclerView, dx: Int, dy: Int) { + maybeLoadMore(force = false) + } + + override fun onScrollStateChanged(recyclerView: RecyclerView, newState: Int) { + if (newState == RecyclerView.SCROLL_STATE_IDLE) { + maybeLoadMore(force = false) + } + } + } + + private var boundPageId: Long = -1L + private var boundMessageVersion: Long = -1L + + init { + chatRv.layoutManager = LinearLayoutManager(itemView.context).apply { + // 新消息在底部显示,符合聊天习? + stackFromEnd = true + } + chatRv.adapter = messageAdapter + chatRv.itemAnimator = null + chatRv.clipToPadding = false + chatRv.setItemViewCacheSize(20) + chatRv.setRecycledViewPool(sharedPool) + (footerView.layoutParams as? ViewGroup.MarginLayoutParams)?.let { lp -> + footerBaseBottomMargin = lp.bottomMargin + } + chatRv.allowParentInterceptAtTop = { + val state = resolveHistoryState() + !state.hasMore && !state.isLoading + } + chatRv.onTopPull = { maybeLoadMore(force = true) } + chatRv.addOnScrollListener(loadMoreScrollListener) + likeContainer.setOnClickListener { + val position = adapterPosition + if (position == RecyclerView.NO_POSITION || boundCompanionId <= 0) return@setOnClickListener + onLikeClick?.invoke(position, boundCompanionId) + } + commentContainer.setOnClickListener { + if (boundCompanionId <= 0) return@setOnClickListener + onCommentClick?.invoke(boundCompanionId, boundCommentCount) + } + avatarView.setOnClickListener { + if (boundCompanionId <= 0) return@setOnClickListener + onAvatarClick?.invoke(boundCompanionId) + } + } + + fun bind( + data: ChatPageData, + inputOverlayHeight: Int, + bottomInset: Int, + historyState: ChatHistoryUiState, + historyStateProvider: (Int) -> ChatHistoryUiState, + onLoadMore: ((position: Int, companionId: Int, onResult: (ChatHistoryLoadResult) -> Unit) -> Unit)?, + onLikeClick: ((position: Int, companionId: Int) -> Unit)?, + onCommentClick: ((companionId: Int, commentCount: Int) -> Unit)?, + onAvatarClick: ((companionId: Int) -> Unit)? + ) { + boundCompanionId = data.companionId + hasMoreHistory = historyState.hasMore + isLoadingHistory = historyState.isLoading + this.historyStateProvider = historyStateProvider + this.onLoadMore = onLoadMore + this.onLikeClick = onLikeClick + this.onCommentClick = onCommentClick + this.onAvatarClick = onAvatarClick + titleView.text = data.personaName + likeCountView.text = data.likeCount.toString() + commentCountView.text = data.commentCount.toString() + boundCommentCount = data.commentCount + Glide.with(backgroundView.context) + .load(data.backgroundColor) + .into(backgroundView) + + Glide.with(avatarView.context) + .load(data.avatarUrl) + .into(avatarView) + + likeView.setImageResource( + if (data. liked) R.drawable.like_select else R.drawable.like + ) + + val isNewPage = boundPageId != data.pageId + if (isNewPage) { + boundPageId = data.pageId + lastLoadRequestAt = 0L + } + val shouldRebindMessages = isNewPage || boundMessageVersion != data.messageVersion + if (shouldRebindMessages) { + messageAdapter.bindMessages(data.messages) + boundMessageVersion = data.messageVersion + if (isNewPage) { + scrollToBottom() + } + } + + updateInsets(inputOverlayHeight, bottomInset) + } + + fun updateInsets(inputOverlayHeight: Int, bottomInset: Int) { + // 固定底部信息区抬高,避免被输入框遮挡 + val footerMargin = (footerBaseBottomMargin + inputOverlayHeight + bottomInset) + .coerceAtLeast(footerBaseBottomMargin) + val footerLp = footerView.layoutParams as? ViewGroup.MarginLayoutParams + if (footerLp != null && footerLp.bottomMargin != footerMargin) { + footerLp.bottomMargin = footerMargin + footerView.layoutParams = footerLp + } + + // 列表只需要考虑系统栏高度即? + val paddingBottom = bottomInset.coerceAtLeast(0) + if (chatRv.paddingBottom != paddingBottom) { + val wasAtBottom = !chatRv.canScrollVertically(1) + chatRv.setPadding( + chatRv.paddingLeft, + chatRv.paddingTop, + chatRv.paddingRight, + paddingBottom + ) + if (wasAtBottom) { + scrollToBottom() + } + } + } + + private fun resolveHistoryState(): ChatHistoryUiState { + if (boundCompanionId <= 0) { + return ChatHistoryUiState(hasMore = false, isLoading = false) + } + return historyStateProvider?.invoke(boundCompanionId) + ?: ChatHistoryUiState(hasMore = hasMoreHistory, isLoading = isLoadingHistory) + } + + private fun maybeLoadMore(force: Boolean) { + val state = resolveHistoryState() + if (!state.hasMore || state.isLoading) return + val lm = chatRv.layoutManager as? LinearLayoutManager ?: return + val firstPos = lm.findFirstVisibleItemPosition() + if (firstPos == RecyclerView.NO_POSITION) { + if (force) { + requestLoadMore() + } + return + } + if (firstPos > 0) return + val firstView = lm.findViewByPosition(firstPos) ?: return + if (!force && firstView.top < -loadMoreThresholdPx) return + val now = System.currentTimeMillis() + if (now - lastLoadRequestAt < LOAD_MORE_DEBOUNCE_MS) return + lastLoadRequestAt = now + requestLoadMore() + } + + private fun requestLoadMore() { + val callback = onLoadMore ?: return + val position = adapterPosition + if (position == RecyclerView.NO_POSITION) return + if (boundCompanionId <= 0) return + val requestedCompanionId = boundCompanionId + val requestedPageId = boundPageId + isLoadingHistory = true + callback(position, requestedCompanionId) { result -> + if (requestedCompanionId != boundCompanionId || requestedPageId != boundPageId) { + return@callback + } + isLoadingHistory = false + hasMoreHistory = result.hasMore + if (result.insertedCount > 0) { + notifyMessagesPrepended(result.insertedCount) + } + } + } + + private fun notifyMessagesPrepended(insertedCount: Int) { + if (insertedCount <= 0) return + val lm = chatRv.layoutManager as? LinearLayoutManager ?: return + val firstPos = lm.findFirstVisibleItemPosition() + if (firstPos == RecyclerView.NO_POSITION) { + messageAdapter.notifyItemRangeInserted(0, insertedCount) + return + } + val firstView = lm.findViewByPosition(firstPos) + val offset = firstView?.top ?: 0 + messageAdapter.notifyItemRangeInserted(0, insertedCount) + lm.scrollToPositionWithOffset(firstPos + insertedCount, offset) + } + + fun notifyMessageAppended() { + messageAdapter.notifyLastInserted() + scrollToBottom() + } + + fun notifyMessageUpdated(messageId: Long) { + messageAdapter.notifyMessageUpdated(messageId) + } + + override fun onRecycled() { + messageAdapter.release() + chatRv.stopScroll() + } + + private fun scrollToBottom() { + val lastIndex = messageAdapter.itemCount - 1 + if (lastIndex >= 0) { + chatRv.scrollToPosition(lastIndex) + } + } + + private companion object { + const val LOAD_MORE_DEBOUNCE_MS = 600L + } +} + + + diff --git a/app/src/main/java/com/example/myapplication/ui/circle/CircleChatModels.kt b/app/src/main/java/com/example/myapplication/ui/circle/CircleChatModels.kt new file mode 100644 index 0000000..e68e2e3 --- /dev/null +++ b/app/src/main/java/com/example/myapplication/ui/circle/CircleChatModels.kt @@ -0,0 +1,36 @@ +package com.example.myapplication.ui.circle + +data class ChatMessage( + val id: Long, + var text: String, + val isMine: Boolean, + val timestamp: Long, + var audioId: String? = null, + var audioUrl: String? = null, + var isAudioPlaying: Boolean = false, + var hasAnimated: Boolean = true, + var isLoading: Boolean = false +) + +data class ChatPageData( + val pageId: Long, + val companionId: Int, + val personaName: String, + val messages: MutableList, + val backgroundColor: String?, + val avatarUrl: String?, + var likeCount: Int, + var commentCount: Int, + var liked: Boolean, + var messageVersion: Long = 0 +) + +data class ChatHistoryUiState( + val hasMore: Boolean, + val isLoading: Boolean +) + +data class ChatHistoryLoadResult( + val insertedCount: Int, + val hasMore: Boolean +) diff --git a/app/src/main/java/com/example/myapplication/ui/circle/CircleChatRepository.kt b/app/src/main/java/com/example/myapplication/ui/circle/CircleChatRepository.kt new file mode 100644 index 0000000..5e547e9 --- /dev/null +++ b/app/src/main/java/com/example/myapplication/ui/circle/CircleChatRepository.kt @@ -0,0 +1,658 @@ +package com.example.myapplication.ui.circle + +import android.app.ActivityManager +import android.content.Context +import android.graphics.Color +import android.util.LruCache +import kotlinx.coroutines.CoroutineScope +import kotlinx.coroutines.Dispatchers +import kotlinx.coroutines.SupervisorJob +import kotlinx.coroutines.cancel +import kotlinx.coroutines.launch +import com.example.myapplication.network.ApiService +import com.example.myapplication.network.ApiResponse +import com.example.myapplication.network.AiCompanion +import com.example.myapplication.network.ChatHistoryResponse +import com.example.myapplication.network.ChatRecord +import com.example.myapplication.network.aiCompanionPageRequest +import com.example.myapplication.network.chatHistoryRequest +import kotlin.math.max +import kotlin.math.min +import kotlin.random.Random +import java.util.concurrent.atomic.AtomicLong +import android.util.Log +import kotlinx.coroutines.runBlocking +import kotlinx.coroutines.withContext + +class CircleChatRepository( + context: Context, + val totalPages: Int, + private val preloadCount: Int, + private val apiService: ApiService +) { + + // LRU 缓存最近使用页面,避免内存无限增长。 + private val cacheSize = computeCacheSize(context, totalPages) + private val cache = object : LruCache(cacheSize) {} + private val companionCache = object : LruCache(cacheSize) {} + private val pageFetchSize = computePageFetchSize(preloadCount) + .coerceAtMost(totalPages) + .coerceAtLeast(1) + private val lock = Any() + // 记录正在加载的页,避免重复加载。 + private val inFlight = HashSet() + private val pageInFlight = HashSet() + private val pageFetched = HashSet() + private val historyStates = HashMap() + @Volatile + private var knownTotalPages: Int? = null + @Volatile + private var availablePages: Int = totalPages + var onTotalPagesChanged: ((Int) -> Unit)? = null + + // 后台协程用于预加载。 + private val scope = CoroutineScope(SupervisorJob() + Dispatchers.Default) + private val messageId = AtomicLong((totalPages.toLong() + 1) * 1_000_000L) + + //获取指定位置的聊天页面数据 + fun getPage(position: Int): ChatPageData { + if (position < 0 || position >= availablePages) { + return emptyPage(position) + } + val cached = synchronized(lock) { cache.get(position) } + if (cached != null) return cached + + val page = createPage(position) + return synchronized(lock) { + val existing = cache.get(position) + if (existing != null) { + inFlight.remove(position) + existing + } else { + cache.put(position, page) + inFlight.remove(position) + page + } + } + } + + //主要功能是根据用户当前查看的页面位置,预加载其前后若干页的数据,并将这些数据放入缓存中 + fun preloadAround(position: Int) { + val maxPages = availablePages + if (maxPages <= 0) return + val start = max(0, position - preloadCount)// + val end = min(maxPages - 1, position + preloadCount)// + preloadRange(start, end, pageFetchSize, DEFAULT_CHAT_PAGE_SIZE) + } + + fun preloadInitialPages() { + val maxPages = availablePages + if (maxPages <= 0) return + val end = min(maxPages - 1, pageFetchSize - 1) + preloadRange(0, end, pageFetchSize, DEFAULT_CHAT_PAGE_SIZE) + } + + fun getAvailablePages(): Int = availablePages + + fun getHistoryUiState(companionId: Int): ChatHistoryUiState { + if (companionId <= 0) { + return ChatHistoryUiState(hasMore = false, isLoading = false) + } + synchronized(lock) { + val state = historyStates[companionId] + return if (state != null) { + ChatHistoryUiState(hasMore = state.hasMore, isLoading = state.isLoading) + } else { + ChatHistoryUiState(hasMore = true, isLoading = false) + } + } + } + + fun loadMoreHistory( + position: Int, + companionId: Int, + onResult: (ChatHistoryLoadResult) -> Unit + ) { + if (companionId <= 0) return + var nextPage = 2 + var hasMoreSnapshot = true + val shouldLoad = synchronized(lock) { + val state = historyStates[companionId] + hasMoreSnapshot = state?.hasMore ?: true + when { + state == null -> { + historyStates[companionId] = ChatHistoryState( + nextPage = nextPage, + hasMore = true, + isLoading = true + ) + true + } + !state.hasMore || state.isLoading -> false + else -> { + state.isLoading = true + nextPage = state.nextPage + true + } + } + } + if (!shouldLoad) { + if (!hasMoreSnapshot) { + onResult(ChatHistoryLoadResult(insertedCount = 0, hasMore = false)) + } + return + } + + scope.launch(Dispatchers.IO) { + val response = fetchChatRecords(companionId, nextPage, DEFAULT_CHAT_PAGE_SIZE) + val data = response.data + val mapped = mapChatRecords(data?.records) + var insertedCount = 0 + var hasMore = true + + synchronized(lock) { + val state = historyStates[companionId] + val pageData = cache.get(position) + val filtered = if (pageData != null && mapped.isNotEmpty()) { + val existingIds = pageData.messages.asSequence() + .map { it.id } + .toHashSet() + mapped.filter { !existingIds.contains(it.id) } + } else { + mapped + } + + if (pageData != null && filtered.isNotEmpty()) { + pageData.messages.addAll(0, filtered) + } + insertedCount = filtered.size + + if (state != null) { + if (data != null) { + val computedHasMore = when { + data.pages > 0 -> data.current < data.pages + data.records.isNotEmpty() -> true + else -> false + } + if (state.hasMore) { + state.hasMore = computedHasMore + } + state.nextPage = max(state.nextPage, data.current + 1) + } + state.isLoading = false + hasMore = state.hasMore + } else { + hasMore = data?.let { it.current < it.pages } ?: true + } + } + + withContext(Dispatchers.Main) { + onResult(ChatHistoryLoadResult(insertedCount = insertedCount, hasMore = hasMore)) + } + } + } + + // 指定位置的聊天页面添加用户消息 + fun addUserMessage(position: Int, text: String, isLoading: Boolean = false): ChatMessage { + val message = ChatMessage( + id = messageId.getAndIncrement(), + text = text, + isMine = true, + timestamp = System.currentTimeMillis(), + hasAnimated = true, + isLoading = isLoading + ) + synchronized(lock) { + // 消息存放在页面缓存中。 + val page = getPage(position) + page.messages.add(message) + page.messageVersion++ + } + return message + } + + //在指定位置的聊天页面中添加一条由机器人发送的消息。 + fun addBotMessage( + position: Int, + text: String, + audioId: String? = null, + animate: Boolean = false, + isLoading: Boolean = false + ): ChatMessage { + val message = ChatMessage( + id = messageId.getAndIncrement(), + text = text, + isMine = false, + timestamp = System.currentTimeMillis(), + audioId = audioId, + hasAnimated = !animate, + isLoading = isLoading + ) + synchronized(lock) { + val page = getPage(position) + page.messages.add(message) + page.messageVersion++ + } + return message + } + + fun touchMessages(position: Int) { + synchronized(lock) { + getPage(position).messageVersion++ + } + } + + fun updateLikeState(position: Int, companionId: Int, liked: Boolean, likeCount: Int): Boolean { + synchronized(lock) { + val page = cache.get(position) + if (page == null || page.companionId != companionId) return false + page.liked = liked + page.likeCount = likeCount + companionCache.get(position)?.let { companion -> + if (companion.id == companionId) { + companionCache.put(position, companion.copy(liked = liked, likeCount = likeCount)) + } + } + return true + } + } + + fun updateCommentCount(companionId: Int, newCount: Int): List { + if (companionId <= 0) return emptyList() + val sanitized = newCount.coerceAtLeast(0) + val updatedPositions = ArrayList() + synchronized(lock) { + for ((position, page) in cache.snapshot()) { + if (page.companionId == companionId) { + if (page.commentCount != sanitized) { + page.commentCount = sanitized + updatedPositions.add(position) + } + } + } + for ((position, companion) in companionCache.snapshot()) { + if (companion.id == companionId && companion.commentCount != sanitized) { + companionCache.put(position, companion.copy(commentCount = sanitized)) + } + } + } + return updatedPositions + } + + // fun buildBotReply(userText: String): String { + // val seed = userText.hashCode().toLong() + // val random = Random(seed) + // return sampleLines[random.nextInt(sampleLines.size)] + // } + + fun close() { + scope.cancel() + } + + /** + * 清除指定 companionId 对应页面的聊天消息。 + * 返回被清除的页面 position 列表,用于通知 UI 刷新。 + */ + fun clearMessagesForCompanion(companionId: Int): List { + if (companionId <= 0) return emptyList() + val clearedPositions = ArrayList() + synchronized(lock) { + for ((position, page) in cache.snapshot()) { + if (page.companionId == companionId) { + page.messages.clear() + page.messageVersion++ + clearedPositions.add(position) + } + } + historyStates.remove(companionId) + } + return clearedPositions + } + + + //主要功能是确保指定位置的聊天页面数据已经存在于缓存中。如果指定位置的页面数据不存在,则生成该页面的数据并将其放入缓存中 + private fun createPage(position: Int): ChatPageData { + val cachedCompanion = synchronized(lock) { companionCache.get(position) } + val companionInfo = cachedCompanion ?: run { + val pageNum = position / pageFetchSize + 1 + val records = fetchCompanionPage(pageNum, pageFetchSize) + val index = position - (pageNum - 1) * pageFetchSize + records.getOrNull(index) + } + + if (companionInfo == null) { + return emptyPage(position) + } + + val historyResponse = fetchChatRecords( + companionInfo.id, + 1, + DEFAULT_CHAT_PAGE_SIZE + ).data + val messages = historyResponse?.records + updateHistoryState(companionInfo.id, historyResponse, 1) + Log.d("1314520-CircleChatRepository", "createPage: $position") + + return buildPageData(position, companionInfo, messages) + } + + private fun preloadRange(start: Int, end: Int, pageSize: Int, chatPageSize: Int) { + val maxPages = availablePages + if (maxPages <= 0) return + val safeStart = start.coerceAtLeast(0) + val safeEnd = end.coerceAtMost(maxPages - 1) + if (safeStart > safeEnd) return + val firstBatch = safeStart / pageSize + val lastBatch = safeEnd / pageSize + for (batchIndex in firstBatch..lastBatch) { + val batchStart = batchIndex * pageSize + val batchEnd = min(maxPages - 1, batchStart + pageSize - 1) + val targetPositions = ArrayList() + synchronized(lock) { + val rangeStart = max(safeStart, batchStart) + val rangeEnd = min(safeEnd, batchEnd) + for (pos in rangeStart..rangeEnd) { + if (cache.get(pos) == null && !inFlight.contains(pos)) { + inFlight.add(pos) + targetPositions.add(pos) + } + } + } + if (targetPositions.isEmpty()) continue + scope.launch { + preloadBatch(batchIndex, pageSize, chatPageSize, targetPositions) + } + } + } + + private fun preloadBatch( + batchIndex: Int, + pageSize: Int, + chatPageSize: Int, + targetPositions: List + ) { + val maxPages = availablePages + if (maxPages <= 0) { + clearInFlight(targetPositions.toHashSet()) + return + } + val pageNum = batchIndex + 1 + val records = fetchCompanionPage(pageNum, pageSize) + val base = batchIndex * pageSize + val targetSet = targetPositions.toHashSet() + + if (records.isNotEmpty()) { + for ((index, record) in records.withIndex()) { + val position = base + index + if (position >= maxPages) break + if (!targetSet.contains(position)) continue + + val historyResponse = fetchChatRecords(record.id, 1, chatPageSize).data + val messages = historyResponse?.records + updateHistoryState(record.id, historyResponse, 1) + val pageData = buildPageData(position, record, messages) + synchronized(lock) { + if (cache.get(position) == null) { + cache.put(position, pageData) + } + inFlight.remove(position) + } + } + } + clearInFlight(targetSet) + } + + private fun clearInFlight(targetPositions: Set) { + synchronized(lock) { + for (pos in targetPositions) { + if (cache.get(pos) == null) { + inFlight.remove(pos) + } + } + } + } + + private fun resolveAvailablePages(total: Int?, pages: Int?, size: Int?): Int? { + if (total != null && total >= 0) return total + if (pages != null && pages >= 0 && size != null && size > 0) return pages * size + return null + } + + private fun updateAvailablePages(newValue: Int) { + val clamped = newValue.coerceAtLeast(0).coerceAtMost(totalPages) + if (clamped == availablePages) return + availablePages = clamped + onTotalPagesChanged?.invoke(clamped) + } + + private fun collectCachedPage(pageNum: Int, pageSize: Int): List { + val maxPages = availablePages + if (maxPages <= 0) return emptyList() + val startPos = (pageNum - 1) * pageSize + val endPos = min(maxPages - 1, startPos + pageSize - 1) + val cached = ArrayList() + for (pos in startPos..endPos) { + companionCache.get(pos)?.let { cached.add(it) } + } + return cached + } + + private fun fetchCompanionPage(pageNum: Int, pageSize: Int): List { + val maxPages = knownTotalPages + if (maxPages != null && pageNum > maxPages) { + synchronized(lock) { + pageFetched.add(pageNum) + } + return emptyList() + } + + synchronized(lock) { + if (pageFetched.contains(pageNum)) { + return collectCachedPage(pageNum, pageSize) + } + while (pageInFlight.contains(pageNum)) { + try { + (lock as java.lang.Object).wait() + } catch (_: InterruptedException) { + return collectCachedPage(pageNum, pageSize) + } + if (pageFetched.contains(pageNum)) { + return collectCachedPage(pageNum, pageSize) + } + } + pageInFlight.add(pageNum) + } + + var records: List = emptyList() + var shouldMarkFetched = false + try { + val response = fetchPageDataSync(pageNum, pageSize) + val data = response.data + records = data?.records.orEmpty() + if (data?.pages != null && data.pages > 0) { + knownTotalPages = data.pages + } + val available = resolveAvailablePages(data?.total, data?.pages, data?.size) + if (available != null) { + updateAvailablePages(available) + } + shouldMarkFetched = data != null + } finally { + val startPos = (pageNum - 1) * pageSize + synchronized(lock) { + for ((index, record) in records.withIndex()) { + val position = startPos + index + if (position in 0 until totalPages) { + companionCache.put(position, record) + } + } + if (shouldMarkFetched) { + pageFetched.add(pageNum) + } + pageInFlight.remove(pageNum) + (lock as java.lang.Object).notifyAll() + } + } + + return records + } + + private fun buildPageData( + position: Int, + companionInfo: AiCompanion, + records: List? + ): ChatPageData { + val messages = mapChatRecords(records) + return ChatPageData( + pageId = position.toLong(), + companionId = companionInfo.id, + personaName = companionInfo.name, + messages = messages, + backgroundColor = companionInfo.coverImageUrl, + avatarUrl = companionInfo.avatarUrl, + likeCount = companionInfo.likeCount, + commentCount = companionInfo.commentCount, + liked = companionInfo.liked + ) + } + + private fun updateHistoryState( + companionId: Int, + response: ChatHistoryResponse?, + loadedPage: Int + ) { + synchronized(lock) { + val current = response?.current ?: loadedPage + val computedHasMore = when { + response == null -> true + response.pages > 0 -> current < response.pages + response.records.isNotEmpty() -> true + else -> false + } + val nextPage = if (response == null) loadedPage else current + 1 + val existing = historyStates[companionId] + if (existing == null) { + historyStates[companionId] = ChatHistoryState( + nextPage = nextPage, + hasMore = computedHasMore, + isLoading = false + ) + } else { + existing.nextPage = max(existing.nextPage, nextPage) + if (response != null && existing.hasMore) { + existing.hasMore = computedHasMore + } + } + } + } + + private fun mapChatRecords(records: List?): MutableList { + if (records.isNullOrEmpty()) return mutableListOf() + val reversedMessages = records.reversed() + val dateFormat = java.text.SimpleDateFormat("yyyy-MM-dd'T'HH:mm:ss.SSSXXX") + val messages = ArrayList(reversedMessages.size) + for (record in reversedMessages) { + val isMine = record.sender == 1 + val timestamp = try { + dateFormat.parse(record.createdAt)?.time ?: System.currentTimeMillis() + } catch (_: Exception) { + System.currentTimeMillis() + } + messages.add( + ChatMessage( + id = record.id.toLong(), + text = record.content, + isMine = isMine, + timestamp = timestamp, + hasAnimated = true + ) + ) + } + return messages + } + + private fun emptyPage(position: Int): ChatPageData { + return ChatPageData( + pageId = position.toLong(), + companionId = -1, + personaName = "", + messages = mutableListOf(), + backgroundColor = "", + avatarUrl = "", + likeCount = 0, + commentCount = 0, + liked = false + ) + } + + private fun computeCacheSize(context: Context, totalPages: Int): Int { + val am = context.getSystemService(Context.ACTIVITY_SERVICE) as ActivityManager + // 根据内存等级调整缓存大小。 + val base = when { + am.isLowRamDevice -> 32 + am.memoryClass >= 512 -> 120 + am.memoryClass >= 384 -> 96 + am.memoryClass >= 256 -> 72 + am.memoryClass >= 192 -> 56 + else -> 40 + } + return base.coerceAtMost(totalPages).coerceAtLeast(24) + } + + private data class ChatHistoryState( + var nextPage: Int, + var hasMore: Boolean, + var isLoading: Boolean + ) + + companion object { + const val DEFAULT_PAGE_COUNT = 200 + const val DEFAULT_CHAT_PAGE_SIZE = 20 + private const val MIN_FETCH_BATCH_SIZE = 4 + private const val MAX_FETCH_BATCH_SIZE = 20 + + fun computePreloadCount(context: Context): Int { + val am = context.getSystemService(Context.ACTIVITY_SERVICE) as ActivityManager + if (am.isLowRamDevice) return 4 + + return when { + am.memoryClass >= 512 -> 10 + am.memoryClass >= 384 -> 8 + am.memoryClass >= 256 -> 6 + am.memoryClass >= 192 -> 5 + else -> 4 + } + } + + fun computePageFetchSize(preloadCount: Int): Int { + val desired = preloadCount * 2 + 1 + return desired.coerceAtLeast(MIN_FETCH_BATCH_SIZE) + .coerceAtMost(MAX_FETCH_BATCH_SIZE) + } + } + + private fun fetchPageDataSync(pageNum: Int, pageSize: Int) = + runBlocking(Dispatchers.IO) { + try { + apiService.aiCompanionPage( + aiCompanionPageRequest(pageNum = pageNum, pageSize = pageSize) + ) + } catch (e: Exception) { + Log.e("CircleChatRepository", "fetchPageDataSync failed: ${e.message}", e) + ApiResponse(-1, e.message ?: "Network error", null) + } + } + + //分页查询聊天记录 + fun fetchChatRecords(companionId: Int, pageNum: Int, pageSize: Int) = + runBlocking(Dispatchers.IO) { + try { + apiService.chatHistory( + chatHistoryRequest(companionId = companionId, pageNum = pageNum, pageSize = pageSize) + ) + } catch (e: Exception) { + Log.e("CircleChatRepository", "fetchChatRecords failed: ${e.message}", e) + ApiResponse(-1, e.message ?: "Network error", null) + } + } +} diff --git a/app/src/main/java/com/example/myapplication/ui/circle/CircleChatRepositoryProvider.kt b/app/src/main/java/com/example/myapplication/ui/circle/CircleChatRepositoryProvider.kt new file mode 100644 index 0000000..31f63cc --- /dev/null +++ b/app/src/main/java/com/example/myapplication/ui/circle/CircleChatRepositoryProvider.kt @@ -0,0 +1,46 @@ +package com.example.myapplication.ui.circle + +import android.content.Context +import com.example.myapplication.network.ApiService +import java.util.concurrent.atomic.AtomicBoolean + +object CircleChatRepositoryProvider { + + @Volatile + private var repository: CircleChatRepository? = null + private val warmUpStarted = AtomicBoolean(false) + + fun get( + context: Context, + apiService: ApiService, + totalPages: Int, + preloadCount: Int + ): CircleChatRepository { + val appContext = context.applicationContext + return repository ?: synchronized(this) { + repository ?: CircleChatRepository( + context = appContext, + totalPages = totalPages, + preloadCount = preloadCount, + apiService = apiService + ).also { repository = it } + } + } + + fun warmUp( + context: Context, + apiService: ApiService, + totalPages: Int, + preloadCount: Int + ) { + val repo = get( + context = context, + apiService = apiService, + totalPages = totalPages, + preloadCount = preloadCount + ) + if (warmUpStarted.compareAndSet(false, true)) { + repo.preloadInitialPages() + } + } +} diff --git a/app/src/main/java/com/example/myapplication/ui/circle/CircleCommentAdapter.kt b/app/src/main/java/com/example/myapplication/ui/circle/CircleCommentAdapter.kt new file mode 100644 index 0000000..d38475f --- /dev/null +++ b/app/src/main/java/com/example/myapplication/ui/circle/CircleCommentAdapter.kt @@ -0,0 +1,273 @@ +package com.example.myapplication.ui.circle + +import android.text.TextUtils +import android.view.LayoutInflater +import android.view.View +import android.view.ViewGroup +import android.widget.ImageView +import android.widget.TextView +import androidx.recyclerview.widget.DiffUtil +import androidx.recyclerview.widget.LinearLayoutManager +import androidx.recyclerview.widget.ListAdapter +import androidx.recyclerview.widget.RecyclerView +import com.bumptech.glide.Glide +import com.example.myapplication.R +import com.example.myapplication.network.Comment + +class CircleCommentAdapter( + private val sharedReplyPool: RecyclerView.RecycledViewPool, + private val isContentExpanded: (Int) -> Boolean, + private val onToggleContent: (Int) -> Unit, + private val onLoadMoreReplies: (Int) -> Unit, + private val onCollapseReplies: (Int) -> Unit, + private val onReplyClick: (Comment) -> Unit, + private val onLikeClick: (Comment) -> Unit +) : ListAdapter(DiffCallback) { + + init { + setHasStableIds(true) + } + + override fun onCreateViewHolder(parent: ViewGroup, viewType: Int): CommentViewHolder { + val view = LayoutInflater.from(parent.context) + .inflate(R.layout.item_circle_comment, parent, false) + return CommentViewHolder(view) + } + + override fun onBindViewHolder(holder: CommentViewHolder, position: Int) { + holder.bind(getItem(position)) + } + + override fun onBindViewHolder( + holder: CommentViewHolder, + position: Int, + payloads: MutableList + ) { + if (payloads.isEmpty()) { + holder.bind(getItem(position)) + return + } + val item = getItem(position) + var flags = 0 + payloads.forEach { payload -> + if (payload is Int) { + flags = flags or payload + } + } + holder.bindPartial(item, flags) + } + + override fun getItemId(position: Int): Long = getItem(position).comment.id.toLong() + + inner class CommentViewHolder(itemView: View) : RecyclerView.ViewHolder(itemView) { + private val avatarView: ImageView = itemView.findViewById(R.id.commentAvatar) + private val userNameView: TextView = itemView.findViewById(R.id.commentUserName) + private val timeView: TextView = itemView.findViewById(R.id.commentTime) + private val contentView: TextView = itemView.findViewById(R.id.commentContent) + private val contentToggle: TextView = itemView.findViewById(R.id.commentContentToggle) + private val replyButton: TextView = itemView.findViewById(R.id.commentReplyButton) + private val likeContainer: View = itemView.findViewById(R.id.commentLikeContainer) + private val likeIcon: ImageView = itemView.findViewById(R.id.commentLikeIcon) + private val likeCountView: TextView = itemView.findViewById(R.id.commentLikeCount) + private val repliesList: RecyclerView = itemView.findViewById(R.id.commentRepliesList) + private val repliesToggle: TextView = itemView.findViewById(R.id.commentRepliesToggle) + private val repliesCollapse: TextView = itemView.findViewById(R.id.commentRepliesCollapse) + private val replyAdapter = CircleCommentReplyAdapter( + onReplyClick = onReplyClick, + onLikeClick = onLikeClick, + onToggleContent = onToggleContent + ) + private var boundId: Int = -1 + + init { + repliesList.layoutManager = LinearLayoutManager(itemView.context) + repliesList.adapter = replyAdapter + repliesList.itemAnimator = null + repliesList.setRecycledViewPool(sharedReplyPool) + } + + fun bind(item: CommentItem) { + val comment = item.comment + boundId = comment.id + val context = itemView.context + val baseName = comment.userName?.takeIf { it.isNotBlank() } + ?: context.getString(R.string.circle_comment_user_anonymous) + val displayName = buildDisplayName(baseName, comment.replyToUserName) + + Glide.with(avatarView) + .load(comment.userAvatar) + .placeholder(R.drawable.default_avatar) + .error(R.drawable.default_avatar) + .into(avatarView) + + userNameView.text = displayName + timeView.text = CommentTimeFormatter.format(context, comment.createdAt) + contentView.text = comment.content + + bindContentToggle(item) + + replyButton.setOnClickListener { onReplyClick(comment) } + likeContainer.setOnClickListener { onLikeClick(comment) } + contentToggle.setOnClickListener { onToggleContent(comment.id) } + repliesToggle.setOnClickListener { onLoadMoreReplies(comment.id) } + repliesCollapse.setOnClickListener { onCollapseReplies(comment.id) } + + val liked = comment.liked + likeIcon.setImageResource( + if (liked) R.drawable.comment_has_been_liked else R.drawable.comment_likes + ) + likeCountView.text = comment.likeCount.toString() + + bindReplies(item) + } + + fun bindPartial(item: CommentItem, flags: Int) { + boundId = item.comment.id + likeContainer.setOnClickListener { onLikeClick(item.comment) } + repliesToggle.setOnClickListener { onLoadMoreReplies(item.comment.id) } + repliesCollapse.setOnClickListener { onCollapseReplies(item.comment.id) } + if (flags and PAYLOAD_LIKE != 0) { + updateLike(item) + } + if (flags and PAYLOAD_REPLIES != 0) { + bindReplies(item) + } + if (flags and PAYLOAD_CONTENT != 0) { + contentView.text = item.comment.content + bindContentToggle(item) + } + } + + private fun updateLike(item: CommentItem) { + val liked = item.comment.liked + likeIcon.setImageResource( + if (liked) R.drawable.comment_has_been_liked else R.drawable.comment_likes + ) + likeCountView.text = item.comment.likeCount.toString() + } + + private fun bindContentToggle(item: CommentItem) { + val isExpanded = item.isContentExpanded + contentView.maxLines = if (isExpanded) Int.MAX_VALUE else COLLAPSED_MAX_LINES + contentView.ellipsize = if (isExpanded) null else TextUtils.TruncateAt.END + contentToggle.text = itemView.context.getString( + if (isExpanded) R.string.circle_comment_collapse else R.string.circle_comment_expand + ) + contentToggle.visibility = if (isExpanded) View.VISIBLE else View.GONE + contentView.post { + if (boundId != item.comment.id) return@post + if (isExpanded) { + contentToggle.visibility = View.VISIBLE + return@post + } + val layout = contentView.layout ?: return@post + val maxLine = COLLAPSED_MAX_LINES.coerceAtLeast(1) + val lastLine = minOf(layout.lineCount, maxLine) - 1 + if (lastLine < 0) { + contentToggle.visibility = View.GONE + return@post + } + val textLength = contentView.text?.length ?: 0 + val lineEnd = layout.getLineEnd(lastLine) + val hasEllipsis = layout.getEllipsisCount(lastLine) > 0 + val hasOverflow = hasEllipsis || lineEnd < textLength + contentToggle.visibility = if (hasOverflow) View.VISIBLE else View.GONE + } + } + + private fun bindReplies(item: CommentItem) { + val replies = item.comment.replies.orEmpty() + if (replies.isEmpty()) { + repliesList.visibility = View.GONE + repliesToggle.visibility = View.GONE + replyAdapter.submitList(emptyList()) + return + } + + val totalReplies = item.comment.replyCount ?: replies.size + val visibleCount = item.visibleReplyCount.coerceAtMost(totalReplies).coerceAtLeast(0) + val visibleReplies = if (visibleCount >= totalReplies) replies else replies.take(visibleCount) + val replyItems = visibleReplies.map { reply -> + ReplyItem(reply, isContentExpanded(reply.id)) + } + + repliesList.visibility = if (visibleReplies.isEmpty()) View.GONE else View.VISIBLE + replyAdapter.submitList(replyItems) + + val shouldShowToggle = totalReplies > REPLY_INITIAL_COUNT + if (shouldShowToggle) { + val remaining = (totalReplies - visibleCount).coerceAtLeast(0) + repliesToggle.visibility = if (remaining > 0) View.VISIBLE else View.GONE + if (remaining > 0) { + repliesToggle.text = itemView.context.getString( + R.string.circle_comment_replies_load_more, + remaining + ) + } + repliesCollapse.visibility = if (visibleCount > REPLY_INITIAL_COUNT) { + View.VISIBLE + } else { + View.GONE + } + } else { + repliesToggle.visibility = View.GONE + repliesCollapse.visibility = View.GONE + } + } + } + + private fun buildDisplayName(baseName: String, replyToUserName: String?): String { + val target = replyToUserName?.takeIf { it.isNotBlank() } ?: return baseName + return "$baseName @$target" + } + + companion object { + private const val COLLAPSED_MAX_LINES = 4 + private const val REPLY_INITIAL_COUNT = 2 + private const val REPLY_PAGE_SIZE = 5 + private const val PAYLOAD_LIKE = 1 + private const val PAYLOAD_REPLIES = 1 shl 1 + private const val PAYLOAD_CONTENT = 1 shl 2 + + private val DiffCallback = object : DiffUtil.ItemCallback() { + override fun areItemsTheSame(oldItem: CommentItem, newItem: CommentItem): Boolean { + return oldItem.comment.id == newItem.comment.id + } + + override fun areContentsTheSame(oldItem: CommentItem, newItem: CommentItem): Boolean { + return oldItem == newItem + } + + override fun getChangePayload(oldItem: CommentItem, newItem: CommentItem): Any? { + val commentSame = oldItem.comment.content == newItem.comment.content && + oldItem.comment.userName == newItem.comment.userName && + oldItem.comment.userAvatar == newItem.comment.userAvatar && + oldItem.comment.createdAt == newItem.comment.createdAt + if (!commentSame) return null + + var flags = 0 + if (oldItem.isContentExpanded != newItem.isContentExpanded) { + flags = flags or PAYLOAD_CONTENT + } + if (oldItem.comment.liked != newItem.comment.liked || + oldItem.comment.likeCount != newItem.comment.likeCount + ) { + flags = flags or PAYLOAD_LIKE + } + if (oldItem.visibleReplyCount != newItem.visibleReplyCount || + oldItem.comment.replyCount != newItem.comment.replyCount || + oldItem.comment.replies != newItem.comment.replies + ) { + flags = flags or PAYLOAD_REPLIES + } + return if (flags == 0) null else flags + } + } + } +} + +data class CommentItem( + val comment: Comment, + val isContentExpanded: Boolean, + val visibleReplyCount: Int +) diff --git a/app/src/main/java/com/example/myapplication/ui/circle/CircleCommentReplyAdapter.kt b/app/src/main/java/com/example/myapplication/ui/circle/CircleCommentReplyAdapter.kt new file mode 100644 index 0000000..fe4ca77 --- /dev/null +++ b/app/src/main/java/com/example/myapplication/ui/circle/CircleCommentReplyAdapter.kt @@ -0,0 +1,194 @@ +package com.example.myapplication.ui.circle + +import android.text.TextUtils +import android.view.LayoutInflater +import android.view.View +import android.view.ViewGroup +import android.widget.ImageView +import android.widget.TextView +import androidx.recyclerview.widget.DiffUtil +import androidx.recyclerview.widget.ListAdapter +import androidx.recyclerview.widget.RecyclerView +import com.bumptech.glide.Glide +import com.example.myapplication.R +import com.example.myapplication.network.Comment + +class CircleCommentReplyAdapter( + private val onReplyClick: (Comment) -> Unit, + private val onLikeClick: (Comment) -> Unit, + private val onToggleContent: (Int) -> Unit +) : ListAdapter(DiffCallback) { + + init { + setHasStableIds(true) + } + + override fun onCreateViewHolder(parent: ViewGroup, viewType: Int): ReplyViewHolder { + val view = LayoutInflater.from(parent.context) + .inflate(R.layout.item_circle_comment_reply, parent, false) + return ReplyViewHolder(view) + } + + override fun onBindViewHolder(holder: ReplyViewHolder, position: Int) { + holder.bind(getItem(position)) + } + + override fun onBindViewHolder( + holder: ReplyViewHolder, + position: Int, + payloads: MutableList + ) { + if (payloads.isEmpty()) { + holder.bind(getItem(position)) + return + } + val item = getItem(position) + var flags = 0 + payloads.forEach { payload -> + if (payload is Int) { + flags = flags or payload + } + } + holder.bindPartial(item, flags) + } + + override fun getItemId(position: Int): Long = getItem(position).comment.id.toLong() + + inner class ReplyViewHolder(itemView: View) : RecyclerView.ViewHolder(itemView) { + private val avatarView: ImageView = itemView.findViewById(R.id.replyAvatar) + private val userNameView: TextView = itemView.findViewById(R.id.replyUserName) + private val timeView: TextView = itemView.findViewById(R.id.replyTime) + private val contentView: TextView = itemView.findViewById(R.id.replyContent) + private val contentToggle: TextView = itemView.findViewById(R.id.replyContentToggle) + private val replyButton: TextView = itemView.findViewById(R.id.replyButton) + private val likeContainer: View = itemView.findViewById(R.id.replyLikeContainer) + private val likeIcon: ImageView = itemView.findViewById(R.id.replyLikeIcon) + private val likeCountView: TextView = itemView.findViewById(R.id.replyLikeCount) + private var boundId: Int = -1 + + fun bind(item: ReplyItem) { + val comment = item.comment + boundId = comment.id + val context = itemView.context + val baseName = comment.userName?.takeIf { it.isNotBlank() } + ?: context.getString(R.string.circle_comment_user_anonymous) + val displayName = buildDisplayName(baseName, comment.replyToUserName) + + Glide.with(avatarView) + .load(comment.userAvatar) + .placeholder(R.drawable.default_avatar) + .error(R.drawable.default_avatar) + .into(avatarView) + + userNameView.text = displayName + timeView.text = CommentTimeFormatter.format(context, comment.createdAt) + contentView.text = comment.content + + bindContentToggle(item) + + replyButton.setOnClickListener { onReplyClick(comment) } + likeContainer.setOnClickListener { onLikeClick(comment) } + contentToggle.setOnClickListener { onToggleContent(comment.id) } + + val liked = comment.liked + likeIcon.setImageResource( + if (liked) R.drawable.comment_has_been_liked else R.drawable.comment_likes + ) + likeCountView.text = comment.likeCount.toString() + } + + fun bindPartial(item: ReplyItem, flags: Int) { + boundId = item.comment.id + likeContainer.setOnClickListener { onLikeClick(item.comment) } + if (flags and PAYLOAD_LIKE != 0) { + updateLike(item) + } + if (flags and PAYLOAD_CONTENT != 0) { + contentView.text = item.comment.content + bindContentToggle(item) + } + } + + private fun updateLike(item: ReplyItem) { + val liked = item.comment.liked + likeIcon.setImageResource( + if (liked) R.drawable.comment_has_been_liked else R.drawable.comment_likes + ) + likeCountView.text = item.comment.likeCount.toString() + } + + private fun bindContentToggle(item: ReplyItem) { + val isExpanded = item.isContentExpanded + contentView.maxLines = if (isExpanded) Int.MAX_VALUE else COLLAPSED_MAX_LINES + contentView.ellipsize = if (isExpanded) null else TextUtils.TruncateAt.END + contentToggle.text = itemView.context.getString( + if (isExpanded) R.string.circle_comment_collapse else R.string.circle_comment_expand + ) + contentToggle.visibility = if (isExpanded) View.VISIBLE else View.GONE + contentView.post { + if (boundId != item.comment.id) return@post + if (isExpanded) { + contentToggle.visibility = View.VISIBLE + return@post + } + val layout = contentView.layout ?: return@post + val maxLine = COLLAPSED_MAX_LINES.coerceAtLeast(1) + val lastLine = minOf(layout.lineCount, maxLine) - 1 + if (lastLine < 0) { + contentToggle.visibility = View.GONE + return@post + } + val textLength = contentView.text?.length ?: 0 + val lineEnd = layout.getLineEnd(lastLine) + val hasEllipsis = layout.getEllipsisCount(lastLine) > 0 + val hasOverflow = hasEllipsis || lineEnd < textLength + contentToggle.visibility = if (hasOverflow) View.VISIBLE else View.GONE + } + } + } + + private fun buildDisplayName(baseName: String, replyToUserName: String?): String { + val target = replyToUserName?.takeIf { it.isNotBlank() } ?: return baseName + return "$baseName @$target" + } + + companion object { + private const val COLLAPSED_MAX_LINES = 4 + private const val PAYLOAD_LIKE = 1 + private const val PAYLOAD_CONTENT = 1 shl 1 + + private val DiffCallback = object : DiffUtil.ItemCallback() { + override fun areItemsTheSame(oldItem: ReplyItem, newItem: ReplyItem): Boolean { + return oldItem.comment.id == newItem.comment.id + } + + override fun areContentsTheSame(oldItem: ReplyItem, newItem: ReplyItem): Boolean { + return oldItem == newItem + } + + override fun getChangePayload(oldItem: ReplyItem, newItem: ReplyItem): Any? { + val commentSame = oldItem.comment.content == newItem.comment.content && + oldItem.comment.userName == newItem.comment.userName && + oldItem.comment.userAvatar == newItem.comment.userAvatar && + oldItem.comment.createdAt == newItem.comment.createdAt + if (!commentSame) return null + + var flags = 0 + if (oldItem.isContentExpanded != newItem.isContentExpanded) { + flags = flags or PAYLOAD_CONTENT + } + if (oldItem.comment.liked != newItem.comment.liked || + oldItem.comment.likeCount != newItem.comment.likeCount + ) { + flags = flags or PAYLOAD_LIKE + } + return if (flags == 0) null else flags + } + } + } +} + +data class ReplyItem( + val comment: Comment, + val isContentExpanded: Boolean +) diff --git a/app/src/main/java/com/example/myapplication/ui/circle/CircleCommentSheet.kt b/app/src/main/java/com/example/myapplication/ui/circle/CircleCommentSheet.kt new file mode 100644 index 0000000..4bacd70 --- /dev/null +++ b/app/src/main/java/com/example/myapplication/ui/circle/CircleCommentSheet.kt @@ -0,0 +1,886 @@ +package com.example.myapplication.ui.circle + +import android.content.res.ColorStateList +import android.graphics.Color +import android.graphics.drawable.ColorDrawable +import android.graphics.Rect +import android.os.Bundle +import android.os.Build +import android.util.Log +import android.view.LayoutInflater +import android.view.View +import android.view.ViewGroup +import android.view.KeyEvent +import android.view.MotionEvent +import android.view.ViewTreeObserver +import android.view.inputmethod.EditorInfo +import android.view.inputmethod.InputMethodManager +import android.view.WindowManager +import android.widget.EditText +import android.widget.FrameLayout +import android.widget.ImageView +import android.widget.TextView +import android.widget.Toast +import androidx.core.content.ContextCompat +import androidx.core.os.bundleOf +import androidx.core.view.ViewCompat +import androidx.lifecycle.lifecycleScope +import androidx.recyclerview.widget.LinearLayoutManager +import androidx.recyclerview.widget.RecyclerView +import com.example.myapplication.R +import com.example.myapplication.network.Comment +import com.example.myapplication.network.LoginResponse +import com.example.myapplication.network.RetrofitClient +import com.example.myapplication.network.addCommentRequest +import com.example.myapplication.network.commentPageRequest +import com.example.myapplication.network.likeCommentRequest +import com.example.myapplication.utils.EncryptedSharedPreferencesUtil +import com.google.android.material.card.MaterialCardView +import com.google.android.material.bottomsheet.BottomSheetBehavior +import com.google.android.material.bottomsheet.BottomSheetDialog +import com.google.android.material.bottomsheet.BottomSheetDialogFragment +import eightbitlab.com.blurview.BlurView +import eightbitlab.com.blurview.RenderEffectBlur +import eightbitlab.com.blurview.RenderScriptBlur +import kotlinx.coroutines.Dispatchers +import kotlinx.coroutines.launch +import kotlinx.coroutines.withContext +import java.text.SimpleDateFormat +import java.util.Date +import java.util.Locale +import java.util.TimeZone + +class CircleCommentSheet : BottomSheetDialogFragment() { + + private lateinit var commentContent: View + private lateinit var commentInputContainer: View + private lateinit var commentList: RecyclerView + private lateinit var commentEmpty: TextView + private lateinit var commentLoading: View + private lateinit var commentCard: MaterialCardView + private lateinit var commentTitle: TextView + private lateinit var commentInputMask: View + private lateinit var commentInput: EditText + private lateinit var commentSend: ImageView + private lateinit var commentClose: ImageView + private var commentBlur: BlurView? = null + + private var originalSoftInputMode: Int? = null + private var contentPadStart = 0 + private var contentPadTop = 0 + private var contentPadEnd = 0 + private var contentPadBottom = 0 + private var sheetBaseHeight = 0 + private var imeGapPx = 0 + private var lastImeVisible = false + private var keyboardLayoutListener: ViewTreeObserver.OnGlobalLayoutListener? = null + private var keyboardDecorView: View? = null + private var sheetView: FrameLayout? = null + + private val sharedReplyPool = RecyclerView.RecycledViewPool() + private lateinit var commentAdapter: CircleCommentAdapter + private val commentItems = mutableListOf() + private val expandedContentIds = mutableSetOf() + private val replyVisibleCountMap = mutableMapOf() + private val likeInFlight = mutableSetOf() + private var replyTarget: ReplyTarget? = null + + private var companionId: Int = -1 + private var commentCount: Int = 0 + private var nextPage = 1 + private var hasMore = true + private var isLoading = false + private var pendingRefresh = false + private var isSubmitting = false + + override fun getTheme(): Int = R.style.CircleCommentSheetDialog + + override fun onCreateView( + inflater: LayoutInflater, + container: ViewGroup?, + savedInstanceState: Bundle? + ): View = inflater.inflate(R.layout.sheet_circle_comments, container, false) + + override fun onViewCreated(view: View, savedInstanceState: Bundle?) { + super.onViewCreated(view, savedInstanceState) + companionId = arguments?.getInt(ARG_COMPANION_ID, -1) ?: -1 + commentCount = arguments?.getInt(ARG_COMMENT_COUNT, 0) ?: 0 + if (companionId <= 0) { + return + } + + bindViews(view) + setupList() + setupActions() + setupCommentBlur() + if (!restoreCachedState()) { + refreshComments() + } + } + + override fun onStart() { + super.onStart() + val dialog = dialog as? BottomSheetDialog ?: return + dialog.window?.setSoftInputMode(WindowManager.LayoutParams.SOFT_INPUT_ADJUST_RESIZE) + activity?.window?.let { window -> + if (originalSoftInputMode == null) { + originalSoftInputMode = window.attributes.softInputMode + } + window.setSoftInputMode(WindowManager.LayoutParams.SOFT_INPUT_ADJUST_NOTHING) + } + parentFragmentManager.setFragmentResult( + CircleFragment.RESULT_COMMENT_SHEET_VISIBILITY, + bundleOf(CircleFragment.KEY_COMMENT_SHEET_VISIBLE to true) + ) + val sheet = + dialog.findViewById(com.google.android.material.R.id.design_bottom_sheet) + ?: return + sheetView = sheet + setupKeyboardVisibilityListener(dialog) + dialog.window?.setBackgroundDrawable(ColorDrawable(Color.TRANSPARENT)) + sheet.background = null + sheet.setBackgroundColor(Color.TRANSPARENT) + sheet.setBackgroundResource(android.R.color.transparent) + sheet.setPadding(0, 0, 0, 0) + ViewCompat.setBackgroundTintList(sheet, ColorStateList.valueOf(Color.TRANSPARENT)) + + val height = (resources.displayMetrics.heightPixels * SHEET_HEIGHT_RATIO).toInt() + sheetBaseHeight = height + val lp = sheet.layoutParams + if (lp != null && lp.height != height) { + lp.height = height + sheet.layoutParams = lp + } + + val behavior = BottomSheetBehavior.from(sheet) + behavior.isFitToContents = true + behavior.skipCollapsed = true + behavior.state = BottomSheetBehavior.STATE_EXPANDED + + dialog.window?.setDimAmount(0f) + } + + private fun bindViews(view: View) { + commentContent = view.findViewById(R.id.commentContent) + contentPadStart = commentContent.paddingLeft + contentPadTop = commentContent.paddingTop + contentPadEnd = commentContent.paddingRight + contentPadBottom = commentContent.paddingBottom + commentInputContainer = view.findViewById(R.id.commentInputContainer) + commentList = view.findViewById(R.id.commentList) + commentEmpty = view.findViewById(R.id.commentEmpty) + commentLoading = view.findViewById(R.id.commentLoading) + commentCard = view.findViewById(R.id.commentCard) + commentTitle = view.findViewById(R.id.commentTitle) + commentInputMask = view.findViewById(R.id.commentInputMask) + commentInput = view.findViewById(R.id.commentInput) + commentSend = view.findViewById(R.id.commentSend) + commentClose = view.findViewById(R.id.commentClose) + commentBlur = view.findViewById(R.id.commentBlur) + imeGapPx = resources.getDimensionPixelSize(R.dimen.circle_comment_ime_gap) + + } + + private fun setupKeyboardVisibilityListener(dialog: BottomSheetDialog) { + if (keyboardLayoutListener != null) return + val decor = dialog.window?.decorView ?: return + keyboardDecorView = decor + val listener = ViewTreeObserver.OnGlobalLayoutListener { + val rect = Rect() + decor.getWindowVisibleDisplayFrame(rect) + val screenHeight = decor.rootView.height + val heightDiff = (screenHeight - rect.bottom).coerceAtLeast(0) + val threshold = (screenHeight * 0.15f).toInt() + val imeVisible = heightDiff > threshold + updateSheetHeight(rect.height(), imeVisible) + updateInputGap(imeVisible) + updateBlurForIme(imeVisible) + setMaskVisible(imeVisible) + if (lastImeVisible && !imeVisible) { + resetReplyTarget() + } + lastImeVisible = imeVisible + } + keyboardLayoutListener = listener + decor.viewTreeObserver.addOnGlobalLayoutListener(listener) + } + + private fun setupList() { + commentAdapter = CircleCommentAdapter( + sharedReplyPool = sharedReplyPool, + isContentExpanded = { id -> expandedContentIds.contains(id) }, + onToggleContent = { id -> toggleContent(id) }, + onLoadMoreReplies = { id -> loadMoreReplies(id) }, + onCollapseReplies = { id -> collapseReplies(id) }, + onReplyClick = { comment -> prepareReply(comment) }, + onLikeClick = { comment -> toggleLike(comment) } + ) + + commentList.layoutManager = LinearLayoutManager(requireContext()) + commentList.adapter = commentAdapter + commentList.itemAnimator = null + commentList.setHasFixedSize(true) + commentList.setItemViewCacheSize(6) + commentList.addOnScrollListener(object : RecyclerView.OnScrollListener() { + override fun onScrolled(recyclerView: RecyclerView, dx: Int, dy: Int) { + if (dy <= 0) return + val lm = recyclerView.layoutManager as? LinearLayoutManager ?: return + val total = lm.itemCount + val lastVisible = lm.findLastVisibleItemPosition() + if (hasMore && !isLoading && lastVisible >= total - LOAD_MORE_THRESHOLD) { + loadComments(reset = false) + } + } + }) + } + + private fun setupActions() { + commentSend.setOnClickListener { submitComment() } + commentClose.setOnClickListener { dismiss() } + commentInput.setOnFocusChangeListener { _, hasFocus -> + if (!hasFocus) { + resetReplyTarget() + setMaskVisible(false) + } else { + setMaskVisible(true) + showKeyboard(commentInput) + } + } + commentInput.setOnClickListener { + setMaskVisible(true) + showKeyboard(commentInput) + } + commentInputMask.setOnClickListener { + hideKeyboard(commentInput) + commentInput.clearFocus() + resetReplyTarget() + setMaskVisible(false) + } + commentInput.setOnEditorActionListener { _, actionId, event -> + val isSendAction = actionId == EditorInfo.IME_ACTION_SEND + val isEnterKey = actionId == EditorInfo.IME_ACTION_UNSPECIFIED && + event?.keyCode == KeyEvent.KEYCODE_ENTER && + event.action == KeyEvent.ACTION_DOWN + if (isSendAction || isEnterKey) { + submitComment() + true + } else { + false + } + } + val root = view ?: return + root.setOnTouchListener { _, event -> + if (event.action == MotionEvent.ACTION_DOWN) { + val insideInput = isTouchInsideView(event, commentInput) || + isTouchInsideView(event, commentSend) + if (!insideInput) { + hideKeyboard(commentInput) + commentInput.clearFocus() + resetReplyTarget() + setMaskVisible(false) + } + } + false + } + } + + private fun setupCommentBlur() { + val blurView = commentBlur ?: return + if (Build.VERSION.SDK_INT < Build.VERSION_CODES.LOLLIPOP) { + blurView.visibility = View.GONE + commentCard.setCardBackgroundColor( + ContextCompat.getColor(requireContext(), R.color.circle_drawer_blur_overlay) + ) + return + } + val rootView = activity?.findViewById(android.R.id.content)?.getChildAt(0) as? ViewGroup + ?: return + + val blurRadius = if (Build.VERSION.SDK_INT >= Build.VERSION_CODES.S) 14f else 10f + try { + val algorithm = if (Build.VERSION.SDK_INT >= Build.VERSION_CODES.S) { + RenderEffectBlur() + } else { + RenderScriptBlur(requireContext()) + } + blurView.setupWith(rootView, algorithm) + .setFrameClearDrawable(requireActivity().window.decorView.background) + .setBlurRadius(blurRadius) + .setBlurAutoUpdate(true) + .setOverlayColor( + ContextCompat.getColor(requireContext(), R.color.circle_drawer_blur_overlay) + ) + } catch (_: Throwable) { + blurView.visibility = View.GONE + commentCard.setCardBackgroundColor( + ContextCompat.getColor(requireContext(), R.color.circle_drawer_blur_overlay) + ) + } + } + + private fun restoreCachedState(): Boolean { + val cache = commentCache[companionId] ?: return false + commentItems.clear() + commentItems.addAll(cache.items) + expandedContentIds.clear() + expandedContentIds.addAll(cache.expandedIds) + replyVisibleCountMap.clear() + replyVisibleCountMap.putAll(cache.replyVisibleCounts) + nextPage = cache.nextPage + hasMore = cache.hasMore + if (cache.commentCount > commentCount) { + commentCount = cache.commentCount + } else { + cache.commentCount = commentCount + } + replyTarget = null + updateCommentTitle() + commentInput.hint = getString(R.string.circle_comment_input_hint) + commentAdapter.submitList(commentItems.toList()) + commentEmpty.visibility = if (commentItems.isEmpty()) View.VISIBLE else View.GONE + commentLoading.visibility = View.GONE + return true + } + + private fun updateCommentTitle() { + commentTitle.text = getString(R.string.circle_comments_title_with_count, commentCount) + } + + private fun updateCommentCount(newCount: Int, notifyParent: Boolean = true) { + val sanitized = newCount.coerceAtLeast(0) + val changed = sanitized != commentCount + commentCount = sanitized + updateCommentTitle() + if (changed && notifyParent) { + dispatchCommentCountChanged() + } + updateCache() + } + + private fun dispatchCommentCountChanged() { + if (companionId <= 0) return + parentFragmentManager.setFragmentResult( + CircleFragment.RESULT_COMMENT_COUNT_UPDATED, + bundleOf( + CircleFragment.KEY_COMMENT_COMPANION_ID to companionId, + CircleFragment.KEY_COMMENT_COUNT to commentCount + ) + ) + } + + private fun updateCache() { + if (companionId <= 0) return + commentCache[companionId] = CommentCache( + items = commentItems.toMutableList(), + expandedIds = expandedContentIds.toMutableSet(), + replyVisibleCounts = replyVisibleCountMap.toMutableMap(), + nextPage = nextPage, + hasMore = hasMore, + commentCount = commentCount + ) + } + + private fun getLocalUser(): LoginResponse? { + val ctx = context ?: return null + return EncryptedSharedPreferencesUtil.get(ctx, "user", LoginResponse::class.java) + } + + private fun buildLocalTimestamp(): String { + return localTimeFormat.format(Date()) + } + + private fun addLocalComment(content: String, target: ReplyTarget?, serverCommentId: Int?) { + val localUser = getLocalUser() + val userId = localUser?.uid?.toInt() ?: 0 + val userName = localUser?.nickName + val userAvatar = localUser?.avatarUrl + val newId = serverCommentId?.takeIf { it > 0 } ?: nextTempCommentId() + val replyToName = target?.mentionName + val newComment = Comment( + id = newId, + companionId = companionId, + userId = userId, + userName = userName, + userAvatar = userAvatar, + replyToUserName = replyToName, + replyToUserId = null, + parentId = target?.parentId, + rootId = target?.rootId, + content = content, + likeCount = 0, + liked = false, + createdAt = buildLocalTimestamp(), + replies = emptyList(), + replyCount = 0 + ) + + if (target == null) { + commentItems.add( + 0, + CommentItem( + comment = newComment, + isContentExpanded = false, + visibleReplyCount = 0 + ) + ) + val newList = commentItems.toList() + commentAdapter.submitList(newList) { + commentList.post { commentList.scrollToPosition(0) } + } + } else { + val parentIndex = findParentIndex(target.parentId) + if (parentIndex >= 0) { + val parentItem = commentItems[parentIndex] + val parentComment = parentItem.comment + val replies = parentComment.replies?.toMutableList() ?: mutableListOf() + replies.add(newComment) + val currentReplyCount = parentComment.replyCount ?: parentComment.replies?.size ?: 0 + val updatedReplyCount = currentReplyCount + 1 + val updatedParent = parentComment.copy( + replies = replies, + replyCount = updatedReplyCount + ) + val currentVisible = replyVisibleCountMap[parentComment.id] + ?: minOf(REPLY_INITIAL_COUNT, updatedReplyCount) + val nextVisible = (currentVisible + 1).coerceAtMost(updatedReplyCount) + replyVisibleCountMap[parentComment.id] = nextVisible + commentItems[parentIndex] = parentItem.copy( + comment = updatedParent, + visibleReplyCount = nextVisible + ) + commentAdapter.submitList(commentItems.toList()) + } else { + commentItems.add( + 0, + CommentItem( + comment = newComment, + isContentExpanded = false, + visibleReplyCount = 0 + ) + ) + val newList = commentItems.toList() + commentAdapter.submitList(newList) { + commentList.post { commentList.scrollToPosition(0) } + } + } + } + + commentEmpty.visibility = if (commentItems.isEmpty()) View.VISIBLE else View.GONE + updateCache() + } + + private fun refreshComments() { + expandedContentIds.clear() + replyVisibleCountMap.clear() + hasMore = true + nextPage = 1 + replyTarget = null + updateCommentTitle() + commentInput.hint = getString(R.string.circle_comment_input_hint) + loadComments(reset = true) + } + + private fun loadComments(reset: Boolean) { + if (isLoading) { + if (reset) { + pendingRefresh = true + } + return + } + if (hasMore.not() && !reset) return + isLoading = true + if (reset) { + pendingRefresh = false + commentLoading.visibility = View.VISIBLE + } + + val pageToLoad = if (reset) 1 else nextPage + lifecycleScope.launch { + val response = withContext(Dispatchers.IO) { + runCatching { + RetrofitClient.apiService.commentPage( + commentPageRequest( + companionId = companionId, + pageNum = pageToLoad, + pageSize = PAGE_SIZE + ) + ) + }.onFailure { + Log.e(TAG, "commentPage failed", it) + }.getOrNull() + } + + val data = response?.data + if (data != null) { + val existingIds = commentItems.asSequence().map { it.comment.id }.toHashSet() + val newRecords = data.records.filter { it.id !in existingIds } + val mapped = newRecords.map { mapToItem(it) } + commentItems.addAll(mapped) + + hasMore = when { + data.pages > 0 -> data.current < data.pages + data.records.isNotEmpty() -> true + else -> false + } + nextPage = data.current + 1 + } + + commentAdapter.submitList(commentItems.toList()) + commentEmpty.visibility = if (commentItems.isEmpty()) View.VISIBLE else View.GONE + commentLoading.visibility = View.GONE + isLoading = false + updateCache() + if (pendingRefresh) { + pendingRefresh = false + refreshComments() + } + } + } + + private fun mapToItem(comment: Comment): CommentItem { + val totalReplies = comment.replyCount ?: comment.replies?.size ?: 0 + val defaultVisible = minOf(REPLY_INITIAL_COUNT, totalReplies) + val visibleCount = replyVisibleCountMap[comment.id] ?: defaultVisible + return CommentItem( + comment = comment, + isContentExpanded = expandedContentIds.contains(comment.id), + visibleReplyCount = visibleCount + ) + } + + private fun toggleContent(commentId: Int) { + val isExpanded = !expandedContentIds.contains(commentId) + if (isExpanded) { + expandedContentIds.add(commentId) + } else { + expandedContentIds.remove(commentId) + } + + val index = commentItems.indexOfFirst { it.comment.id == commentId } + if (index >= 0) { + commentItems[index] = commentItems[index].copy(isContentExpanded = isExpanded) + commentAdapter.submitList(commentItems.toList()) + } else { + val parentIndex = findParentIndex(commentId) + if (parentIndex >= 0) { + commentAdapter.notifyItemChanged(parentIndex) + } + } + updateCache() + } + + private fun loadMoreReplies(commentId: Int) { + val index = commentItems.indexOfFirst { it.comment.id == commentId } + if (index >= 0) { + val item = commentItems[index] + val totalReplies = item.comment.replyCount ?: item.comment.replies?.size ?: 0 + if (totalReplies <= 0) return + val current = replyVisibleCountMap[commentId] ?: minOf(REPLY_INITIAL_COUNT, totalReplies) + val nextVisible = minOf(current + REPLY_PAGE_SIZE, totalReplies) + replyVisibleCountMap[commentId] = nextVisible + commentItems[index] = item.copy(visibleReplyCount = nextVisible) + commentAdapter.submitList(commentItems.toList()) + updateCache() + } + } + + private fun collapseReplies(commentId: Int) { + val index = commentItems.indexOfFirst { it.comment.id == commentId } + if (index >= 0) { + val item = commentItems[index] + val totalReplies = item.comment.replyCount ?: item.comment.replies?.size ?: 0 + if (totalReplies <= 0) return + val nextVisible = minOf(REPLY_INITIAL_COUNT, totalReplies) + replyVisibleCountMap[commentId] = nextVisible + commentItems[index] = item.copy(visibleReplyCount = nextVisible) + val targetIndex = index + val newList = commentItems.toList() + commentAdapter.submitList(newList) { + commentList.post { + val lm = commentList.layoutManager as? LinearLayoutManager + if (lm != null) { + lm.scrollToPositionWithOffset(targetIndex, 0) + } else { + commentList.scrollToPosition(targetIndex) + } + } + } + updateCache() + } + } + + private fun prepareReply(comment: Comment) { + if (comment.id <= 0) return + val rootId = comment.rootId ?: comment.parentId ?: comment.id + val mentionName = comment.userName?.takeIf { it.isNotBlank() } + ?: getString(R.string.circle_comment_user_anonymous) + replyTarget = ReplyTarget( + parentId = comment.id, + rootId = rootId, + mentionName = mentionName + ) + val hint = getString(R.string.circle_comment_reply_to, mentionName) + commentInput.hint = hint + commentInput.requestFocus() + showKeyboard(commentInput) + } + + private fun submitComment() { + val rawContent = commentInput.text?.toString()?.trim().orEmpty() + if (rawContent.isBlank()) return + + val target = replyTarget + val mentionName = target?.mentionName + val content = if (!mentionName.isNullOrBlank()) { + val prefix = "@$mentionName" + if (rawContent.startsWith(prefix)) { + rawContent.removePrefix(prefix).trimStart() + } else { + rawContent + } + } else { + rawContent + } + if (content.isBlank()) return + + if (isSubmitting) return + isSubmitting = true + commentSend.isEnabled = false + lifecycleScope.launch { + try { + val response = withContext(Dispatchers.IO) { + runCatching { + RetrofitClient.apiService.addComment( + addCommentRequest( + companionId = companionId, + content = content, + parentId = target?.parentId, + rootId = target?.rootId + ) + ) + }.getOrNull() + } + val success = response?.code == 0 + if (!success) { + val message = response?.message?.takeIf { it.isNotBlank() } + ?: getString(R.string.circle_comment_send_failed) + showToast(message) + return@launch + } + val createdId = response?.data + updateCommentCount(commentCount + 1) + addLocalComment(content, target, createdId) + commentInput.setText("") + resetReplyTarget() + } finally { + isSubmitting = false + commentSend.isEnabled = true + } + } + } + + private fun toggleLike(comment: Comment) { + if (!likeInFlight.add(comment.id)) return + + val previousLiked = comment.liked + val previousCount = comment.likeCount + val targetLiked = !previousLiked + val targetCount = (previousCount + if (targetLiked) 1 else -1).coerceAtLeast(0) + updateLikeState(comment.id, targetLiked, targetCount) + + lifecycleScope.launch { + try { + val response = withContext(Dispatchers.IO) { + runCatching { + RetrofitClient.apiService.likeComment( + likeCommentRequest(commentId = comment.id) + ) + }.getOrNull() + } + val success = response?.code == 0 + if (!success) { + updateLikeState(comment.id, previousLiked, previousCount) + } + } finally { + likeInFlight.remove(comment.id) + } + } + } + + private fun updateLikeState(commentId: Int, liked: Boolean, likeCount: Int) { + var updated = false + val newItems = commentItems.map { item -> + when { + item.comment.id == commentId -> { + updated = true + item.copy(comment = item.comment.copy(liked = liked, likeCount = likeCount)) + } + item.comment.replies?.any { it.id == commentId } == true -> { + val replies = item.comment.replies?.map { reply -> + if (reply.id == commentId) reply.copy(liked = liked, likeCount = likeCount) else reply + } + updated = true + item.copy(comment = item.comment.copy(replies = replies)) + } + else -> item + } + } + if (updated) { + commentItems.clear() + commentItems.addAll(newItems) + commentAdapter.submitList(newItems) + updateCache() + } + } + + private fun findParentIndex(commentId: Int): Int { + return commentItems.indexOfFirst { item -> + item.comment.id == commentId || item.comment.replies?.any { it.id == commentId } == true + } + } + + private fun showToast(message: String) { + context?.let { Toast.makeText(it, message, Toast.LENGTH_SHORT).show() } + } + + private fun resetReplyTarget() { + replyTarget = null + commentInput.hint = getString(R.string.circle_comment_input_hint) + } + + private fun setMaskVisible(visible: Boolean) { + val target = if (visible) View.VISIBLE else View.GONE + if (commentInputMask.visibility != target) { + commentInputMask.visibility = target + } + } + + private fun updateSheetHeight(visibleHeight: Int, imeVisible: Boolean) { + val sheet = sheetView ?: return + if (sheetBaseHeight <= 0) return + val targetHeight = if (imeVisible && visibleHeight > 0) { + minOf(sheetBaseHeight, visibleHeight) + } else { + sheetBaseHeight + } + val lp = sheet.layoutParams + if (lp != null && lp.height != targetHeight) { + lp.height = targetHeight + sheet.layoutParams = lp + } + } + + private fun updateInputGap(imeVisible: Boolean) { + val targetPadding = if (imeVisible) contentPadBottom + imeGapPx else contentPadBottom + if (commentContent.paddingBottom != targetPadding) { + commentContent.setPadding( + contentPadStart, + contentPadTop, + contentPadEnd, + targetPadding + ) + } + } + + private fun showKeyboard(target: View) { + val imm = context?.getSystemService(InputMethodManager::class.java) ?: return + target.post { imm.showSoftInput(target, InputMethodManager.SHOW_IMPLICIT) } + } + + private fun hideKeyboard(target: View) { + val imm = context?.getSystemService(InputMethodManager::class.java) ?: return + imm.hideSoftInputFromWindow(target.windowToken, 0) + } + + private fun isTouchInsideView(event: MotionEvent, view: View): Boolean { + val rect = android.graphics.Rect() + view.getGlobalVisibleRect(rect) + return rect.contains(event.rawX.toInt(), event.rawY.toInt()) + } + + override fun onDestroyView() { + keyboardDecorView?.viewTreeObserver?.let { observer -> + keyboardLayoutListener?.let { listener -> + observer.removeOnGlobalLayoutListener(listener) + } + } + keyboardLayoutListener = null + keyboardDecorView = null + sheetView = null + parentFragmentManager.setFragmentResult( + CircleFragment.RESULT_COMMENT_SHEET_VISIBILITY, + bundleOf(CircleFragment.KEY_COMMENT_SHEET_VISIBLE to false) + ) + activity?.window?.let { window -> + originalSoftInputMode?.let { window.setSoftInputMode(it) } + } + super.onDestroyView() + } + + private data class ReplyTarget( + val parentId: Int, + val rootId: Int, + val mentionName: String? + ) + + private data class CommentCache( + val items: MutableList, + val expandedIds: MutableSet, + val replyVisibleCounts: MutableMap, + var nextPage: Int, + var hasMore: Boolean, + var commentCount: Int + ) + + companion object { + const val TAG = "CircleCommentSheet" + private const val ARG_COMPANION_ID = "arg_companion_id" + private const val ARG_COMMENT_COUNT = "arg_comment_count" + private const val SHEET_HEIGHT_RATIO = 0.7f + private const val PAGE_SIZE = 20 + private const val LOAD_MORE_THRESHOLD = 2 + private const val REPLY_INITIAL_COUNT = 2 + private const val REPLY_PAGE_SIZE = 5 + private val commentCache = mutableMapOf() + private val localTimeFormat = SimpleDateFormat( + "yyyy-MM-dd'T'HH:mm:ss.SSSXXX", + Locale.US + ).apply { + timeZone = TimeZone.getTimeZone("UTC") + } + private var tempCommentIdSeed = -1 + + fun clearCachedComments() { + commentCache.clear() + } + + private fun nextTempCommentId(): Int { + val next = tempCommentIdSeed + tempCommentIdSeed -= 1 + return next + } + + fun newInstance(companionId: Int, commentCount: Int) = CircleCommentSheet().apply { + arguments = Bundle().apply { + putInt(ARG_COMPANION_ID, companionId) + putInt(ARG_COMMENT_COUNT, commentCount) + } + } + } + + private fun updateBlurForIme(imeVisible: Boolean) { + val blurView = commentBlur ?: return + + if (imeVisible) { + // 键盘出来:禁用毛玻璃,避免错位 + blurView.visibility = View.GONE + commentCard.setCardBackgroundColor( + ContextCompat.getColor(requireContext(), R.color.circle_drawer_blur_overlay) + ) + } else { + // 键盘收起:恢复毛玻璃 + blurView.visibility = View.VISIBLE + blurView.invalidate() + } + } +} diff --git a/app/src/main/java/com/example/myapplication/ui/circle/CircleDrawerMenuAdapter.kt b/app/src/main/java/com/example/myapplication/ui/circle/CircleDrawerMenuAdapter.kt new file mode 100644 index 0000000..522cafc --- /dev/null +++ b/app/src/main/java/com/example/myapplication/ui/circle/CircleDrawerMenuAdapter.kt @@ -0,0 +1,91 @@ +package com.example.myapplication.ui.circle + +import android.view.LayoutInflater +import android.view.View +import android.view.ViewGroup +import android.widget.ImageView +import android.widget.TextView +import androidx.recyclerview.widget.DiffUtil +import androidx.recyclerview.widget.ListAdapter +import androidx.recyclerview.widget.RecyclerView +import com.bumptech.glide.Glide +import com.example.myapplication.R +import com.example.myapplication.network.AiCompanion + +class CircleDrawerMenuAdapter( + private val onItemClick: (position: Int, companion: AiCompanion) -> Unit +) : ListAdapter(DiffCallback()) { + + private var selectedPosition: Int = RecyclerView.NO_POSITION + + override fun onCreateViewHolder(parent: ViewGroup, viewType: Int): ViewHolder { + val view = LayoutInflater.from(parent.context) + .inflate(R.layout.item_circle_drawer_menu, parent, false) + return ViewHolder(view) + } + + override fun onBindViewHolder(holder: ViewHolder, position: Int) { + val item = getItem(position) + holder.bind(item, position == selectedPosition) + holder.itemView.setOnClickListener { + val adapterPosition = holder.adapterPosition + if (adapterPosition != RecyclerView.NO_POSITION) { + onItemClick(adapterPosition, getItem(adapterPosition)) + } + } + } + + fun setSelectedPosition(position: Int) { + val oldPosition = selectedPosition + selectedPosition = position + if (oldPosition != RecyclerView.NO_POSITION) { + notifyItemChanged(oldPosition) + } + if (position != RecyclerView.NO_POSITION) { + notifyItemChanged(position) + } + } + + fun getSelectedPosition(): Int = selectedPosition + + class ViewHolder(itemView: View) : RecyclerView.ViewHolder(itemView) { + private val ivAvatar: ImageView = itemView.findViewById(R.id.ivMenuAvatar) + private val tvName: TextView = itemView.findViewById(R.id.tvMenuName) + private val tvDesc: TextView = itemView.findViewById(R.id.tvMenuDesc) + private val ivArrow: ImageView = itemView.findViewById(R.id.ivMenuArrow) + + fun bind(item: AiCompanion, isSelected: Boolean) { + tvName.text = item.name + tvDesc.text = item.shortDesc + + Glide.with(itemView.context) + .load(item.avatarUrl) + .placeholder(R.drawable.a123123123) + .error(R.drawable.a123123123) + .into(ivAvatar) + + // 选中状态显示不同图标和大小 + ivArrow.setImageResource( + if (isSelected) R.drawable.menu_list_selected else R.drawable.menu_list_not_selected + ) + val sizePx = if (isSelected) { + (16 * itemView.resources.displayMetrics.density).toInt() + } else { + (10 * itemView.resources.displayMetrics.density).toInt() + } + ivArrow.layoutParams.width = sizePx + ivArrow.layoutParams.height = sizePx + ivArrow.requestLayout() + } + } + + private class DiffCallback : DiffUtil.ItemCallback() { + override fun areItemsTheSame(oldItem: AiCompanion, newItem: AiCompanion): Boolean { + return oldItem.id == newItem.id + } + + override fun areContentsTheSame(oldItem: AiCompanion, newItem: AiCompanion): Boolean { + return oldItem == newItem + } + } +} diff --git a/app/src/main/java/com/example/myapplication/ui/circle/CircleFragment.kt b/app/src/main/java/com/example/myapplication/ui/circle/CircleFragment.kt index db3e361..588b68c 100644 --- a/app/src/main/java/com/example/myapplication/ui/circle/CircleFragment.kt +++ b/app/src/main/java/com/example/myapplication/ui/circle/CircleFragment.kt @@ -1,47 +1,179 @@ package com.example.myapplication.ui.circle -import android.content.ClipData -import android.content.ClipboardManager -import android.content.Context import android.os.Bundle +import android.Manifest +import android.content.pm.PackageManager +import android.graphics.Rect +import android.graphics.Color +import android.media.MediaRecorder import android.util.Log +import android.view.KeyEvent import android.view.LayoutInflater +import android.view.MotionEvent import android.view.View import android.view.ViewGroup -import android.widget.ImageView -import android.widget.LinearLayout +import android.view.ViewTreeObserver +import android.view.inputmethod.EditorInfo +import android.widget.EditText import android.widget.TextView import android.widget.Toast +import androidx.activity.result.contract.ActivityResultContracts import androidx.core.os.bundleOf +import androidx.core.view.ViewCompat +import androidx.core.view.WindowInsetsCompat +import androidx.core.view.WindowInsetsAnimationCompat +import androidx.core.view.doOnLayout +import androidx.core.widget.doAfterTextChanged +import androidx.core.view.GravityCompat +import androidx.drawerlayout.widget.DrawerLayout import androidx.fragment.app.Fragment -import androidx.fragment.app.setFragmentResultListener -import androidx.lifecycle.Lifecycle import androidx.lifecycle.lifecycleScope -import androidx.lifecycle.repeatOnLifecycle -import androidx.navigation.NavController -import androidx.navigation.fragment.findNavController -import com.bumptech.glide.Glide +import androidx.recyclerview.widget.LinearLayoutManager +import androidx.recyclerview.widget.PagerSnapHelper +import androidx.recyclerview.widget.RecyclerView import com.example.myapplication.R import com.example.myapplication.network.AuthEvent import com.example.myapplication.network.AuthEventBus -import com.example.myapplication.network.NetworkEvent -import com.example.myapplication.network.NetworkEventBus -import com.example.myapplication.network.LoginResponse -import com.example.myapplication.network.ApiResponse -import com.example.myapplication.network.ShareResponse -import com.example.myapplication.network.RetrofitClient -import com.example.myapplication.ui.common.LoadingOverlay -import com.example.myapplication.utils.EncryptedSharedPreferencesUtil -import de.hdodenhof.circleimageview.CircleImageView -import kotlinx.coroutines.Job -import kotlinx.coroutines.flow.collect +import com.example.myapplication.network.chatMessageRequest +import com.example.myapplication.network.aiCompanionLikeRequest +import kotlinx.coroutines.Dispatchers import kotlinx.coroutines.launch -import com.example.myapplication.network.BehaviorReporter +import kotlinx.coroutines.withContext +import kotlin.math.max +import com.example.myapplication.network.RetrofitClient +import okhttp3.MediaType.Companion.toMediaTypeOrNull +import okhttp3.MultipartBody +import okhttp3.RequestBody.Companion.asRequestBody +import android.view.WindowManager +import eightbitlab.com.blurview.BlurView +import eightbitlab.com.blurview.RenderEffectBlur +import eightbitlab.com.blurview.RenderScriptBlur +import android.os.Build +import androidx.core.content.ContextCompat +import android.widget.ImageView +import android.view.inputmethod.InputMethodManager +import com.example.myapplication.network.AiCompanion +import java.io.File class CircleFragment : Fragment() { - - override fun onCreate(savedInstanceState: Bundle?) { - super.onCreate(savedInstanceState) + + private lateinit var pageRv: RecyclerView + private lateinit var inputOverlay: View + private lateinit var inputContainerText: View + private lateinit var inputContainerVoice: View + private lateinit var inputEdit: EditText + private lateinit var languageButton: ImageView + private lateinit var textInputButton: ImageView + private lateinit var sendButton: ImageView + private lateinit var voiceHint: TextView + private lateinit var voiceRecordingGroup: View + private lateinit var voiceSpectrumLeft: SpectrumEqualizerView + private lateinit var voiceSpectrumRight: SpectrumEqualizerView + private lateinit var voiceHintOut: TextView + private lateinit var drawerLayout: DrawerLayout + private lateinit var sideDrawer: View + private lateinit var drawerMenuRv: RecyclerView + private lateinit var drawerMenuAdapter: CircleDrawerMenuAdapter + private lateinit var searchEdit: EditText + private lateinit var searchIcon: ImageView + private var allCompanions: MutableList = mutableListOf() + private var drawerMenuPage = 1 + private var drawerMenuHasMore = true + private var drawerMenuLoading = false + private var drawerMenuSearchQuery = "" + private var drawerListener: DrawerLayout.DrawerListener? = null + private var drawerBlur: BlurView? = null + private var inputBlur: BlurView? = null + private var inputBlurMask: View? = null + + private lateinit var pageAdapter: CirclePageAdapter + private lateinit var snapHelper: PagerSnapHelper + private lateinit var repository: CircleChatRepository + + private val sharedChatPool = RecyclerView.RecycledViewPool() + + private var currentPage = RecyclerView.NO_POSITION + private var inputOverlayHeight = 0 + private var bottomInset = 0 + private var listBottomInset = 0 + private var bottomNavHeight = 0 + private var overlayBottomSpacingPx = 0 + private val overlayBottomSpacingMinPx by lazy { + resources.getDimensionPixelSize(R.dimen.circle_input_bottom_spacing) + } + private var bottomNav: View? = null + private var bottomNavBlur: View? = null + private var prevBottomNavVisibility: Int? = null + private var prevBottomNavBlurVisibility: Int? = null + private var forceHideBottomNavBlur: Boolean = false + private var originalSoftInputMode: Int? = null + private var lastImeBottom = 0 + private var lastSystemBottom = 0 + private var isImeVisible = false + private var imeHandlingEnabled = true + private var isOverlayLocked = false + private var overlayPadStart = 0 + private var overlayPadTop = 0 + private var overlayPadEnd = 0 + private var overlayPadBottom = 0 + private var pendingOverlayUpdate = false + private val bottomNavLayoutListener = View.OnLayoutChangeListener { v, _, _, _, _, _, _, _, _ -> + bottomNavHeight = v.height + requestOverlayUpdate() + } + private var mediaRecorder: MediaRecorder? = null + private var recordFile: File? = null + private var isRecording = false + private var isCancelRecording = false + private var recordStartTime = 0L + private val minRecordDurationMs = 300L + private val spectrumUpdateIntervalMs = 50L + private var spectrumUpdateTask: Runnable? = null + private val likeInFlight = mutableSetOf() + + private val audioPermissionLauncher = registerForActivityResult( + ActivityResultContracts.RequestPermission() + ) { isGranted -> + if (!isGranted) { + context?.let { + Toast.makeText(it, R.string.circle_voice_permission_denied, Toast.LENGTH_SHORT).show() + } + } + } + + // 处理软键盘(IME)的动画变化,以便根据软键盘的显示和隐藏状态动态调整应用中的其他视图的布局 + private val imeAnimationCallback = + object : WindowInsetsAnimationCompat.Callback(DISPATCH_MODE_CONTINUE_ON_SUBTREE) { + override fun onProgress( + insets: WindowInsetsCompat, + runningAnimations: MutableList + ): WindowInsetsCompat { + if (!imeHandlingEnabled) return insets + val imeBottom = insets.getInsets(WindowInsetsCompat.Type.ime()).bottom + val systemBottom = insets.getInsets(WindowInsetsCompat.Type.systemBars()).bottom + applyImeInsets(imeBottom, systemBottom) + return insets + } + } + // 实现带有多个聊天页面和输入区域的界面 + private val keyboardLayoutListener = ViewTreeObserver.OnGlobalLayoutListener { + if (!imeHandlingEnabled) return@OnGlobalLayoutListener + val decor = activity?.window?.decorView ?: view ?: return@OnGlobalLayoutListener + val rect = Rect() + decor.getWindowVisibleDisplayFrame(rect) + val screenHeight = decor.rootView.height + val heightDiff = (screenHeight - rect.bottom).coerceAtLeast(0) + val threshold = (screenHeight * 0.15f).toInt() + val heightIme = if (heightDiff > threshold) heightDiff else 0 + + val rootInsets = ViewCompat.getRootWindowInsets(decor) + val insetIme = rootInsets?.getInsets(WindowInsetsCompat.Type.ime())?.bottom ?: 0 + val imeBottom = max(heightIme, insetIme) + val systemBottom = rootInsets + ?.getInsets(WindowInsetsCompat.Type.systemBars()) + ?.bottom + ?: lastSystemBottom + applyImeInsets(imeBottom, systemBottom) } override fun onCreateView( @@ -50,18 +182,1168 @@ class CircleFragment : Fragment() { savedInstanceState: Bundle? ): View = inflater.inflate(R.layout.fragment_circle, container, false) - override fun onViewCreated(view: View, savedInstanceState: Bundle?) { - super.onViewCreated(view, savedInstanceState) + super.onViewCreated(view, savedInstanceState) - viewLifecycleOwner.lifecycleScope.launch { - viewLifecycleOwner.repeatOnLifecycle(Lifecycle.State.STARTED) { - NetworkEventBus.events.collect { event -> - if (event is NetworkEvent.NetworkAvailable) { - Log.d("CircleFragment", "Network restored, refresh circle content if needed") + pageRv = view.findViewById(R.id.pageRv) + inputOverlay = view.findViewById(R.id.inputOverlay) + inputContainerText = view.findViewById(R.id.inputContainerText) + inputContainerVoice = view.findViewById(R.id.inputContainerVoice) + inputEdit = view.findViewById(R.id.inputEdit) + languageButton = view.findViewById(R.id.btnlanguage) + textInputButton = view.findViewById(R.id.btnTextInput) + sendButton = view.findViewById(R.id.btnSend) + voiceHint = view.findViewById(R.id.voiceHint) + voiceRecordingGroup = view.findViewById(R.id.voiceRecordingGroup) + voiceSpectrumLeft = view.findViewById(R.id.voiceHintPressedLeft) + voiceSpectrumRight = view.findViewById(R.id.voiceHintPressedRight) + voiceHintOut = view.findViewById(R.id.voiceHintOut) + inputBlurMask = view.findViewById(R.id.inputBlurMask) + inputBlur = view.findViewById(R.id.inputBlur) + drawerLayout = view.findViewById(R.id.circleDrawer) + drawerLayout.setScrimColor(Color.TRANSPARENT) + view.findViewById(R.id.display).setOnClickListener { + drawerLayout.openDrawer(GravityCompat.START) + } + view.findViewById(R.id.chatAvatar).setOnClickListener { + openMyAiCharacter() + } + sideDrawer = view.findViewById(R.id.circleSideDrawer) + drawerBlur = view.findViewById(R.id.drawerBlur) + drawerMenuRv = view.findViewById(R.id.rvDrawerMenu) + searchEdit = view.findViewById(R.id.etCircleSearch) + searchIcon = view.findViewById(R.id.ivSearchIcon) + setupDrawerMenu() + setupDrawerBlur() + if (drawerListener == null) { + drawerListener = object : DrawerLayout.SimpleDrawerListener() { + override fun onDrawerOpened(drawerView: View) { + if (drawerView.id == R.id.circleSideDrawer) { + setBottomNavVisible(false) + lockOverlayForSheet(true) + } + } + + override fun onDrawerClosed(drawerView: View) { + if (drawerView.id == R.id.circleSideDrawer) { + lockOverlayForSheet(false) + if (!isImeVisible) { + setBottomNavVisible(true) + } } } } + drawerLayout.addDrawerListener(drawerListener!!) + } + + parentFragmentManager.setFragmentResultListener( + RESULT_COMMENT_SHEET_VISIBILITY, + viewLifecycleOwner + ) { _, bundle -> + val visible = bundle.getBoolean(KEY_COMMENT_SHEET_VISIBLE, false) + setImeHandlingEnabled(!visible) + lockOverlayForSheet(visible) + } + + overlayPadStart = inputOverlay.paddingStart + overlayPadTop = inputOverlay.paddingTop + overlayPadEnd = inputOverlay.paddingEnd + overlayPadBottom = inputOverlay.paddingBottom + + bottomNav = activity?.findViewById(R.id.bottom_nav) + bottomNavBlur = activity?.findViewById(R.id.bottom_nav_blur) + bottomNav?.doOnLayout { + bottomNavHeight = it.height + requestOverlayUpdate() + } + bottomNav?.addOnLayoutChangeListener(bottomNavLayoutListener) + bottomNavBlur?.let { blur -> + if (prevBottomNavBlurVisibility == null) { + prevBottomNavBlurVisibility = blur.visibility + } + blur.visibility = View.GONE + forceHideBottomNavBlur = true + } + + setupInputBlur() + + //初始化聊天页面的 RecyclerView 和数据仓库 + val preloadCount = CircleChatRepository.computePreloadCount(requireContext()) + val apiService = RetrofitClient.apiService + repository = CircleChatRepositoryProvider.get( + context = requireContext(), + totalPages = CircleChatRepository.DEFAULT_PAGE_COUNT, + preloadCount = preloadCount, + apiService = apiService + ) + CircleChatRepositoryProvider.warmUp( + context = requireContext(), + totalPages = CircleChatRepository.DEFAULT_PAGE_COUNT, + preloadCount = preloadCount, + apiService = apiService + ) + + //初始化聊天页面的 RecyclerView 的适配器 + pageAdapter = CirclePageAdapter( + repository = repository, + sharedPool = sharedChatPool, + onLikeClick = { position, companionId -> handleLikeClick(position, companionId) }, + onCommentClick = { companionId, commentCount -> showCommentSheet(companionId, commentCount) }, + onAvatarClick = { companionId -> openCharacterDetails(companionId) } + ) + parentFragmentManager.setFragmentResultListener( + RESULT_COMMENT_COUNT_UPDATED, + viewLifecycleOwner + ) { _, bundle -> + val companionId = bundle.getInt(KEY_COMMENT_COMPANION_ID, -1) + val count = bundle.getInt(KEY_COMMENT_COUNT, -1) + handleCommentCountUpdated(companionId, count) + } + + parentFragmentManager.setFragmentResultListener( + CircleMyAiCharacterFragment.RESULT_CHAT_SESSION_RESET, + viewLifecycleOwner + ) { _, bundle -> + val companionId = bundle.getInt(CircleMyAiCharacterFragment.KEY_RESET_COMPANION_ID, -1) + handleChatSessionReset(companionId) + } + repository.onTotalPagesChanged = { newTotal -> + pageRv.post { + pageAdapter.notifyDataSetChanged() + if (newTotal <= 0) { + currentPage = RecyclerView.NO_POSITION + } else if (currentPage >= newTotal) { + currentPage = newTotal - 1 + pageRv.scrollToPosition(currentPage) + } + } + } + + //设置 RecyclerView 的布局管理器、适配器、滑动辅助器、缓存数�? + pageRv.layoutManager = LinearLayoutManager(requireContext(), RecyclerView.VERTICAL, false) + pageRv.adapter = pageAdapter + pageRv.setHasFixedSize(true) + pageRv.itemAnimator = null + pageRv.setItemViewCacheSize(computeViewCache(preloadCount)) + + //设置滑动辅助器 + snapHelper = PagerSnapHelper() + snapHelper.attachToRecyclerView(pageRv) + + //设置 RecyclerView 的滑动监听器 + pageRv.addOnScrollListener(object : RecyclerView.OnScrollListener() { + override fun onScrollStateChanged(recyclerView: RecyclerView, newState: Int) { + if (newState != RecyclerView.SCROLL_STATE_IDLE) return + syncCurrentPage() + } + }) + + //设置一个窗口插入监听器,以便在软键盘弹出时动态调整输入区域的布局 + ViewCompat.setOnApplyWindowInsetsListener(view) { _, insets -> + val imeBottom = insets.getInsets(WindowInsetsCompat.Type.ime()).bottom + val systemBottom = insets.getInsets(WindowInsetsCompat.Type.systemBars()).bottom + applyImeInsets(imeBottom, systemBottom) + insets + } + //设置一个窗口插入动画回调,以便在软键盘弹出时动态调整输入区域的布局 + ViewCompat.setWindowInsetsAnimationCallback(view, imeAnimationCallback) + view.doOnLayout { ViewCompat.requestApplyInsets(it) } + view.viewTreeObserver.addOnGlobalLayoutListener(keyboardLayoutListener) + + //设置输入区域的高 + inputOverlay.doOnLayout { + inputOverlayHeight = it.height + pageAdapter.updateInputOverlayHeight(inputOverlayHeight) + requestOverlayUpdate() + } + + //设置 RecyclerView 的高�? + pageRv.post { + pageAdapter.updatePageHeight(pageRv.height) + syncCurrentPage() + } + + //设置输入框的监听 + setVoiceMode(false) + setVoiceUiState(isRecording = false, isCancel = false) + languageButton.setOnClickListener { setVoiceMode(true) } + textInputButton.setOnClickListener { setVoiceMode(false) } + inputContainerVoice.setOnTouchListener { _, event -> handleVoiceTouch(event) } + updateSendButtonVisibility(inputEdit.text) + inputEdit.doAfterTextChanged { updateSendButtonVisibility(it) } + sendButton.setOnClickListener { sendMessage() } + //监听输入框的编辑操作事件 + inputEdit.setOnEditorActionListener { _, actionId, event -> + val isImeSend = actionId == EditorInfo.IME_ACTION_SEND || + actionId == EditorInfo.IME_ACTION_DONE || + actionId == EditorInfo.IME_ACTION_UNSPECIFIED + val isHardwareEnter = event?.keyCode == KeyEvent.KEYCODE_ENTER && + event.action == KeyEvent.ACTION_DOWN + if (isImeSend || isHardwareEnter) { + sendMessage() + true + } else { + false + } } } -} + + override fun onResume() { + super.onResume() + view?.post { requestOverlayUpdate() } + } + + //清理和恢复输入框的高CircleFragment 在生命周期结束时的状态 + override fun onDestroyView() { + view?.let { root -> + ViewCompat.setWindowInsetsAnimationCallback(root, null) + root.viewTreeObserver.removeOnGlobalLayoutListener(keyboardLayoutListener) + } + stopSpectrumUpdates() + stopVoiceRecording(cancel = true) + + bottomNav?.translationY = 0f + bottomNavBlur?.translationY = 0f + bottomNav?.removeOnLayoutChangeListener(bottomNavLayoutListener) + + forceHideBottomNavBlur = false + restoreBottomNavVisibility() + bottomNav = null + bottomNavBlur = null + drawerListener?.let { listener -> + drawerLayout.removeDrawerListener(listener) + } + drawerListener = null + drawerBlur = null + inputBlur = null + inputBlurMask = null + super.onDestroyView() + } + + private fun setVoiceMode(enabled: Boolean) { + inputContainerText.visibility = if (enabled) View.GONE else View.VISIBLE + inputContainerVoice.visibility = if (enabled) View.VISIBLE else View.GONE + if (!enabled && isRecording) { + stopVoiceRecording(cancel = true) + } + setVoiceUiState(isRecording = false, isCancel = false) + if (enabled) { + inputEdit.clearFocus() + } else { + updateSendButtonVisibility(inputEdit.text) + } + } + + private fun updateSendButtonVisibility(text: CharSequence?) { + val visible = !text.isNullOrBlank() + sendButton.visibility = if (visible) View.VISIBLE else View.GONE + } + + private fun handleVoiceTouch(event: MotionEvent): Boolean { + return when (event.actionMasked) { + MotionEvent.ACTION_DOWN -> { + if (!ensureAudioPermission()) { + true + } else { + val started = startVoiceRecording() + if (started) { + setVoiceUiState(isRecording = true, isCancel = false) + } + true + } + } + MotionEvent.ACTION_MOVE -> { + if (!isRecording) return true + val inside = isPointInsideView(event.rawX, event.rawY, inputContainerVoice) + if (inside) { + if (isCancelRecording) { + isCancelRecording = false + setVoiceUiState(isRecording = true, isCancel = false) + } + } else { + if (!isCancelRecording) { + isCancelRecording = true + setVoiceUiState(isRecording = true, isCancel = true) + } + } + true + } + MotionEvent.ACTION_UP, MotionEvent.ACTION_CANCEL -> { + if (isRecording) { + val cancel = isCancelRecording || event.actionMasked == MotionEvent.ACTION_CANCEL + stopVoiceRecording(cancel) + } + setVoiceUiState(isRecording = false, isCancel = false) + true + } + else -> false + } + } + + private fun ensureAudioPermission(): Boolean { + return if (ContextCompat.checkSelfPermission( + requireContext(), + Manifest.permission.RECORD_AUDIO + ) == PackageManager.PERMISSION_GRANTED + ) { + true + } else { + audioPermissionLauncher.launch(Manifest.permission.RECORD_AUDIO) + false + } + } + + private fun setVoiceUiState(isRecording: Boolean, isCancel: Boolean) { + val background = when { + isCancel -> R.drawable.bg_chat_voice_cancel_input + isRecording -> R.drawable.bg_chat_voice_input + else -> R.drawable.bg_chat_text_box + } + inputContainerVoice.setBackgroundResource(background) + textInputButton.visibility = if (isRecording) View.GONE else View.VISIBLE + voiceHint.visibility = if (!isRecording) View.VISIBLE else View.GONE + voiceHintOut.visibility = if (isRecording && isCancel) View.VISIBLE else View.GONE + val showRecording = isRecording && !isCancel + voiceRecordingGroup.visibility = if (showRecording) View.VISIBLE else View.GONE + if (showRecording) { + startSpectrumUpdates() + } else { + stopSpectrumUpdates() + } + } + + private fun startSpectrumUpdates() { + if (spectrumUpdateTask != null) return + val task = object : Runnable { + override fun run() { + val recorder = mediaRecorder + if (!isRecording || recorder == null || voiceRecordingGroup.visibility != View.VISIBLE) { + stopSpectrumUpdates() + return + } + val amplitude = try { + recorder.maxAmplitude + } catch (_: IllegalStateException) { + 0 + } + val level = (amplitude / 32767f).coerceIn(0f, 1f) + voiceSpectrumLeft.setLevel(level) + voiceSpectrumRight.setLevel(level) + voiceSpectrumLeft.postDelayed(this, spectrumUpdateIntervalMs) + } + } + spectrumUpdateTask = task + voiceSpectrumLeft.post(task) + } + + private fun stopSpectrumUpdates() { + spectrumUpdateTask?.let { + voiceSpectrumLeft.removeCallbacks(it) + voiceSpectrumRight.removeCallbacks(it) + } + spectrumUpdateTask = null + voiceSpectrumLeft.reset() + voiceSpectrumRight.reset() + } + + private fun startVoiceRecording(): Boolean { + if (isRecording) return true + val outputFile = createVoiceFile() + val recorder = try { + if (Build.VERSION.SDK_INT >= Build.VERSION_CODES.S) { + MediaRecorder(requireContext()) + } else { + MediaRecorder() + } + } catch (e: Exception) { + Log.e("1314520-Circle", "create MediaRecorder failed: ${e.message}", e) + return false + } + + return try { + recorder.setAudioSource(MediaRecorder.AudioSource.MIC) + recorder.setOutputFormat(MediaRecorder.OutputFormat.MPEG_4) + recorder.setAudioEncoder(MediaRecorder.AudioEncoder.AAC) + recorder.setAudioSamplingRate(16_000) + recorder.setAudioEncodingBitRate(64_000) + recorder.setOutputFile(outputFile.absolutePath) + recorder.prepare() + recorder.start() + mediaRecorder = recorder + recordFile = outputFile + recordStartTime = System.currentTimeMillis() + isRecording = true + true + } catch (e: Exception) { + Log.e("1314520-Circle", "startVoiceRecording failed: ${e.message}", e) + recorder.reset() + recorder.release() + outputFile.delete() + false + } + } + + private fun stopVoiceRecording(cancel: Boolean) { + if (!isRecording) return + var shouldCancel = cancel + val recorder = mediaRecorder + val outputFile = recordFile + isRecording = false + isCancelRecording = false + mediaRecorder = null + recordFile = null + + try { + recorder?.stop() + } catch (e: RuntimeException) { + Log.e("1314520-Circle", "stopVoiceRecording failed: ${e.message}", e) + shouldCancel = true + } finally { + recorder?.reset() + recorder?.release() + } + + if (shouldCancel || outputFile == null) { + outputFile?.delete() + return + } + + val duration = System.currentTimeMillis() - recordStartTime + if (duration < minRecordDurationMs || outputFile.length() == 0L) { + outputFile.delete() + return + } + + transcribeAndSend(outputFile) + } + + private fun createVoiceFile(): File { + val dir = File(requireContext().cacheDir, "voice") + if (!dir.exists()) { + dir.mkdirs() + } + return File(dir, "voice_${System.currentTimeMillis()}.m4a") + } + + private fun transcribeAndSend(file: File) { + val target = resolveSendTarget() + if (target == null) { + file.delete() + return + } + val (page, companionId) = target + val placeholder = repository.addUserMessage( + page, + getString(R.string.circle_voice_transcribing), + isLoading = true + ) + notifyMessageAppended(page) + val transcribeFailedText = getString(R.string.circle_voice_transcribe_failed) + + lifecycleScope.launch { + val transcript = transcribeVoice(file) + file.delete() + if (transcript.isNullOrBlank()) { + placeholder.text = transcribeFailedText + placeholder.isLoading = false + notifyMessageUpdated(page, placeholder.id) + return@launch + } + + placeholder.text = transcript + placeholder.isLoading = false + notifyMessageUpdated(page, placeholder.id) + + requestChatMessage(page, companionId, transcript) + } + } + + private suspend fun transcribeVoice(file: File): String? { + return withContext(Dispatchers.IO) { + try { + val requestBody = file.asRequestBody("audio/m4a".toMediaTypeOrNull()) + val part = MultipartBody.Part.createFormData("file", file.name, requestBody) + val response = RetrofitClient.apiService.speechTranscribe(part) + response.data?.transcript + } catch (e: Exception) { + Log.e("1314520-Circle", "speechTranscribe failed: ${e.message}", e) + null + } + } + } + + private fun isPointInsideView(rawX: Float, rawY: Float, view: View): Boolean { + val rect = Rect() + view.getGlobalVisibleRect(rect) + return rect.contains(rawX.toInt(), rawY.toInt()) + } + + private suspend fun fetchAudioUrl(audioId: String): String? { + if (audioId.isBlank()) return null + return withContext(Dispatchers.IO) { + try { + RetrofitClient.apiService.chatAudioStatus(audioId).data?.audioUrl + } catch (e: Exception) { + Log.e("1314520-Circle", "chatAudioStatus failed: ${e.message}", e) + null + } + } + } + + //从输入框中获取用户输入的消息,将其添加到当前页面的消息列表中 + private fun sendMessage() { + val text = inputEdit.text?.toString()?.trim().orEmpty() + Log.d( + "1314520-Circle", + "sendMessage textLen=${text.length} currentPage=$currentPage" + ) + if (text.isEmpty()) return + val target = resolveSendTarget() ?: return + val (page, companionId) = target + + repository.addUserMessage(page, text) + inputEdit.setText("") + notifyMessageAppended(page) + + requestChatMessage(page, companionId, text) + } + + private fun resolveSendTarget(): Pair? { + val page = resolveCurrentPage() + Log.d("1314520-Circle", "resolveSendTarget resolvedPage=$page") + if (page == RecyclerView.NO_POSITION) return null + val companionId = repository.getPage(page).companionId + if (companionId <= 0) { + Log.e("1314520-Circle", "resolveSendTarget missing companionId for page=$page") + return null + } + return page to companionId + } + + private fun requestChatMessage(page: Int, companionId: Int, text: String) { + val placeholder = repository.addBotMessage( + page, + getString(R.string.currently_inputting), + isLoading = true, + animate = false + ) + notifyMessageAppended(page) + val requestFailedText = getString(R.string.refresh_failed) + + lifecycleScope.launch { + val response = try { + withContext(Dispatchers.IO) { + RetrofitClient.apiService.chatMessage( + chatMessageRequest(content = text, companionId = companionId) + ) + } + } catch (e: Exception) { + Log.e("1314520-Circle", "chatMessage request failed: ${e.message}", e) + markBotPlaceholderFailed(page, placeholder, requestFailedText) + return@launch + } + val data = response.data + if (data == null) { + Log.e( + "1314520-Circle", + "chatMessage failed code=${response.code} message=${response.message}" + ) + markBotPlaceholderFailed(page, placeholder, requestFailedText) + return@launch + } + + placeholder.text = data.aiResponse + placeholder.audioId = data.audioId + placeholder.isLoading = false + placeholder.hasAnimated = false + notifyMessageUpdated(page, placeholder.id) + + val audioUrl = fetchAudioUrl(data.audioId) + // val audioUrl = "https://cdn.loveamorkey.com/keyboardtest/tts/43/60f8e3a1-6285-42b5-baa2-18572662610a.mp3" + if (!audioUrl.isNullOrBlank()) { + placeholder.audioUrl = audioUrl + notifyMessageUpdated(page, placeholder.id) + } + } + } + + private fun markBotPlaceholderFailed( + page: Int, + placeholder: ChatMessage, + failedText: String + ) { + placeholder.text = failedText + placeholder.isLoading = false + placeholder.hasAnimated = true + notifyMessageUpdated(page, placeholder.id) + } + + //确定 RecyclerView 中当前选中的页面位置 + private fun resolveCurrentPage(): Int { + if (currentPage != RecyclerView.NO_POSITION) return currentPage + val lm = pageRv.layoutManager as? LinearLayoutManager ?: return currentPage + val snapView = snapHelper.findSnapView(lm) + val position = when { + snapView != null -> lm.getPosition(snapView) + else -> lm.findFirstVisibleItemPosition() + } + if (position != RecyclerView.NO_POSITION) { + currentPage = position + } + return currentPage + } + + //通知 RecyclerView 中的页面 ViewHolder 刷新消息列表 + private fun notifyMessageAppended(position: Int) { + val holder = pageRv.findViewHolderForAdapterPosition(position) as? ChatPageViewHolder + if (holder != null) { + holder.notifyMessageAppended() + } else { + pageAdapter.notifyItemChanged(position) + } + } + + private fun notifyMessageUpdated(position: Int, messageId: Long) { + repository.touchMessages(position) + val holder = pageRv.findViewHolderForAdapterPosition(position) as? ChatPageViewHolder + if (holder != null) { + holder.notifyMessageUpdated(messageId) + } else { + pageAdapter.notifyItemChanged(position) + } + } + + private fun handleLikeClick(pagePosition: Int, companionId: Int) { + if (pagePosition == RecyclerView.NO_POSITION || companionId <= 0) return + if (!likeInFlight.add(companionId)) return + + val page = repository.getPage(pagePosition) + if (page.companionId != companionId) { + likeInFlight.remove(companionId) + return + } + + val previousLiked = page.liked + val previousCount = page.likeCount + val targetLiked = !previousLiked + val targetCount = (previousCount + if (targetLiked) 1 else -1).coerceAtLeast(0) + if (repository.updateLikeState(pagePosition, companionId, targetLiked, targetCount)) { + pageAdapter.notifyItemChanged(pagePosition) + } + + lifecycleScope.launch { + val response = withContext(Dispatchers.IO) { + runCatching { + RetrofitClient.apiService.aiCompanionLike( + aiCompanionLikeRequest(companionId = companionId) + ) + }.getOrNull() + } + val success = response?.code == 0 + if (!success) { + if (repository.updateLikeState(pagePosition, companionId, previousLiked, previousCount)) { + pageAdapter.notifyItemChanged(pagePosition) + } + } + likeInFlight.remove(companionId) + } + } + + private fun handleCommentCountUpdated(companionId: Int, updatedCount: Int) { + if (companionId <= 0 || updatedCount < 0) return + val updatedPositions = repository.updateCommentCount(companionId, updatedCount) + if (updatedPositions.isEmpty()) return + for (position in updatedPositions) { + if (position != RecyclerView.NO_POSITION) { + pageAdapter.notifyItemChanged(position) + } + } + } + + private fun handleChatSessionReset(companionId: Int) { + if (companionId <= 0) return + val clearedPositions = repository.clearMessagesForCompanion(companionId) + for (position in clearedPositions) { + if (position != RecyclerView.NO_POSITION) { + pageAdapter.notifyItemChanged(position) + } + } + } + + + private fun openCharacterDetails(companionId: Int) { + if (companionId <= 0) return + AuthEventBus.emit( + AuthEvent.OpenCirclePage( + R.id.circleCharacterDetailsFragment, + bundleOf(ARG_COMPANION_ID to companionId) + ) + ) + } + + private fun openMyAiCharacter() { + AuthEventBus.emit( + AuthEvent.OpenCirclePage(R.id.CircleMyAiCharacterFragment) + ) + } + + private fun showCommentSheet(companionId: Int, commentCount: Int) { + if (companionId <= 0) return + val fm = parentFragmentManager + if (fm.findFragmentByTag(CircleCommentSheet.TAG) != null) return + CircleCommentSheet.newInstance(companionId, commentCount) + .show(fm, CircleCommentSheet.TAG) + } + + //同步当前页面的选中状态 + private fun syncCurrentPage() { + val lm = pageRv.layoutManager as? LinearLayoutManager ?: return + val snapView = snapHelper.findSnapView(lm) ?: return + val position = lm.getPosition(snapView) + if (position == RecyclerView.NO_POSITION || position == currentPage) return + + val oldPos = currentPage + currentPage = position + CircleCommentSheet.clearCachedComments() + + repository.preloadAround(position) + + val oldHolder = pageRv.findViewHolderForAdapterPosition(oldPos) as? PageViewHolder + val newHolder = pageRv.findViewHolderForAdapterPosition(position) as? PageViewHolder + oldHolder?.onPageUnSelected() + newHolder?.onPageSelected() + } + + //根据当前可见的聊天页面来动态调整这些页面的内边距,以适应软键盘的弹出和隐藏状态 + private fun updateVisibleInsets() { + val lm = pageRv.layoutManager as? LinearLayoutManager ?: return + val first = lm.findFirstVisibleItemPosition() + val last = lm.findLastVisibleItemPosition() + if (first == RecyclerView.NO_POSITION || last == RecyclerView.NO_POSITION) { + + pageRv.post { updateVisibleInsets() } + return + } + + for (i in first..last) { + val holder = pageRv.findViewHolderForAdapterPosition(i) as? ChatPageViewHolder + + holder?.updateInsets(inputOverlayHeight, listBottomInset) + } + } + //根据软键盘的显示和隐藏状态来调整输入区域的布局 + private fun updateOverlaySpacing() { + val fallbackNavHeight = if (bottomNavHeight > 0) { + bottomNavHeight + } else { + resources.getDimensionPixelSize( + com.google.android.material.R.dimen.design_bottom_navigation_height + ) + } + val navBaseHeight = if (bottomNavHeight > 0) { + bottomNavHeight + } else { + fallbackNavHeight + lastSystemBottom + } + val navHeight = if (isImeVisible) 0 else navBaseHeight + if (overlayBottomSpacingPx != navHeight) { + overlayBottomSpacingPx = navHeight + val lp = inputOverlay.layoutParams as? ViewGroup.MarginLayoutParams + if (lp != null && lp.bottomMargin != navHeight) { + lp.bottomMargin = navHeight + inputOverlay.layoutParams = lp + } + val maskLp = inputBlurMask?.layoutParams as? ViewGroup.MarginLayoutParams + if (maskLp != null && maskLp.bottomMargin != 0) { + maskLp.bottomMargin = 0 + inputBlurMask?.layoutParams = maskLp + } + } + ensureOverlayAboveBottomNav(navHeight) + val overlayHeight = if (inputOverlayHeight > 0) { + inputOverlayHeight + } else { + resources.getDimensionPixelSize(R.dimen.circle_input_overlay_height) + } + val maskHeight = overlayHeight + navHeight + + resources.getDimensionPixelSize(R.dimen.circle_frosted_gradient_extra) + inputBlurMask?.let { mask -> + val params = mask.layoutParams + if (params.height != maskHeight) { + params.height = maskHeight + mask.layoutParams = params + } + } + listBottomInset = bottomInset + pageAdapter.updateBottomInset(listBottomInset) + updateVisibleInsets() + } + + private fun requestOverlayUpdate() { + if (pendingOverlayUpdate) return + pendingOverlayUpdate = true + inputOverlay.post { + pendingOverlayUpdate = false + updateOverlaySpacing() + } + } + + private fun ensureOverlayAboveBottomNav(navHeight: Int) { + if (navHeight <= 0) { + inputOverlay.translationY = 0f + return + } + val root = view ?: return + val rootHeight = root.height + if (rootHeight <= 0) return + val overlayBottom = inputOverlay.bottom + val desiredBottom = rootHeight - navHeight + inputOverlay.translationY = if (overlayBottom > desiredBottom) { + -(overlayBottom - desiredBottom).toFloat() + } else { + 0f + } + } + + //根据软键盘的显示和隐藏状态来调整底部导航栏的可见性和透明度 + private fun applyImeInsets(imeBottom: Int, systemBottom: Int) { + if (!imeHandlingEnabled) return + if (lastImeBottom == imeBottom && lastSystemBottom == systemBottom) return + lastImeBottom = imeBottom + lastSystemBottom = systemBottom + + val imeVisible = imeBottom > 0 + isImeVisible = imeVisible + + bottomInset = if (imeVisible) 0 else systemBottom + inputOverlay.translationY = 0f + inputOverlay.setPadding( + overlayPadStart, + overlayPadTop, + overlayPadEnd, + overlayPadBottom + ) + updateOverlaySpacing() + setBottomNavVisible(!imeVisible) + } + + //根据当前的输入状态来设置底部导航栏的可见性和透明度 + private fun setBottomNavVisible(visible: Boolean) { + val nav = bottomNav ?: return + val blur = bottomNavBlur + if (!visible) { + if (prevBottomNavVisibility == null) prevBottomNavVisibility = nav.visibility + nav.visibility = View.GONE + if (blur != null) { + if (prevBottomNavBlurVisibility == null) prevBottomNavBlurVisibility = blur.visibility + blur.visibility = View.GONE + } + } else { + restoreBottomNavVisibility() + if (forceHideBottomNavBlur) { + blur?.visibility = View.GONE + } + } + } + + //恢复底部导航栏的可见性和透明度 + private fun restoreBottomNavVisibility() { + bottomNav?.let { nav -> + prevBottomNavVisibility?.let { nav.visibility = it } + } + bottomNavBlur?.let { blur -> + if (!forceHideBottomNavBlur) { + prevBottomNavBlurVisibility?.let { blur.visibility = it } + } + } + prevBottomNavVisibility = null + if (!forceHideBottomNavBlur) { + prevBottomNavBlurVisibility = null + } + } + + //设置输入区域的模糊效果 + private fun setupInputBlur() { + val blurView = inputBlur ?: return + if (Build.VERSION.SDK_INT < Build.VERSION_CODES.LOLLIPOP) { + blurView.visibility = View.GONE + return + } + val rootView = activity?.findViewById(android.R.id.content)?.getChildAt(0) as? ViewGroup + ?: return + + val blurRadius = if (Build.VERSION.SDK_INT >= Build.VERSION_CODES.S) 14f else 10f + try { + val algorithm = if (Build.VERSION.SDK_INT >= Build.VERSION_CODES.S) { + RenderEffectBlur() + } else { + RenderScriptBlur(requireContext()) + } + blurView.setupWith(rootView, algorithm) + .setBlurRadius(blurRadius) + .setBlurAutoUpdate(true) + .setOverlayColor(ContextCompat.getColor(requireContext(), R.color.circle_drawer_blur_overlay)) + } catch (_: Throwable) { + blurView.visibility = View.GONE + } + } + + private fun setupDrawerBlur() { + val blurView = drawerBlur ?: return + if (Build.VERSION.SDK_INT < Build.VERSION_CODES.LOLLIPOP) { + blurView.visibility = View.GONE + sideDrawer.setBackgroundColor( + ContextCompat.getColor(requireContext(), R.color.circle_drawer_blur_overlay) + ) + return + } + val rootView = activity?.findViewById(android.R.id.content)?.getChildAt(0) as? ViewGroup + ?: return + + val blurRadius = if (Build.VERSION.SDK_INT >= Build.VERSION_CODES.S) 14f else 10f + try { + val algorithm = if (Build.VERSION.SDK_INT >= Build.VERSION_CODES.S) { + RenderEffectBlur() + } else { + RenderScriptBlur(requireContext()) + } + blurView.setupWith(rootView, algorithm) + .setFrameClearDrawable(requireActivity().window.decorView.background) + .setBlurRadius(blurRadius) + .setBlurAutoUpdate(true) + .setOverlayColor( + ContextCompat.getColor(requireContext(), R.color.circle_drawer_blur_overlay) + ) + } catch (_: Throwable) { + blurView.visibility = View.GONE + sideDrawer.setBackgroundColor( + ContextCompat.getColor(requireContext(), R.color.circle_drawer_blur_overlay) + ) + } + } + + //计算 RecyclerView 的缓存数量,以便在页面切换时尽可能减少页面切换时的闪烁 + private fun computeViewCache(preloadCount: Int): Int { + return (preloadCount * 2 + 1).coerceAtLeast(3).coerceAtMost(7) + } + + private fun setImeHandlingEnabled(enabled: Boolean) { + if (imeHandlingEnabled == enabled) return + imeHandlingEnabled = enabled + if (enabled) { + view?.let { ViewCompat.requestApplyInsets(it) } + } + } + + private fun lockOverlayForSheet(locked: Boolean) { + if (isOverlayLocked == locked) return + isOverlayLocked = locked + val window = activity?.window ?: return + if (locked) { + if (originalSoftInputMode == null) { + originalSoftInputMode = window.attributes.softInputMode + } + window.setSoftInputMode(WindowManager.LayoutParams.SOFT_INPUT_ADJUST_NOTHING) + } else { + val restoreMode = originalSoftInputMode + ?: WindowManager.LayoutParams.SOFT_INPUT_ADJUST_UNSPECIFIED + window.setSoftInputMode(restoreMode) + originalSoftInputMode = null + } + } + + private fun setupDrawerMenu() { + drawerMenuAdapter = CircleDrawerMenuAdapter { position, companion -> + onDrawerMenuItemClick(position, companion) + } + drawerMenuRv.layoutManager = LinearLayoutManager(requireContext()) + drawerMenuRv.adapter = drawerMenuAdapter + + // 添加分隔线(除了第一个和最后一个) + drawerMenuRv.addItemDecoration(object : RecyclerView.ItemDecoration() { + private val dividerHeight = (1 * resources.displayMetrics.density).toInt() + private val dividerColor = 0x338F8F8F + + override fun onDraw(c: android.graphics.Canvas, parent: RecyclerView, state: RecyclerView.State) { + val childCount = parent.childCount + val itemCount = parent.adapter?.itemCount ?: 0 + for (i in 0 until childCount) { + val child = parent.getChildAt(i) + val position = parent.getChildAdapterPosition(child) + // 不在最后一个项下面画线 + if (position != RecyclerView.NO_POSITION && position < itemCount - 1) { + val left = parent.paddingLeft + val right = parent.width - parent.paddingRight + val top = child.bottom + val bottom = top + dividerHeight + c.drawRect(left.toFloat(), top.toFloat(), right.toFloat(), bottom.toFloat(), android.graphics.Paint().apply { color = dividerColor }) + } + } + } + + override fun getItemOffsets(outRect: Rect, view: View, parent: RecyclerView, state: RecyclerView.State) { + val position = parent.getChildAdapterPosition(view) + val itemCount = parent.adapter?.itemCount ?: 0 + if (position != RecyclerView.NO_POSITION && position < itemCount - 1) { + outRect.bottom = dividerHeight + } + } + }) + + // 滚动到底部时加载更多 + drawerMenuRv.addOnScrollListener(object : RecyclerView.OnScrollListener() { + override fun onScrolled(recyclerView: RecyclerView, dx: Int, dy: Int) { + if (dy <= 0) return + val layoutManager = recyclerView.layoutManager as? LinearLayoutManager ?: return + val totalItemCount = layoutManager.itemCount + val lastVisibleItem = layoutManager.findLastVisibleItemPosition() + if (!drawerMenuLoading && drawerMenuHasMore && lastVisibleItem >= totalItemCount - 3) { + loadMoreDrawerMenuData() + } + } + }) + + // 搜索框聚焦时隐藏搜索图标 + searchEdit.setOnFocusChangeListener { _, hasFocus -> + searchIcon.visibility = if (hasFocus) View.GONE else View.VISIBLE + } + + // 搜索框文字变化时过滤列表 + searchEdit.doAfterTextChanged { text -> + filterDrawerMenu(text?.toString().orEmpty()) + } + + // 加载菜单数据 + loadDrawerMenuData() + } + + private fun loadDrawerMenuData() { + if (drawerMenuLoading) return + drawerMenuLoading = true + drawerMenuPage = 1 + drawerMenuHasMore = true + allCompanions.clear() + + lifecycleScope.launch { + val companions = withContext(Dispatchers.IO) { + try { + val response = RetrofitClient.apiService.aiCompanionPage( + com.example.myapplication.network.aiCompanionPageRequest(drawerMenuPage, 20) + ) + response.data?.let { data -> + drawerMenuHasMore = data.current < data.pages + data.records + } ?: emptyList() + } catch (e: Exception) { + Log.e("CircleFragment", "loadDrawerMenuData failed: ${e.message}", e) + emptyList() + } + } + allCompanions.addAll(companions) + updateDrawerMenuList() + drawerMenuLoading = false + // 同步当前选中状态 + if (currentPage != RecyclerView.NO_POSITION && currentPage < allCompanions.size) { + drawerMenuAdapter.setSelectedPosition(currentPage) + } + } + } + + private fun loadMoreDrawerMenuData() { + if (drawerMenuLoading || !drawerMenuHasMore) return + if (drawerMenuSearchQuery.isNotBlank()) return // 搜索时不加载更多 + drawerMenuLoading = true + drawerMenuPage++ + + lifecycleScope.launch { + val companions = withContext(Dispatchers.IO) { + try { + val response = RetrofitClient.apiService.aiCompanionPage( + com.example.myapplication.network.aiCompanionPageRequest(drawerMenuPage, 20) + ) + response.data?.let { data -> + drawerMenuHasMore = data.current < data.pages + data.records + } ?: emptyList() + } catch (e: Exception) { + Log.e("CircleFragment", "loadMoreDrawerMenuData failed: ${e.message}", e) + drawerMenuPage-- // 失败时回退页码 + emptyList() + } + } + if (companions.isNotEmpty()) { + allCompanions.addAll(companions) + updateDrawerMenuList() + } + drawerMenuLoading = false + } + } + + private fun updateDrawerMenuList() { + if (drawerMenuSearchQuery.isBlank()) { + drawerMenuAdapter.submitList(allCompanions.toList()) + } else { + val filtered = allCompanions.filter { companion -> + companion.name.contains(drawerMenuSearchQuery, ignoreCase = true) || + companion.shortDesc.contains(drawerMenuSearchQuery, ignoreCase = true) + } + drawerMenuAdapter.submitList(filtered) + } + } + + private fun filterDrawerMenu(query: String) { + drawerMenuSearchQuery = query + updateDrawerMenuList() + } + + private fun onDrawerMenuItemClick(position: Int, companion: AiCompanion) { + // 找到对应的页面位置 + val targetPosition = allCompanions.indexOfFirst { it.id == companion.id } + if (targetPosition == RecyclerView.NO_POSITION) return + + // 更新菜单选中状态 + drawerMenuAdapter.setSelectedPosition(targetPosition) + + // 关闭抽屉 + drawerLayout.closeDrawer(GravityCompat.START) + + // 隐藏键盘 + val imm = requireContext().getSystemService(android.content.Context.INPUT_METHOD_SERVICE) as InputMethodManager + imm.hideSoftInputFromWindow(searchEdit.windowToken, 0) + searchEdit.clearFocus() + + // 滚动到目标页面 + pageRv.scrollToPosition(targetPosition) + currentPage = targetPosition + + // 预加载前后页面 + repository.preloadAround(targetPosition) + } + + private fun syncDrawerMenuSelection() { + if (currentPage != RecyclerView.NO_POSITION) { + drawerMenuAdapter.setSelectedPosition(currentPage) + } + } + + companion object { + const val RESULT_COMMENT_SHEET_VISIBILITY = "result_comment_sheet_visibility" + const val KEY_COMMENT_SHEET_VISIBLE = "key_comment_sheet_visible" + const val RESULT_COMMENT_COUNT_UPDATED = "result_comment_count_updated" + const val KEY_COMMENT_COMPANION_ID = "key_comment_companion_id" + const val KEY_COMMENT_COUNT = "key_comment_count" + private const val ARG_COMPANION_ID = "arg_companion_id" + } + + } + + + + + + + + + + + diff --git a/app/src/main/java/com/example/myapplication/ui/circle/CircleMyAiCharacterFragment.kt b/app/src/main/java/com/example/myapplication/ui/circle/CircleMyAiCharacterFragment.kt new file mode 100644 index 0000000..04ab6bc --- /dev/null +++ b/app/src/main/java/com/example/myapplication/ui/circle/CircleMyAiCharacterFragment.kt @@ -0,0 +1,367 @@ + +package com.example.myapplication.ui.circle + +import android.app.Dialog +import android.graphics.Color +import android.graphics.Typeface +import android.graphics.drawable.ColorDrawable +import android.os.Bundle +import android.view.Gravity +import android.view.LayoutInflater +import android.view.View +import android.view.ViewGroup +import android.view.Window +import android.widget.PopupWindow +import android.widget.ProgressBar +import android.widget.TextView +import android.widget.Toast +import androidx.core.os.bundleOf +import androidx.fragment.app.Fragment +import androidx.lifecycle.lifecycleScope +import androidx.recyclerview.widget.LinearLayoutManager +import androidx.recyclerview.widget.RecyclerView +import androidx.viewpager2.adapter.FragmentStateAdapter +import androidx.viewpager2.widget.ViewPager2 +import com.example.myapplication.R +import com.example.myapplication.network.RetrofitClient +import com.example.myapplication.network.chatSessionResetRequest +import com.example.myapplication.network.companionChattedResponse +import kotlinx.coroutines.Dispatchers +import kotlinx.coroutines.launch +import kotlinx.coroutines.withContext + +class CircleMyAiCharacterFragment : Fragment() { + + private lateinit var viewPager: ViewPager2 + private lateinit var tabThumbsUp: TextView + private lateinit var tabChatting: TextView + + override fun onCreateView( + inflater: LayoutInflater, + container: ViewGroup?, + savedInstanceState: Bundle? + ): View? { + return inflater.inflate(R.layout.fragment_circle_my_ai_character, container, false) + } + + override fun onViewCreated(view: View, savedInstanceState: Bundle?) { + super.onViewCreated(view, savedInstanceState) + + viewPager = view.findViewById(R.id.view_pager) + tabThumbsUp = view.findViewById(R.id.tab_thumbs_up) + tabChatting = view.findViewById(R.id.tab_chatting) + + view.findViewById(R.id.iv_close).setOnClickListener { + requireActivity().onBackPressedDispatcher.onBackPressed() + } + + setupViewPager() + setupTabs() + } + + private fun setupViewPager() { + viewPager.adapter = object : FragmentStateAdapter(this) { + override fun getItemCount(): Int = 2 + + override fun createFragment(position: Int): Fragment { + return when (position) { + 0 -> ThumbsUpFragment() + 1 -> ChattingFragment() + else -> ThumbsUpFragment() + } + } + } + + viewPager.registerOnPageChangeCallback(object : ViewPager2.OnPageChangeCallback() { + override fun onPageSelected(position: Int) { + updateTabState(position) + } + }) + } + + private fun setupTabs() { + tabThumbsUp.setOnClickListener { + viewPager.currentItem = 0 + } + + tabChatting.setOnClickListener { + viewPager.currentItem = 1 + } + } + + private fun updateTabState(position: Int) { + when (position) { + 0 -> { + tabThumbsUp.setTextColor(0xFF1B1F1A.toInt()) + tabThumbsUp.setTypeface(null, Typeface.BOLD) + tabChatting.setTextColor(0xFF999999.toInt()) + tabChatting.setTypeface(null, Typeface.NORMAL) + } + 1 -> { + tabThumbsUp.setTextColor(0xFF999999.toInt()) + tabThumbsUp.setTypeface(null, Typeface.NORMAL) + tabChatting.setTextColor(0xFF1B1F1A.toInt()) + tabChatting.setTypeface(null, Typeface.BOLD) + } + } + } + + /** + * 点赞过的AI角色列表页 + */ + class ThumbsUpFragment : Fragment() { + private lateinit var recyclerView: RecyclerView + private lateinit var tvEmpty: TextView + private lateinit var progressBar: ProgressBar + private lateinit var adapter: ThumbsUpAdapter + + override fun onCreateView( + inflater: LayoutInflater, + container: ViewGroup?, + savedInstanceState: Bundle? + ): View { + return inflater.inflate(R.layout.fragment_my_ai_character_list, container, false) + } + + override fun onViewCreated(view: View, savedInstanceState: Bundle?) { + super.onViewCreated(view, savedInstanceState) + + recyclerView = view.findViewById(R.id.recyclerView) + tvEmpty = view.findViewById(R.id.tvEmpty) + progressBar = view.findViewById(R.id.progressBar) + + adapter = ThumbsUpAdapter { item -> + // 点击跳转到角色详情或聊天页 + } + + recyclerView.layoutManager = LinearLayoutManager(requireContext()) + recyclerView.adapter = adapter + + loadData() + } + + private fun loadData() { + progressBar.visibility = View.VISIBLE + tvEmpty.visibility = View.GONE + + viewLifecycleOwner.lifecycleScope.launch { + try { + val response = RetrofitClient.apiService.companionLiked() + progressBar.visibility = View.GONE + + if (response.code == 0 && response.data != null) { + val list = response.data + if (list.isEmpty()) { + tvEmpty.visibility = View.VISIBLE + recyclerView.visibility = View.GONE + } else { + tvEmpty.visibility = View.GONE + recyclerView.visibility = View.VISIBLE + adapter.submitList(list) + } + } else { + tvEmpty.visibility = View.VISIBLE + recyclerView.visibility = View.GONE + } + } catch (e: Exception) { + progressBar.visibility = View.GONE + tvEmpty.visibility = View.VISIBLE + recyclerView.visibility = View.GONE + } + } + } + } + + /** + * 聊过天的AI角色列表页 + */ + class ChattingFragment : Fragment() { + private lateinit var recyclerView: RecyclerView + private lateinit var tvEmpty: TextView + private lateinit var progressBar: ProgressBar + private lateinit var adapter: ChattingAdapter + + override fun onCreateView( + inflater: LayoutInflater, + container: ViewGroup?, + savedInstanceState: Bundle? + ): View { + return inflater.inflate(R.layout.fragment_my_ai_character_list, container, false) + } + + override fun onViewCreated(view: View, savedInstanceState: Bundle?) { + super.onViewCreated(view, savedInstanceState) + + recyclerView = view.findViewById(R.id.recyclerView) + tvEmpty = view.findViewById(R.id.tvEmpty) + progressBar = view.findViewById(R.id.progressBar) + + adapter = ChattingAdapter( + onItemClick = { item -> + // 点击跳转到聊天页 + }, + onItemLongClick = { _, rawX, rawY, item -> + showDeletePopup(rawX, rawY, item) + } + ) + + recyclerView.layoutManager = LinearLayoutManager(requireContext()) + recyclerView.adapter = adapter + + loadData() + } + + private fun loadData() { + progressBar.visibility = View.VISIBLE + tvEmpty.visibility = View.GONE + + viewLifecycleOwner.lifecycleScope.launch { + try { + val response = RetrofitClient.apiService.companionChatted() + progressBar.visibility = View.GONE + + if (response.code == 0 && response.data != null) { + val list = response.data + if (list.isEmpty()) { + tvEmpty.visibility = View.VISIBLE + recyclerView.visibility = View.GONE + } else { + tvEmpty.visibility = View.GONE + recyclerView.visibility = View.VISIBLE + adapter.submitList(list) + } + } else { + tvEmpty.visibility = View.VISIBLE + recyclerView.visibility = View.GONE + } + } catch (e: Exception) { + progressBar.visibility = View.GONE + tvEmpty.visibility = View.VISIBLE + recyclerView.visibility = View.GONE + } + } + } + + private fun showDeletePopup(rawX: Float, rawY: Float, item: companionChattedResponse) { + val popupView = LayoutInflater.from(requireContext()) + .inflate(R.layout.popup_delete_action, null) + // 先测量弹窗实际尺寸 + popupView.measure( + View.MeasureSpec.makeMeasureSpec(0, View.MeasureSpec.UNSPECIFIED), + View.MeasureSpec.makeMeasureSpec(0, View.MeasureSpec.UNSPECIFIED) + ) + val popupW = popupView.measuredWidth + val popupH = popupView.measuredHeight + + val popupWindow = PopupWindow( + popupView, + ViewGroup.LayoutParams.WRAP_CONTENT, + ViewGroup.LayoutParams.WRAP_CONTENT, + true + ) + popupWindow.elevation = 8f + popupWindow.setBackgroundDrawable(ColorDrawable(Color.TRANSPARENT)) + + popupView.findViewById(R.id.tv_delete).setOnClickListener { + popupWindow.dismiss() + showConfirmDialog(item) + } + + val screenWidth = resources.displayMetrics.widthPixels + val touchX = rawX.toInt() + val touchY = rawY.toInt() + val margin = (30 * resources.displayMetrics.density).toInt() + + // 优先显示在手指左侧;空间不够则显示在右侧 + val x = if (touchX - popupW - margin >= 0) { + touchX - popupW - margin + } else { + touchX + margin + } + // 垂直方向居中于手指位置 + val y = touchY - popupH / 2 + + popupWindow.showAtLocation(recyclerView, Gravity.NO_GRAVITY, x, y) + } + + private fun showConfirmDialog(item: companionChattedResponse) { + val dialog = Dialog(requireContext()) + dialog.requestWindowFeature(Window.FEATURE_NO_TITLE) + dialog.setContentView(R.layout.dialog_confirm_reset_chat) + dialog.window?.setBackgroundDrawable(ColorDrawable(Color.TRANSPARENT)) + dialog.window?.setLayout( + ViewGroup.LayoutParams.WRAP_CONTENT, + ViewGroup.LayoutParams.WRAP_CONTENT + ) + dialog.window?.setGravity(Gravity.CENTER) + dialog.setCancelable(true) + + dialog.findViewById(R.id.btn_cancel).setOnClickListener { + dialog.dismiss() + } + + dialog.findViewById(R.id.btn_confirm).setOnClickListener { + dialog.dismiss() + resetChatSession(item) + } + + dialog.show() + } + + private fun resetChatSession(item: companionChattedResponse) { + viewLifecycleOwner.lifecycleScope.launch { + try { + val response = withContext(Dispatchers.IO) { + RetrofitClient.apiService.chatSessionReset( + chatSessionResetRequest(companionId = item.id) + ) + } + if (response.code == 0) { + Toast.makeText( + requireContext(), + R.string.circle_reset_chat_success, + Toast.LENGTH_SHORT + ).show() + + // 从列表中移除该项 + adapter.removeItem(item.id) + + // 列表为空时显示空状态 + if (adapter.currentList.isEmpty()) { + tvEmpty.visibility = View.VISIBLE + recyclerView.visibility = View.GONE + } + + // 通知 CircleFragment 清除该角色的聊天消息 + // ChattingFragment 在 ViewPager2 内,parentFragmentManager 是 + // CircleMyAiCharacterFragment 的 childFM,需要再上跳一级 + // 到 NavHostFragment 的 childFM,才能被 CircleFragment 收到 + val navFragmentManager = requireParentFragment() + .parentFragmentManager + navFragmentManager.setFragmentResult( + RESULT_CHAT_SESSION_RESET, + bundleOf(KEY_RESET_COMPANION_ID to item.id) + ) + } else { + Toast.makeText( + requireContext(), + R.string.circle_reset_chat_failed, + Toast.LENGTH_SHORT + ).show() + } + } catch (e: Exception) { + Toast.makeText( + requireContext(), + R.string.circle_reset_chat_failed, + Toast.LENGTH_SHORT + ).show() + } + } + } + } + + companion object { + const val RESULT_CHAT_SESSION_RESET = "result_chat_session_reset" + const val KEY_RESET_COMPANION_ID = "key_reset_companion_id" + } +} \ No newline at end of file diff --git a/app/src/main/java/com/example/myapplication/ui/circle/CirclePageAdapter.kt b/app/src/main/java/com/example/myapplication/ui/circle/CirclePageAdapter.kt new file mode 100644 index 0000000..0abdcea --- /dev/null +++ b/app/src/main/java/com/example/myapplication/ui/circle/CirclePageAdapter.kt @@ -0,0 +1,93 @@ +package com.example.myapplication.ui.circle + +import android.view.LayoutInflater +import android.view.ViewGroup +import androidx.recyclerview.widget.RecyclerView +import com.example.myapplication.R + +class CirclePageAdapter( + private val repository: CircleChatRepository, + private val sharedPool: RecyclerView.RecycledViewPool, + private val onLikeClick: ((position: Int, companionId: Int) -> Unit)? = null, + private val onCommentClick: ((companionId: Int, commentCount: Int) -> Unit)? = null, + private val onAvatarClick: ((companionId: Int) -> Unit)? = null +) : RecyclerView.Adapter() { + + // 每页固定为屏幕高度,配合 PagerSnapHelper 使用。 + private var pageHeight: Int = 0 + private var inputOverlayHeight: Int = 0 + private var bottomInset: Int = 0 + + init { + // 稳定 ID 可减少切页时的重绘/闪动。 + setHasStableIds(true) + } + + override fun onCreateViewHolder(parent: ViewGroup, viewType: Int): PageViewHolder { + val view = LayoutInflater.from(parent.context) + .inflate(R.layout.item_circle_chat_page, parent, false) + return ChatPageViewHolder(view, sharedPool) + } + + //将数据绑定到 RecyclerView 的每一项视图上 + override fun onBindViewHolder(holder: PageViewHolder, position: Int) { + val data = repository.getPage(position) + + if (pageHeight > 0) { + // 强制全屏高度,保证每一项都能对齐到整页。 + val lp = holder.itemView.layoutParams + if (lp != null && lp.height != pageHeight) { + lp.height = pageHeight + holder.itemView.layoutParams = lp + } + } + + (holder as? ChatPageViewHolder)?.bind( + data, + inputOverlayHeight, + bottomInset, + repository.getHistoryUiState(data.companionId), + { companionId -> repository.getHistoryUiState(companionId) }, + { pagePosition, companionId, onResult -> + repository.loadMoreHistory(pagePosition, companionId, onResult) + }, + onLikeClick, + onCommentClick, + onAvatarClick + ) + } + + override fun getItemCount(): Int = repository.getAvailablePages() + + override fun getItemId(position: Int): Long = position.toLong() + + //当一个 ViewHolder 变得可见时,自动预加载其上下邻居的数据 + override fun onViewAttachedToWindow(holder: PageViewHolder) { + super.onViewAttachedToWindow(holder) + val position = holder.adapterPosition + if (position != RecyclerView.NO_POSITION) { + // 页面进入可见时预加载上下邻居。 + repository.preloadAround(position) + } + } + + override fun onViewRecycled(holder: PageViewHolder) { + holder.onRecycled() + super.onViewRecycled(holder) + } + + fun updatePageHeight(height: Int) { + if (height > 0 && pageHeight != height) { + pageHeight = height + notifyDataSetChanged() + } + } + + fun updateInputOverlayHeight(height: Int) { + inputOverlayHeight = height + } + + fun updateBottomInset(inset: Int) { + bottomInset = inset + } +} diff --git a/app/src/main/java/com/example/myapplication/ui/circle/CommentTimeFormatter.kt b/app/src/main/java/com/example/myapplication/ui/circle/CommentTimeFormatter.kt new file mode 100644 index 0000000..f579113 --- /dev/null +++ b/app/src/main/java/com/example/myapplication/ui/circle/CommentTimeFormatter.kt @@ -0,0 +1,49 @@ +package com.example.myapplication.ui.circle + +import android.content.Context +import com.example.myapplication.R +import java.text.SimpleDateFormat +import java.util.Calendar +import java.util.Locale +import java.util.TimeZone + +object CommentTimeFormatter { + private const val INPUT_PATTERN = "yyyy-MM-dd'T'HH:mm:ss.SSSXXX" + private val inputFormat = SimpleDateFormat(INPUT_PATTERN, Locale.US).apply { + timeZone = TimeZone.getTimeZone("UTC") + } + private val dateFormatCurrentYear = SimpleDateFormat("MM-dd", Locale.getDefault()) + private val dateFormatOtherYear = SimpleDateFormat("yyyy-MM-dd", Locale.getDefault()) + + fun format(context: Context, raw: String): String { + return try { + val date = inputFormat.parse(raw) ?: return raw + val nowMillis = System.currentTimeMillis() + val diffMillis = (nowMillis - date.time).coerceAtLeast(0L) + val diffMinutes = diffMillis / 60_000L + val diffHours = diffMillis / 3_600_000L + val diffDays = diffMillis / 86_400_000L + + when { + diffMinutes < 5 -> context.getString(R.string.circle_comment_time_just_now) + diffMinutes < 60 -> { + val rounded = ((diffMinutes + 9) / 10) * 10 + context.getString(R.string.circle_comment_time_minutes_ago, rounded) + } + diffHours < 24 -> context.getString(R.string.circle_comment_time_hours_ago, diffHours) + diffDays < 5 -> context.getString(R.string.circle_comment_time_days_ago, diffDays) + else -> { + val calNow = Calendar.getInstance() + val calDate = Calendar.getInstance().apply { time = date } + if (calNow.get(Calendar.YEAR) == calDate.get(Calendar.YEAR)) { + dateFormatCurrentYear.format(date) + } else { + dateFormatOtherYear.format(date) + } + } + } + } catch (_: Exception) { + raw + } + } +} diff --git a/app/src/main/java/com/example/myapplication/ui/circle/EdgeAwareRecyclerView.kt b/app/src/main/java/com/example/myapplication/ui/circle/EdgeAwareRecyclerView.kt new file mode 100644 index 0000000..9620213 --- /dev/null +++ b/app/src/main/java/com/example/myapplication/ui/circle/EdgeAwareRecyclerView.kt @@ -0,0 +1,60 @@ +package com.example.myapplication.ui.circle + +import android.content.Context +import android.util.AttributeSet +import android.view.MotionEvent +import androidx.recyclerview.widget.RecyclerView + +class EdgeAwareRecyclerView @JvmOverloads constructor( + context: Context, + attrs: AttributeSet? = null, + defStyleAttr: Int = 0 +) : RecyclerView(context, attrs, defStyleAttr) { + + private var lastY = 0f + private var topPullTriggered = false + + var allowParentInterceptAtTop: (() -> Boolean)? = null + var onTopPull: (() -> Unit)? = null + + override fun onTouchEvent(e: MotionEvent): Boolean { + when (e.actionMasked) { + MotionEvent.ACTION_DOWN -> { + lastY = e.y + topPullTriggered = false + parent?.requestDisallowInterceptTouchEvent(true) + } + MotionEvent.ACTION_MOVE -> { + val dy = e.y - lastY + lastY = e.y + + val canScrollUp = canScrollVertically(-1) + val canScrollDown = canScrollVertically(1) + val scrollingDown = dy > 0 + + val disallow = if (scrollingDown) { + if (!canScrollUp) { + if (!topPullTriggered) { + topPullTriggered = true + onTopPull?.invoke() + } + val allowParent = allowParentInterceptAtTop?.invoke() ?: true + !allowParent + } else { + topPullTriggered = false + canScrollUp + } + } else { + canScrollDown + } + parent?.requestDisallowInterceptTouchEvent(disallow) + } + MotionEvent.ACTION_UP, + MotionEvent.ACTION_CANCEL -> { + parent?.requestDisallowInterceptTouchEvent(false) + topPullTriggered = false + } + } + return super.onTouchEvent(e) + } +} diff --git a/app/src/main/java/com/example/myapplication/ui/circle/GradientMaskLayout.kt b/app/src/main/java/com/example/myapplication/ui/circle/GradientMaskLayout.kt new file mode 100644 index 0000000..4993d9a --- /dev/null +++ b/app/src/main/java/com/example/myapplication/ui/circle/GradientMaskLayout.kt @@ -0,0 +1,71 @@ +package com.example.myapplication.ui.circle + +import android.content.Context +import android.graphics.Canvas +import android.graphics.LinearGradient +import android.graphics.Paint +import android.graphics.PorterDuff +import android.graphics.PorterDuffXfermode +import android.graphics.Shader +import android.os.Build +import android.util.AttributeSet +import android.widget.FrameLayout +import android.graphics.BlendMode + +class GradientMaskLayout @JvmOverloads constructor( + context: Context, + attrs: AttributeSet? = null, + defStyleAttr: Int = 0 +) : FrameLayout(context, attrs, defStyleAttr) { + + private val maskPaint = Paint(Paint.ANTI_ALIAS_FLAG) + private var maskShader: LinearGradient? = null + + override fun onSizeChanged(w: Int, h: Int, oldw: Int, oldh: Int) { + super.onSizeChanged(w, h, oldw, oldh) + updateShader(w, h) + } + + override fun dispatchDraw(canvas: Canvas) { + if (width == 0 || height == 0) { + super.dispatchDraw(canvas) + return + } + + val saveCount = canvas.saveLayer(0f, 0f, width.toFloat(), height.toFloat(), null) + super.dispatchDraw(canvas) + + if (maskShader == null) { + updateShader(width, height) + } + + if (Build.VERSION.SDK_INT >= Build.VERSION_CODES.Q) { + maskPaint.blendMode = BlendMode.DST_IN + } else { + maskPaint.xfermode = PorterDuffXfermode(PorterDuff.Mode.DST_IN) + } + canvas.drawRect(0f, 0f, width.toFloat(), height.toFloat(), maskPaint) + + if (Build.VERSION.SDK_INT >= Build.VERSION_CODES.Q) { + maskPaint.blendMode = null + } else { + maskPaint.xfermode = null + } + + canvas.restoreToCount(saveCount) + } + + private fun updateShader(w: Int, h: Int) { + if (w <= 0 || h <= 0) return + maskShader = LinearGradient( + 0f, + h.toFloat(), + 0f, + 0f, + intArrayOf(0xFFFFFFFF.toInt(), 0x00FFFFFF), + floatArrayOf(0f, 1f), + Shader.TileMode.CLAMP + ) + maskPaint.shader = maskShader + } +} diff --git a/app/src/main/java/com/example/myapplication/ui/circle/MyAiCharacterAdapters.kt b/app/src/main/java/com/example/myapplication/ui/circle/MyAiCharacterAdapters.kt new file mode 100644 index 0000000..e56d279 --- /dev/null +++ b/app/src/main/java/com/example/myapplication/ui/circle/MyAiCharacterAdapters.kt @@ -0,0 +1,141 @@ +package com.example.myapplication.ui.circle + +import android.view.LayoutInflater +import android.view.View +import android.view.ViewGroup +import android.widget.ImageView +import android.widget.TextView +import androidx.recyclerview.widget.DiffUtil +import androidx.recyclerview.widget.ListAdapter +import androidx.recyclerview.widget.RecyclerView +import android.view.MotionEvent +import com.bumptech.glide.Glide +import com.example.myapplication.R +import com.example.myapplication.network.companionChattedResponse +import com.example.myapplication.network.companionLikedResponse + +/** + * 点赞过的AI角色列表 Adapter + */ +class ThumbsUpAdapter( + private val onItemClick: (companionLikedResponse) -> Unit +) : ListAdapter(DiffCallback) { + + override fun onCreateViewHolder(parent: ViewGroup, viewType: Int): ViewHolder { + val view = LayoutInflater.from(parent.context) + .inflate(R.layout.item_my_ai_character, parent, false) + return ViewHolder(view) + } + + override fun onBindViewHolder(holder: ViewHolder, position: Int) { + holder.bind(getItem(position)) + } + + inner class ViewHolder(itemView: View) : RecyclerView.ViewHolder(itemView) { + private val ivAvatar: ImageView = itemView.findViewById(R.id.ivAvatar) + private val tvName: TextView = itemView.findViewById(R.id.tvName) + private val tvShortDesc: TextView = itemView.findViewById(R.id.tvShortDesc) + private val tvTime: TextView = itemView.findViewById(R.id.tvTime) + + fun bind(item: companionLikedResponse) { + Glide.with(ivAvatar) + .load(item.avatarUrl) + .placeholder(R.drawable.default_avatar) + .error(R.drawable.default_avatar) + .into(ivAvatar) + + tvName.text = item.name + tvShortDesc.text = item.shortDesc + tvTime.text = MyAiCharacterTimeFormatter.format(itemView.context, item.createdAt) + + itemView.setOnClickListener { onItemClick(item) } + } + } + + companion object { + private val DiffCallback = object : DiffUtil.ItemCallback() { + override fun areItemsTheSame( + oldItem: companionLikedResponse, + newItem: companionLikedResponse + ): Boolean = oldItem.id == newItem.id + + override fun areContentsTheSame( + oldItem: companionLikedResponse, + newItem: companionLikedResponse + ): Boolean = oldItem == newItem + } + } +} + +/** + * 聊过天的AI角色列表 Adapter + */ +class ChattingAdapter( + private val onItemClick: (companionChattedResponse) -> Unit, + private val onItemLongClick: (View, Float, Float, companionChattedResponse) -> Unit +) : ListAdapter(DiffCallback) { + + override fun onCreateViewHolder(parent: ViewGroup, viewType: Int): ViewHolder { + val view = LayoutInflater.from(parent.context) + .inflate(R.layout.item_my_ai_character, parent, false) + return ViewHolder(view) + } + + override fun onBindViewHolder(holder: ViewHolder, position: Int) { + holder.bind(getItem(position)) + } + + inner class ViewHolder(itemView: View) : RecyclerView.ViewHolder(itemView) { + private val ivAvatar: ImageView = itemView.findViewById(R.id.ivAvatar) + private val tvName: TextView = itemView.findViewById(R.id.tvName) + private val tvShortDesc: TextView = itemView.findViewById(R.id.tvShortDesc) + private val tvTime: TextView = itemView.findViewById(R.id.tvTime) + private var lastTouchX = 0f + private var lastTouchY = 0f + + fun bind(item: companionChattedResponse) { + Glide.with(ivAvatar) + .load(item.avatarUrl) + .placeholder(R.drawable.default_avatar) + .error(R.drawable.default_avatar) + .into(ivAvatar) + + tvName.text = item.name + tvShortDesc.text = item.shortDesc + tvTime.text = MyAiCharacterTimeFormatter.format(itemView.context, item.createdAt) + + itemView.setOnClickListener { onItemClick(item) } + itemView.setOnTouchListener { _, event -> + if (event.actionMasked == MotionEvent.ACTION_DOWN) { + lastTouchX = event.rawX + lastTouchY = event.rawY + } + false + } + itemView.setOnLongClickListener { view -> + onItemLongClick(view, lastTouchX, lastTouchY, item) + true + } + } + } + + fun removeItem(companionId: Int) { + val newList = currentList.toMutableList() + newList.removeAll { it.id == companionId } + submitList(newList) + } + + companion object { + private val DiffCallback = object : DiffUtil.ItemCallback() { + override fun areItemsTheSame( + oldItem: companionChattedResponse, + newItem: companionChattedResponse + ): Boolean = oldItem.id == newItem.id + + override fun areContentsTheSame( + oldItem: companionChattedResponse, + newItem: companionChattedResponse + ): Boolean = oldItem == newItem + } + } +} diff --git a/app/src/main/java/com/example/myapplication/ui/circle/MyAiCharacterTimeFormatter.kt b/app/src/main/java/com/example/myapplication/ui/circle/MyAiCharacterTimeFormatter.kt new file mode 100644 index 0000000..466974c --- /dev/null +++ b/app/src/main/java/com/example/myapplication/ui/circle/MyAiCharacterTimeFormatter.kt @@ -0,0 +1,72 @@ +package com.example.myapplication.ui.circle + +import android.content.Context +import com.example.myapplication.R +import java.text.SimpleDateFormat +import java.util.Calendar +import java.util.Locale +import java.util.TimeZone + +/** + * 我的AI角色列表时间格式化器 + * 规则: + * - 5分钟内:刚刚 + * - 10分钟内:X分钟 + * - 1小时内:以10为整的分钟(10分钟、20分钟、30分钟...) + * - 1天内:X小时 + * - 1个月内:X天 + * - 1年内:MM-dd + * - 1年以上:yyyy-MM-dd + */ +object MyAiCharacterTimeFormatter { + private const val INPUT_PATTERN = "yyyy-MM-dd'T'HH:mm:ss.SSSXXX" + private val inputFormat = SimpleDateFormat(INPUT_PATTERN, Locale.US).apply { + timeZone = TimeZone.getTimeZone("UTC") + } + private val dateFormatCurrentYear = SimpleDateFormat("MM-dd", Locale.getDefault()) + private val dateFormatOtherYear = SimpleDateFormat("yyyy-MM-dd", Locale.getDefault()) + + fun format(context: Context, raw: String): String { + return try { + val date = inputFormat.parse(raw) ?: return raw + val nowMillis = System.currentTimeMillis() + val diffMillis = (nowMillis - date.time).coerceAtLeast(0L) + val diffMinutes = diffMillis / 60_000L + val diffHours = diffMillis / 3_600_000L + val diffDays = diffMillis / 86_400_000L + + when { + // 5分钟内显示"刚刚" + diffMinutes < 5 -> context.getString(R.string.circle_comment_time_just_now) + + // 10分钟内显示具体分钟数 + diffMinutes < 10 -> context.getString(R.string.circle_comment_time_minutes_ago, diffMinutes) + + // 1小时内显示以10为整的分钟数 + diffMinutes < 60 -> { + val rounded = (diffMinutes / 10) * 10 + context.getString(R.string.circle_comment_time_minutes_ago, rounded.coerceAtLeast(10)) + } + + // 1天内显示小时数 + diffHours < 24 -> context.getString(R.string.circle_comment_time_hours_ago, diffHours) + + // 1个月内(约30天)显示天数 + diffDays < 30 -> context.getString(R.string.circle_comment_time_days_ago, diffDays) + + // 超过30天,根据年份显示日期 + else -> { + val calNow = Calendar.getInstance() + val calDate = Calendar.getInstance().apply { time = date } + if (calNow.get(Calendar.YEAR) == calDate.get(Calendar.YEAR)) { + dateFormatCurrentYear.format(date) + } else { + dateFormatOtherYear.format(date) + } + } + } + } catch (_: Exception) { + raw + } + } +} diff --git a/app/src/main/java/com/example/myapplication/ui/circle/PageViewHolder.kt b/app/src/main/java/com/example/myapplication/ui/circle/PageViewHolder.kt new file mode 100644 index 0000000..35366f8 --- /dev/null +++ b/app/src/main/java/com/example/myapplication/ui/circle/PageViewHolder.kt @@ -0,0 +1,11 @@ +package com.example.myapplication.ui.circle + +import android.view.View +import androidx.recyclerview.widget.RecyclerView + +abstract class PageViewHolder(itemView: View) : RecyclerView.ViewHolder(itemView) { + // 页面级生命周期回调(类似 Fragment)。 + open fun onPageSelected() {} + open fun onPageUnSelected() {} + open fun onRecycled() {} +} diff --git a/app/src/main/java/com/example/myapplication/ui/circle/SpectrumEqualizerView.kt b/app/src/main/java/com/example/myapplication/ui/circle/SpectrumEqualizerView.kt new file mode 100644 index 0000000..38d9066 --- /dev/null +++ b/app/src/main/java/com/example/myapplication/ui/circle/SpectrumEqualizerView.kt @@ -0,0 +1,84 @@ +package com.example.myapplication.ui.circle + +import android.content.Context +import android.graphics.Canvas +import android.graphics.Color +import android.graphics.Paint +import android.util.AttributeSet +import android.view.View +import kotlin.math.max +import kotlin.math.min +import kotlin.math.sqrt +import kotlin.random.Random + +class SpectrumEqualizerView @JvmOverloads constructor( + context: Context, + attrs: AttributeSet? = null, + defStyleAttr: Int = 0 +) : View(context, attrs, defStyleAttr) { + + private val paint = Paint(Paint.ANTI_ALIAS_FLAG).apply { + color = Color.WHITE + } + private val random = Random.Default + private val barCount = 12 + private val barLevels = FloatArray(barCount) + private val spacingPx = dpToPx(3f) + private val extraBarWidthPx = 4f + private val cornerRadiusPx = dpToPx(2f) + private val noiseGate = 0.02f + private val minBarHeightPx = max(dpToPx(4f), 24f) + + fun setLevel(level: Float) { + val raw = level.coerceIn(0f, 1f) + val normalized = ((raw - noiseGate) / (1f - noiseGate)).coerceIn(0f, 1f) + val shaped = sqrt(normalized) + val clamped = (shaped * 2.6f).coerceIn(0f, 1f) + for (i in 0 until barCount) { + val target = clamped * (0.05f + 0.95f * random.nextFloat()) + val smoothing = if (clamped == 0f) 0.5f else 0.8f + barLevels[i] = barLevels[i] + (target - barLevels[i]) * smoothing + } + invalidate() + } + + fun reset() { + for (i in 0 until barCount) { + barLevels[i] = 0f + } + invalidate() + } + + override fun onDraw(canvas: Canvas) { + super.onDraw(canvas) + val contentWidth = width - paddingLeft - paddingRight + val contentHeight = height - paddingTop - paddingBottom + if (contentWidth <= 0 || contentHeight <= 0) return + + val maxGroupWidth = contentWidth * 0.8f + val totalSpacing = spacingPx * (barCount - 1) + val desiredBarWidth = ((maxGroupWidth - totalSpacing) / barCount.toFloat()) + .coerceAtLeast(1f) + extraBarWidthPx + val desiredGroupWidth = desiredBarWidth * barCount + totalSpacing + val groupWidth = min(desiredGroupWidth, contentWidth.toFloat()) + val barWidth = ((groupWidth - totalSpacing) / barCount.toFloat()) + .coerceAtLeast(1f) + val baseX = paddingLeft + (contentWidth - groupWidth) / 2f + val centerY = paddingTop + contentHeight / 2f + val maxBarHeight = contentHeight.toFloat() * 1.3f + + for (i in 0 until barCount) { + val level = barLevels[i] + val barHeight = max(minBarHeightPx, maxBarHeight * level) + val left = baseX + i * (barWidth + spacingPx) + val right = left + barWidth + val top = centerY - barHeight / 2f + val bottom = centerY + barHeight / 2f + canvas.drawRoundRect(left, top, right, bottom, cornerRadiusPx, cornerRadiusPx, paint) + } + } + + private fun dpToPx(dp: Float): Float { + return dp * resources.displayMetrics.density + } +} diff --git a/app/src/main/java/com/example/myapplication/ui/circle/circleAiCharacterReportFragment.kt b/app/src/main/java/com/example/myapplication/ui/circle/circleAiCharacterReportFragment.kt new file mode 100644 index 0000000..ff6e799 --- /dev/null +++ b/app/src/main/java/com/example/myapplication/ui/circle/circleAiCharacterReportFragment.kt @@ -0,0 +1,213 @@ +// This is the code for the Circle AI Character Report Fragment +package com.example.myapplication.ui.circle + +import android.os.Bundle +import android.util.Log +import android.util.TypedValue +import android.view.Gravity +import android.view.LayoutInflater +import android.view.View +import android.view.ViewGroup +import android.widget.ImageView +import android.widget.LinearLayout +import android.widget.TextView +import android.widget.Toast +import androidx.annotation.StringRes +import androidx.core.content.ContextCompat +import androidx.fragment.app.Fragment +import com.example.myapplication.R +import android.graphics.Typeface +import com.example.myapplication.network.RetrofitClient +import com.example.myapplication.network.reportRequest +import com.google.android.material.textfield.TextInputEditText +import kotlinx.coroutines.Dispatchers +import kotlinx.coroutines.launch +import kotlinx.coroutines.withContext +import androidx.lifecycle.lifecycleScope + +class CircleAiCharacterReportFragment : Fragment() { + + private var companionId: Int = -1 + + override fun onCreateView( + inflater: LayoutInflater, + container: ViewGroup?, + savedInstanceState: Bundle? + ): View? { + return inflater.inflate(R.layout.fragment_circle_ai_character_report, container, false) + } + + private data class OptionItem(@StringRes val nameRes: Int, val value: Int) + + private val reasonData = listOf( + OptionItem(R.string.circle_report_reason_1, 1), + OptionItem(R.string.circle_report_reason_2, 2), + OptionItem(R.string.circle_report_reason_3, 3), + OptionItem(R.string.circle_report_reason_4, 4), + OptionItem(R.string.circle_report_reason_5, 5), + OptionItem(R.string.circle_report_reason_6, 6), + OptionItem(R.string.circle_report_reason_7, 7), + OptionItem(R.string.circle_report_reason_8, 8), + OptionItem(R.string.circle_report_reason_9, 9), + ) + private val contentData = listOf( + OptionItem(R.string.circle_report_content_1, 10), + OptionItem(R.string.circle_report_content_2, 11), + OptionItem(R.string.circle_report_content_3, 12), + ) + private val selectedReasons = mutableSetOf() + private val selectedContents = mutableSetOf() + + override fun onViewCreated(view: View, savedInstanceState: Bundle?) { + super.onViewCreated(view, savedInstanceState) + companionId = arguments?.getInt(ARG_COMPANION_ID, -1) ?: -1 + Log.d("CircleAiCharacterReport", "companionId=$companionId") + + view.findViewById(R.id.iv_close).setOnClickListener { + requireActivity().onBackPressedDispatcher.onBackPressed() + } + + val reasonContainer = view.findViewById(R.id.reasonOptions) + val contentContainer = view.findViewById(R.id.contentOptions) + renderOptions(reasonContainer, reasonData, selectedReasons) + renderOptions(contentContainer, contentData, selectedContents) + + val etFeedback = view.findViewById(R.id.et_feedback) + view.findViewById(R.id.btn_keyboard).setOnClickListener { + submitReport(etFeedback?.text?.toString().orEmpty()) + } + } + + private fun renderOptions( + container: LinearLayout, + items: List, + selected: MutableSet + ) { + container.removeAllViews() + val context = container.context + val rowPadding = dpToPx(8f) + val rowSpacing = dpToPx(20f) + val iconSize = dpToPx(18f) + + items.forEach { item -> + val row = LinearLayout(context).apply { + layoutParams = LinearLayout.LayoutParams( + LinearLayout.LayoutParams.MATCH_PARENT, + LinearLayout.LayoutParams.WRAP_CONTENT + ).apply { + if (item != items.last()) { + bottomMargin = rowSpacing + } + } + orientation = LinearLayout.HORIZONTAL + gravity = Gravity.CENTER_VERTICAL + setPadding(0, rowPadding, 0, rowPadding) + } + + val nameView = TextView(context).apply { + layoutParams = LinearLayout.LayoutParams( + 0, + LinearLayout.LayoutParams.WRAP_CONTENT, + 1f + ) + text = context.getString(item.nameRes) + setTextSize(TypedValue.COMPLEX_UNIT_SP, 14f) + setTextColor(ContextCompat.getColor(context, android.R.color.black)) + setTypeface(typeface, Typeface.BOLD) + } + + val iconView = ImageView(context).apply { + layoutParams = LinearLayout.LayoutParams(iconSize, iconSize) + setImageResource( + if (selected.contains(item.value)) { + R.drawable.report_selection + } else { + R.drawable.report_not_selected + } + ) + } + + row.addView(nameView) + row.addView(iconView) + row.setOnClickListener { + if (selected.contains(item.value)) { + selected.remove(item.value) + } else { + selected.add(item.value) + } + iconView.setImageResource( + if (selected.contains(item.value)) { + R.drawable.report_selection + } else { + R.drawable.report_not_selected + } + ) + } + + container.addView(row) + } + } + + private fun dpToPx(dp: Float): Int { + return TypedValue.applyDimension( + TypedValue.COMPLEX_UNIT_DIP, + dp, + resources.displayMetrics + ).toInt() + } + + private fun submitReport(rawDesc: String) { + val reportDesc = rawDesc.trim() + val reportTypes = (selectedReasons + selectedContents).toList() + if (reportTypes.isEmpty() && reportDesc.isBlank()) { + Toast.makeText( + requireContext(), + getString(R.string.circle_report_empty_hint), + Toast.LENGTH_SHORT + ).show() + return + } + if (companionId <= 0) { + Toast.makeText( + requireContext(), + getString(R.string.circle_report_submit_failed), + Toast.LENGTH_SHORT + ).show() + return + } + viewLifecycleOwner.lifecycleScope.launch { + val result = withContext(Dispatchers.IO) { + runCatching { + RetrofitClient.apiService.report( + reportRequest( + companionId = companionId, + reportTypes = reportTypes, + reportDesc = reportDesc + ) + ) + } + } + val response = result.getOrNull() + val success = response != null && + (response.code == 0 || response.message.equals("ok", ignoreCase = true)) + if (success) { + Toast.makeText( + requireContext(), + getString(R.string.circle_report_submit_success), + Toast.LENGTH_SHORT + ).show() + requireActivity().onBackPressedDispatcher.onBackPressed() + } else { + Toast.makeText( + requireContext(), + getString(R.string.circle_report_submit_failed), + Toast.LENGTH_SHORT + ).show() + } + } + } + + companion object { + const val ARG_COMPANION_ID = "arg_companion_id" + } +} diff --git a/app/src/main/java/com/example/myapplication/ui/circle/circleCharacterDetailsFragment.kt b/app/src/main/java/com/example/myapplication/ui/circle/circleCharacterDetailsFragment.kt new file mode 100644 index 0000000..826ee7a --- /dev/null +++ b/app/src/main/java/com/example/myapplication/ui/circle/circleCharacterDetailsFragment.kt @@ -0,0 +1,274 @@ +//角色详情页面 + +package com.example.myapplication.ui.circle + +import android.os.Bundle +import android.util.Log +import android.view.LayoutInflater +import android.view.MotionEvent +import android.view.View +import android.view.ViewGroup +import android.widget.ImageView +import android.widget.TextView +import androidx.fragment.app.Fragment +import androidx.lifecycle.lifecycleScope +import androidx.core.content.ContextCompat +import androidx.core.os.bundleOf +import com.bumptech.glide.Glide +import com.bumptech.glide.load.DataSource +import com.bumptech.glide.load.engine.GlideException +import com.bumptech.glide.load.resource.drawable.DrawableTransitionOptions +import com.bumptech.glide.request.RequestListener +import com.bumptech.glide.request.target.Target +import com.example.myapplication.R +import com.example.myapplication.network.AuthEvent +import com.example.myapplication.network.AuthEventBus +import com.example.myapplication.network.RetrofitClient +import android.os.SystemClock +import kotlinx.coroutines.CancellationException +import kotlinx.coroutines.Job +import kotlinx.coroutines.Dispatchers +import kotlinx.coroutines.launch +import kotlinx.coroutines.withContext +import android.graphics.drawable.Drawable +import android.os.Build +import eightbitlab.com.blurview.BlurView +import eightbitlab.com.blurview.RenderEffectBlur +import eightbitlab.com.blurview.RenderScriptBlur + +class CircleCharacterDetailsFragment : Fragment() { + + private lateinit var coverImageView: ImageView + private lateinit var nameTextView: TextView + private lateinit var introTextView: TextView + private lateinit var loadingOverlay: View + private lateinit var ageView: View + private var detailsBlur: BlurView? = null + private lateinit var morePopupView: View + private lateinit var moreButton: View + private var companionId: Int = -1 + private var fetchJob: Job? = null + private val minLoadingDurationMs = 300L + private var loadingShownAtMs: Long = 0L + private val hideLoadingRunnable = Runnable { fadeOutLoadingOverlay() } + + override fun onCreateView( + inflater: LayoutInflater, + container: ViewGroup?, + savedInstanceState: Bundle? + ): View? { + return inflater.inflate(R.layout.fragment_circle_character_details, container, false) + } + + override fun onViewCreated(view: View, savedInstanceState: Bundle?) { + super.onViewCreated(view, savedInstanceState) + coverImageView = view.findViewById(R.id.coverImage) + nameTextView = view.findViewById(R.id.name) + introTextView = view.findViewById(R.id.introText) + ageView = view.findViewById(R.id.age) + loadingOverlay = view.findViewById(R.id.loadingOverlay) + detailsBlur = view.findViewById(R.id.detailsBlur) + val closeButton = view.findViewById(R.id.iv_close) + val loadingCloseButton = view.findViewById(R.id.loadingClose) + moreButton = view.findViewById(R.id.iv_more) + morePopupView = view.findViewById(R.id.morePopup) + val root = view.findViewById(R.id.rootCoordinator) + + val backAction = { + cancelLoadingAndRequest() + requireActivity().onBackPressedDispatcher.onBackPressed() + } + closeButton.setOnClickListener { backAction() } + loadingCloseButton.setOnClickListener { backAction() } + ageView.setOnClickListener { backAction() } + moreButton.setOnClickListener { toggleMorePopup() } + morePopupView.setOnClickListener { openReportPage() } + + root.setOnTouchListener { _, event -> + if (event.action == MotionEvent.ACTION_DOWN && morePopupView.visibility == View.VISIBLE) { + val insidePopup = isPointInsideView(event.rawX, event.rawY, morePopupView) + val insideMore = isPointInsideView(event.rawX, event.rawY, moreButton) + if (!insidePopup && !insideMore) { + hideMorePopup() + } + } + false + } + + setupDetailsBlur() + + companionId = arguments?.getInt(ARG_COMPANION_ID, -1) ?: -1 + if (companionId > 0) { + fetchCompanionDetail(companionId) + } + } + + private fun fetchCompanionDetail(companionId: Int) { + fetchJob?.cancel() + fetchJob = viewLifecycleOwner.lifecycleScope.launch { + showLoadingOverlay() + val response = withContext(Dispatchers.IO) { + try { + RetrofitClient.apiService.companionDetail(companionId.toString()) + } catch (e: CancellationException) { + throw e + } catch (e: Exception) { + null + } + } + Log.d("CircleCharacterDetails", "companionDetail id=$companionId response=$response") + val data = response?.data + if (response?.code == 0 && data != null) { + nameTextView.text = data.name + introTextView.text = data.introText + Glide.with(coverImageView) + .load(data.coverImageUrl) + .placeholder(R.drawable.bg) + .error(R.drawable.bg) + .transition(DrawableTransitionOptions.withCrossFade(180)) + .listener(object : RequestListener { + override fun onLoadFailed( + e: GlideException?, + model: Any?, + target: Target, + isFirstResource: Boolean + ): Boolean { + Log.e("CircleCharacterDetails", "cover image load failed", e) + return false + } + + override fun onResourceReady( + resource: Drawable, + model: Any, + target: Target, + dataSource: DataSource, + isFirstResource: Boolean + ): Boolean { + hideLoadingOverlay() + return false + } + }) + .into(coverImageView) + } + } + } + + private fun showLoadingOverlay() { + loadingOverlay.removeCallbacks(hideLoadingRunnable) + loadingOverlay.animate().cancel() + loadingOverlay.alpha = 1f + loadingOverlay.visibility = View.VISIBLE + loadingShownAtMs = SystemClock.uptimeMillis() + } + + private fun hideLoadingOverlay() { + if (loadingOverlay.visibility != View.VISIBLE) { + return + } + loadingOverlay.removeCallbacks(hideLoadingRunnable) + val elapsed = SystemClock.uptimeMillis() - loadingShownAtMs + val remaining = minLoadingDurationMs - elapsed + if (remaining > 0) { + loadingOverlay.postDelayed(hideLoadingRunnable, remaining) + } else { + fadeOutLoadingOverlay() + } + } + + private fun fadeOutLoadingOverlay() { + loadingOverlay.animate().cancel() + loadingOverlay.animate() + .alpha(0f) + .setDuration(420) + .withEndAction { + loadingOverlay.visibility = View.GONE + loadingOverlay.alpha = 1f + } + .start() + } + + private fun setupDetailsBlur() { + val blurView = detailsBlur ?: return + if (Build.VERSION.SDK_INT < Build.VERSION_CODES.LOLLIPOP) { + blurView.visibility = View.GONE + return + } + val rootView = activity?.findViewById(android.R.id.content)?.getChildAt(0) as? ViewGroup + ?: return + + val blurRadius = if (Build.VERSION.SDK_INT >= Build.VERSION_CODES.S) 14f else 10f + try { + val algorithm = if (Build.VERSION.SDK_INT >= Build.VERSION_CODES.S) { + RenderEffectBlur() + } else { + RenderScriptBlur(requireContext()) + } + blurView.setupWith(rootView, algorithm) + .setFrameClearDrawable(requireActivity().window.decorView.background) + .setBlurRadius(blurRadius) + .setBlurAutoUpdate(true) + .setOverlayColor(ContextCompat.getColor(requireContext(), R.color.frosted_glass_bg_deep)) + } catch (_: Throwable) { + blurView.visibility = View.GONE + } + } + + private fun cancelLoadingAndRequest() { + fetchJob?.cancel() + fetchJob = null + loadingOverlay.removeCallbacks(hideLoadingRunnable) + loadingOverlay.animate().cancel() + loadingOverlay.visibility = View.GONE + loadingOverlay.alpha = 1f + } + + private fun toggleMorePopup() { + if (morePopupView.visibility == View.VISIBLE) { + hideMorePopup() + } else { + morePopupView.visibility = View.VISIBLE + morePopupView.bringToFront() + } + } + + private fun hideMorePopup() { + morePopupView.visibility = View.GONE + } + + private fun openReportPage() { + if (companionId <= 0) { + return + } + hideMorePopup() + AuthEventBus.emit( + AuthEvent.OpenCirclePage( + R.id.circleAiCharacterReportFragment, + bundleOf(ARG_COMPANION_ID to companionId) + ) + ) + } + + private fun isPointInsideView(rawX: Float, rawY: Float, view: View): Boolean { + val location = IntArray(2) + view.getLocationOnScreen(location) + val left = location[0] + val top = location[1] + val right = left + view.width + val bottom = top + view.height + return rawX >= left && rawX <= right && rawY >= top && rawY <= bottom + } + + override fun onDestroyView() { + if (this::morePopupView.isInitialized) { + morePopupView.visibility = View.GONE + } + fetchJob?.cancel() + fetchJob = null + detailsBlur = null + super.onDestroyView() + } + + companion object { + const val ARG_COMPANION_ID = "arg_companion_id" + } +} diff --git a/app/src/main/res/anim/circle_audio_loading.xml b/app/src/main/res/anim/circle_audio_loading.xml new file mode 100644 index 0000000..90fe553 --- /dev/null +++ b/app/src/main/res/anim/circle_audio_loading.xml @@ -0,0 +1,9 @@ + + diff --git a/app/src/main/res/anim/circle_sheet_enter.xml b/app/src/main/res/anim/circle_sheet_enter.xml new file mode 100644 index 0000000..dd2c1b0 --- /dev/null +++ b/app/src/main/res/anim/circle_sheet_enter.xml @@ -0,0 +1,12 @@ + + + + + diff --git a/app/src/main/res/anim/circle_sheet_exit.xml b/app/src/main/res/anim/circle_sheet_exit.xml new file mode 100644 index 0000000..1b42f5a --- /dev/null +++ b/app/src/main/res/anim/circle_sheet_exit.xml @@ -0,0 +1,12 @@ + + + + + diff --git a/app/src/main/res/anim/circle_text_loading.xml b/app/src/main/res/anim/circle_text_loading.xml new file mode 100644 index 0000000..c89df9e --- /dev/null +++ b/app/src/main/res/anim/circle_text_loading.xml @@ -0,0 +1,7 @@ + + diff --git a/app/src/main/res/drawable/a123123123.jpg b/app/src/main/res/drawable/a123123123.jpg deleted file mode 100644 index 283f03b..0000000 Binary files a/app/src/main/res/drawable/a123123123.jpg and /dev/null differ diff --git a/app/src/main/res/drawable/a123123123.png b/app/src/main/res/drawable/a123123123.png new file mode 100644 index 0000000..a5936d2 Binary files /dev/null and b/app/src/main/res/drawable/a123123123.png differ diff --git a/app/src/main/res/drawable/acttivity_guide_btn_bg.xml b/app/src/main/res/drawable/acttivity_guide_btn_bg.xml index 9b823f7..4b615a5 100644 --- a/app/src/main/res/drawable/acttivity_guide_btn_bg.xml +++ b/app/src/main/res/drawable/acttivity_guide_btn_bg.xml @@ -1,5 +1,5 @@ - + \ No newline at end of file diff --git a/app/src/main/res/drawable/ai_caard_bg.xml b/app/src/main/res/drawable/ai_caard_bg.xml index 9ee15f6..ec7b87e 100644 --- a/app/src/main/res/drawable/ai_caard_bg.xml +++ b/app/src/main/res/drawable/ai_caard_bg.xml @@ -1,5 +1,5 @@ - + \ No newline at end of file diff --git a/app/src/main/res/drawable/bg_chat_audio_button.xml b/app/src/main/res/drawable/bg_chat_audio_button.xml new file mode 100644 index 0000000..9a2041b --- /dev/null +++ b/app/src/main/res/drawable/bg_chat_audio_button.xml @@ -0,0 +1,5 @@ + + + + + diff --git a/app/src/main/res/drawable/bg_chat_bubble_bot.xml b/app/src/main/res/drawable/bg_chat_bubble_bot.xml new file mode 100644 index 0000000..63be335 --- /dev/null +++ b/app/src/main/res/drawable/bg_chat_bubble_bot.xml @@ -0,0 +1,6 @@ + + + + + + diff --git a/app/src/main/res/drawable/bg_chat_bubble_me.xml b/app/src/main/res/drawable/bg_chat_bubble_me.xml new file mode 100644 index 0000000..b744b12 --- /dev/null +++ b/app/src/main/res/drawable/bg_chat_bubble_me.xml @@ -0,0 +1,6 @@ + + + + + + diff --git a/app/src/main/res/drawable/bg_chat_footer_placeholder.xml b/app/src/main/res/drawable/bg_chat_footer_placeholder.xml new file mode 100644 index 0000000..63cf929 --- /dev/null +++ b/app/src/main/res/drawable/bg_chat_footer_placeholder.xml @@ -0,0 +1,4 @@ + + + + diff --git a/app/src/main/res/drawable/bg_chat_frosted_gradient.xml b/app/src/main/res/drawable/bg_chat_frosted_gradient.xml new file mode 100644 index 0000000..f506db0 --- /dev/null +++ b/app/src/main/res/drawable/bg_chat_frosted_gradient.xml @@ -0,0 +1,7 @@ + + + + diff --git a/app/src/main/res/drawable/bg_chat_input.xml b/app/src/main/res/drawable/bg_chat_input.xml new file mode 100644 index 0000000..140ad78 --- /dev/null +++ b/app/src/main/res/drawable/bg_chat_input.xml @@ -0,0 +1,5 @@ + + + + + diff --git a/app/src/main/res/drawable/bg_chat_send.xml b/app/src/main/res/drawable/bg_chat_send.xml new file mode 100644 index 0000000..8c7fe1a --- /dev/null +++ b/app/src/main/res/drawable/bg_chat_send.xml @@ -0,0 +1,6 @@ + + + + + + diff --git a/app/src/main/res/drawable/bg_chat_text_box.xml b/app/src/main/res/drawable/bg_chat_text_box.xml new file mode 100644 index 0000000..fe858b9 --- /dev/null +++ b/app/src/main/res/drawable/bg_chat_text_box.xml @@ -0,0 +1,6 @@ + + + + + + diff --git a/app/src/main/res/drawable/bg_chat_text_box_edit_text.xml b/app/src/main/res/drawable/bg_chat_text_box_edit_text.xml new file mode 100644 index 0000000..9cdb093 --- /dev/null +++ b/app/src/main/res/drawable/bg_chat_text_box_edit_text.xml @@ -0,0 +1,5 @@ + + + + + diff --git a/app/src/main/res/drawable/bg_chat_voice_cancel_input.xml b/app/src/main/res/drawable/bg_chat_voice_cancel_input.xml new file mode 100644 index 0000000..48fc461 --- /dev/null +++ b/app/src/main/res/drawable/bg_chat_voice_cancel_input.xml @@ -0,0 +1,4 @@ + + + + diff --git a/app/src/main/res/drawable/bg_chat_voice_input.xml b/app/src/main/res/drawable/bg_chat_voice_input.xml new file mode 100644 index 0000000..d61da65 --- /dev/null +++ b/app/src/main/res/drawable/bg_chat_voice_input.xml @@ -0,0 +1,4 @@ + + + + diff --git a/app/src/main/res/drawable/bg_circle_character_more_popup.xml b/app/src/main/res/drawable/bg_circle_character_more_popup.xml new file mode 100644 index 0000000..fd7be93 --- /dev/null +++ b/app/src/main/res/drawable/bg_circle_character_more_popup.xml @@ -0,0 +1,4 @@ + + + + diff --git a/app/src/main/res/drawable/bg_circle_comment_blur_round.xml b/app/src/main/res/drawable/bg_circle_comment_blur_round.xml new file mode 100644 index 0000000..99795be --- /dev/null +++ b/app/src/main/res/drawable/bg_circle_comment_blur_round.xml @@ -0,0 +1,9 @@ + + + + + diff --git a/app/src/main/res/drawable/bg_delete_btn.xml b/app/src/main/res/drawable/bg_delete_btn.xml index 524113d..8c75494 100644 --- a/app/src/main/res/drawable/bg_delete_btn.xml +++ b/app/src/main/res/drawable/bg_delete_btn.xml @@ -1,5 +1,5 @@ - + diff --git a/app/src/main/res/drawable/bg_dialog_button.xml b/app/src/main/res/drawable/bg_dialog_button.xml index f56a115..80bd9bc 100644 --- a/app/src/main/res/drawable/bg_dialog_button.xml +++ b/app/src/main/res/drawable/bg_dialog_button.xml @@ -2,5 +2,5 @@ - + diff --git a/app/src/main/res/drawable/bg_dialog_no_network.xml b/app/src/main/res/drawable/bg_dialog_no_network.xml index 40b3218..efb084d 100644 --- a/app/src/main/res/drawable/bg_dialog_no_network.xml +++ b/app/src/main/res/drawable/bg_dialog_no_network.xml @@ -2,5 +2,5 @@ - + diff --git a/app/src/main/res/drawable/bg_dialog_round.xml b/app/src/main/res/drawable/bg_dialog_round.xml index 18d14f5..9bf703a 100644 --- a/app/src/main/res/drawable/bg_dialog_round.xml +++ b/app/src/main/res/drawable/bg_dialog_round.xml @@ -1,4 +1,4 @@ - + diff --git a/app/src/main/res/drawable/bg_report_reason.xml b/app/src/main/res/drawable/bg_report_reason.xml new file mode 100644 index 0000000..3e6f5d4 --- /dev/null +++ b/app/src/main/res/drawable/bg_report_reason.xml @@ -0,0 +1,4 @@ + + + + \ No newline at end of file diff --git a/app/src/main/res/drawable/bg_search_box.xml b/app/src/main/res/drawable/bg_search_box.xml new file mode 100644 index 0000000..cbf5ddb --- /dev/null +++ b/app/src/main/res/drawable/bg_search_box.xml @@ -0,0 +1,7 @@ + + + + + + diff --git a/app/src/main/res/drawable/bg_sub_tab.xml b/app/src/main/res/drawable/bg_sub_tab.xml index 0f9e474..fcc3f4f 100644 --- a/app/src/main/res/drawable/bg_sub_tab.xml +++ b/app/src/main/res/drawable/bg_sub_tab.xml @@ -3,7 +3,7 @@ - + @@ -11,7 +11,7 @@ - + diff --git a/app/src/main/res/drawable/bg_top_tab.xml b/app/src/main/res/drawable/bg_top_tab.xml index 9b8ff42..40f93a0 100644 --- a/app/src/main/res/drawable/bg_top_tab.xml +++ b/app/src/main/res/drawable/bg_top_tab.xml @@ -3,7 +3,7 @@ - + @@ -11,7 +11,7 @@ - + diff --git a/app/src/main/res/drawable/bs_handle_bg.xml b/app/src/main/res/drawable/bs_handle_bg.xml index 6b11adb..8ba70fb 100644 --- a/app/src/main/res/drawable/bs_handle_bg.xml +++ b/app/src/main/res/drawable/bs_handle_bg.xml @@ -1,5 +1,5 @@ - + diff --git a/app/src/main/res/drawable/btn_keyboard.xml b/app/src/main/res/drawable/btn_keyboard.xml index aa2962b..5ee1fbd 100644 --- a/app/src/main/res/drawable/btn_keyboard.xml +++ b/app/src/main/res/drawable/btn_keyboard.xml @@ -3,14 +3,14 @@ - + - + diff --git a/app/src/main/res/drawable/btn_keyboard_function.xml b/app/src/main/res/drawable/btn_keyboard_function.xml index 55449a1..81b561f 100644 --- a/app/src/main/res/drawable/btn_keyboard_function.xml +++ b/app/src/main/res/drawable/btn_keyboard_function.xml @@ -4,8 +4,8 @@ - - + + @@ -13,8 +13,8 @@ - - + + @@ -22,8 +22,8 @@ - - + + diff --git a/app/src/main/res/drawable/button_cancel_background.xml b/app/src/main/res/drawable/button_cancel_background.xml index 7d2cfe8..bc8c84e 100644 --- a/app/src/main/res/drawable/button_cancel_background.xml +++ b/app/src/main/res/drawable/button_cancel_background.xml @@ -1,5 +1,5 @@ - + diff --git a/app/src/main/res/drawable/button_confirm_background.xml b/app/src/main/res/drawable/button_confirm_background.xml index e7ef7c8..86d086d 100644 --- a/app/src/main/res/drawable/button_confirm_background.xml +++ b/app/src/main/res/drawable/button_confirm_background.xml @@ -1,5 +1,5 @@ - + diff --git a/app/src/main/res/drawable/circle_display.png b/app/src/main/res/drawable/circle_display.png new file mode 100644 index 0000000..c40d35b Binary files /dev/null and b/app/src/main/res/drawable/circle_display.png differ diff --git a/app/src/main/res/drawable/close_the_comment_box.png b/app/src/main/res/drawable/close_the_comment_box.png new file mode 100644 index 0000000..8acad76 Binary files /dev/null and b/app/src/main/res/drawable/close_the_comment_box.png differ diff --git a/app/src/main/res/drawable/code_box_bg.xml b/app/src/main/res/drawable/code_box_bg.xml index d3dde44..0ac058e 100644 --- a/app/src/main/res/drawable/code_box_bg.xml +++ b/app/src/main/res/drawable/code_box_bg.xml @@ -1,4 +1,4 @@ - + \ No newline at end of file diff --git a/app/src/main/res/drawable/collect.png b/app/src/main/res/drawable/collect.png new file mode 100644 index 0000000..24d7b35 Binary files /dev/null and b/app/src/main/res/drawable/collect.png differ diff --git a/app/src/main/res/drawable/comment.png b/app/src/main/res/drawable/comment.png new file mode 100644 index 0000000..52060b4 Binary files /dev/null and b/app/src/main/res/drawable/comment.png differ diff --git a/app/src/main/res/drawable/comment_has_been_liked.png b/app/src/main/res/drawable/comment_has_been_liked.png new file mode 100644 index 0000000..37afd8d Binary files /dev/null and b/app/src/main/res/drawable/comment_has_been_liked.png differ diff --git a/app/src/main/res/drawable/comment_input_bg.xml b/app/src/main/res/drawable/comment_input_bg.xml new file mode 100644 index 0000000..3805eb7 --- /dev/null +++ b/app/src/main/res/drawable/comment_input_bg.xml @@ -0,0 +1,6 @@ + + + + + + \ No newline at end of file diff --git a/app/src/main/res/drawable/comment_likes.png b/app/src/main/res/drawable/comment_likes.png new file mode 100644 index 0000000..c8f4386 Binary files /dev/null and b/app/src/main/res/drawable/comment_likes.png differ diff --git a/app/src/main/res/drawable/complete_bg.xml b/app/src/main/res/drawable/complete_bg.xml index 0cd9d1c..29543c7 100644 --- a/app/src/main/res/drawable/complete_bg.xml +++ b/app/src/main/res/drawable/complete_bg.xml @@ -6,10 +6,10 @@ + android:radius="@dimen/sw_4dp" /> \ No newline at end of file diff --git a/app/src/main/res/drawable/complete_close_bg.xml b/app/src/main/res/drawable/complete_close_bg.xml index c8b23d0..a14624f 100644 --- a/app/src/main/res/drawable/complete_close_bg.xml +++ b/app/src/main/res/drawable/complete_close_bg.xml @@ -3,7 +3,7 @@ + android:bottomRightRadius="@dimen/sw_4dp" /> \ No newline at end of file diff --git a/app/src/main/res/drawable/consumption_details_bg.xml b/app/src/main/res/drawable/consumption_details_bg.xml index 445361e..2bbd0b2 100644 --- a/app/src/main/res/drawable/consumption_details_bg.xml +++ b/app/src/main/res/drawable/consumption_details_bg.xml @@ -11,7 +11,7 @@ - + diff --git a/app/src/main/res/drawable/details_of_ai_character_bottom_bg.xml b/app/src/main/res/drawable/details_of_ai_character_bottom_bg.xml new file mode 100644 index 0000000..758114a --- /dev/null +++ b/app/src/main/res/drawable/details_of_ai_character_bottom_bg.xml @@ -0,0 +1,8 @@ + + + + + \ No newline at end of file diff --git a/app/src/main/res/drawable/details_of_ai_character_close.png b/app/src/main/res/drawable/details_of_ai_character_close.png new file mode 100644 index 0000000..f98da1a Binary files /dev/null and b/app/src/main/res/drawable/details_of_ai_character_close.png differ diff --git a/app/src/main/res/drawable/details_of_ai_character_close_more.png b/app/src/main/res/drawable/details_of_ai_character_close_more.png new file mode 100644 index 0000000..9e11b3e Binary files /dev/null and b/app/src/main/res/drawable/details_of_ai_character_close_more.png differ diff --git a/app/src/main/res/drawable/details_of_ai_character_more_icon.png b/app/src/main/res/drawable/details_of_ai_character_more_icon.png new file mode 100644 index 0000000..171eb61 Binary files /dev/null and b/app/src/main/res/drawable/details_of_ai_character_more_icon.png differ diff --git a/app/src/main/res/drawable/dialog_background.xml b/app/src/main/res/drawable/dialog_background.xml index ca7d6bf..160e8c7 100644 --- a/app/src/main/res/drawable/dialog_background.xml +++ b/app/src/main/res/drawable/dialog_background.xml @@ -1,5 +1,5 @@ - + diff --git a/app/src/main/res/drawable/dialog_confirm_reset_chat_again_bg.xml b/app/src/main/res/drawable/dialog_confirm_reset_chat_again_bg.xml new file mode 100644 index 0000000..d6d05bd --- /dev/null +++ b/app/src/main/res/drawable/dialog_confirm_reset_chat_again_bg.xml @@ -0,0 +1,8 @@ + + + + + \ No newline at end of file diff --git a/app/src/main/res/drawable/dialog_confirm_reset_chat_delete_bg.xml b/app/src/main/res/drawable/dialog_confirm_reset_chat_delete_bg.xml new file mode 100644 index 0000000..b5083b2 --- /dev/null +++ b/app/src/main/res/drawable/dialog_confirm_reset_chat_delete_bg.xml @@ -0,0 +1,5 @@ + + + + + \ No newline at end of file diff --git a/app/src/main/res/drawable/dialog_persona_detail_bg.xml b/app/src/main/res/drawable/dialog_persona_detail_bg.xml index 8cceef2..1da4d90 100644 --- a/app/src/main/res/drawable/dialog_persona_detail_bg.xml +++ b/app/src/main/res/drawable/dialog_persona_detail_bg.xml @@ -1,5 +1,5 @@ - + \ No newline at end of file diff --git a/app/src/main/res/drawable/gender_background.xml b/app/src/main/res/drawable/gender_background.xml index 47a483c..10c6d41 100644 --- a/app/src/main/res/drawable/gender_background.xml +++ b/app/src/main/res/drawable/gender_background.xml @@ -1,6 +1,6 @@ - - + + \ No newline at end of file diff --git a/app/src/main/res/drawable/gender_background_select.xml b/app/src/main/res/drawable/gender_background_select.xml index c5996f6..9f9b07d 100644 --- a/app/src/main/res/drawable/gender_background_select.xml +++ b/app/src/main/res/drawable/gender_background_select.xml @@ -1,6 +1,6 @@ - - + + \ No newline at end of file diff --git a/app/src/main/res/drawable/gold_coin_background_required.xml b/app/src/main/res/drawable/gold_coin_background_required.xml index 2f4fd7c..4a99215 100644 --- a/app/src/main/res/drawable/gold_coin_background_required.xml +++ b/app/src/main/res/drawable/gold_coin_background_required.xml @@ -1,7 +1,7 @@ - + - + \ No newline at end of file diff --git a/app/src/main/res/drawable/gold_coin_bg.xml b/app/src/main/res/drawable/gold_coin_bg.xml index b326e83..afae7e2 100644 --- a/app/src/main/res/drawable/gold_coin_bg.xml +++ b/app/src/main/res/drawable/gold_coin_bg.xml @@ -1,7 +1,7 @@ - + - + \ No newline at end of file diff --git a/app/src/main/res/drawable/gold_coin_recharge_bt_bg.xml b/app/src/main/res/drawable/gold_coin_recharge_bt_bg.xml index ae86436..b3527d7 100644 --- a/app/src/main/res/drawable/gold_coin_recharge_bt_bg.xml +++ b/app/src/main/res/drawable/gold_coin_recharge_bt_bg.xml @@ -3,12 +3,12 @@ diff --git a/app/src/main/res/drawable/gold_coin_recharge_package_bg.xml b/app/src/main/res/drawable/gold_coin_recharge_package_bg.xml index 6175cee..ec6e3fe 100644 --- a/app/src/main/res/drawable/gold_coin_recharge_package_bg.xml +++ b/app/src/main/res/drawable/gold_coin_recharge_package_bg.xml @@ -6,6 +6,6 @@ android:endColor="#FFFFFF" android:angle="-90" /> - + \ No newline at end of file diff --git a/app/src/main/res/drawable/history_item_bg.xml b/app/src/main/res/drawable/history_item_bg.xml index 8b26972..258178f 100644 --- a/app/src/main/res/drawable/history_item_bg.xml +++ b/app/src/main/res/drawable/history_item_bg.xml @@ -1,6 +1,6 @@ - - + + diff --git a/app/src/main/res/drawable/ic_added.xml b/app/src/main/res/drawable/ic_added.xml index 54ffb2c..660ad04 100644 --- a/app/src/main/res/drawable/ic_added.xml +++ b/app/src/main/res/drawable/ic_added.xml @@ -1,5 +1,5 @@ - + \ No newline at end of file diff --git a/app/src/main/res/drawable/ic_delete_chat.xml b/app/src/main/res/drawable/ic_delete_chat.xml new file mode 100644 index 0000000..5f06eca --- /dev/null +++ b/app/src/main/res/drawable/ic_delete_chat.xml @@ -0,0 +1,10 @@ + + + + diff --git a/app/src/main/res/drawable/ic_language.xml b/app/src/main/res/drawable/ic_language.xml index 2bb0ce9..cbff913 100644 --- a/app/src/main/res/drawable/ic_language.xml +++ b/app/src/main/res/drawable/ic_language.xml @@ -1,6 +1,6 @@ diff --git a/app/src/main/res/drawable/ic_menu_search.png b/app/src/main/res/drawable/ic_menu_search.png new file mode 100644 index 0000000..fed41c4 Binary files /dev/null and b/app/src/main/res/drawable/ic_menu_search.png differ diff --git a/app/src/main/res/drawable/ime_guide_activity_btn_completed.xml b/app/src/main/res/drawable/ime_guide_activity_btn_completed.xml index 1c04006..07b1c92 100644 --- a/app/src/main/res/drawable/ime_guide_activity_btn_completed.xml +++ b/app/src/main/res/drawable/ime_guide_activity_btn_completed.xml @@ -1,6 +1,6 @@ - - + + \ No newline at end of file diff --git a/app/src/main/res/drawable/ime_guide_activity_btn_unfinished.xml b/app/src/main/res/drawable/ime_guide_activity_btn_unfinished.xml index aba31ae..7dc2253 100644 --- a/app/src/main/res/drawable/ime_guide_activity_btn_unfinished.xml +++ b/app/src/main/res/drawable/ime_guide_activity_btn_unfinished.xml @@ -1,6 +1,6 @@ - - + + \ No newline at end of file diff --git a/app/src/main/res/drawable/input_box_bg.xml b/app/src/main/res/drawable/input_box_bg.xml index 9d43401..e5b95f5 100644 --- a/app/src/main/res/drawable/input_box_bg.xml +++ b/app/src/main/res/drawable/input_box_bg.xml @@ -1,5 +1,5 @@ - + \ No newline at end of file diff --git a/app/src/main/res/drawable/input_message_bg.xml b/app/src/main/res/drawable/input_message_bg.xml index fe29d2d..76d7f9f 100644 --- a/app/src/main/res/drawable/input_message_bg.xml +++ b/app/src/main/res/drawable/input_message_bg.xml @@ -1,5 +1,5 @@ - + \ No newline at end of file diff --git a/app/src/main/res/drawable/keyboard_button_bg1.xml b/app/src/main/res/drawable/keyboard_button_bg1.xml index 9a4547a..e3b2279 100644 --- a/app/src/main/res/drawable/keyboard_button_bg1.xml +++ b/app/src/main/res/drawable/keyboard_button_bg1.xml @@ -1,5 +1,5 @@ - + \ No newline at end of file diff --git a/app/src/main/res/drawable/keyboard_button_bg2.xml b/app/src/main/res/drawable/keyboard_button_bg2.xml index 829a810..c6a9c58 100644 --- a/app/src/main/res/drawable/keyboard_button_bg2.xml +++ b/app/src/main/res/drawable/keyboard_button_bg2.xml @@ -1,5 +1,5 @@ - + \ No newline at end of file diff --git a/app/src/main/res/drawable/keyboard_button_bg3.xml b/app/src/main/res/drawable/keyboard_button_bg3.xml index 76a2433..f54db10 100644 --- a/app/src/main/res/drawable/keyboard_button_bg3.xml +++ b/app/src/main/res/drawable/keyboard_button_bg3.xml @@ -1,5 +1,5 @@ - + \ No newline at end of file diff --git a/app/src/main/res/drawable/keyboard_button_bg4.xml b/app/src/main/res/drawable/keyboard_button_bg4.xml index 087d556..7b6b651 100644 --- a/app/src/main/res/drawable/keyboard_button_bg4.xml +++ b/app/src/main/res/drawable/keyboard_button_bg4.xml @@ -1,5 +1,5 @@ - + \ No newline at end of file diff --git a/app/src/main/res/drawable/keyboard_button_bg5.xml b/app/src/main/res/drawable/keyboard_button_bg5.xml index 62c3bab..d9e44f1 100644 --- a/app/src/main/res/drawable/keyboard_button_bg5.xml +++ b/app/src/main/res/drawable/keyboard_button_bg5.xml @@ -1,5 +1,5 @@ - + \ No newline at end of file diff --git a/app/src/main/res/drawable/keyboard_datail_display.xml b/app/src/main/res/drawable/keyboard_datail_display.xml index a511ce8..9f0ad62 100644 --- a/app/src/main/res/drawable/keyboard_datail_display.xml +++ b/app/src/main/res/drawable/keyboard_datail_display.xml @@ -1,4 +1,4 @@ - + \ No newline at end of file diff --git a/app/src/main/res/drawable/keyboard_ettings.xml b/app/src/main/res/drawable/keyboard_ettings.xml index 087d556..7b6b651 100644 --- a/app/src/main/res/drawable/keyboard_ettings.xml +++ b/app/src/main/res/drawable/keyboard_ettings.xml @@ -1,5 +1,5 @@ - + \ No newline at end of file diff --git a/app/src/main/res/drawable/language_input.png b/app/src/main/res/drawable/language_input.png new file mode 100644 index 0000000..82ccec9 Binary files /dev/null and b/app/src/main/res/drawable/language_input.png differ diff --git a/app/src/main/res/drawable/like.png b/app/src/main/res/drawable/like.png new file mode 100644 index 0000000..46aa4b6 Binary files /dev/null and b/app/src/main/res/drawable/like.png differ diff --git a/app/src/main/res/drawable/like_select.png b/app/src/main/res/drawable/like_select.png new file mode 100644 index 0000000..2178ef5 Binary files /dev/null and b/app/src/main/res/drawable/like_select.png differ diff --git a/app/src/main/res/drawable/list_two_bg.xml b/app/src/main/res/drawable/list_two_bg.xml index d0433a5..34195c3 100644 --- a/app/src/main/res/drawable/list_two_bg.xml +++ b/app/src/main/res/drawable/list_two_bg.xml @@ -1,5 +1,5 @@ - + \ No newline at end of file diff --git a/app/src/main/res/drawable/list_two_bg_already.xml b/app/src/main/res/drawable/list_two_bg_already.xml index 37d8946..e7a1321 100644 --- a/app/src/main/res/drawable/list_two_bg_already.xml +++ b/app/src/main/res/drawable/list_two_bg_already.xml @@ -1,5 +1,5 @@ - + \ No newline at end of file diff --git a/app/src/main/res/drawable/login_btn_bg.xml b/app/src/main/res/drawable/login_btn_bg.xml index b21c780..0541b66 100644 --- a/app/src/main/res/drawable/login_btn_bg.xml +++ b/app/src/main/res/drawable/login_btn_bg.xml @@ -1,5 +1,5 @@ - + \ No newline at end of file diff --git a/app/src/main/res/drawable/login_content_bg.xml b/app/src/main/res/drawable/login_content_bg.xml index d9fcb65..c781e4a 100644 --- a/app/src/main/res/drawable/login_content_bg.xml +++ b/app/src/main/res/drawable/login_content_bg.xml @@ -3,12 +3,12 @@ \ No newline at end of file diff --git a/app/src/main/res/drawable/menu_list_not_selected.png b/app/src/main/res/drawable/menu_list_not_selected.png new file mode 100644 index 0000000..34569bf Binary files /dev/null and b/app/src/main/res/drawable/menu_list_not_selected.png differ diff --git a/app/src/main/res/drawable/menu_list_selected.png b/app/src/main/res/drawable/menu_list_selected.png new file mode 100644 index 0000000..0973396 Binary files /dev/null and b/app/src/main/res/drawable/menu_list_selected.png differ diff --git a/app/src/main/res/drawable/my_keyboard_cancel.xml b/app/src/main/res/drawable/my_keyboard_cancel.xml index 16990a2..bbe42cf 100644 --- a/app/src/main/res/drawable/my_keyboard_cancel.xml +++ b/app/src/main/res/drawable/my_keyboard_cancel.xml @@ -1,5 +1,5 @@ - + \ No newline at end of file diff --git a/app/src/main/res/drawable/my_keyboard_delete.xml b/app/src/main/res/drawable/my_keyboard_delete.xml index ea8bc9d..0263fb1 100644 --- a/app/src/main/res/drawable/my_keyboard_delete.xml +++ b/app/src/main/res/drawable/my_keyboard_delete.xml @@ -1,5 +1,5 @@ - + \ No newline at end of file diff --git a/app/src/main/res/drawable/mykeyboard_bg.xml b/app/src/main/res/drawable/mykeyboard_bg.xml index 6b133e5..9811244 100644 --- a/app/src/main/res/drawable/mykeyboard_bg.xml +++ b/app/src/main/res/drawable/mykeyboard_bg.xml @@ -3,12 +3,12 @@ \ No newline at end of file diff --git a/app/src/main/res/drawable/other_party_message.xml b/app/src/main/res/drawable/other_party_message.xml index 3b0ceb2..c8883b2 100644 --- a/app/src/main/res/drawable/other_party_message.xml +++ b/app/src/main/res/drawable/other_party_message.xml @@ -2,8 +2,8 @@ android:shape="rectangle"> + android:bottomLeftRadius="@dimen/sw_10dp" + android:bottomRightRadius="@dimen/sw_10dp" /> \ No newline at end of file diff --git a/app/src/main/res/drawable/our_news.xml b/app/src/main/res/drawable/our_news.xml index 768015e..1817544 100644 --- a/app/src/main/res/drawable/our_news.xml +++ b/app/src/main/res/drawable/our_news.xml @@ -3,7 +3,7 @@ + android:topRightRadius="@dimen/sw_10dp" + android:bottomLeftRadius="@dimen/sw_10dp" + android:bottomRightRadius="@dimen/sw_10dp" /> \ No newline at end of file diff --git a/app/src/main/res/drawable/recharge_card_bg.xml b/app/src/main/res/drawable/recharge_card_bg.xml index 44606ef..5ded44e 100644 --- a/app/src/main/res/drawable/recharge_card_bg.xml +++ b/app/src/main/res/drawable/recharge_card_bg.xml @@ -2,6 +2,6 @@ android:shape="rectangle"> - + \ No newline at end of file diff --git a/app/src/main/res/drawable/report_not_selected.png b/app/src/main/res/drawable/report_not_selected.png new file mode 100644 index 0000000..376cdd8 Binary files /dev/null and b/app/src/main/res/drawable/report_not_selected.png differ diff --git a/app/src/main/res/drawable/report_selection.png b/app/src/main/res/drawable/report_selection.png new file mode 100644 index 0000000..6eeccc9 Binary files /dev/null and b/app/src/main/res/drawable/report_selection.png differ diff --git a/app/src/main/res/drawable/round_bg_one.xml b/app/src/main/res/drawable/round_bg_one.xml index ab73e9f..688b4dd 100644 --- a/app/src/main/res/drawable/round_bg_one.xml +++ b/app/src/main/res/drawable/round_bg_one.xml @@ -2,6 +2,6 @@ android:shape="rectangle"> - + \ No newline at end of file diff --git a/app/src/main/res/drawable/round_bg_others.xml b/app/src/main/res/drawable/round_bg_others.xml index 98dde84..ded3099 100644 --- a/app/src/main/res/drawable/round_bg_others.xml +++ b/app/src/main/res/drawable/round_bg_others.xml @@ -2,6 +2,6 @@ android:shape="rectangle"> - + \ No newline at end of file diff --git a/app/src/main/res/drawable/round_bg_others_already.xml b/app/src/main/res/drawable/round_bg_others_already.xml index d440990..9072eaa 100644 --- a/app/src/main/res/drawable/round_bg_others_already.xml +++ b/app/src/main/res/drawable/round_bg_others_already.xml @@ -2,6 +2,6 @@ android:shape="rectangle"> - + \ No newline at end of file diff --git a/app/src/main/res/drawable/round_bg_three.xml b/app/src/main/res/drawable/round_bg_three.xml index 10bd0cf..8647e7c 100644 --- a/app/src/main/res/drawable/round_bg_three.xml +++ b/app/src/main/res/drawable/round_bg_three.xml @@ -2,6 +2,6 @@ android:shape="rectangle"> - + \ No newline at end of file diff --git a/app/src/main/res/drawable/round_bg_two.xml b/app/src/main/res/drawable/round_bg_two.xml index 0435c16..8657686 100644 --- a/app/src/main/res/drawable/round_bg_two.xml +++ b/app/src/main/res/drawable/round_bg_two.xml @@ -2,6 +2,6 @@ android:shape="rectangle"> - + diff --git a/app/src/main/res/drawable/search_input_bg.xml b/app/src/main/res/drawable/search_input_bg.xml index e6a7d86..4caab9c 100644 --- a/app/src/main/res/drawable/search_input_bg.xml +++ b/app/src/main/res/drawable/search_input_bg.xml @@ -3,8 +3,8 @@ - + diff --git a/app/src/main/res/drawable/selected_circle.png b/app/src/main/res/drawable/selected_circle.png index cfa00ff..2032e75 100644 Binary files a/app/src/main/res/drawable/selected_circle.png and b/app/src/main/res/drawable/selected_circle.png differ diff --git a/app/src/main/res/drawable/send_input.png b/app/src/main/res/drawable/send_input.png new file mode 100644 index 0000000..cccc61d Binary files /dev/null and b/app/src/main/res/drawable/send_input.png differ diff --git a/app/src/main/res/drawable/settings.xml b/app/src/main/res/drawable/settings.xml index 61cd8da..b4dd235 100644 --- a/app/src/main/res/drawable/settings.xml +++ b/app/src/main/res/drawable/settings.xml @@ -2,6 +2,6 @@ android:shape="rectangle"> - + \ No newline at end of file diff --git a/app/src/main/res/drawable/shop_record_bg.xml b/app/src/main/res/drawable/shop_record_bg.xml index e95045f..1514d9d 100644 --- a/app/src/main/res/drawable/shop_record_bg.xml +++ b/app/src/main/res/drawable/shop_record_bg.xml @@ -1,5 +1,5 @@ - + \ No newline at end of file diff --git a/app/src/main/res/drawable/tab_normal_bg.xml b/app/src/main/res/drawable/tab_normal_bg.xml index cb2849c..5ac2e32 100644 --- a/app/src/main/res/drawable/tab_normal_bg.xml +++ b/app/src/main/res/drawable/tab_normal_bg.xml @@ -1,8 +1,8 @@ - + diff --git a/app/src/main/res/drawable/tab_selected_bg.xml b/app/src/main/res/drawable/tab_selected_bg.xml index 72b081f..e3c092a 100644 --- a/app/src/main/res/drawable/tab_selected_bg.xml +++ b/app/src/main/res/drawable/tab_selected_bg.xml @@ -1,8 +1,8 @@ - + diff --git a/app/src/main/res/drawable/tag_background.xml b/app/src/main/res/drawable/tag_background.xml index b4838ba..7be69f0 100644 --- a/app/src/main/res/drawable/tag_background.xml +++ b/app/src/main/res/drawable/tag_background.xml @@ -1,5 +1,5 @@ - + diff --git a/app/src/main/res/drawable/tag_selected_bg.xml b/app/src/main/res/drawable/tag_selected_bg.xml index 98922e8..7e7366c 100644 --- a/app/src/main/res/drawable/tag_selected_bg.xml +++ b/app/src/main/res/drawable/tag_selected_bg.xml @@ -1,5 +1,5 @@ - + \ No newline at end of file diff --git a/app/src/main/res/drawable/tag_unselected_bg.xml b/app/src/main/res/drawable/tag_unselected_bg.xml index d5f26f8..1915c67 100644 --- a/app/src/main/res/drawable/tag_unselected_bg.xml +++ b/app/src/main/res/drawable/tag_unselected_bg.xml @@ -1,6 +1,6 @@ - - + + \ No newline at end of file diff --git a/app/src/main/res/drawable/text_input.png b/app/src/main/res/drawable/text_input.png new file mode 100644 index 0000000..4c8e678 Binary files /dev/null and b/app/src/main/res/drawable/text_input.png differ diff --git a/app/src/main/res/drawable/trash_can.png b/app/src/main/res/drawable/trash_can.png new file mode 100644 index 0000000..9df783e Binary files /dev/null and b/app/src/main/res/drawable/trash_can.png differ diff --git a/app/src/main/res/drawable/turn_keyboard_btn_bg.xml b/app/src/main/res/drawable/turn_keyboard_btn_bg.xml index 0c86e98..8e0bc4c 100644 --- a/app/src/main/res/drawable/turn_keyboard_btn_bg.xml +++ b/app/src/main/res/drawable/turn_keyboard_btn_bg.xml @@ -1,5 +1,5 @@ - + \ No newline at end of file diff --git a/app/src/main/res/drawable/tv_background_bg.xml b/app/src/main/res/drawable/tv_background_bg.xml index c13b660..0c4f844 100644 --- a/app/src/main/res/drawable/tv_background_bg.xml +++ b/app/src/main/res/drawable/tv_background_bg.xml @@ -1,5 +1,5 @@ - + \ No newline at end of file diff --git a/app/src/main/res/drawable/tv_download_count.xml b/app/src/main/res/drawable/tv_download_count.xml index 72a6d27..50a894b 100644 --- a/app/src/main/res/drawable/tv_download_count.xml +++ b/app/src/main/res/drawable/tv_download_count.xml @@ -1,6 +1,6 @@ - - + + \ No newline at end of file diff --git a/app/src/main/res/drawable/tv_skip_bg.xml b/app/src/main/res/drawable/tv_skip_bg.xml index 5e36ea5..5bd4712 100644 --- a/app/src/main/res/drawable/tv_skip_bg.xml +++ b/app/src/main/res/drawable/tv_skip_bg.xml @@ -1,5 +1,5 @@ - + \ No newline at end of file diff --git a/app/src/main/res/drawable/voice_input_icon.png b/app/src/main/res/drawable/voice_input_icon.png new file mode 100644 index 0000000..bf61937 Binary files /dev/null and b/app/src/main/res/drawable/voice_input_icon.png differ diff --git a/app/src/main/res/layout/activity_guide.xml b/app/src/main/res/layout/activity_guide.xml index f6596ba..86f726b 100644 --- a/app/src/main/res/layout/activity_guide.xml +++ b/app/src/main/res/layout/activity_guide.xml @@ -22,12 +22,12 @@ + android:layout_width="@dimen/sw_46dp" + android:layout_marginStart="@dimen/sw_13dp" + android:layout_height="@dimen/sw_46dp"> + android:textSize="@dimen/sw_16sp" /> + android:padding="@dimen/sw_16dp"> @@ -79,51 +79,51 @@ + android:padding="@dimen/sw_10dp"> + android:textSize="@dimen/sw_10sp" /> + android:textSize="@dimen/sw_10sp" + android:lineHeight="@dimen/sw_20dp" /> + android:textSize="@dimen/sw_10sp" /> + android:textSize="@dimen/sw_10sp" /> @@ -141,16 +141,16 @@ android:layout_height="wrap_content" android:gravity="center_vertical" android:background="@drawable/input_message_bg" - android:padding="5dp" - android:layout_marginStart="16dp" - android:layout_marginEnd="16dp" - android:layout_marginBottom="16dp" - android:paddingStart="16dp" + android:padding="@dimen/sw_5dp" + android:layout_marginStart="@dimen/sw_16dp" + android:layout_marginEnd="@dimen/sw_16dp" + android:layout_marginBottom="@dimen/sw_16dp" + android:paddingStart="@dimen/sw_16dp" android:orientation="horizontal" android:layout_gravity="bottom"> diff --git a/app/src/main/res/layout/activity_ime_guide.xml b/app/src/main/res/layout/activity_ime_guide.xml index 2e07fb9..ef4436a 100644 --- a/app/src/main/res/layout/activity_ime_guide.xml +++ b/app/src/main/res/layout/activity_ime_guide.xml @@ -24,40 +24,40 @@ android:orientation="vertical"> + android:layout_width="@dimen/sw_16dp" + android:layout_height="@dimen/sw_13dp"/> + android:layout_width="@dimen/sw_16dp" + android:layout_height="@dimen/sw_13dp"/> diff --git a/app/src/main/res/layout/activity_onboarding.xml b/app/src/main/res/layout/activity_onboarding.xml index 069cbec..e75e15f 100644 --- a/app/src/main/res/layout/activity_onboarding.xml +++ b/app/src/main/res/layout/activity_onboarding.xml @@ -5,7 +5,7 @@ android:layout_height="match_parent"> @@ -14,7 +14,7 @@ android:layout_height="match_parent" android:gravity="center_horizontal" android:orientation="vertical" - android:padding="16dp" + android:padding="@dimen/sw_16dp" app:layout_constraintStart_toStartOf="parent"> @@ -27,14 +27,14 @@ @@ -45,12 +45,12 @@ android:id="@+id/tv_title" android:layout_width="match_parent" android:layout_height="wrap_content" - android:layout_marginTop="30dp" - android:elevation="2dp" + android:layout_marginTop="@dimen/sw_30dp" + android:elevation="@dimen/sw_2dp" android:gravity="center" android:text="@string/gender_hint" android:textColor="#1B1F1A" - android:textSize="24sp" + android:textSize="@dimen/sw_24sp" app:layout_constraintBottom_toBottomOf="parent" app:layout_constraintEnd_toEndOf="parent" app:layout_constraintStart_toStartOf="parent" @@ -58,32 +58,32 @@ @@ -93,10 +93,10 @@ android:layout_width="wrap_content" android:layout_height="wrap_content" android:layout_gravity="center_vertical" - android:layout_marginEnd="60dp" + android:layout_marginEnd="@dimen/sw_60dp" android:text="@string/gender_male" android:textColor="#1B1F1A" - android:textSize="20sp" /> + android:textSize="@dimen/sw_20sp" /> @@ -104,24 +104,24 @@ @@ -130,43 +130,43 @@ android:layout_width="wrap_content" android:layout_height="wrap_content" android:layout_gravity="center_vertical" - android:layout_marginStart="60dp" + android:layout_marginStart="@dimen/sw_60dp" android:text="@string/gender_female" android:textColor="#1B1F1A" - android:textSize="20sp" /> + android:textSize="@dimen/sw_20sp" /> @@ -177,7 +177,7 @@ android:layout_height="wrap_content" android:text="@string/gender_third" android:textColor="#1B1F1A" - android:textSize="20sp" /> + android:textSize="@dimen/sw_20sp" /> @@ -189,13 +189,13 @@ + android:textSize="@dimen/sw_16sp"/> diff --git a/app/src/main/res/layout/activity_recharge.xml b/app/src/main/res/layout/activity_recharge.xml index 2372f67..fe2088c 100644 --- a/app/src/main/res/layout/activity_recharge.xml +++ b/app/src/main/res/layout/activity_recharge.xml @@ -20,19 +20,19 @@ + android:layout_width="@dimen/sw_46dp" + android:layout_height="@dimen/sw_46dp" + android:layout_marginTop="@dimen/_sw_198dp"> @@ -86,11 +86,11 @@ + android:layout_marginTop="@dimen/sw_16dp"> + android:layout_marginTop="@dimen/sw_10dp"> @@ -148,7 +148,7 @@ android:layout_width="0dp" android:layout_height="wrap_content" android:layout_weight="1" - android:layout_marginStart="16dp" + android:layout_marginStart="@dimen/sw_16dp" android:orientation="vertical"> @@ -164,14 +164,14 @@ android:layout_width="wrap_content" android:layout_height="wrap_content" android:orientation="horizontal" - android:layout_marginTop="4dp"> + android:layout_marginTop="@dimen/sw_4dp"> @@ -180,9 +180,9 @@ android:id="@+id/tvOldPrice" android:layout_width="wrap_content" android:layout_height="wrap_content" - android:layout_marginStart="8dp" + android:layout_marginStart="@dimen/sw_8dp" android:text="$4.49" - android:textSize="20sp" + android:textSize="@dimen/sw_20sp" android:textColor="#b3b3b3" /> @@ -190,9 +190,9 @@ @@ -204,44 +204,44 @@ android:layout_width="match_parent" android:layout_height="wrap_content" android:orientation="horizontal" - android:padding="16dp" + android:padding="@dimen/sw_16dp" android:gravity="center_vertical"> + android:padding="@dimen/sw_10dp"> @@ -250,11 +250,11 @@ android:id="@+id/tvComment" android:layout_width="wrap_content" android:layout_height="wrap_content" - android:layout_marginTop="6dp" + android:layout_marginTop="@dimen/sw_6dp" android:text="I highly recommend this APP. It taught me how to chat" android:ellipsize="end" android:maxLines="2" - android:textSize="10sp" + android:textSize="@dimen/sw_10sp" android:textColor="#1B1F1A" /> @@ -262,19 +262,19 @@ @@ -294,8 +294,8 @@ diff --git a/app/src/main/res/layout/ai_keyboard.xml b/app/src/main/res/layout/ai_keyboard.xml index e9246e5..707ab6e 100644 --- a/app/src/main/res/layout/ai_keyboard.xml +++ b/app/src/main/res/layout/ai_keyboard.xml @@ -8,16 +8,16 @@ + android:layout_marginTop="@dimen/sw_3dp" + android:paddingStart="@dimen/sw_12dp" + android:paddingEnd="@dimen/sw_8dp"> @@ -54,12 +54,12 @@ @@ -72,26 +72,26 @@ + android:textSize="@dimen/sw_13sp" /> @@ -101,7 +101,7 @@ android:layout_height="wrap_content" android:text="@string/ai_keyboard_paste_btn" android:textColor="#FFFFFF" - android:textSize="13sp" /> + android:textSize="@dimen/sw_13sp" /> @@ -116,8 +116,8 @@ @@ -166,14 +166,14 @@ android:layout_height="wrap_content" android:text="@string/ai_keyboard_clear_btn" android:textColor="@color/ai_keyboard_button_text_color" - android:textSize="13sp" /> + android:textSize="@dimen/sw_13sp" /> @@ -183,7 +183,7 @@ android:layout_height="wrap_content" android:text="@string/ai_keyboard_send_btn" android:textColor="#FFFFFF" - android:textSize="13sp" /> + android:textSize="@dimen/sw_13sp" /> @@ -192,8 +192,8 @@ @@ -212,15 +212,15 @@ + android:textSize="@dimen/sw_10sp" /> diff --git a/app/src/main/res/layout/bottom_page_list1.xml b/app/src/main/res/layout/bottom_page_list1.xml index afcdd61..b701ab8 100644 --- a/app/src/main/res/layout/bottom_page_list1.xml +++ b/app/src/main/res/layout/bottom_page_list1.xml @@ -11,7 +11,7 @@ android:layout_width="match_parent" android:layout_height="wrap_content" android:orientation="vertical" - android:padding="15dp"> + android:padding="@dimen/sw_15dp"> + app:civ_border_width="@dimen/sw_2dp" /> @@ -53,27 +53,27 @@ android:id="@+id/name_second" android:layout_width="wrap_content" android:layout_height="wrap_content" - android:maxWidth="70dp" - android:layout_marginTop="-60dp" + android:maxWidth="@dimen/sw_70dp" + android:layout_marginTop="@dimen/_sw_60dp" android:singleLine="true" android:ellipsize="end" android:maxLines="1" - android:elevation="2dp" + android:elevation="@dimen/sw_2dp" android:text="Loading..." - android:textSize="10sp" + android:textSize="@dimen/sw_10sp" android:textColor="#1B1F1A" /> @@ -88,19 +88,19 @@ android:orientation="vertical"> @@ -109,27 +109,27 @@ android:id="@+id/name_first" android:layout_width="wrap_content" android:layout_height="wrap_content" - android:maxWidth="70dp" - android:layout_marginTop="-60dp" + android:maxWidth="@dimen/sw_70dp" + android:layout_marginTop="@dimen/_sw_60dp" android:singleLine="true" android:ellipsize="end" android:maxLines="1" - android:elevation="2dp" + android:elevation="@dimen/sw_2dp" android:text="Loading..." - android:textSize="10sp" + android:textSize="@dimen/sw_10sp" android:textColor="#1B1F1A" /> @@ -140,24 +140,24 @@ android:layout_width="match_parent" android:layout_height="wrap_content" android:layout_weight="1" - android:layout_marginTop="18dp" + android:layout_marginTop="@dimen/sw_18dp" android:gravity="center_horizontal" android:orientation="vertical"> @@ -166,28 +166,28 @@ android:id="@+id/name_third" android:layout_width="wrap_content" android:layout_height="wrap_content" - android:maxWidth="70dp" - android:layout_marginTop="-60dp" + android:maxWidth="@dimen/sw_70dp" + android:layout_marginTop="@dimen/_sw_60dp" android:singleLine="true" android:ellipsize="end" android:maxLines="1" - android:elevation="2dp" + android:elevation="@dimen/sw_2dp" android:text="Loading..." - android:textSize="10sp" + android:textSize="@dimen/sw_10sp" android:textColor="#1B1F1A" /> @@ -198,8 +198,8 @@ android:id="@+id/container_others" android:layout_width="match_parent" android:layout_height="wrap_content" - android:layout_marginBottom="260dp" - android:minHeight="1000dp" + android:layout_marginBottom="@dimen/sw_260dp" + android:minHeight="@dimen/sw_1000dp" android:layout_gravity="center_horizontal" android:gravity="center_horizontal" android:orientation="vertical"> diff --git a/app/src/main/res/layout/bottom_page_list2.xml b/app/src/main/res/layout/bottom_page_list2.xml index ce679f5..d908808 100644 --- a/app/src/main/res/layout/bottom_page_list2.xml +++ b/app/src/main/res/layout/bottom_page_list2.xml @@ -5,22 +5,22 @@ android:id="@+id/rvList2" android:layout_width="match_parent" android:layout_height="match_parent" - android:minHeight="1000dp" - android:padding="14dp" + android:minHeight="@dimen/sw_1000dp" + android:padding="@dimen/sw_14dp" android:fillViewport="true"> diff --git a/app/src/main/res/layout/dialog_confirm_delete_character.xml b/app/src/main/res/layout/dialog_confirm_delete_character.xml index 2d8b7cc..9f93db8 100644 --- a/app/src/main/res/layout/dialog_confirm_delete_character.xml +++ b/app/src/main/res/layout/dialog_confirm_delete_character.xml @@ -1,9 +1,9 @@ + android:textSize="@dimen/sw_16sp" /> + android:textSize="@dimen/sw_13sp" /> + android:textSize="@dimen/sw_16sp" /> + android:textSize="@dimen/sw_14sp" /> diff --git a/app/src/main/res/layout/dialog_confirm_reset_chat.xml b/app/src/main/res/layout/dialog_confirm_reset_chat.xml new file mode 100644 index 0000000..96306c6 --- /dev/null +++ b/app/src/main/res/layout/dialog_confirm_reset_chat.xml @@ -0,0 +1,81 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/app/src/main/res/layout/dialog_logout.xml b/app/src/main/res/layout/dialog_logout.xml index b2170ad..8baf029 100644 --- a/app/src/main/res/layout/dialog_logout.xml +++ b/app/src/main/res/layout/dialog_logout.xml @@ -1,16 +1,16 @@ diff --git a/app/src/main/res/layout/dialog_no_network.xml b/app/src/main/res/layout/dialog_no_network.xml index 043a9c7..977f55b 100644 --- a/app/src/main/res/layout/dialog_no_network.xml +++ b/app/src/main/res/layout/dialog_no_network.xml @@ -4,8 +4,8 @@ android:layout_width="match_parent" android:layout_height="wrap_content" android:orientation="vertical" - android:padding="24dp" - android:minWidth="280dp" + android:padding="@dimen/sw_24dp" + android:minWidth="@dimen/sw_280dp" android:layout_gravity="center" android:background="@drawable/bg_dialog_no_network"> @@ -21,7 +21,7 @@ android:id="@+id/tvMessage" android:layout_width="match_parent" android:layout_height="wrap_content" - android:layout_marginTop="8dp" + android:layout_marginTop="@dimen/sw_8dp" android:text="Please check the network connection and try again." android:textAppearance="?attr/textAppearanceBody2" android:textColor="?attr/colorOnBackground" /> @@ -31,7 +31,7 @@ android:layout_width="wrap_content" android:layout_height="wrap_content" android:layout_gravity="end" - android:layout_marginTop="16dp" + android:layout_marginTop="@dimen/sw_16dp" android:text="Understand" android:textColor="#FFFFFF" android:background="@drawable/bg_dialog_button" @@ -39,7 +39,7 @@ android:insetRight="0dp" android:insetTop="0dp" android:insetBottom="0dp" - app:cornerRadius="5dp" + app:cornerRadius="@dimen/sw_5dp" app:backgroundTint="#02BEAC" /> diff --git a/app/src/main/res/layout/dialog_persona_detail.xml b/app/src/main/res/layout/dialog_persona_detail.xml index d2472ff..e8b9147 100644 --- a/app/src/main/res/layout/dialog_persona_detail.xml +++ b/app/src/main/res/layout/dialog_persona_detail.xml @@ -5,23 +5,23 @@ android:id="@+id/card" android:layout_width="match_parent" android:layout_height="wrap_content" - android:layout_margin="20dp" + android:layout_margin="@dimen/sw_20dp" android:gravity="center_horizontal" android:orientation="vertical"> @@ -29,49 +29,49 @@ android:id="@+id/tvName" android:layout_width="match_parent" android:layout_height="wrap_content" - android:layout_marginTop="68dp" + android:layout_marginTop="@dimen/sw_68dp" android:gravity="center" android:text="Loading..." - android:textSize="16sp" + android:textSize="@dimen/sw_16sp" android:textStyle="bold" /> + android:textSize="@dimen/sw_13sp"/> + android:paddingStart="@dimen/sw_16dp" + android:paddingEnd="@dimen/sw_16dp" + android:paddingTop="@dimen/sw_12dp" + android:paddingBottom="@dimen/sw_12dp"> diff --git a/app/src/main/res/layout/dialog_purchase_confirmation.xml b/app/src/main/res/layout/dialog_purchase_confirmation.xml index ce44660..113174a 100644 --- a/app/src/main/res/layout/dialog_purchase_confirmation.xml +++ b/app/src/main/res/layout/dialog_purchase_confirmation.xml @@ -1,11 +1,11 @@ + android:padding="@dimen/sw_24dp"> + android:layout_marginBottom="@dimen/sw_16dp" /> + android:lineSpacingExtra="@dimen/sw_4dp" + android:layout_marginBottom="@dimen/sw_24dp" /> + android:layout_width="@dimen/sw_46dp" + android:layout_height="@dimen/sw_46dp"> + android:textSize="@dimen/sw_16sp" /> diff --git a/app/src/main/res/layout/fragment_circle.xml b/app/src/main/res/layout/fragment_circle.xml index 604b436..900cd6a 100644 --- a/app/src/main/res/layout/fragment_circle.xml +++ b/app/src/main/res/layout/fragment_circle.xml @@ -1,41 +1,300 @@ - - + - - + - + + + + + + + android:overScrollMode="never" /> + + + + + + + + android:layout_height="@dimen/sw_52dp" + android:background="@drawable/bg_chat_text_box" + android:paddingEnd="@dimen/sw_12dp" + android:orientation="horizontal" + android:visibility="visible"> - + android:src="@drawable/language_input" + android:includeFontPadding="false" + app:layout_constraintBottom_toBottomOf="parent" + app:layout_constraintEnd_toEndOf="parent" /> + + + + + + + + + + + + + + + + + + + + + + + + + + + + - - + + + + + + + + + + + + + + + + + + + + + diff --git a/app/src/main/res/layout/fragment_circle_ai_character_report.xml b/app/src/main/res/layout/fragment_circle_ai_character_report.xml new file mode 100644 index 0000000..d156537 --- /dev/null +++ b/app/src/main/res/layout/fragment_circle_ai_character_report.xml @@ -0,0 +1,159 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/app/src/main/res/layout/fragment_circle_character_details.xml b/app/src/main/res/layout/fragment_circle_character_details.xml new file mode 100644 index 0000000..96ecfe8 --- /dev/null +++ b/app/src/main/res/layout/fragment_circle_character_details.xml @@ -0,0 +1,219 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/app/src/main/res/layout/fragment_circle_my_ai_character.xml b/app/src/main/res/layout/fragment_circle_my_ai_character.xml new file mode 100644 index 0000000..06388f4 --- /dev/null +++ b/app/src/main/res/layout/fragment_circle_my_ai_character.xml @@ -0,0 +1,88 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + \ No newline at end of file diff --git a/app/src/main/res/layout/fragment_consumption_record.xml b/app/src/main/res/layout/fragment_consumption_record.xml index 40acb23..d722f5d 100644 --- a/app/src/main/res/layout/fragment_consumption_record.xml +++ b/app/src/main/res/layout/fragment_consumption_record.xml @@ -22,7 +22,7 @@ android:layout_height="match_parent" android:overScrollMode="never" android:clipToPadding="false" - android:paddingBottom="16dp" /> + android:paddingBottom="@dimen/sw_16dp" /> diff --git a/app/src/main/res/layout/fragment_forget_password_email.xml b/app/src/main/res/layout/fragment_forget_password_email.xml index a0c57f1..448d36b 100644 --- a/app/src/main/res/layout/fragment_forget_password_email.xml +++ b/app/src/main/res/layout/fragment_forget_password_email.xml @@ -26,11 +26,11 @@ android:gravity="center_vertical"> + android:layout_width="@dimen/sw_46dp" + android:layout_height="@dimen/sw_46dp"> @@ -55,25 +55,25 @@ diff --git a/app/src/main/res/layout/fragment_forget_password_reset.xml b/app/src/main/res/layout/fragment_forget_password_reset.xml index 56ca09d..452401c 100644 --- a/app/src/main/res/layout/fragment_forget_password_reset.xml +++ b/app/src/main/res/layout/fragment_forget_password_reset.xml @@ -26,11 +26,11 @@ android:gravity="center_vertical"> + android:layout_width="@dimen/sw_46dp" + android:layout_height="@dimen/sw_46dp"> @@ -55,14 +55,14 @@ + android:layout_marginTop="@dimen/sw_14dp" + android:layout_height="@dimen/sw_52dp"> @@ -81,14 +81,14 @@ + android:layout_marginTop="@dimen/sw_14dp" + android:layout_height="@dimen/sw_52dp"> @@ -107,13 +107,13 @@ diff --git a/app/src/main/res/layout/fragment_forget_password_verify.xml b/app/src/main/res/layout/fragment_forget_password_verify.xml index 9982bd2..bebcc4a 100644 --- a/app/src/main/res/layout/fragment_forget_password_verify.xml +++ b/app/src/main/res/layout/fragment_forget_password_verify.xml @@ -26,11 +26,11 @@ android:gravity="center_vertical"> + android:layout_width="@dimen/sw_46dp" + android:layout_height="@dimen/sw_46dp"> @@ -54,7 +54,7 @@ @@ -64,7 +64,7 @@ android:id="@+id/tv_code_hint" android:layout_width="match_parent" android:layout_height="wrap_content" - android:textSize="13sp" + android:textSize="@dimen/sw_13sp" android:textStyle="bold" android:text="Please enter the verification code sent to your email" android:textColor="#02BEAC"/> @@ -75,7 +75,7 @@ android:id="@+id/ll_code_container" android:layout_width="match_parent" android:layout_height="wrap_content" - android:layout_marginTop="18dp" + android:layout_marginTop="@dimen/sw_18dp" android:gravity="center" android:orientation="horizontal"> @@ -108,13 +108,13 @@ diff --git a/app/src/main/res/layout/fragment_home.xml b/app/src/main/res/layout/fragment_home.xml index 84df8be..f51bccf 100644 --- a/app/src/main/res/layout/fragment_home.xml +++ b/app/src/main/res/layout/fragment_home.xml @@ -32,19 +32,19 @@ @@ -104,15 +104,15 @@ android:orientation="vertical"> @@ -128,15 +128,15 @@ android:orientation="vertical"> @@ -152,15 +152,15 @@ android:orientation="vertical"> @@ -170,19 +170,19 @@ @@ -231,16 +231,16 @@ @@ -248,21 +248,21 @@ + android:paddingStart="@dimen/sw_16dp" + android:paddingEnd="@dimen/sw_16dp"> @@ -271,10 +271,10 @@ android:layout_width="0dp" android:layout_height="match_parent" android:layout_weight="1" - android:layout_marginStart="20dp" + android:layout_marginStart="@dimen/sw_20dp" android:gravity="center" android:text="@string/home_tab2" - android:textSize="14sp" + android:textSize="@dimen/sw_14sp" android:textColor="#801B1F1A" /> @@ -282,7 +282,7 @@ diff --git a/app/src/main/res/layout/fragment_login.xml b/app/src/main/res/layout/fragment_login.xml index 853f9b5..20db0b0 100644 --- a/app/src/main/res/layout/fragment_login.xml +++ b/app/src/main/res/layout/fragment_login.xml @@ -31,11 +31,11 @@ android:gravity="center_vertical"> + android:layout_width="@dimen/sw_46dp" + android:layout_height="@dimen/sw_46dp"> @@ -82,17 +82,17 @@ android:layout_width="match_parent" android:layout_height="wrap_content" android:layout_weight="1" - android:minHeight="200dp" - android:padding="16dp" - android:layout_marginTop="-10dp" + android:minHeight="@dimen/sw_200dp" + android:padding="@dimen/sw_16dp" + android:layout_marginTop="@dimen/_sw_10dp" android:background="@drawable/login_content_bg" android:gravity="center_horizontal" android:orientation="vertical"> @@ -100,27 +100,27 @@ + android:layout_marginTop="@dimen/sw_14dp" + android:layout_height="@dimen/sw_52dp"> @@ -138,23 +138,23 @@ @@ -202,10 +202,10 @@ diff --git a/app/src/main/res/layout/fragment_mine.xml b/app/src/main/res/layout/fragment_mine.xml index 49e2cc5..9438565 100644 --- a/app/src/main/res/layout/fragment_mine.xml +++ b/app/src/main/res/layout/fragment_mine.xml @@ -24,12 +24,12 @@ android:layout_width="match_parent" android:layout_height="wrap_content" android:orientation="vertical" - android:padding="16dp"> + android:padding="@dimen/sw_16dp"> + android:padding="@dimen/sw_10dp"> + android:textSize="@dimen/sw_10sp" /> @@ -97,7 +97,7 @@ android:layout_width="0dp" android:layout_height="wrap_content" android:layout_weight="1" - android:layout_marginStart="10dp" + android:layout_marginStart="@dimen/sw_10dp" android:orientation="vertical"> + android:textSize="@dimen/sw_20sp" /> + android:textSize="@dimen/sw_12sp" /> @@ -130,11 +130,11 @@ + android:layout_marginTop="@dimen/sw_20dp"> @@ -165,32 +165,32 @@ android:layout_width="wrap_content" android:layout_weight="1" android:layout_height="wrap_content" - android:layout_marginStart="10dp" + android:layout_marginStart="@dimen/sw_10dp" android:gravity="center_vertical" android:orientation="horizontal"> + android:textSize="@dimen/sw_20sp" /> @@ -198,8 +198,8 @@ @@ -207,32 +207,32 @@ android:layout_width="wrap_content" android:layout_weight="1" android:layout_height="wrap_content" - android:layout_marginStart="10dp" + android:layout_marginStart="@dimen/sw_10dp" android:gravity="center_vertical" android:orientation="horizontal"> + android:textSize="@dimen/sw_20sp" /> @@ -240,8 +240,8 @@ @@ -249,32 +249,32 @@ android:layout_width="wrap_content" android:layout_weight="1" android:layout_height="wrap_content" - android:layout_marginStart="10dp" + android:layout_marginStart="@dimen/sw_10dp" android:gravity="center_vertical" android:orientation="horizontal"> + android:textSize="@dimen/sw_20sp" /> @@ -282,8 +282,8 @@ @@ -291,32 +291,32 @@ android:layout_width="wrap_content" android:layout_weight="1" android:layout_height="wrap_content" - android:layout_marginStart="10dp" + android:layout_marginStart="@dimen/sw_10dp" android:gravity="center_vertical" android:orientation="horizontal"> + android:textSize="@dimen/sw_20sp" /> @@ -324,124 +324,124 @@ + android:textSize="@dimen/sw_20sp" /> + android:textSize="@dimen/sw_20sp" /> + android:textSize="@dimen/sw_20sp" /> @@ -449,39 +449,39 @@ + android:textSize="@dimen/sw_20sp" /> @@ -489,20 +489,20 @@ + android:layout_height="@dimen/sw_40dp"/> diff --git a/app/src/main/res/layout/fragment_my_ai_character_list.xml b/app/src/main/res/layout/fragment_my_ai_character_list.xml new file mode 100644 index 0000000..a5151f8 --- /dev/null +++ b/app/src/main/res/layout/fragment_my_ai_character_list.xml @@ -0,0 +1,33 @@ + + + + + + + + + + + + diff --git a/app/src/main/res/layout/fragment_register.xml b/app/src/main/res/layout/fragment_register.xml index 7ddd47c..1b5b7dd 100644 --- a/app/src/main/res/layout/fragment_register.xml +++ b/app/src/main/res/layout/fragment_register.xml @@ -31,11 +31,11 @@ android:gravity="center_vertical"> + android:layout_width="@dimen/sw_46dp" + android:layout_height="@dimen/sw_46dp"> @@ -82,17 +82,17 @@ android:layout_width="match_parent" android:layout_height="wrap_content" android:layout_weight="1" - android:minHeight="200dp" - android:padding="16dp" - android:layout_marginTop="-10dp" + android:minHeight="@dimen/sw_200dp" + android:padding="@dimen/sw_16dp" + android:layout_marginTop="@dimen/_sw_10dp" android:background="@drawable/login_content_bg" android:gravity="center_horizontal" android:orientation="vertical"> @@ -100,27 +100,27 @@ + android:layout_marginTop="@dimen/sw_14dp" + android:layout_height="@dimen/sw_52dp"> + android:layout_marginTop="@dimen/sw_14dp" + android:layout_height="@dimen/sw_52dp"> @@ -164,23 +164,23 @@ diff --git a/app/src/main/res/layout/fragment_register_verify.xml b/app/src/main/res/layout/fragment_register_verify.xml index f5ae061..4481a8e 100644 --- a/app/src/main/res/layout/fragment_register_verify.xml +++ b/app/src/main/res/layout/fragment_register_verify.xml @@ -26,11 +26,11 @@ android:gravity="center_vertical"> + android:layout_width="@dimen/sw_46dp" + android:layout_height="@dimen/sw_46dp"> @@ -54,7 +54,7 @@ @@ -63,7 +63,7 @@ android:id="@+id/tv_code_hint" android:layout_width="match_parent" android:layout_height="wrap_content" - android:textSize="13sp" + android:textSize="@dimen/sw_13sp" android:textStyle="bold" android:text="@string/register_verification_hint" android:textColor="#02BEAC"/> @@ -73,7 +73,7 @@ android:id="@+id/ll_code_container" android:layout_width="match_parent" android:layout_height="wrap_content" - android:layout_marginTop="18dp" + android:layout_marginTop="@dimen/sw_18dp" android:gravity="center" android:orientation="horizontal"> @@ -106,13 +106,13 @@ diff --git a/app/src/main/res/layout/fragment_search.xml b/app/src/main/res/layout/fragment_search.xml index 9748144..36ac4b2 100644 --- a/app/src/main/res/layout/fragment_search.xml +++ b/app/src/main/res/layout/fragment_search.xml @@ -22,18 +22,18 @@ android:layout_width="match_parent" android:layout_height="wrap_content" android:orientation="horizontal" - android:layout_marginTop="10dp" - android:paddingEnd="16dp" + android:layout_marginTop="@dimen/sw_10dp" + android:paddingEnd="@dimen/sw_16dp" android:gravity="center_vertical"> + android:layout_width="@dimen/sw_46dp" + android:layout_height="@dimen/sw_46dp"> + android:textSize="@dimen/sw_14sp" /> @@ -84,7 +84,7 @@ android:layout_width="match_parent" android:layout_height="wrap_content" android:orientation="horizontal" - android:layout_marginStart="16dp" + android:layout_marginStart="@dimen/sw_16dp" android:gravity="center_vertical"> + android:textSize="@dimen/sw_14sp" /> + android:layout_width="@dimen/sw_46dp" + android:layout_height="@dimen/sw_46dp"> @@ -113,9 +113,9 @@ android:id="@+id/layout_history_list" android:layout_width="match_parent" android:layout_height="wrap_content" - android:paddingStart="16dp" - android:paddingEnd="16dp" - android:paddingTop="10dp" + android:paddingStart="@dimen/sw_16dp" + android:paddingEnd="@dimen/sw_16dp" + android:paddingTop="@dimen/sw_10dp" app:flexWrap="wrap" app:flexDirection="row" app:justifyContent="flex_start"> @@ -126,7 +126,7 @@ android:layout_width="match_parent" android:layout_height="wrap_content" android:orientation="vertical" - android:padding="16dp" + android:padding="@dimen/sw_16dp" android:gravity="center_horizontal"> + android:textSize="@dimen/sw_14sp" /> + android:paddingTop="@dimen/sw_10dp" /> diff --git a/app/src/main/res/layout/fragment_search_result.xml b/app/src/main/res/layout/fragment_search_result.xml index 138b3dc..6f074da 100644 --- a/app/src/main/res/layout/fragment_search_result.xml +++ b/app/src/main/res/layout/fragment_search_result.xml @@ -22,18 +22,18 @@ android:layout_width="match_parent" android:layout_height="wrap_content" android:orientation="horizontal" - android:layout_marginTop="10dp" - android:paddingEnd="16dp" + android:layout_marginTop="@dimen/sw_10dp" + android:paddingEnd="@dimen/sw_16dp" android:gravity="center_vertical"> + android:layout_width="@dimen/sw_46dp" + android:layout_height="@dimen/sw_46dp"> + android:textSize="@dimen/sw_14sp" /> @@ -78,27 +78,27 @@ android:id="@+id/recycler_search_results" android:layout_width="match_parent" android:layout_height="wrap_content" - android:paddingTop="10dp" /> + android:paddingTop="@dimen/sw_10dp" /> + android:textSize="@dimen/sw_14sp" /> diff --git a/app/src/main/res/layout/fragment_shop.xml b/app/src/main/res/layout/fragment_shop.xml index 457e1e4..e048abd 100644 --- a/app/src/main/res/layout/fragment_shop.xml +++ b/app/src/main/res/layout/fragment_shop.xml @@ -5,7 +5,7 @@ android:id="@+id/swipeRefreshLayout" android:layout_width="match_parent" android:layout_height="match_parent" - android:layout_marginBottom="40dp"> + android:layout_marginBottom="@dimen/sw_40dp"> + android:textSize="@dimen/sw_22sp" /> @@ -163,7 +163,7 @@ + android:textSize="@dimen/sw_14sp" + android:padding="@dimen/sw_20dp" /> + android:textSize="@dimen/sw_40sp" /> @@ -210,7 +210,7 @@ @@ -244,12 +244,12 @@ android:gravity="center" android:text="@string/shop_title" android:textColor="#1B1F1A" - android:textSize="20sp" /> + android:textSize="@dimen/sw_20sp" /> @@ -261,7 +261,7 @@ android:id="@+id/viewPager" android:layout_width="match_parent" android:layout_height="match_parent" - android:layout_marginBottom="30dp" + android:layout_marginBottom="@dimen/sw_30dp" app:layout_behavior="@string/appbar_scrolling_view_behavior" /> diff --git a/app/src/main/res/layout/fragment_shop_style_page.xml b/app/src/main/res/layout/fragment_shop_style_page.xml index 51d3442..b96b2c1 100644 --- a/app/src/main/res/layout/fragment_shop_style_page.xml +++ b/app/src/main/res/layout/fragment_shop_style_page.xml @@ -3,6 +3,6 @@ android:id="@+id/recyclerView" android:layout_width="match_parent" android:layout_height="match_parent" - android:paddingStart="16dp" - android:paddingEnd="16dp" + android:paddingStart="@dimen/sw_16dp" + android:paddingEnd="@dimen/sw_16dp" android:clipToPadding="false"/> diff --git a/app/src/main/res/layout/gold_coin_recharge.xml b/app/src/main/res/layout/gold_coin_recharge.xml index c91f207..dbaee8d 100644 --- a/app/src/main/res/layout/gold_coin_recharge.xml +++ b/app/src/main/res/layout/gold_coin_recharge.xml @@ -28,16 +28,16 @@ android:layout_width="match_parent" android:layout_height="wrap_content" android:orientation="horizontal" - android:padding="16dp" + android:padding="@dimen/sw_16dp" android:gravity="center_vertical"> + android:layout_width="@dimen/sw_46dp" + android:layout_height="@dimen/sw_46dp"> + android:textSize="@dimen/sw_16sp" /> + android:textSize="@dimen/sw_14sp"/> + android:textSize="@dimen/sw_30sp" /> @@ -98,8 +98,8 @@ @@ -109,30 +109,30 @@ android:orientation="horizontal" android:gravity="center_vertical"> + android:textSize="@dimen/sw_14sp" /> @@ -143,27 +143,27 @@ android:gravity="center" android:orientation="horizontal"> + android:textSize="@dimen/sw_20sp" /> @@ -180,20 +180,20 @@ @@ -212,8 +212,8 @@ diff --git a/app/src/main/res/layout/item_ai_message.xml b/app/src/main/res/layout/item_ai_message.xml index 4eda9e6..39d60a8 100644 --- a/app/src/main/res/layout/item_ai_message.xml +++ b/app/src/main/res/layout/item_ai_message.xml @@ -3,13 +3,13 @@ android:layout_width="match_parent" android:layout_height="wrap_content" android:orientation="horizontal" - android:padding="4dp"> + android:padding="@dimen/sw_4dp"> + android:padding="@dimen/sw_10dp" /> diff --git a/app/src/main/res/layout/item_ai_persona_card.xml b/app/src/main/res/layout/item_ai_persona_card.xml index 19e65fd..524ed06 100644 --- a/app/src/main/res/layout/item_ai_persona_card.xml +++ b/app/src/main/res/layout/item_ai_persona_card.xml @@ -2,18 +2,18 @@ + android:textSize="@dimen/sw_13sp" /> diff --git a/app/src/main/res/layout/item_chat_message_bot.xml b/app/src/main/res/layout/item_chat_message_bot.xml new file mode 100644 index 0000000..7eb22da --- /dev/null +++ b/app/src/main/res/layout/item_chat_message_bot.xml @@ -0,0 +1,41 @@ + + + + + + + + + + diff --git a/app/src/main/res/layout/item_chat_message_me.xml b/app/src/main/res/layout/item_chat_message_me.xml new file mode 100644 index 0000000..77de21d --- /dev/null +++ b/app/src/main/res/layout/item_chat_message_me.xml @@ -0,0 +1,24 @@ + + + + + + diff --git a/app/src/main/res/layout/item_circle_chat_page.xml b/app/src/main/res/layout/item_circle_chat_page.xml new file mode 100644 index 0000000..f21e7f6 --- /dev/null +++ b/app/src/main/res/layout/item_circle_chat_page.xml @@ -0,0 +1,142 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/app/src/main/res/layout/item_circle_comment.xml b/app/src/main/res/layout/item_circle_comment.xml new file mode 100644 index 0000000..0dcfa5c --- /dev/null +++ b/app/src/main/res/layout/item_circle_comment.xml @@ -0,0 +1,158 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/app/src/main/res/layout/item_circle_comment_reply.xml b/app/src/main/res/layout/item_circle_comment_reply.xml new file mode 100644 index 0000000..dbbf139 --- /dev/null +++ b/app/src/main/res/layout/item_circle_comment_reply.xml @@ -0,0 +1,118 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/app/src/main/res/layout/item_circle_drawer_menu.xml b/app/src/main/res/layout/item_circle_drawer_menu.xml new file mode 100644 index 0000000..cc95673 --- /dev/null +++ b/app/src/main/res/layout/item_circle_drawer_menu.xml @@ -0,0 +1,56 @@ + + + + + + + + + + + + + + + + + + + diff --git a/app/src/main/res/layout/item_dot.xml b/app/src/main/res/layout/item_dot.xml index 76165c9..24c8cf0 100644 --- a/app/src/main/res/layout/item_dot.xml +++ b/app/src/main/res/layout/item_dot.xml @@ -1,7 +1,7 @@ diff --git a/app/src/main/res/layout/item_emoji.xml b/app/src/main/res/layout/item_emoji.xml index 6946b8d..32d5ad5 100644 --- a/app/src/main/res/layout/item_emoji.xml +++ b/app/src/main/res/layout/item_emoji.xml @@ -1,11 +1,11 @@ diff --git a/app/src/main/res/layout/item_emoji_tab.xml b/app/src/main/res/layout/item_emoji_tab.xml index 8825567..4383c02 100644 --- a/app/src/main/res/layout/item_emoji_tab.xml +++ b/app/src/main/res/layout/item_emoji_tab.xml @@ -2,11 +2,11 @@ diff --git a/app/src/main/res/layout/item_kaomoji.xml b/app/src/main/res/layout/item_kaomoji.xml index d2a1497..80f3a1d 100644 --- a/app/src/main/res/layout/item_kaomoji.xml +++ b/app/src/main/res/layout/item_kaomoji.xml @@ -1,11 +1,11 @@ diff --git a/app/src/main/res/layout/item_keyboard_character.xml b/app/src/main/res/layout/item_keyboard_character.xml index 2d15d1d..70f3f85 100644 --- a/app/src/main/res/layout/item_keyboard_character.xml +++ b/app/src/main/res/layout/item_keyboard_character.xml @@ -2,29 +2,29 @@ + android:paddingStart="@dimen/sw_10dp" + android:paddingEnd="@dimen/sw_10dp"> + android:textSize="@dimen/sw_14sp" /> + android:textSize="@dimen/sw_13sp" /> diff --git a/app/src/main/res/layout/item_loading_footer.xml b/app/src/main/res/layout/item_loading_footer.xml index 882af55..bc1c23d 100644 --- a/app/src/main/res/layout/item_loading_footer.xml +++ b/app/src/main/res/layout/item_loading_footer.xml @@ -3,20 +3,20 @@ android:layout_width="match_parent" android:layout_height="wrap_content" android:gravity="center" - android:paddingTop="14dp" - android:paddingBottom="14dp"> + android:paddingTop="@dimen/sw_14dp" + android:paddingBottom="@dimen/sw_14dp"> + android:layout_width="@dimen/sw_20dp" + android:layout_height="@dimen/sw_20dp" /> diff --git a/app/src/main/res/layout/item_my_ai_character.xml b/app/src/main/res/layout/item_my_ai_character.xml new file mode 100644 index 0000000..3c81ee7 --- /dev/null +++ b/app/src/main/res/layout/item_my_ai_character.xml @@ -0,0 +1,58 @@ + + + + + + + + + + + + + + + + + + + diff --git a/app/src/main/res/layout/item_myskin_theme.xml b/app/src/main/res/layout/item_myskin_theme.xml index 6fad07c..45c5885 100644 --- a/app/src/main/res/layout/item_myskin_theme.xml +++ b/app/src/main/res/layout/item_myskin_theme.xml @@ -1,10 +1,10 @@ @@ -27,12 +27,12 @@ android:id="@+id/tvName" android:layout_width="match_parent" android:layout_height="wrap_content" - android:paddingStart="10dp" - android:paddingTop="8dp" - android:paddingBottom="12dp" + android:paddingStart="@dimen/sw_10dp" + android:paddingTop="@dimen/sw_8dp" + android:paddingBottom="@dimen/sw_12dp" android:text="Dopamine" android:textColor="#1B1F1A" - android:textSize="14sp" + android:textSize="@dimen/sw_14sp" android:textStyle="bold" /> @@ -47,10 +47,10 @@ diff --git a/app/src/main/res/layout/item_other_party_message.xml b/app/src/main/res/layout/item_other_party_message.xml index a46c228..ba50692 100644 --- a/app/src/main/res/layout/item_other_party_message.xml +++ b/app/src/main/res/layout/item_other_party_message.xml @@ -3,16 +3,16 @@ xmlns:android="http://schemas.android.com/apk/res/android" android:layout_width="match_parent" android:layout_height="wrap_content" - android:layout_marginTop="30dp" - android:layout_marginBottom="10dp" + android:layout_marginTop="@dimen/sw_30dp" + android:layout_marginBottom="@dimen/sw_10dp" android:gravity="end" android:orientation="vertical"> @@ -20,19 +20,19 @@ + android:padding="@dimen/sw_10dp"> + android:maxWidth="@dimen/sw_203dp" + android:textSize="@dimen/sw_10sp" + android:lineHeight="@dimen/sw_20dp"/> \ No newline at end of file diff --git a/app/src/main/res/layout/item_our_news_message.xml b/app/src/main/res/layout/item_our_news_message.xml index 1887aa7..21cdbe6 100644 --- a/app/src/main/res/layout/item_our_news_message.xml +++ b/app/src/main/res/layout/item_our_news_message.xml @@ -3,16 +3,16 @@ xmlns:android="http://schemas.android.com/apk/res/android" android:layout_width="match_parent" android:layout_height="wrap_content" - android:layout_marginTop="30dp" - android:layout_marginBottom="10dp" + android:layout_marginTop="@dimen/sw_30dp" + android:layout_marginBottom="@dimen/sw_10dp" android:gravity="center_vertical" android:orientation="vertical"> @@ -20,11 +20,11 @@ + android:padding="@dimen/sw_10dp"> + android:maxWidth="@dimen/sw_203dp" + android:textSize="@dimen/sw_10sp" + android:lineHeight="@dimen/sw_20dp" /> \ No newline at end of file diff --git a/app/src/main/res/layout/item_persona.xml b/app/src/main/res/layout/item_persona.xml index d839a8b..6b81f39 100644 --- a/app/src/main/res/layout/item_persona.xml +++ b/app/src/main/res/layout/item_persona.xml @@ -3,35 +3,35 @@ + android:padding="@dimen/sw_12dp"> + android:textSize="@dimen/sw_10sp" /> diff --git a/app/src/main/res/layout/item_rank_other.xml b/app/src/main/res/layout/item_rank_other.xml index 0169f3e..ff4004a 100644 --- a/app/src/main/res/layout/item_rank_other.xml +++ b/app/src/main/res/layout/item_rank_other.xml @@ -3,8 +3,8 @@ xmlns:android="http://schemas.android.com/apk/res/android" xmlns:app="http://schemas.android.com/apk/res-auto" android:layout_width="match_parent" - android:layout_height="90dp" - android:layout_marginTop="20dp" + android:layout_height="@dimen/sw_90dp" + android:layout_marginTop="@dimen/sw_20dp" android:layout_weight="1" android:id="@+id/container_others" android:gravity="center_vertical" @@ -13,60 +13,60 @@ android:id="@+id/tv_rank" android:layout_width="wrap_content" android:layout_height="wrap_content" - android:layout_marginEnd="10dp" + android:layout_marginEnd="@dimen/sw_10dp" android:layout_weight="1" android:text="Loading..." - android:textSize="14sp" + android:textSize="@dimen/sw_14sp" android:textColor="#1B1F1A" /> diff --git a/app/src/main/res/layout/item_tag.xml b/app/src/main/res/layout/item_tag.xml index 75ea27b..db6b16f 100644 --- a/app/src/main/res/layout/item_tag.xml +++ b/app/src/main/res/layout/item_tag.xml @@ -1,13 +1,13 @@ diff --git a/app/src/main/res/layout/item_theme_card.xml b/app/src/main/res/layout/item_theme_card.xml index 49b376b..280ca4d 100644 --- a/app/src/main/res/layout/item_theme_card.xml +++ b/app/src/main/res/layout/item_theme_card.xml @@ -2,11 +2,11 @@ @@ -53,11 +53,11 @@ android:id="@+id/theme_price" android:layout_width="wrap_content" android:layout_height="wrap_content" - android:layout_marginTop="-2dp" - android:layout_marginStart="4dp" + android:layout_marginTop="@dimen/_sw_2dp" + android:layout_marginStart="@dimen/sw_4dp" android:text="0.00" android:textColor="#02BEAC" - android:textSize="14sp" /> + android:textSize="@dimen/sw_14sp" /> diff --git a/app/src/main/res/layout/item_transaction_record.xml b/app/src/main/res/layout/item_transaction_record.xml index 2672418..55422bc 100644 --- a/app/src/main/res/layout/item_transaction_record.xml +++ b/app/src/main/res/layout/item_transaction_record.xml @@ -3,10 +3,10 @@ xmlns:android="http://schemas.android.com/apk/res/android" android:layout_width="match_parent" android:layout_height="wrap_content" - android:layout_marginTop="12dp" - android:layout_marginStart="16dp" - android:layout_marginEnd="16dp" - android:padding="20dp" + android:layout_marginTop="@dimen/sw_12dp" + android:layout_marginStart="@dimen/sw_16dp" + android:layout_marginEnd="@dimen/sw_16dp" + android:padding="@dimen/sw_20dp" android:background="@drawable/consumption_details_bg" android:orientation="horizontal"> @@ -23,17 +23,17 @@ android:text="Date" android:textColor="#020202" android:textStyle="bold" - android:textSize="14sp" /> + android:textSize="@dimen/sw_14sp" /> + android:textSize="@dimen/sw_12sp" /> + android:textSize="@dimen/sw_18sp" /> diff --git a/app/src/main/res/layout/keyboard.xml b/app/src/main/res/layout/keyboard.xml index fc45bdc..31dae5e 100644 --- a/app/src/main/res/layout/keyboard.xml +++ b/app/src/main/res/layout/keyboard.xml @@ -9,21 +9,21 @@ xmlns:app="http://schemas.android.com/apk/res-auto" - @@ -64,12 +63,12 @@ xmlns:app="http://schemas.android.com/apk/res-auto" + android:paddingStart="@dimen/sw_4dp" + android:paddingEnd="@dimen/sw_4dp" /> @@ -108,87 +107,87 @@ xmlns:app="http://schemas.android.com/apk/res-auto" + android:layout_marginBottom="@dimen/sw_80dp"> + android:layout_width="@dimen/sw_46dp" + android:layout_height="@dimen/sw_46dp"> @@ -62,7 +62,7 @@ android:layout_width="match_parent" android:layout_height="wrap_content" android:orientation="horizontal" - android:layout_marginTop="10dp" + android:layout_marginTop="@dimen/sw_10dp" android:gravity="center_vertical"> @@ -84,7 +84,7 @@ android:singleLine="true" android:ellipsize="end" android:maxLines="1" - android:textSize="14sp" + android:textSize="@dimen/sw_14sp" android:background="@drawable/tv_download_count" android:textColor="#02BEAC" android:text="Loading..." /> @@ -94,7 +94,7 @@ android:id="@+id/layout_tags_container" android:layout_width="match_parent" android:layout_height="wrap_content" - android:layout_marginTop="10dp" + android:layout_marginTop="@dimen/sw_10dp" android:orientation="vertical" android:padding="0dp" /> @@ -110,13 +110,13 @@ android:text="@string/recommended" android:textStyle="bold" android:textColor="#1B1F1A" - android:textSize="14sp" /> + android:textSize="@dimen/sw_14sp" /> + android:paddingTop="@dimen/sw_10dp" /> @@ -129,29 +129,29 @@ android:layout_width="match_parent" android:layout_height="wrap_content" android:layout_gravity="bottom" - android:layout_marginStart="16dp" - android:layout_marginEnd="16dp" - android:layout_marginBottom="16dp" + android:layout_marginStart="@dimen/sw_16dp" + android:layout_marginEnd="@dimen/sw_16dp" + android:layout_marginBottom="@dimen/sw_16dp" android:gravity="center" android:background="@drawable/my_keyboard_delete" - android:elevation="4dp" + android:elevation="@dimen/sw_4dp" android:orientation="horizontal" - android:padding="12dp"> + android:padding="@dimen/sw_12dp"> @@ -159,7 +159,7 @@ android:id="@+id/tv_price" android:layout_width="wrap_content" android:layout_height="wrap_content" - android:textSize="15sp" + android:textSize="@dimen/sw_15sp" android:textStyle="bold" android:gravity="center" android:textColor="#FFFFFF" @@ -171,20 +171,20 @@ android:layout_width="match_parent" android:layout_height="wrap_content" android:layout_gravity="bottom" - android:layout_marginStart="16dp" - android:layout_marginEnd="16dp" - android:layout_marginBottom="16dp" + android:layout_marginStart="@dimen/sw_16dp" + android:layout_marginEnd="@dimen/sw_16dp" + android:layout_marginBottom="@dimen/sw_16dp" android:gravity="center" android:background="@drawable/my_keyboard_delete" - android:elevation="4dp" + android:elevation="@dimen/sw_4dp" android:orientation="horizontal" - android:padding="12dp"> + android:padding="@dimen/sw_12dp"> @@ -192,7 +192,7 @@ android:id="@+id/enabledButtonText" android:layout_width="wrap_content" android:layout_height="wrap_content" - android:textSize="15sp" + android:textSize="@dimen/sw_15sp" android:textStyle="bold" android:gravity="center" android:textColor="#FFFFFF" diff --git a/app/src/main/res/layout/keyboard_emoji.xml b/app/src/main/res/layout/keyboard_emoji.xml index 2f9cd24..a7df08b 100644 --- a/app/src/main/res/layout/keyboard_emoji.xml +++ b/app/src/main/res/layout/keyboard_emoji.xml @@ -4,11 +4,11 @@ android:layout_width="match_parent" android:layout_height="wrap_content" android:orientation="vertical" - android:padding="3dp"> + android:padding="@dimen/sw_3dp"> @@ -20,8 +20,8 @@ android:gravity="center" android:background="@drawable/bg_top_tab" android:text="ABC" - android:textSize="16sp" - android:layout_marginRight="6dp"/> + android:textSize="@dimen/sw_16sp" + android:layout_marginRight="@dimen/sw_6dp"/> + android:layout_marginRight="@dimen/sw_6dp" + android:layout_marginLeft="@dimen/sw_6dp"/> + android:layout_marginLeft="@dimen/sw_6dp" + android:layout_marginRight="@dimen/sw_6dp"/> + android:textSize="@dimen/sw_18sp" + android:layout_marginLeft="@dimen/sw_6dp"/> @@ -77,7 +77,7 @@ diff --git a/app/src/main/res/layout/language_fragment.xml b/app/src/main/res/layout/language_fragment.xml index 2a7f585..561a624 100644 --- a/app/src/main/res/layout/language_fragment.xml +++ b/app/src/main/res/layout/language_fragment.xml @@ -19,7 +19,7 @@ android:layout_height="wrap_content" android:gravity="center_horizontal" android:orientation="vertical" - android:padding="16dp"> + android:padding="@dimen/sw_16dp"> + android:layout_width="@dimen/sw_46dp" + android:layout_height="@dimen/sw_46dp"> + android:textSize="@dimen/sw_16sp" /> + android:paddingTop="@dimen/sw_4dp" + android:paddingBottom="@dimen/sw_4dp"> + android:paddingTop="@dimen/sw_4dp" + android:paddingBottom="@dimen/sw_4dp" /> diff --git a/app/src/main/res/layout/layout_consumption_record_header.xml b/app/src/main/res/layout/layout_consumption_record_header.xml index 6fb7aa2..3702b43 100644 --- a/app/src/main/res/layout/layout_consumption_record_header.xml +++ b/app/src/main/res/layout/layout_consumption_record_header.xml @@ -10,19 +10,19 @@ android:layout_width="match_parent" android:layout_height="wrap_content" android:orientation="horizontal" - android:layout_marginTop="16dp" - android:layout_marginBottom="16dp" + android:layout_marginTop="@dimen/sw_16dp" + android:layout_marginBottom="@dimen/sw_16dp" android:gravity="center_vertical"> + android:layout_width="@dimen/sw_46dp" + android:layout_height="@dimen/sw_46dp"> + android:textSize="@dimen/sw_16sp" /> + android:textSize="@dimen/sw_14sp" + android:padding="@dimen/sw_20dp" /> + android:textSize="@dimen/sw_40sp" /> @@ -99,7 +99,7 @@ + android:textSize="@dimen/sw_14sp" /> diff --git a/app/src/main/res/layout/my_keyboard.xml b/app/src/main/res/layout/my_keyboard.xml index fb79c20..869a7ad 100644 --- a/app/src/main/res/layout/my_keyboard.xml +++ b/app/src/main/res/layout/my_keyboard.xml @@ -9,7 +9,7 @@ tools:context=".ui.home.MyKeyboard"> @@ -32,16 +32,16 @@ android:layout_width="match_parent" android:layout_height="wrap_content" android:orientation="horizontal" - android:padding="16dp" + android:padding="@dimen/sw_16dp" android:gravity="center_vertical"> + android:layout_width="@dimen/sw_46dp" + android:layout_height="@dimen/sw_46dp"> + android:textSize="@dimen/sw_16sp" /> @@ -83,14 +83,14 @@ diff --git a/app/src/main/res/layout/my_skin.xml b/app/src/main/res/layout/my_skin.xml index f97640a..a40396e 100644 --- a/app/src/main/res/layout/my_skin.xml +++ b/app/src/main/res/layout/my_skin.xml @@ -28,16 +28,16 @@ android:layout_width="match_parent" android:layout_height="wrap_content" android:orientation="horizontal" - android:padding="16dp" + android:padding="@dimen/sw_16dp" android:gravity="center_vertical"> + android:layout_width="@dimen/sw_46dp" + android:layout_height="@dimen/sw_46dp"> + android:textSize="@dimen/sw_16sp" /> + android:textSize="@dimen/sw_13sp" /> @@ -80,14 +80,14 @@ + android:elevation="@dimen/sw_8dp"> + android:layout_width="@dimen/sw_46dp" + android:layout_height="@dimen/sw_46dp"> + android:textSize="@dimen/sw_16sp" /> @@ -63,24 +63,24 @@ android:layout_width="wrap_content" android:layout_weight="1" android:layout_height="wrap_content" - android:layout_marginStart="10dp" + android:layout_marginStart="@dimen/sw_10dp" android:gravity="center_vertical" android:orientation="horizontal"> + android:textSize="@dimen/sw_20sp" /> @@ -37,22 +37,22 @@ android:orientation="horizontal"> @@ -62,88 +62,88 @@ @@ -158,81 +158,81 @@ android:orientation="horizontal"> @@ -247,59 +247,59 @@ android:orientation="horizontal"> @@ -314,33 +314,33 @@ android:orientation="horizontal"> diff --git a/app/src/main/res/layout/personal_settings.xml b/app/src/main/res/layout/personal_settings.xml index 7bffc43..ddb433f 100644 --- a/app/src/main/res/layout/personal_settings.xml +++ b/app/src/main/res/layout/personal_settings.xml @@ -20,7 +20,7 @@ @@ -32,11 +32,11 @@ + android:layout_width="@dimen/sw_46dp" + android:layout_height="@dimen/sw_46dp"> + android:textSize="@dimen/sw_16sp" /> @@ -89,36 +89,36 @@ android:textStyle="bold" android:text="Modify" android:textColor="#1B1F1A" - android:textSize="18sp" /> + android:textSize="@dimen/sw_18sp" /> + android:textSize="@dimen/sw_16sp" /> + android:textSize="@dimen/sw_16sp" /> @@ -146,23 +146,23 @@ + android:textSize="@dimen/sw_16sp" /> + android:textSize="@dimen/sw_16sp" /> @@ -190,23 +190,23 @@ + android:textSize="@dimen/sw_16sp" /> + android:textSize="@dimen/sw_16sp" /> @@ -233,13 +233,13 @@ diff --git a/app/src/main/res/layout/popup_delete_action.xml b/app/src/main/res/layout/popup_delete_action.xml new file mode 100644 index 0000000..fd1d5ad --- /dev/null +++ b/app/src/main/res/layout/popup_delete_action.xml @@ -0,0 +1,22 @@ + + + + + + diff --git a/app/src/main/res/layout/sheet_circle_comments.xml b/app/src/main/res/layout/sheet_circle_comments.xml new file mode 100644 index 0000000..749240b --- /dev/null +++ b/app/src/main/res/layout/sheet_circle_comments.xml @@ -0,0 +1,160 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/app/src/main/res/layout/sheet_edit_nickname.xml b/app/src/main/res/layout/sheet_edit_nickname.xml index b79b280..af18441 100644 --- a/app/src/main/res/layout/sheet_edit_nickname.xml +++ b/app/src/main/res/layout/sheet_edit_nickname.xml @@ -2,7 +2,7 @@ @@ -20,14 +20,14 @@ xmlns:app="http://schemas.android.com/apk/res-auto" android:layout_weight="1" android:layout_height="wrap_content" android:text="@string/personal_settings_nickname_input" - android:textSize="16sp" + android:textSize="@dimen/sw_16sp" android:textStyle="bold" android:textColor="#1B1F1A"/> @@ -35,25 +35,25 @@ xmlns:app="http://schemas.android.com/apk/res-auto" + android:layout_height="@dimen/sw_43dp"/> @@ -18,21 +18,21 @@ android:layout_weight="1" android:layout_height="wrap_content" android:text="@string/personal_settings_gender_input" - android:textSize="16sp" + android:textSize="@dimen/sw_16sp" android:textStyle="bold" android:textColor="#1B1F1A"/> + android:layout_height="@dimen/sw_180dp" + android:layout_marginTop="@dimen/sw_16dp"> @@ -55,9 +55,9 @@ @@ -67,8 +67,8 @@ - + @@ -33,21 +33,21 @@ android:orientation="horizontal"> @@ -62,16 +62,16 @@ android:gravity="center_horizontal" android:orientation="horizontal"> - - - - - - - - - - + + + + + + + + + + @@ -82,16 +82,16 @@ android:gravity="center_horizontal" android:orientation="horizontal"> - - - - - - - - - - + + + + + + + + + + @@ -101,13 +101,13 @@ android:layout_weight="1" android:gravity="center_horizontal" android:orientation="horizontal"> - - - - - - - + + + + + + + @@ -117,9 +117,9 @@ android:layout_weight="1" android:gravity="center_horizontal" android:orientation="horizontal"> - - - - + + + + diff --git a/app/src/main/res/layout/view_fullscreen_loading.xml b/app/src/main/res/layout/view_fullscreen_loading.xml index 7477d6d..adfe8dc 100644 --- a/app/src/main/res/layout/view_fullscreen_loading.xml +++ b/app/src/main/res/layout/view_fullscreen_loading.xml @@ -7,8 +7,8 @@ android:focusable="true"> diff --git a/app/src/main/res/navigation/circle_graph.xml b/app/src/main/res/navigation/circle_graph.xml index 37e9f52..f908669 100644 --- a/app/src/main/res/navigation/circle_graph.xml +++ b/app/src/main/res/navigation/circle_graph.xml @@ -10,4 +10,32 @@ android:name="com.example.myapplication.ui.circle.CircleFragment" android:label="Circle" tools:layout="@layout/fragment_circle" /> - \ No newline at end of file + + + + + + + + + + + + + diff --git a/app/src/main/res/values-sw300dp/dimens.xml b/app/src/main/res/values-sw300dp/dimens.xml new file mode 100644 index 0000000..a62ae71 --- /dev/null +++ b/app/src/main/res/values-sw300dp/dimens.xml @@ -0,0 +1,2365 @@ + + + + -864.0dp + -863.2dp + -862.4dp + -861.6dp + -860.8dp + -860.0dp + -859.2dp + -858.4dp + -857.6dp + -856.8dp + -856.0dp + -855.2dp + -854.4dp + -853.6dp + -852.8dp + -852.0dp + -851.2dp + -850.4dp + -849.6dp + -848.8dp + -848.0dp + -847.2dp + -846.4dp + -845.6dp + -844.8dp + -844.0dp + -843.2dp + -842.4dp + -841.6dp + -840.8dp + -840.0dp + -839.2dp + -838.4dp + -837.6dp + -836.8dp + -836.0dp + -835.2dp + -834.4dp + -833.6dp + -832.8dp + -832.0dp + -831.2dp + -830.4dp + -829.6dp + -828.8dp + -828.0dp + -827.2dp + -826.4dp + -825.6dp + -824.8dp + -824.0dp + -823.2dp + -822.4dp + -821.6dp + -820.8dp + -820.0dp + -819.2dp + -818.4dp + -817.6dp + -816.8dp + -816.0dp + -815.2dp + -814.4dp + -813.6dp + -812.8dp + -812.0dp + -811.2dp + -810.4dp + -809.6dp + -808.8dp + -808.0dp + -807.2dp + -806.4dp + -805.6dp + -804.8dp + -804.0dp + -803.2dp + -802.4dp + -801.6dp + -800.8dp + -800.0dp + -799.2dp + -798.4dp + -797.6dp + -796.8dp + -796.0dp + -795.2dp + -794.4dp + -793.6dp + -792.8dp + -792.0dp + -791.2dp + -790.4dp + -789.6dp + -788.8dp + -788.0dp + -787.2dp + -786.4dp + -785.6dp + -784.8dp + -784.0dp + -783.2dp + -782.4dp + -781.6dp + -780.8dp + -780.0dp + -779.2dp + -778.4dp + -777.6dp + -776.8dp + -776.0dp + -775.2dp + -774.4dp + -773.6dp + -772.8dp + -772.0dp + -771.2dp + -770.4dp + -769.6dp + -768.8dp + -768.0dp + -767.2dp + -766.4dp + -765.6dp + -764.8dp + -764.0dp + -763.2dp + -762.4dp + -761.6dp + -760.8dp + -760.0dp + -759.2dp + -758.4dp + -757.6dp + -756.8dp + -756.0dp + -755.2dp + -754.4dp + -753.6dp + -752.8dp + -752.0dp + -751.2dp + -750.4dp + -749.6dp + -748.8dp + -748.0dp + -747.2dp + -746.4dp + -745.6dp + -744.8dp + -744.0dp + -743.2dp + -742.4dp + -741.6dp + -740.8dp + -740.0dp + -739.2dp + -738.4dp + -737.6dp + -736.8dp + -736.0dp + -735.2dp + -734.4dp + -733.6dp + -732.8dp + -732.0dp + -731.2dp + -730.4dp + -729.6dp + -728.8dp + -728.0dp + -727.2dp + -726.4dp + -725.6dp + -724.8dp + -724.0dp + -723.2dp + -722.4dp + -721.6dp + -720.8dp + -720.0dp + -719.2dp + -718.4dp + -717.6dp + -716.8dp + -716.0dp + -715.2dp + -714.4dp + -713.6dp + -712.8dp + -712.0dp + -711.2dp + -710.4dp + -709.6dp + -708.8dp + -708.0dp + -707.2dp + -706.4dp + -705.6dp + -704.8dp + -704.0dp + -703.2dp + -702.4dp + -701.6dp + -700.8dp + -700.0dp + -699.2dp + -698.4dp + -697.6dp + -696.8dp + -696.0dp + -695.2dp + -694.4dp + -693.6dp + -692.8dp + -692.0dp + -691.2dp + -690.4dp + -689.6dp + -688.8dp + -688.0dp + -687.2dp + -686.4dp + -685.6dp + -684.8dp + -684.0dp + -683.2dp + -682.4dp + -681.6dp + -680.8dp + -680.0dp + -679.2dp + -678.4dp + -677.6dp + -676.8dp + -676.0dp + -675.2dp + -674.4dp + -673.6dp + -672.8dp + -672.0dp + -671.2dp + -670.4dp + -669.6dp + -668.8dp + -668.0dp + -667.2dp + -666.4dp + -665.6dp + -664.8dp + -664.0dp + -663.2dp + -662.4dp + -661.6dp + -660.8dp + -660.0dp + -659.2dp + -658.4dp + -657.6dp + -656.8dp + -656.0dp + -655.2dp + -654.4dp + -653.6dp + -652.8dp + -652.0dp + -651.2dp + -650.4dp + -649.6dp + -648.8dp + -648.0dp + -647.2dp + -646.4dp + -645.6dp + -644.8dp + -644.0dp + -643.2dp + -642.4dp + -641.6dp + -640.8dp + -640.0dp + -639.2dp + -638.4dp + -637.6dp + -636.8dp + -636.0dp + -635.2dp + -634.4dp + -633.6dp + -632.8dp + -632.0dp + -631.2dp + -630.4dp + -629.6dp + -628.8dp + -628.0dp + -627.2dp + -626.4dp + -625.6dp + -624.8dp + -624.0dp + -623.2dp + -622.4dp + -621.6dp + -620.8dp + -620.0dp + -619.2dp + -618.4dp + -617.6dp + -616.8dp + -616.0dp + -615.2dp + -614.4dp + -613.6dp + -612.8dp + -612.0dp + -611.2dp + -610.4dp + -609.6dp + -608.8dp + -608.0dp + -607.2dp + -606.4dp + -605.6dp + -604.8dp + -604.0dp + -603.2dp + -602.4dp + -601.6dp + -600.8dp + -600.0dp + -599.2dp + -598.4dp + -597.6dp + -596.8dp + -596.0dp + -595.2dp + -594.4dp + -593.6dp + -592.8dp + -592.0dp + -591.2dp + -590.4dp + -589.6dp + -588.8dp + -588.0dp + -587.2dp + -586.4dp + -585.6dp + -584.8dp + -584.0dp + -583.2dp + -582.4dp + -581.6dp + -580.8dp + -580.0dp + -579.2dp + -578.4dp + -577.6dp + -576.8dp + -576.0dp + -575.2dp + -574.4dp + -573.6dp + -572.8dp + -572.0dp + -571.2dp + -570.4dp + -569.6dp + -568.8dp + -568.0dp + -567.2dp + -566.4dp + -565.6dp + -564.8dp + -564.0dp + -563.2dp + -562.4dp + -561.6dp + -560.8dp + -560.0dp + -559.2dp + -558.4dp + -557.6dp + -556.8dp + -556.0dp + -555.2dp + -554.4dp + -553.6dp + -552.8dp + -552.0dp + -551.2dp + -550.4dp + -549.6dp + -548.8dp + -548.0dp + -547.2dp + -546.4dp + -545.6dp + -544.8dp + -544.0dp + -543.2dp + -542.4dp + -541.6dp + -540.8dp + -540.0dp + -539.2dp + -538.4dp + -537.6dp + -536.8dp + -536.0dp + -535.2dp + -534.4dp + -533.6dp + -532.8dp + -532.0dp + -531.2dp + -530.4dp + -529.6dp + -528.8dp + -528.0dp + -527.2dp + -526.4dp + -525.6dp + -524.8dp + -524.0dp + -523.2dp + -522.4dp + -521.6dp + -520.8dp + -520.0dp + -519.2dp + -518.4dp + -517.6dp + -516.8dp + -516.0dp + -515.2dp + -514.4dp + -513.6dp + -512.8dp + -512.0dp + -511.2dp + -510.4dp + -509.6dp + -508.8dp + -508.0dp + -507.2dp + -506.4dp + -505.6dp + -504.8dp + -504.0dp + -503.2dp + -502.4dp + -501.6dp + -500.8dp + -500.0dp + -499.2dp + -498.4dp + -497.6dp + -496.8dp + -496.0dp + -495.2dp + -494.4dp + -493.6dp + -492.8dp + -492.0dp + -491.2dp + -490.4dp + -489.6dp + -488.8dp + -488.0dp + -487.2dp + -486.4dp + -485.6dp + -484.8dp + -484.0dp + -483.2dp + -482.4dp + -481.6dp + -480.8dp + -480.0dp + -479.2dp + -478.4dp + -477.6dp + -476.8dp + -476.0dp + -475.2dp + -474.4dp + -473.6dp + -472.8dp + -472.0dp + -471.2dp + -470.4dp + -469.6dp + -468.8dp + -468.0dp + -467.2dp + -466.4dp + -465.6dp + -464.8dp + -464.0dp + -463.2dp + -462.4dp + -461.6dp + -460.8dp + -460.0dp + -459.2dp + -458.4dp + -457.6dp + -456.8dp + -456.0dp + -455.2dp + -454.4dp + -453.6dp + -452.8dp + -452.0dp + -451.2dp + -450.4dp + -449.6dp + -448.8dp + -448.0dp + -447.2dp + -446.4dp + -445.6dp + -444.8dp + -444.0dp + -443.2dp + -442.4dp + -441.6dp + -440.8dp + -440.0dp + -439.2dp + -438.4dp + -437.6dp + -436.8dp + -436.0dp + -435.2dp + -434.4dp + -433.6dp + -432.8dp + -432.0dp + -431.2dp + -430.4dp + -429.6dp + -428.8dp + -428.0dp + -427.2dp + -426.4dp + -425.6dp + -424.8dp + -424.0dp + -423.2dp + -422.4dp + -421.6dp + -420.8dp + -420.0dp + -419.2dp + -418.4dp + -417.6dp + -416.8dp + -416.0dp + -415.2dp + -414.4dp + -413.6dp + -412.8dp + -412.0dp + -411.2dp + -410.4dp + -409.6dp + -408.8dp + -408.0dp + -407.2dp + -406.4dp + -405.6dp + -404.8dp + -404.0dp + -403.2dp + -402.4dp + -401.6dp + -400.8dp + -400.0dp + -399.2dp + -398.4dp + -397.6dp + -396.8dp + -396.0dp + -395.2dp + -394.4dp + -393.6dp + -392.8dp + -392.0dp + -391.2dp + -390.4dp + -389.6dp + -388.8dp + -388.0dp + -387.2dp + -386.4dp + -385.6dp + -384.8dp + -384.0dp + -383.2dp + -382.4dp + -381.6dp + -380.8dp + -380.0dp + -379.2dp + -378.4dp + -377.6dp + -376.8dp + -376.0dp + -375.2dp + -374.4dp + -373.6dp + -372.8dp + -372.0dp + -371.2dp + -370.4dp + -369.6dp + -368.8dp + -368.0dp + -367.2dp + -366.4dp + -365.6dp + -364.8dp + -364.0dp + -363.2dp + -362.4dp + -361.6dp + -360.8dp + -360.0dp + -359.2dp + -358.4dp + -357.6dp + -356.8dp + -356.0dp + -355.2dp + -354.4dp + -353.6dp + -352.8dp + -352.0dp + -351.2dp + -350.4dp + -349.6dp + -348.8dp + -348.0dp + -347.2dp + -346.4dp + -345.6dp + -344.8dp + -344.0dp + -343.2dp + -342.4dp + -341.6dp + -340.8dp + -340.0dp + -339.2dp + -338.4dp + -337.6dp + -336.8dp + -336.0dp + -335.2dp + -334.4dp + -333.6dp + -332.8dp + -332.0dp + -331.2dp + -330.4dp + -329.6dp + -328.8dp + -328.0dp + -327.2dp + -326.4dp + -325.6dp + -324.8dp + -324.0dp + -323.2dp + -322.4dp + -321.6dp + -320.8dp + -320.0dp + -319.2dp + -318.4dp + -317.6dp + -316.8dp + -316.0dp + -315.2dp + -314.4dp + -313.6dp + -312.8dp + -312.0dp + -311.2dp + -310.4dp + -309.6dp + -308.8dp + -308.0dp + -307.2dp + -306.4dp + -305.6dp + -304.8dp + -304.0dp + -303.2dp + -302.4dp + -301.6dp + -300.8dp + -300.0dp + -299.2dp + -298.4dp + -297.6dp + -296.8dp + -296.0dp + -295.2dp + -294.4dp + -293.6dp + -292.8dp + -292.0dp + -291.2dp + -290.4dp + -289.6dp + -288.8dp + -288.0dp + -287.2dp + -286.4dp + -285.6dp + -284.8dp + -284.0dp + -283.2dp + -282.4dp + -281.6dp + -280.8dp + -280.0dp + -279.2dp + -278.4dp + -277.6dp + -276.8dp + -276.0dp + -275.2dp + -274.4dp + -273.6dp + -272.8dp + -272.0dp + -271.2dp + -270.4dp + -269.6dp + -268.8dp + -268.0dp + -267.2dp + -266.4dp + -265.6dp + -264.8dp + -264.0dp + -263.2dp + -262.4dp + -261.6dp + -260.8dp + -260.0dp + -259.2dp + -258.4dp + -257.6dp + -256.8dp + -256.0dp + -255.2dp + -254.4dp + -253.6dp + -252.8dp + -252.0dp + -251.2dp + -250.4dp + -249.6dp + -248.8dp + -248.0dp + -247.2dp + -246.4dp + -245.6dp + -244.8dp + -244.0dp + -243.2dp + -242.4dp + -241.6dp + -240.8dp + -240.0dp + -239.2dp + -238.4dp + -237.6dp + -236.8dp + -236.0dp + -235.2dp + -234.4dp + -233.6dp + -232.8dp + -232.0dp + -231.2dp + -230.4dp + -229.6dp + -228.8dp + -228.0dp + -227.2dp + -226.4dp + -225.6dp + -224.8dp + -224.0dp + -223.2dp + -222.4dp + -221.6dp + -220.8dp + -220.0dp + -219.2dp + -218.4dp + -217.6dp + -216.8dp + -216.0dp + -215.2dp + -214.4dp + -213.6dp + -212.8dp + -212.0dp + -211.2dp + -210.4dp + -209.6dp + -208.8dp + -208.0dp + -207.2dp + -206.4dp + -205.6dp + -204.8dp + -204.0dp + -203.2dp + -202.4dp + -201.6dp + -200.8dp + -200.0dp + -199.2dp + -198.4dp + -197.6dp + -196.8dp + -196.0dp + -195.2dp + -194.4dp + -193.6dp + -192.8dp + -192.0dp + -191.2dp + -190.4dp + -189.6dp + -188.8dp + -188.0dp + -187.2dp + -186.4dp + -185.6dp + -184.8dp + -184.0dp + -183.2dp + -182.4dp + -181.6dp + -180.8dp + -180.0dp + -179.2dp + -178.4dp + -177.6dp + -176.8dp + -176.0dp + -175.2dp + -174.4dp + -173.6dp + -172.8dp + -172.0dp + -171.2dp + -170.4dp + -169.6dp + -168.8dp + -168.0dp + -167.2dp + -166.4dp + -165.6dp + -164.8dp + -164.0dp + -163.2dp + -162.4dp + -161.6dp + -160.8dp + -160.0dp + -159.2dp + -158.4dp + -157.6dp + -156.8dp + -156.0dp + -155.2dp + -154.4dp + -153.6dp + -152.8dp + -152.0dp + -151.2dp + -150.4dp + -149.6dp + -148.8dp + -148.0dp + -147.2dp + -146.4dp + -145.6dp + -144.8dp + -144.0dp + -143.2dp + -142.4dp + -141.6dp + -140.8dp + -140.0dp + -139.2dp + -138.4dp + -137.6dp + -136.8dp + -136.0dp + -135.2dp + -134.4dp + -133.6dp + -132.8dp + -132.0dp + -131.2dp + -130.4dp + -129.6dp + -128.8dp + -128.0dp + -127.2dp + -126.4dp + -125.6dp + -124.8dp + -124.0dp + -123.2dp + -122.4dp + -121.6dp + -120.8dp + -120.0dp + -119.2dp + -118.4dp + -117.6dp + -116.8dp + -116.0dp + -115.2dp + -114.4dp + -113.6dp + -112.8dp + -112.0dp + -111.2dp + -110.4dp + -109.6dp + -108.8dp + -108.0dp + -107.2dp + -106.4dp + -105.6dp + -104.8dp + -104.0dp + -103.2dp + -102.4dp + -101.6dp + -100.8dp + -100.0dp + -99.2dp + -98.4dp + -97.6dp + -96.8dp + -96.0dp + -95.2dp + -94.4dp + -93.6dp + -92.8dp + -92.0dp + -91.2dp + -90.4dp + -89.6dp + -88.8dp + -88.0dp + -87.2dp + -86.4dp + -85.6dp + -84.8dp + -84.0dp + -83.2dp + -82.4dp + -81.6dp + -80.8dp + -80.0dp + -79.2dp + -78.4dp + -77.6dp + -76.8dp + -76.0dp + -75.2dp + -74.4dp + -73.6dp + -72.8dp + -72.0dp + -71.2dp + -70.4dp + -69.6dp + -68.8dp + -68.0dp + -67.2dp + -66.4dp + -65.6dp + -64.8dp + -64.0dp + -63.2dp + -62.4dp + -61.6dp + -60.8dp + -60.0dp + -59.2dp + -58.4dp + -57.6dp + -56.8dp + -56.0dp + -55.2dp + -54.4dp + -53.6dp + -52.8dp + -52.0dp + -51.2dp + -50.4dp + -49.6dp + -48.8dp + -48.0dp + -47.2dp + -46.4dp + -45.6dp + -44.8dp + -44.0dp + -43.2dp + -42.4dp + -41.6dp + -40.8dp + -40.0dp + -39.2dp + -38.4dp + -37.6dp + -36.8dp + -36.0dp + -35.2dp + -34.4dp + -33.6dp + -32.8dp + -32.0dp + -31.2dp + -30.4dp + -29.6dp + -28.8dp + -28.0dp + -27.2dp + -26.4dp + -25.6dp + -24.8dp + -24.0dp + -23.2dp + -22.4dp + -21.6dp + -20.8dp + -20.0dp + -19.2dp + -18.4dp + -17.6dp + -16.8dp + -16.0dp + -15.2dp + -14.4dp + -13.6dp + -12.8dp + -12.0dp + -11.2dp + -10.4dp + -9.6dp + -8.8dp + -8.0dp + -7.2dp + -6.4dp + -5.6dp + -4.8dp + -4.0dp + -3.2dp + -2.4dp + -1.6dp + -0.8dp + 0.0dp + 0.8dp + 1.6dp + 2.4dp + 3.2dp + 4.0dp + 4.8dp + 5.6dp + 6.4dp + 7.2dp + 8.0dp + 8.8dp + 9.6dp + 10.4dp + 11.2dp + 12.0dp + 12.8dp + 13.6dp + 14.4dp + 15.2dp + 16.0dp + 16.8dp + 17.6dp + 18.4dp + 19.2dp + 20.0dp + 20.8dp + 21.6dp + 22.4dp + 23.2dp + 24.0dp + 24.8dp + 25.6dp + 26.4dp + 27.2dp + 28.0dp + 28.8dp + 29.6dp + 30.4dp + 31.2dp + 32.0dp + 32.8dp + 33.6dp + 34.4dp + 35.2dp + 36.0dp + 36.8dp + 37.6dp + 38.4dp + 39.2dp + 40.0dp + 40.8dp + 41.6dp + 42.4dp + 43.2dp + 44.0dp + 44.8dp + 45.6dp + 46.4dp + 47.2dp + 48.0dp + 48.8dp + 49.6dp + 50.4dp + 51.2dp + 52.0dp + 52.8dp + 53.6dp + 54.4dp + 55.2dp + 56.0dp + 56.8dp + 57.6dp + 58.4dp + 59.2dp + 60.0dp + 60.8dp + 61.6dp + 62.4dp + 63.2dp + 64.0dp + 64.8dp + 65.6dp + 66.4dp + 67.2dp + 68.0dp + 68.8dp + 69.6dp + 70.4dp + 71.2dp + 72.0dp + 72.8dp + 73.6dp + 74.4dp + 75.2dp + 76.0dp + 76.8dp + 77.6dp + 78.4dp + 79.2dp + 80.0dp + 80.8dp + 81.6dp + 82.4dp + 83.2dp + 84.0dp + 84.8dp + 85.6dp + 86.4dp + 87.2dp + 88.0dp + 88.8dp + 89.6dp + 90.4dp + 91.2dp + 92.0dp + 92.8dp + 93.6dp + 94.4dp + 95.2dp + 96.0dp + 96.8dp + 97.6dp + 98.4dp + 99.2dp + 100.0dp + 100.8dp + 101.6dp + 102.4dp + 103.2dp + 104.0dp + 104.8dp + 105.6dp + 106.4dp + 107.2dp + 108.0dp + 108.8dp + 109.6dp + 110.4dp + 111.2dp + 112.0dp + 112.8dp + 113.6dp + 114.4dp + 115.2dp + 116.0dp + 116.8dp + 117.6dp + 118.4dp + 119.2dp + 120.0dp + 120.8dp + 121.6dp + 122.4dp + 123.2dp + 124.0dp + 124.8dp + 125.6dp + 126.4dp + 127.2dp + 128.0dp + 128.8dp + 129.6dp + 130.4dp + 131.2dp + 132.0dp + 132.8dp + 133.6dp + 134.4dp + 135.2dp + 136.0dp + 136.8dp + 137.6dp + 138.4dp + 139.2dp + 140.0dp + 140.8dp + 141.6dp + 142.4dp + 143.2dp + 144.0dp + 144.8dp + 145.6dp + 146.4dp + 147.2dp + 148.0dp + 148.8dp + 149.6dp + 150.4dp + 151.2dp + 152.0dp + 152.8dp + 153.6dp + 154.4dp + 155.2dp + 156.0dp + 156.8dp + 157.6dp + 158.4dp + 159.2dp + 160.0dp + 160.8dp + 161.6dp + 162.4dp + 163.2dp + 164.0dp + 164.8dp + 165.6dp + 166.4dp + 167.2dp + 168.0dp + 168.8dp + 169.6dp + 170.4dp + 171.2dp + 172.0dp + 172.8dp + 173.6dp + 174.4dp + 175.2dp + 176.0dp + 176.8dp + 177.6dp + 178.4dp + 179.2dp + 180.0dp + 180.8dp + 181.6dp + 182.4dp + 183.2dp + 184.0dp + 184.8dp + 185.6dp + 186.4dp + 187.2dp + 188.0dp + 188.8dp + 189.6dp + 190.4dp + 191.2dp + 192.0dp + 192.8dp + 193.6dp + 194.4dp + 195.2dp + 196.0dp + 196.8dp + 197.6dp + 198.4dp + 199.2dp + 200.0dp + 200.8dp + 201.6dp + 202.4dp + 203.2dp + 204.0dp + 204.8dp + 205.6dp + 206.4dp + 207.2dp + 208.0dp + 208.8dp + 209.6dp + 210.4dp + 211.2dp + 212.0dp + 212.8dp + 213.6dp + 214.4dp + 215.2dp + 216.0dp + 216.8dp + 217.6dp + 218.4dp + 219.2dp + 220.0dp + 220.8dp + 221.6dp + 222.4dp + 223.2dp + 224.0dp + 224.8dp + 225.6dp + 226.4dp + 227.2dp + 228.0dp + 228.8dp + 229.6dp + 230.4dp + 231.2dp + 232.0dp + 232.8dp + 233.6dp + 234.4dp + 235.2dp + 236.0dp + 236.8dp + 237.6dp + 238.4dp + 239.2dp + 240.0dp + 240.8dp + 241.6dp + 242.4dp + 243.2dp + 244.0dp + 244.8dp + 245.6dp + 246.4dp + 247.2dp + 248.0dp + 248.8dp + 249.6dp + 250.4dp + 251.2dp + 252.0dp + 252.8dp + 253.6dp + 254.4dp + 255.2dp + 256.0dp + 256.8dp + 257.6dp + 258.4dp + 259.2dp + 260.0dp + 260.8dp + 261.6dp + 262.4dp + 263.2dp + 264.0dp + 264.8dp + 265.6dp + 266.4dp + 267.2dp + 268.0dp + 268.8dp + 269.6dp + 270.4dp + 271.2dp + 272.0dp + 272.8dp + 273.6dp + 274.4dp + 275.2dp + 276.0dp + 276.8dp + 277.6dp + 278.4dp + 279.2dp + 280.0dp + 280.8dp + 281.6dp + 282.4dp + 283.2dp + 284.0dp + 284.8dp + 285.6dp + 286.4dp + 287.2dp + 288.0dp + 288.8dp + 289.6dp + 290.4dp + 291.2dp + 292.0dp + 292.8dp + 293.6dp + 294.4dp + 295.2dp + 296.0dp + 296.8dp + 297.6dp + 298.4dp + 299.2dp + 300.0dp + 300.8dp + 301.6dp + 302.4dp + 303.2dp + 304.0dp + 304.8dp + 305.6dp + 306.4dp + 307.2dp + 308.0dp + 308.8dp + 309.6dp + 310.4dp + 311.2dp + 312.0dp + 312.8dp + 313.6dp + 314.4dp + 315.2dp + 316.0dp + 316.8dp + 317.6dp + 318.4dp + 319.2dp + 320.0dp + 320.8dp + 321.6dp + 322.4dp + 323.2dp + 324.0dp + 324.8dp + 325.6dp + 326.4dp + 327.2dp + 328.0dp + 328.8dp + 329.6dp + 330.4dp + 331.2dp + 332.0dp + 332.8dp + 333.6dp + 334.4dp + 335.2dp + 336.0dp + 336.8dp + 337.6dp + 338.4dp + 339.2dp + 340.0dp + 340.8dp + 341.6dp + 342.4dp + 343.2dp + 344.0dp + 344.8dp + 345.6dp + 346.4dp + 347.2dp + 348.0dp + 348.8dp + 349.6dp + 350.4dp + 351.2dp + 352.0dp + 352.8dp + 353.6dp + 354.4dp + 355.2dp + 356.0dp + 356.8dp + 357.6dp + 358.4dp + 359.2dp + 360.0dp + 360.8dp + 361.6dp + 362.4dp + 363.2dp + 364.0dp + 364.8dp + 365.6dp + 366.4dp + 367.2dp + 368.0dp + 368.8dp + 369.6dp + 370.4dp + 371.2dp + 372.0dp + 372.8dp + 373.6dp + 374.4dp + 375.2dp + 376.0dp + 376.8dp + 377.6dp + 378.4dp + 379.2dp + 380.0dp + 380.8dp + 381.6dp + 382.4dp + 383.2dp + 384.0dp + 384.8dp + 385.6dp + 386.4dp + 387.2dp + 388.0dp + 388.8dp + 389.6dp + 390.4dp + 391.2dp + 392.0dp + 392.8dp + 393.6dp + 394.4dp + 395.2dp + 396.0dp + 396.8dp + 397.6dp + 398.4dp + 399.2dp + 400.0dp + 400.8dp + 401.6dp + 402.4dp + 403.2dp + 404.0dp + 404.8dp + 405.6dp + 406.4dp + 407.2dp + 408.0dp + 408.8dp + 409.6dp + 410.4dp + 411.2dp + 412.0dp + 412.8dp + 413.6dp + 414.4dp + 415.2dp + 416.0dp + 416.8dp + 417.6dp + 418.4dp + 419.2dp + 420.0dp + 420.8dp + 421.6dp + 422.4dp + 423.2dp + 424.0dp + 424.8dp + 425.6dp + 426.4dp + 427.2dp + 428.0dp + 428.8dp + 429.6dp + 430.4dp + 431.2dp + 432.0dp + 432.8dp + 433.6dp + 434.4dp + 435.2dp + 436.0dp + 436.8dp + 437.6dp + 438.4dp + 439.2dp + 440.0dp + 440.8dp + 441.6dp + 442.4dp + 443.2dp + 444.0dp + 444.8dp + 445.6dp + 446.4dp + 447.2dp + 448.0dp + 448.8dp + 449.6dp + 450.4dp + 451.2dp + 452.0dp + 452.8dp + 453.6dp + 454.4dp + 455.2dp + 456.0dp + 456.8dp + 457.6dp + 458.4dp + 459.2dp + 460.0dp + 460.8dp + 461.6dp + 462.4dp + 463.2dp + 464.0dp + 464.8dp + 465.6dp + 466.4dp + 467.2dp + 468.0dp + 468.8dp + 469.6dp + 470.4dp + 471.2dp + 472.0dp + 472.8dp + 473.6dp + 474.4dp + 475.2dp + 476.0dp + 476.8dp + 477.6dp + 478.4dp + 479.2dp + 480.0dp + 480.8dp + 481.6dp + 482.4dp + 483.2dp + 484.0dp + 484.8dp + 485.6dp + 486.4dp + 487.2dp + 488.0dp + 488.8dp + 489.6dp + 490.4dp + 491.2dp + 492.0dp + 492.8dp + 493.6dp + 494.4dp + 495.2dp + 496.0dp + 496.8dp + 497.6dp + 498.4dp + 499.2dp + 500.0dp + 500.8dp + 501.6dp + 502.4dp + 503.2dp + 504.0dp + 504.8dp + 505.6dp + 506.4dp + 507.2dp + 508.0dp + 508.8dp + 509.6dp + 510.4dp + 511.2dp + 512.0dp + 512.8dp + 513.6dp + 514.4dp + 515.2dp + 516.0dp + 516.8dp + 517.6dp + 518.4dp + 519.2dp + 520.0dp + 520.8dp + 521.6dp + 522.4dp + 523.2dp + 524.0dp + 524.8dp + 525.6dp + 526.4dp + 527.2dp + 528.0dp + 528.8dp + 529.6dp + 530.4dp + 531.2dp + 532.0dp + 532.8dp + 533.6dp + 534.4dp + 535.2dp + 536.0dp + 536.8dp + 537.6dp + 538.4dp + 539.2dp + 540.0dp + 540.8dp + 541.6dp + 542.4dp + 543.2dp + 544.0dp + 544.8dp + 545.6dp + 546.4dp + 547.2dp + 548.0dp + 548.8dp + 549.6dp + 550.4dp + 551.2dp + 552.0dp + 552.8dp + 553.6dp + 554.4dp + 555.2dp + 556.0dp + 556.8dp + 557.6dp + 558.4dp + 559.2dp + 560.0dp + 560.8dp + 561.6dp + 562.4dp + 563.2dp + 564.0dp + 564.8dp + 565.6dp + 566.4dp + 567.2dp + 568.0dp + 568.8dp + 569.6dp + 570.4dp + 571.2dp + 572.0dp + 572.8dp + 573.6dp + 574.4dp + 575.2dp + 576.0dp + 576.8dp + 577.6dp + 578.4dp + 579.2dp + 580.0dp + 580.8dp + 581.6dp + 582.4dp + 583.2dp + 584.0dp + 584.8dp + 585.6dp + 586.4dp + 587.2dp + 588.0dp + 588.8dp + 589.6dp + 590.4dp + 591.2dp + 592.0dp + 592.8dp + 593.6dp + 594.4dp + 595.2dp + 596.0dp + 596.8dp + 597.6dp + 598.4dp + 599.2dp + 600.0dp + 600.8dp + 601.6dp + 602.4dp + 603.2dp + 604.0dp + 604.8dp + 605.6dp + 606.4dp + 607.2dp + 608.0dp + 608.8dp + 609.6dp + 610.4dp + 611.2dp + 612.0dp + 612.8dp + 613.6dp + 614.4dp + 615.2dp + 616.0dp + 616.8dp + 617.6dp + 618.4dp + 619.2dp + 620.0dp + 620.8dp + 621.6dp + 622.4dp + 623.2dp + 624.0dp + 624.8dp + 625.6dp + 626.4dp + 627.2dp + 628.0dp + 628.8dp + 629.6dp + 630.4dp + 631.2dp + 632.0dp + 632.8dp + 633.6dp + 634.4dp + 635.2dp + 636.0dp + 636.8dp + 637.6dp + 638.4dp + 639.2dp + 640.0dp + 640.8dp + 641.6dp + 642.4dp + 643.2dp + 644.0dp + 644.8dp + 645.6dp + 646.4dp + 647.2dp + 648.0dp + 648.8dp + 649.6dp + 650.4dp + 651.2dp + 652.0dp + 652.8dp + 653.6dp + 654.4dp + 655.2dp + 656.0dp + 656.8dp + 657.6dp + 658.4dp + 659.2dp + 660.0dp + 660.8dp + 661.6dp + 662.4dp + 663.2dp + 664.0dp + 664.8dp + 665.6dp + 666.4dp + 667.2dp + 668.0dp + 668.8dp + 669.6dp + 670.4dp + 671.2dp + 672.0dp + 672.8dp + 673.6dp + 674.4dp + 675.2dp + 676.0dp + 676.8dp + 677.6dp + 678.4dp + 679.2dp + 680.0dp + 680.8dp + 681.6dp + 682.4dp + 683.2dp + 684.0dp + 684.8dp + 685.6dp + 686.4dp + 687.2dp + 688.0dp + 688.8dp + 689.6dp + 690.4dp + 691.2dp + 692.0dp + 692.8dp + 693.6dp + 694.4dp + 695.2dp + 696.0dp + 696.8dp + 697.6dp + 698.4dp + 699.2dp + 700.0dp + 700.8dp + 701.6dp + 702.4dp + 703.2dp + 704.0dp + 704.8dp + 705.6dp + 706.4dp + 707.2dp + 708.0dp + 708.8dp + 709.6dp + 710.4dp + 711.2dp + 712.0dp + 712.8dp + 713.6dp + 714.4dp + 715.2dp + 716.0dp + 716.8dp + 717.6dp + 718.4dp + 719.2dp + 720.0dp + 720.8dp + 721.6dp + 722.4dp + 723.2dp + 724.0dp + 724.8dp + 725.6dp + 726.4dp + 727.2dp + 728.0dp + 728.8dp + 729.6dp + 730.4dp + 731.2dp + 732.0dp + 732.8dp + 733.6dp + 734.4dp + 735.2dp + 736.0dp + 736.8dp + 737.6dp + 738.4dp + 739.2dp + 740.0dp + 740.8dp + 741.6dp + 742.4dp + 743.2dp + 744.0dp + 744.8dp + 745.6dp + 746.4dp + 747.2dp + 748.0dp + 748.8dp + 749.6dp + 750.4dp + 751.2dp + 752.0dp + 752.8dp + 753.6dp + 754.4dp + 755.2dp + 756.0dp + 756.8dp + 757.6dp + 758.4dp + 759.2dp + 760.0dp + 760.8dp + 761.6dp + 762.4dp + 763.2dp + 764.0dp + 764.8dp + 765.6dp + 766.4dp + 767.2dp + 768.0dp + 768.8dp + 769.6dp + 770.4dp + 771.2dp + 772.0dp + 772.8dp + 773.6dp + 774.4dp + 775.2dp + 776.0dp + 776.8dp + 777.6dp + 778.4dp + 779.2dp + 780.0dp + 780.8dp + 781.6dp + 782.4dp + 783.2dp + 784.0dp + 784.8dp + 785.6dp + 786.4dp + 787.2dp + 788.0dp + 788.8dp + 789.6dp + 790.4dp + 791.2dp + 792.0dp + 792.8dp + 793.6dp + 794.4dp + 795.2dp + 796.0dp + 796.8dp + 797.6dp + 798.4dp + 799.2dp + 800.0dp + 800.8dp + 801.6dp + 802.4dp + 803.2dp + 804.0dp + 804.8dp + 805.6dp + 806.4dp + 807.2dp + 808.0dp + 808.8dp + 809.6dp + 810.4dp + 811.2dp + 812.0dp + 812.8dp + 813.6dp + 814.4dp + 815.2dp + 816.0dp + 816.8dp + 817.6dp + 818.4dp + 819.2dp + 820.0dp + 820.8dp + 821.6dp + 822.4dp + 823.2dp + 824.0dp + 824.8dp + 825.6dp + 826.4dp + 827.2dp + 828.0dp + 828.8dp + 829.6dp + 830.4dp + 831.2dp + 832.0dp + 832.8dp + 833.6dp + 834.4dp + 835.2dp + 836.0dp + 836.8dp + 837.6dp + 838.4dp + 839.2dp + 840.0dp + 840.8dp + 841.6dp + 842.4dp + 843.2dp + 844.0dp + 844.8dp + 845.6dp + 846.4dp + 847.2dp + 848.0dp + 848.8dp + 849.6dp + 850.4dp + 851.2dp + 852.0dp + 852.8dp + 853.6dp + 854.4dp + 855.2dp + 856.0dp + 856.8dp + 857.6dp + 858.4dp + 859.2dp + 860.0dp + 860.8dp + 861.6dp + 862.4dp + 863.2dp + 864.0dp + 0.8sp + 1.6sp + 2.4sp + 3.2sp + 4.0sp + 4.8sp + 5.6sp + 6.4sp + 7.2sp + 8.0sp + 8.8sp + 9.6sp + 10.4sp + 11.2sp + 12.0sp + 12.8sp + 13.6sp + 14.4sp + 15.2sp + 16.0sp + 16.8sp + 17.6sp + 18.4sp + 19.2sp + 20.0sp + 20.8sp + 21.6sp + 22.4sp + 23.2sp + 24.0sp + 24.8sp + 25.6sp + 26.4sp + 27.2sp + 28.0sp + 28.8sp + 29.6sp + 30.4sp + 31.2sp + 32.0sp + 32.8sp + 33.6sp + 34.4sp + 35.2sp + 36.0sp + 36.8sp + 37.6sp + 38.4sp + 39.2sp + 40.0sp + 40.8sp + 41.6sp + 42.4sp + 43.2sp + 44.0sp + 44.8sp + 45.6sp + 46.4sp + 47.2sp + 48.0sp + 48.8sp + 49.6sp + 50.4sp + 51.2sp + 52.0sp + 52.8sp + 53.6sp + 54.4sp + 55.2sp + 56.0sp + 56.8sp + 57.6sp + 58.4sp + 59.2sp + 60.0sp + 60.8sp + 61.6sp + 62.4sp + 63.2sp + 64.0sp + 64.8sp + 65.6sp + 66.4sp + 67.2sp + 68.0sp + 68.8sp + 69.6sp + 70.4sp + 71.2sp + 72.0sp + 72.8sp + 73.6sp + 74.4sp + 75.2sp + 76.0sp + 76.8sp + 77.6sp + 78.4sp + 79.2sp + 80.0sp + 80.8sp + 81.6sp + 82.4sp + 83.2sp + 84.0sp + 84.8sp + 85.6sp + 86.4sp + 87.2sp + 88.0sp + 88.8sp + 89.6sp + 90.4sp + 91.2sp + 92.0sp + 92.8sp + 93.6sp + 94.4sp + 95.2sp + 96.0sp + 96.8sp + 97.6sp + 98.4sp + 99.2sp + 100.0sp + 100.8sp + 101.6sp + 102.4sp + 103.2sp + 104.0sp + 104.8sp + 105.6sp + 106.4sp + 107.2sp + 108.0sp + 108.8sp + 109.6sp + 110.4sp + 111.2sp + 112.0sp + 112.8sp + 113.6sp + 114.4sp + 115.2sp + 116.0sp + 116.8sp + 117.6sp + 118.4sp + 119.2sp + 120.0sp + 120.8sp + 121.6sp + 122.4sp + 123.2sp + 124.0sp + 124.8sp + 125.6sp + 126.4sp + 127.2sp + 128.0sp + 128.8sp + 129.6sp + 130.4sp + 131.2sp + 132.0sp + 132.8sp + 133.6sp + 134.4sp + 135.2sp + 136.0sp + 136.8sp + 137.6sp + 138.4sp + 139.2sp + 140.0sp + 140.8sp + 141.6sp + 142.4sp + 143.2sp + 144.0sp + 144.8sp + 145.6sp + 146.4sp + 147.2sp + 148.0sp + 148.8sp + 149.6sp + 150.4sp + 151.2sp + 152.0sp + 152.8sp + 153.6sp + 154.4sp + 155.2sp + 156.0sp + 156.8sp + 157.6sp + 158.4sp + 159.2sp + 160.0sp + diff --git a/app/src/main/res/values-sw320dp/dimens.xml b/app/src/main/res/values-sw320dp/dimens.xml new file mode 100644 index 0000000..c188dfc --- /dev/null +++ b/app/src/main/res/values-sw320dp/dimens.xml @@ -0,0 +1,2365 @@ + + + + -921.24dp + -920.39dp + -919.53dp + -918.68dp + -917.83dp + -916.98dp + -916.12dp + -915.27dp + -914.42dp + -913.56dp + -912.71dp + -911.86dp + -911.0dp + -910.15dp + -909.3dp + -908.44dp + -907.59dp + -906.74dp + -905.89dp + -905.03dp + -904.18dp + -903.33dp + -902.47dp + -901.62dp + -900.77dp + -899.91dp + -899.06dp + -898.21dp + -897.36dp + -896.5dp + -895.65dp + -894.8dp + -893.94dp + -893.09dp + -892.24dp + -891.38dp + -890.53dp + -889.68dp + -888.83dp + -887.97dp + -887.12dp + -886.27dp + -885.41dp + -884.56dp + -883.71dp + -882.86dp + -882.0dp + -881.15dp + -880.3dp + -879.44dp + -878.59dp + -877.74dp + -876.88dp + -876.03dp + -875.18dp + -874.32dp + -873.47dp + -872.62dp + -871.77dp + -870.91dp + -870.06dp + -869.21dp + -868.35dp + -867.5dp + -866.65dp + -865.79dp + -864.94dp + -864.09dp + -863.24dp + -862.38dp + -861.53dp + -860.68dp + -859.82dp + -858.97dp + -858.12dp + -857.26dp + -856.41dp + -855.56dp + -854.71dp + -853.85dp + -853.0dp + -852.15dp + -851.29dp + -850.44dp + -849.59dp + -848.74dp + -847.88dp + -847.03dp + -846.18dp + -845.32dp + -844.47dp + -843.62dp + -842.76dp + -841.91dp + -841.06dp + -840.2dp + -839.35dp + -838.5dp + -837.65dp + -836.79dp + -835.94dp + -835.09dp + -834.23dp + -833.38dp + -832.53dp + -831.67dp + -830.82dp + -829.97dp + -829.12dp + -828.26dp + -827.41dp + -826.56dp + -825.7dp + -824.85dp + -824.0dp + -823.14dp + -822.29dp + -821.44dp + -820.59dp + -819.73dp + -818.88dp + -818.03dp + -817.17dp + -816.32dp + -815.47dp + -814.62dp + -813.76dp + -812.91dp + -812.06dp + -811.2dp + -810.35dp + -809.5dp + -808.64dp + -807.79dp + -806.94dp + -806.09dp + -805.23dp + -804.38dp + -803.53dp + -802.67dp + -801.82dp + -800.97dp + -800.11dp + -799.26dp + -798.41dp + -797.55dp + -796.7dp + -795.85dp + -795.0dp + -794.14dp + -793.29dp + -792.44dp + -791.58dp + -790.73dp + -789.88dp + -789.02dp + -788.17dp + -787.32dp + -786.47dp + -785.61dp + -784.76dp + -783.91dp + -783.05dp + -782.2dp + -781.35dp + -780.5dp + -779.64dp + -778.79dp + -777.94dp + -777.08dp + -776.23dp + -775.38dp + -774.52dp + -773.67dp + -772.82dp + -771.97dp + -771.11dp + -770.26dp + -769.41dp + -768.55dp + -767.7dp + -766.85dp + -765.99dp + -765.14dp + -764.29dp + -763.43dp + -762.58dp + -761.73dp + -760.88dp + -760.02dp + -759.17dp + -758.32dp + -757.46dp + -756.61dp + -755.76dp + -754.9dp + -754.05dp + -753.2dp + -752.35dp + -751.49dp + -750.64dp + -749.79dp + -748.93dp + -748.08dp + -747.23dp + -746.38dp + -745.52dp + -744.67dp + -743.82dp + -742.96dp + -742.11dp + -741.26dp + -740.4dp + -739.55dp + -738.7dp + -737.85dp + -736.99dp + -736.14dp + -735.29dp + -734.43dp + -733.58dp + -732.73dp + -731.87dp + -731.02dp + -730.17dp + -729.31dp + -728.46dp + -727.61dp + -726.76dp + -725.9dp + -725.05dp + -724.2dp + -723.34dp + -722.49dp + -721.64dp + -720.78dp + -719.93dp + -719.08dp + -718.23dp + -717.37dp + -716.52dp + -715.67dp + -714.81dp + -713.96dp + -713.11dp + -712.25dp + -711.4dp + -710.55dp + -709.7dp + -708.84dp + -707.99dp + -707.14dp + -706.28dp + -705.43dp + -704.58dp + -703.73dp + -702.87dp + -702.02dp + -701.17dp + -700.31dp + -699.46dp + -698.61dp + -697.75dp + -696.9dp + -696.05dp + -695.19dp + -694.34dp + -693.49dp + -692.64dp + -691.78dp + -690.93dp + -690.08dp + -689.22dp + -688.37dp + -687.52dp + -686.66dp + -685.81dp + -684.96dp + -684.11dp + -683.25dp + -682.4dp + -681.55dp + -680.69dp + -679.84dp + -678.99dp + -678.13dp + -677.28dp + -676.43dp + -675.58dp + -674.72dp + -673.87dp + -673.02dp + -672.16dp + -671.31dp + -670.46dp + -669.61dp + -668.75dp + -667.9dp + -667.05dp + -666.19dp + -665.34dp + -664.49dp + -663.63dp + -662.78dp + -661.93dp + -661.07dp + -660.22dp + -659.37dp + -658.52dp + -657.66dp + -656.81dp + -655.96dp + -655.1dp + -654.25dp + -653.4dp + -652.54dp + -651.69dp + -650.84dp + -649.99dp + -649.13dp + -648.28dp + -647.43dp + -646.57dp + -645.72dp + -644.87dp + -644.01dp + -643.16dp + -642.31dp + -641.46dp + -640.6dp + -639.75dp + -638.9dp + -638.04dp + -637.19dp + -636.34dp + -635.49dp + -634.63dp + -633.78dp + -632.93dp + -632.07dp + -631.22dp + -630.37dp + -629.51dp + -628.66dp + -627.81dp + -626.96dp + -626.1dp + -625.25dp + -624.4dp + -623.54dp + -622.69dp + -621.84dp + -620.98dp + -620.13dp + -619.28dp + -618.42dp + -617.57dp + -616.72dp + -615.87dp + -615.01dp + -614.16dp + -613.31dp + -612.45dp + -611.6dp + -610.75dp + -609.89dp + -609.04dp + -608.19dp + -607.34dp + -606.48dp + -605.63dp + -604.78dp + -603.92dp + -603.07dp + -602.22dp + -601.37dp + -600.51dp + -599.66dp + -598.81dp + -597.95dp + -597.1dp + -596.25dp + -595.39dp + -594.54dp + -593.69dp + -592.84dp + -591.98dp + -591.13dp + -590.28dp + -589.42dp + -588.57dp + -587.72dp + -586.86dp + -586.01dp + -585.16dp + -584.3dp + -583.45dp + -582.6dp + -581.75dp + -580.89dp + -580.04dp + -579.19dp + -578.33dp + -577.48dp + -576.63dp + -575.77dp + -574.92dp + -574.07dp + -573.22dp + -572.36dp + -571.51dp + -570.66dp + -569.8dp + -568.95dp + -568.1dp + -567.25dp + -566.39dp + -565.54dp + -564.69dp + -563.83dp + -562.98dp + -562.13dp + -561.27dp + -560.42dp + -559.57dp + -558.72dp + -557.86dp + -557.01dp + -556.16dp + -555.3dp + -554.45dp + -553.6dp + -552.74dp + -551.89dp + -551.04dp + -550.18dp + -549.33dp + -548.48dp + -547.63dp + -546.77dp + -545.92dp + -545.07dp + -544.21dp + -543.36dp + -542.51dp + -541.65dp + -540.8dp + -539.95dp + -539.1dp + -538.24dp + -537.39dp + -536.54dp + -535.68dp + -534.83dp + -533.98dp + -533.13dp + -532.27dp + -531.42dp + -530.57dp + -529.71dp + -528.86dp + -528.01dp + -527.15dp + -526.3dp + -525.45dp + -524.6dp + -523.74dp + -522.89dp + -522.04dp + -521.18dp + -520.33dp + -519.48dp + -518.62dp + -517.77dp + -516.92dp + -516.06dp + -515.21dp + -514.36dp + -513.51dp + -512.65dp + -511.8dp + -510.95dp + -510.09dp + -509.24dp + -508.39dp + -507.53dp + -506.68dp + -505.83dp + -504.98dp + -504.12dp + -503.27dp + -502.42dp + -501.56dp + -500.71dp + -499.86dp + -499.0dp + -498.15dp + -497.3dp + -496.45dp + -495.59dp + -494.74dp + -493.89dp + -493.03dp + -492.18dp + -491.33dp + -490.47dp + -489.62dp + -488.77dp + -487.92dp + -487.06dp + -486.21dp + -485.36dp + -484.5dp + -483.65dp + -482.8dp + -481.94dp + -481.09dp + -480.24dp + -479.39dp + -478.53dp + -477.68dp + -476.83dp + -475.97dp + -475.12dp + -474.27dp + -473.41dp + -472.56dp + -471.71dp + -470.86dp + -470.0dp + -469.15dp + -468.3dp + -467.44dp + -466.59dp + -465.74dp + -464.88dp + -464.03dp + -463.18dp + -462.33dp + -461.47dp + -460.62dp + -459.77dp + -458.91dp + -458.06dp + -457.21dp + -456.35dp + -455.5dp + -454.65dp + -453.8dp + -452.94dp + -452.09dp + -451.24dp + -450.38dp + -449.53dp + -448.68dp + -447.82dp + -446.97dp + -446.12dp + -445.27dp + -444.41dp + -443.56dp + -442.71dp + -441.85dp + -441.0dp + -440.15dp + -439.3dp + -438.44dp + -437.59dp + -436.74dp + -435.88dp + -435.03dp + -434.18dp + -433.32dp + -432.47dp + -431.62dp + -430.76dp + -429.91dp + -429.06dp + -428.21dp + -427.35dp + -426.5dp + -425.65dp + -424.79dp + -423.94dp + -423.09dp + -422.24dp + -421.38dp + -420.53dp + -419.68dp + -418.82dp + -417.97dp + -417.12dp + -416.26dp + -415.41dp + -414.56dp + -413.7dp + -412.85dp + -412.0dp + -411.15dp + -410.29dp + -409.44dp + -408.59dp + -407.73dp + -406.88dp + -406.03dp + -405.18dp + -404.32dp + -403.47dp + -402.62dp + -401.76dp + -400.91dp + -400.06dp + -399.2dp + -398.35dp + -397.5dp + -396.64dp + -395.79dp + -394.94dp + -394.09dp + -393.23dp + -392.38dp + -391.53dp + -390.67dp + -389.82dp + -388.97dp + -388.12dp + -387.26dp + -386.41dp + -385.56dp + -384.7dp + -383.85dp + -383.0dp + -382.14dp + -381.29dp + -380.44dp + -379.58dp + -378.73dp + -377.88dp + -377.03dp + -376.17dp + -375.32dp + -374.47dp + -373.61dp + -372.76dp + -371.91dp + -371.06dp + -370.2dp + -369.35dp + -368.5dp + -367.64dp + -366.79dp + -365.94dp + -365.08dp + -364.23dp + -363.38dp + -362.52dp + -361.67dp + -360.82dp + -359.97dp + -359.11dp + -358.26dp + -357.41dp + -356.55dp + -355.7dp + -354.85dp + -354.0dp + -353.14dp + -352.29dp + -351.44dp + -350.58dp + -349.73dp + -348.88dp + -348.02dp + -347.17dp + -346.32dp + -345.46dp + -344.61dp + -343.76dp + -342.91dp + -342.05dp + -341.2dp + -340.35dp + -339.49dp + -338.64dp + -337.79dp + -336.94dp + -336.08dp + -335.23dp + -334.38dp + -333.52dp + -332.67dp + -331.82dp + -330.96dp + -330.11dp + -329.26dp + -328.4dp + -327.55dp + -326.7dp + -325.85dp + -324.99dp + -324.14dp + -323.29dp + -322.43dp + -321.58dp + -320.73dp + -319.88dp + -319.02dp + -318.17dp + -317.32dp + -316.46dp + -315.61dp + -314.76dp + -313.9dp + -313.05dp + -312.2dp + -311.34dp + -310.49dp + -309.64dp + -308.79dp + -307.93dp + -307.08dp + -306.23dp + -305.37dp + -304.52dp + -303.67dp + -302.81dp + -301.96dp + -301.11dp + -300.26dp + -299.4dp + -298.55dp + -297.7dp + -296.84dp + -295.99dp + -295.14dp + -294.28dp + -293.43dp + -292.58dp + -291.73dp + -290.87dp + -290.02dp + -289.17dp + -288.31dp + -287.46dp + -286.61dp + -285.75dp + -284.9dp + -284.05dp + -283.2dp + -282.34dp + -281.49dp + -280.64dp + -279.78dp + -278.93dp + -278.08dp + -277.22dp + -276.37dp + -275.52dp + -274.67dp + -273.81dp + -272.96dp + -272.11dp + -271.25dp + -270.4dp + -269.55dp + -268.69dp + -267.84dp + -266.99dp + -266.14dp + -265.28dp + -264.43dp + -263.58dp + -262.72dp + -261.87dp + -261.02dp + -260.17dp + -259.31dp + -258.46dp + -257.61dp + -256.75dp + -255.9dp + -255.05dp + -254.19dp + -253.34dp + -252.49dp + -251.63dp + -250.78dp + -249.93dp + -249.08dp + -248.22dp + -247.37dp + -246.52dp + -245.66dp + -244.81dp + -243.96dp + -243.1dp + -242.25dp + -241.4dp + -240.55dp + -239.69dp + -238.84dp + -237.99dp + -237.13dp + -236.28dp + -235.43dp + -234.57dp + -233.72dp + -232.87dp + -232.02dp + -231.16dp + -230.31dp + -229.46dp + -228.6dp + -227.75dp + -226.9dp + -226.04dp + -225.19dp + -224.34dp + -223.49dp + -222.63dp + -221.78dp + -220.93dp + -220.07dp + -219.22dp + -218.37dp + -217.51dp + -216.66dp + -215.81dp + -214.96dp + -214.1dp + -213.25dp + -212.4dp + -211.54dp + -210.69dp + -209.84dp + -208.98dp + -208.13dp + -207.28dp + -206.43dp + -205.57dp + -204.72dp + -203.87dp + -203.01dp + -202.16dp + -201.31dp + -200.45dp + -199.6dp + -198.75dp + -197.9dp + -197.04dp + -196.19dp + -195.34dp + -194.48dp + -193.63dp + -192.78dp + -191.92dp + -191.07dp + -190.22dp + -189.37dp + -188.51dp + -187.66dp + -186.81dp + -185.95dp + -185.1dp + -184.25dp + -183.39dp + -182.54dp + -181.69dp + -180.84dp + -179.98dp + -179.13dp + -178.28dp + -177.42dp + -176.57dp + -175.72dp + -174.87dp + -174.01dp + -173.16dp + -172.31dp + -171.45dp + -170.6dp + -169.75dp + -168.89dp + -168.04dp + -167.19dp + -166.34dp + -165.48dp + -164.63dp + -163.78dp + -162.92dp + -162.07dp + -161.22dp + -160.36dp + -159.51dp + -158.66dp + -157.81dp + -156.95dp + -156.1dp + -155.25dp + -154.39dp + -153.54dp + -152.69dp + -151.83dp + -150.98dp + -150.13dp + -149.28dp + -148.42dp + -147.57dp + -146.72dp + -145.86dp + -145.01dp + -144.16dp + -143.3dp + -142.45dp + -141.6dp + -140.75dp + -139.89dp + -139.04dp + -138.19dp + -137.33dp + -136.48dp + -135.63dp + -134.77dp + -133.92dp + -133.07dp + -132.22dp + -131.36dp + -130.51dp + -129.66dp + -128.8dp + -127.95dp + -127.1dp + -126.24dp + -125.39dp + -124.54dp + -123.69dp + -122.83dp + -121.98dp + -121.13dp + -120.27dp + -119.42dp + -118.57dp + -117.71dp + -116.86dp + -116.01dp + -115.16dp + -114.3dp + -113.45dp + -112.6dp + -111.74dp + -110.89dp + -110.04dp + -109.18dp + -108.33dp + -107.48dp + -106.63dp + -105.77dp + -104.92dp + -104.07dp + -103.21dp + -102.36dp + -101.51dp + -100.65dp + -99.8dp + -98.95dp + -98.09dp + -97.24dp + -96.39dp + -95.54dp + -94.68dp + -93.83dp + -92.98dp + -92.12dp + -91.27dp + -90.42dp + -89.56dp + -88.71dp + -87.86dp + -87.01dp + -86.15dp + -85.3dp + -84.45dp + -83.59dp + -82.74dp + -81.89dp + -81.03dp + -80.18dp + -79.33dp + -78.48dp + -77.62dp + -76.77dp + -75.92dp + -75.06dp + -74.21dp + -73.36dp + -72.5dp + -71.65dp + -70.8dp + -69.95dp + -69.09dp + -68.24dp + -67.39dp + -66.53dp + -65.68dp + -64.83dp + -63.98dp + -63.12dp + -62.27dp + -61.42dp + -60.56dp + -59.71dp + -58.86dp + -58.0dp + -57.15dp + -56.3dp + -55.45dp + -54.59dp + -53.74dp + -52.89dp + -52.03dp + -51.18dp + -50.33dp + -49.47dp + -48.62dp + -47.77dp + -46.91dp + -46.06dp + -45.21dp + -44.36dp + -43.5dp + -42.65dp + -41.8dp + -40.94dp + -40.09dp + -39.24dp + -38.38dp + -37.53dp + -36.68dp + -35.83dp + -34.97dp + -34.12dp + -33.27dp + -32.41dp + -31.56dp + -30.71dp + -29.86dp + -29.0dp + -28.15dp + -27.3dp + -26.44dp + -25.59dp + -24.74dp + -23.88dp + -23.03dp + -22.18dp + -21.32dp + -20.47dp + -19.62dp + -18.77dp + -17.91dp + -17.06dp + -16.21dp + -15.35dp + -14.5dp + -13.65dp + -12.79dp + -11.94dp + -11.09dp + -10.24dp + -9.38dp + -8.53dp + -7.68dp + -6.82dp + -5.97dp + -5.12dp + -4.26dp + -3.41dp + -2.56dp + -1.71dp + -0.85dp + 0.0dp + 0.85dp + 1.71dp + 2.56dp + 3.41dp + 4.26dp + 5.12dp + 5.97dp + 6.82dp + 7.68dp + 8.53dp + 9.38dp + 10.24dp + 11.09dp + 11.94dp + 12.79dp + 13.65dp + 14.5dp + 15.35dp + 16.21dp + 17.06dp + 17.91dp + 18.77dp + 19.62dp + 20.47dp + 21.32dp + 22.18dp + 23.03dp + 23.88dp + 24.74dp + 25.59dp + 26.44dp + 27.3dp + 28.15dp + 29.0dp + 29.86dp + 30.71dp + 31.56dp + 32.41dp + 33.27dp + 34.12dp + 34.97dp + 35.83dp + 36.68dp + 37.53dp + 38.38dp + 39.24dp + 40.09dp + 40.94dp + 41.8dp + 42.65dp + 43.5dp + 44.36dp + 45.21dp + 46.06dp + 46.91dp + 47.77dp + 48.62dp + 49.47dp + 50.33dp + 51.18dp + 52.03dp + 52.89dp + 53.74dp + 54.59dp + 55.45dp + 56.3dp + 57.15dp + 58.0dp + 58.86dp + 59.71dp + 60.56dp + 61.42dp + 62.27dp + 63.12dp + 63.98dp + 64.83dp + 65.68dp + 66.53dp + 67.39dp + 68.24dp + 69.09dp + 69.95dp + 70.8dp + 71.65dp + 72.5dp + 73.36dp + 74.21dp + 75.06dp + 75.92dp + 76.77dp + 77.62dp + 78.48dp + 79.33dp + 80.18dp + 81.03dp + 81.89dp + 82.74dp + 83.59dp + 84.45dp + 85.3dp + 86.15dp + 87.01dp + 87.86dp + 88.71dp + 89.56dp + 90.42dp + 91.27dp + 92.12dp + 92.98dp + 93.83dp + 94.68dp + 95.54dp + 96.39dp + 97.24dp + 98.09dp + 98.95dp + 99.8dp + 100.65dp + 101.51dp + 102.36dp + 103.21dp + 104.07dp + 104.92dp + 105.77dp + 106.63dp + 107.48dp + 108.33dp + 109.18dp + 110.04dp + 110.89dp + 111.74dp + 112.6dp + 113.45dp + 114.3dp + 115.16dp + 116.01dp + 116.86dp + 117.71dp + 118.57dp + 119.42dp + 120.27dp + 121.13dp + 121.98dp + 122.83dp + 123.69dp + 124.54dp + 125.39dp + 126.24dp + 127.1dp + 127.95dp + 128.8dp + 129.66dp + 130.51dp + 131.36dp + 132.22dp + 133.07dp + 133.92dp + 134.77dp + 135.63dp + 136.48dp + 137.33dp + 138.19dp + 139.04dp + 139.89dp + 140.75dp + 141.6dp + 142.45dp + 143.3dp + 144.16dp + 145.01dp + 145.86dp + 146.72dp + 147.57dp + 148.42dp + 149.28dp + 150.13dp + 150.98dp + 151.83dp + 152.69dp + 153.54dp + 154.39dp + 155.25dp + 156.1dp + 156.95dp + 157.81dp + 158.66dp + 159.51dp + 160.36dp + 161.22dp + 162.07dp + 162.92dp + 163.78dp + 164.63dp + 165.48dp + 166.34dp + 167.19dp + 168.04dp + 168.89dp + 169.75dp + 170.6dp + 171.45dp + 172.31dp + 173.16dp + 174.01dp + 174.87dp + 175.72dp + 176.57dp + 177.42dp + 178.28dp + 179.13dp + 179.98dp + 180.84dp + 181.69dp + 182.54dp + 183.39dp + 184.25dp + 185.1dp + 185.95dp + 186.81dp + 187.66dp + 188.51dp + 189.37dp + 190.22dp + 191.07dp + 191.92dp + 192.78dp + 193.63dp + 194.48dp + 195.34dp + 196.19dp + 197.04dp + 197.9dp + 198.75dp + 199.6dp + 200.45dp + 201.31dp + 202.16dp + 203.01dp + 203.87dp + 204.72dp + 205.57dp + 206.43dp + 207.28dp + 208.13dp + 208.98dp + 209.84dp + 210.69dp + 211.54dp + 212.4dp + 213.25dp + 214.1dp + 214.96dp + 215.81dp + 216.66dp + 217.51dp + 218.37dp + 219.22dp + 220.07dp + 220.93dp + 221.78dp + 222.63dp + 223.49dp + 224.34dp + 225.19dp + 226.04dp + 226.9dp + 227.75dp + 228.6dp + 229.46dp + 230.31dp + 231.16dp + 232.02dp + 232.87dp + 233.72dp + 234.57dp + 235.43dp + 236.28dp + 237.13dp + 237.99dp + 238.84dp + 239.69dp + 240.55dp + 241.4dp + 242.25dp + 243.1dp + 243.96dp + 244.81dp + 245.66dp + 246.52dp + 247.37dp + 248.22dp + 249.08dp + 249.93dp + 250.78dp + 251.63dp + 252.49dp + 253.34dp + 254.19dp + 255.05dp + 255.9dp + 256.75dp + 257.61dp + 258.46dp + 259.31dp + 260.17dp + 261.02dp + 261.87dp + 262.72dp + 263.58dp + 264.43dp + 265.28dp + 266.14dp + 266.99dp + 267.84dp + 268.69dp + 269.55dp + 270.4dp + 271.25dp + 272.11dp + 272.96dp + 273.81dp + 274.67dp + 275.52dp + 276.37dp + 277.22dp + 278.08dp + 278.93dp + 279.78dp + 280.64dp + 281.49dp + 282.34dp + 283.2dp + 284.05dp + 284.9dp + 285.75dp + 286.61dp + 287.46dp + 288.31dp + 289.17dp + 290.02dp + 290.87dp + 291.73dp + 292.58dp + 293.43dp + 294.28dp + 295.14dp + 295.99dp + 296.84dp + 297.7dp + 298.55dp + 299.4dp + 300.26dp + 301.11dp + 301.96dp + 302.81dp + 303.67dp + 304.52dp + 305.37dp + 306.23dp + 307.08dp + 307.93dp + 308.79dp + 309.64dp + 310.49dp + 311.34dp + 312.2dp + 313.05dp + 313.9dp + 314.76dp + 315.61dp + 316.46dp + 317.32dp + 318.17dp + 319.02dp + 319.88dp + 320.73dp + 321.58dp + 322.43dp + 323.29dp + 324.14dp + 324.99dp + 325.85dp + 326.7dp + 327.55dp + 328.4dp + 329.26dp + 330.11dp + 330.96dp + 331.82dp + 332.67dp + 333.52dp + 334.38dp + 335.23dp + 336.08dp + 336.94dp + 337.79dp + 338.64dp + 339.49dp + 340.35dp + 341.2dp + 342.05dp + 342.91dp + 343.76dp + 344.61dp + 345.46dp + 346.32dp + 347.17dp + 348.02dp + 348.88dp + 349.73dp + 350.58dp + 351.44dp + 352.29dp + 353.14dp + 354.0dp + 354.85dp + 355.7dp + 356.55dp + 357.41dp + 358.26dp + 359.11dp + 359.97dp + 360.82dp + 361.67dp + 362.52dp + 363.38dp + 364.23dp + 365.08dp + 365.94dp + 366.79dp + 367.64dp + 368.5dp + 369.35dp + 370.2dp + 371.06dp + 371.91dp + 372.76dp + 373.61dp + 374.47dp + 375.32dp + 376.17dp + 377.03dp + 377.88dp + 378.73dp + 379.58dp + 380.44dp + 381.29dp + 382.14dp + 383.0dp + 383.85dp + 384.7dp + 385.56dp + 386.41dp + 387.26dp + 388.12dp + 388.97dp + 389.82dp + 390.67dp + 391.53dp + 392.38dp + 393.23dp + 394.09dp + 394.94dp + 395.79dp + 396.64dp + 397.5dp + 398.35dp + 399.2dp + 400.06dp + 400.91dp + 401.76dp + 402.62dp + 403.47dp + 404.32dp + 405.18dp + 406.03dp + 406.88dp + 407.73dp + 408.59dp + 409.44dp + 410.29dp + 411.15dp + 412.0dp + 412.85dp + 413.7dp + 414.56dp + 415.41dp + 416.26dp + 417.12dp + 417.97dp + 418.82dp + 419.68dp + 420.53dp + 421.38dp + 422.24dp + 423.09dp + 423.94dp + 424.79dp + 425.65dp + 426.5dp + 427.35dp + 428.21dp + 429.06dp + 429.91dp + 430.76dp + 431.62dp + 432.47dp + 433.32dp + 434.18dp + 435.03dp + 435.88dp + 436.74dp + 437.59dp + 438.44dp + 439.3dp + 440.15dp + 441.0dp + 441.85dp + 442.71dp + 443.56dp + 444.41dp + 445.27dp + 446.12dp + 446.97dp + 447.82dp + 448.68dp + 449.53dp + 450.38dp + 451.24dp + 452.09dp + 452.94dp + 453.8dp + 454.65dp + 455.5dp + 456.35dp + 457.21dp + 458.06dp + 458.91dp + 459.77dp + 460.62dp + 461.47dp + 462.33dp + 463.18dp + 464.03dp + 464.88dp + 465.74dp + 466.59dp + 467.44dp + 468.3dp + 469.15dp + 470.0dp + 470.86dp + 471.71dp + 472.56dp + 473.41dp + 474.27dp + 475.12dp + 475.97dp + 476.83dp + 477.68dp + 478.53dp + 479.39dp + 480.24dp + 481.09dp + 481.94dp + 482.8dp + 483.65dp + 484.5dp + 485.36dp + 486.21dp + 487.06dp + 487.92dp + 488.77dp + 489.62dp + 490.47dp + 491.33dp + 492.18dp + 493.03dp + 493.89dp + 494.74dp + 495.59dp + 496.45dp + 497.3dp + 498.15dp + 499.0dp + 499.86dp + 500.71dp + 501.56dp + 502.42dp + 503.27dp + 504.12dp + 504.98dp + 505.83dp + 506.68dp + 507.53dp + 508.39dp + 509.24dp + 510.09dp + 510.95dp + 511.8dp + 512.65dp + 513.51dp + 514.36dp + 515.21dp + 516.06dp + 516.92dp + 517.77dp + 518.62dp + 519.48dp + 520.33dp + 521.18dp + 522.04dp + 522.89dp + 523.74dp + 524.6dp + 525.45dp + 526.3dp + 527.15dp + 528.01dp + 528.86dp + 529.71dp + 530.57dp + 531.42dp + 532.27dp + 533.13dp + 533.98dp + 534.83dp + 535.68dp + 536.54dp + 537.39dp + 538.24dp + 539.1dp + 539.95dp + 540.8dp + 541.65dp + 542.51dp + 543.36dp + 544.21dp + 545.07dp + 545.92dp + 546.77dp + 547.63dp + 548.48dp + 549.33dp + 550.18dp + 551.04dp + 551.89dp + 552.74dp + 553.6dp + 554.45dp + 555.3dp + 556.16dp + 557.01dp + 557.86dp + 558.72dp + 559.57dp + 560.42dp + 561.27dp + 562.13dp + 562.98dp + 563.83dp + 564.69dp + 565.54dp + 566.39dp + 567.25dp + 568.1dp + 568.95dp + 569.8dp + 570.66dp + 571.51dp + 572.36dp + 573.22dp + 574.07dp + 574.92dp + 575.77dp + 576.63dp + 577.48dp + 578.33dp + 579.19dp + 580.04dp + 580.89dp + 581.75dp + 582.6dp + 583.45dp + 584.3dp + 585.16dp + 586.01dp + 586.86dp + 587.72dp + 588.57dp + 589.42dp + 590.28dp + 591.13dp + 591.98dp + 592.84dp + 593.69dp + 594.54dp + 595.39dp + 596.25dp + 597.1dp + 597.95dp + 598.81dp + 599.66dp + 600.51dp + 601.37dp + 602.22dp + 603.07dp + 603.92dp + 604.78dp + 605.63dp + 606.48dp + 607.34dp + 608.19dp + 609.04dp + 609.89dp + 610.75dp + 611.6dp + 612.45dp + 613.31dp + 614.16dp + 615.01dp + 615.87dp + 616.72dp + 617.57dp + 618.42dp + 619.28dp + 620.13dp + 620.98dp + 621.84dp + 622.69dp + 623.54dp + 624.4dp + 625.25dp + 626.1dp + 626.96dp + 627.81dp + 628.66dp + 629.51dp + 630.37dp + 631.22dp + 632.07dp + 632.93dp + 633.78dp + 634.63dp + 635.49dp + 636.34dp + 637.19dp + 638.04dp + 638.9dp + 639.75dp + 640.6dp + 641.46dp + 642.31dp + 643.16dp + 644.01dp + 644.87dp + 645.72dp + 646.57dp + 647.43dp + 648.28dp + 649.13dp + 649.99dp + 650.84dp + 651.69dp + 652.54dp + 653.4dp + 654.25dp + 655.1dp + 655.96dp + 656.81dp + 657.66dp + 658.52dp + 659.37dp + 660.22dp + 661.07dp + 661.93dp + 662.78dp + 663.63dp + 664.49dp + 665.34dp + 666.19dp + 667.05dp + 667.9dp + 668.75dp + 669.61dp + 670.46dp + 671.31dp + 672.16dp + 673.02dp + 673.87dp + 674.72dp + 675.58dp + 676.43dp + 677.28dp + 678.13dp + 678.99dp + 679.84dp + 680.69dp + 681.55dp + 682.4dp + 683.25dp + 684.11dp + 684.96dp + 685.81dp + 686.66dp + 687.52dp + 688.37dp + 689.22dp + 690.08dp + 690.93dp + 691.78dp + 692.64dp + 693.49dp + 694.34dp + 695.19dp + 696.05dp + 696.9dp + 697.75dp + 698.61dp + 699.46dp + 700.31dp + 701.17dp + 702.02dp + 702.87dp + 703.73dp + 704.58dp + 705.43dp + 706.28dp + 707.14dp + 707.99dp + 708.84dp + 709.7dp + 710.55dp + 711.4dp + 712.25dp + 713.11dp + 713.96dp + 714.81dp + 715.67dp + 716.52dp + 717.37dp + 718.23dp + 719.08dp + 719.93dp + 720.78dp + 721.64dp + 722.49dp + 723.34dp + 724.2dp + 725.05dp + 725.9dp + 726.76dp + 727.61dp + 728.46dp + 729.31dp + 730.17dp + 731.02dp + 731.87dp + 732.73dp + 733.58dp + 734.43dp + 735.29dp + 736.14dp + 736.99dp + 737.85dp + 738.7dp + 739.55dp + 740.4dp + 741.26dp + 742.11dp + 742.96dp + 743.82dp + 744.67dp + 745.52dp + 746.38dp + 747.23dp + 748.08dp + 748.93dp + 749.79dp + 750.64dp + 751.49dp + 752.35dp + 753.2dp + 754.05dp + 754.9dp + 755.76dp + 756.61dp + 757.46dp + 758.32dp + 759.17dp + 760.02dp + 760.88dp + 761.73dp + 762.58dp + 763.43dp + 764.29dp + 765.14dp + 765.99dp + 766.85dp + 767.7dp + 768.55dp + 769.41dp + 770.26dp + 771.11dp + 771.97dp + 772.82dp + 773.67dp + 774.52dp + 775.38dp + 776.23dp + 777.08dp + 777.94dp + 778.79dp + 779.64dp + 780.5dp + 781.35dp + 782.2dp + 783.05dp + 783.91dp + 784.76dp + 785.61dp + 786.47dp + 787.32dp + 788.17dp + 789.02dp + 789.88dp + 790.73dp + 791.58dp + 792.44dp + 793.29dp + 794.14dp + 795.0dp + 795.85dp + 796.7dp + 797.55dp + 798.41dp + 799.26dp + 800.11dp + 800.97dp + 801.82dp + 802.67dp + 803.53dp + 804.38dp + 805.23dp + 806.09dp + 806.94dp + 807.79dp + 808.64dp + 809.5dp + 810.35dp + 811.2dp + 812.06dp + 812.91dp + 813.76dp + 814.62dp + 815.47dp + 816.32dp + 817.17dp + 818.03dp + 818.88dp + 819.73dp + 820.59dp + 821.44dp + 822.29dp + 823.14dp + 824.0dp + 824.85dp + 825.7dp + 826.56dp + 827.41dp + 828.26dp + 829.12dp + 829.97dp + 830.82dp + 831.67dp + 832.53dp + 833.38dp + 834.23dp + 835.09dp + 835.94dp + 836.79dp + 837.65dp + 838.5dp + 839.35dp + 840.2dp + 841.06dp + 841.91dp + 842.76dp + 843.62dp + 844.47dp + 845.32dp + 846.18dp + 847.03dp + 847.88dp + 848.74dp + 849.59dp + 850.44dp + 851.29dp + 852.15dp + 853.0dp + 853.85dp + 854.71dp + 855.56dp + 856.41dp + 857.26dp + 858.12dp + 858.97dp + 859.82dp + 860.68dp + 861.53dp + 862.38dp + 863.24dp + 864.09dp + 864.94dp + 865.79dp + 866.65dp + 867.5dp + 868.35dp + 869.21dp + 870.06dp + 870.91dp + 871.77dp + 872.62dp + 873.47dp + 874.32dp + 875.18dp + 876.03dp + 876.88dp + 877.74dp + 878.59dp + 879.44dp + 880.3dp + 881.15dp + 882.0dp + 882.86dp + 883.71dp + 884.56dp + 885.41dp + 886.27dp + 887.12dp + 887.97dp + 888.83dp + 889.68dp + 890.53dp + 891.38dp + 892.24dp + 893.09dp + 893.94dp + 894.8dp + 895.65dp + 896.5dp + 897.36dp + 898.21dp + 899.06dp + 899.91dp + 900.77dp + 901.62dp + 902.47dp + 903.33dp + 904.18dp + 905.03dp + 905.89dp + 906.74dp + 907.59dp + 908.44dp + 909.3dp + 910.15dp + 911.0dp + 911.86dp + 912.71dp + 913.56dp + 914.42dp + 915.27dp + 916.12dp + 916.98dp + 917.83dp + 918.68dp + 919.53dp + 920.39dp + 921.24dp + 0.85sp + 1.71sp + 2.56sp + 3.41sp + 4.26sp + 5.12sp + 5.97sp + 6.82sp + 7.68sp + 8.53sp + 9.38sp + 10.24sp + 11.09sp + 11.94sp + 12.79sp + 13.65sp + 14.5sp + 15.35sp + 16.21sp + 17.06sp + 17.91sp + 18.77sp + 19.62sp + 20.47sp + 21.32sp + 22.18sp + 23.03sp + 23.88sp + 24.74sp + 25.59sp + 26.44sp + 27.3sp + 28.15sp + 29.0sp + 29.86sp + 30.71sp + 31.56sp + 32.41sp + 33.27sp + 34.12sp + 34.97sp + 35.83sp + 36.68sp + 37.53sp + 38.38sp + 39.24sp + 40.09sp + 40.94sp + 41.8sp + 42.65sp + 43.5sp + 44.36sp + 45.21sp + 46.06sp + 46.91sp + 47.77sp + 48.62sp + 49.47sp + 50.33sp + 51.18sp + 52.03sp + 52.89sp + 53.74sp + 54.59sp + 55.45sp + 56.3sp + 57.15sp + 58.0sp + 58.86sp + 59.71sp + 60.56sp + 61.42sp + 62.27sp + 63.12sp + 63.98sp + 64.83sp + 65.68sp + 66.53sp + 67.39sp + 68.24sp + 69.09sp + 69.95sp + 70.8sp + 71.65sp + 72.5sp + 73.36sp + 74.21sp + 75.06sp + 75.92sp + 76.77sp + 77.62sp + 78.48sp + 79.33sp + 80.18sp + 81.03sp + 81.89sp + 82.74sp + 83.59sp + 84.45sp + 85.3sp + 86.15sp + 87.01sp + 87.86sp + 88.71sp + 89.56sp + 90.42sp + 91.27sp + 92.12sp + 92.98sp + 93.83sp + 94.68sp + 95.54sp + 96.39sp + 97.24sp + 98.09sp + 98.95sp + 99.8sp + 100.65sp + 101.51sp + 102.36sp + 103.21sp + 104.07sp + 104.92sp + 105.77sp + 106.63sp + 107.48sp + 108.33sp + 109.18sp + 110.04sp + 110.89sp + 111.74sp + 112.6sp + 113.45sp + 114.3sp + 115.16sp + 116.01sp + 116.86sp + 117.71sp + 118.57sp + 119.42sp + 120.27sp + 121.13sp + 121.98sp + 122.83sp + 123.69sp + 124.54sp + 125.39sp + 126.24sp + 127.1sp + 127.95sp + 128.8sp + 129.66sp + 130.51sp + 131.36sp + 132.22sp + 133.07sp + 133.92sp + 134.77sp + 135.63sp + 136.48sp + 137.33sp + 138.19sp + 139.04sp + 139.89sp + 140.75sp + 141.6sp + 142.45sp + 143.3sp + 144.16sp + 145.01sp + 145.86sp + 146.72sp + 147.57sp + 148.42sp + 149.28sp + 150.13sp + 150.98sp + 151.83sp + 152.69sp + 153.54sp + 154.39sp + 155.25sp + 156.1sp + 156.95sp + 157.81sp + 158.66sp + 159.51sp + 160.36sp + 161.22sp + 162.07sp + 162.92sp + 163.78sp + 164.63sp + 165.48sp + 166.34sp + 167.19sp + 168.04sp + 168.89sp + 169.75sp + 170.6sp + diff --git a/app/src/main/res/values-sw340dp/dimens.xml b/app/src/main/res/values-sw340dp/dimens.xml new file mode 100644 index 0000000..c9cf2d1 --- /dev/null +++ b/app/src/main/res/values-sw340dp/dimens.xml @@ -0,0 +1,2365 @@ + + + + -979.56dp + -978.65dp + -977.75dp + -976.84dp + -975.93dp + -975.02dp + -974.12dp + -973.21dp + -972.3dp + -971.4dp + -970.49dp + -969.58dp + -968.68dp + -967.77dp + -966.86dp + -965.96dp + -965.05dp + -964.14dp + -963.23dp + -962.33dp + -961.42dp + -960.51dp + -959.61dp + -958.7dp + -957.79dp + -956.88dp + -955.98dp + -955.07dp + -954.16dp + -953.26dp + -952.35dp + -951.44dp + -950.54dp + -949.63dp + -948.72dp + -947.82dp + -946.91dp + -946.0dp + -945.09dp + -944.19dp + -943.28dp + -942.37dp + -941.47dp + -940.56dp + -939.65dp + -938.75dp + -937.84dp + -936.93dp + -936.02dp + -935.12dp + -934.21dp + -933.3dp + -932.4dp + -931.49dp + -930.58dp + -929.68dp + -928.77dp + -927.86dp + -926.95dp + -926.05dp + -925.14dp + -924.23dp + -923.33dp + -922.42dp + -921.51dp + -920.61dp + -919.7dp + -918.79dp + -917.88dp + -916.98dp + -916.07dp + -915.16dp + -914.26dp + -913.35dp + -912.44dp + -911.54dp + -910.63dp + -909.72dp + -908.81dp + -907.91dp + -907.0dp + -906.09dp + -905.19dp + -904.28dp + -903.37dp + -902.47dp + -901.56dp + -900.65dp + -899.74dp + -898.84dp + -897.93dp + -897.02dp + -896.12dp + -895.21dp + -894.3dp + -893.39dp + -892.49dp + -891.58dp + -890.67dp + -889.77dp + -888.86dp + -887.95dp + -887.05dp + -886.14dp + -885.23dp + -884.33dp + -883.42dp + -882.51dp + -881.6dp + -880.7dp + -879.79dp + -878.88dp + -877.98dp + -877.07dp + -876.16dp + -875.25dp + -874.35dp + -873.44dp + -872.53dp + -871.63dp + -870.72dp + -869.81dp + -868.91dp + -868.0dp + -867.09dp + -866.19dp + -865.28dp + -864.37dp + -863.46dp + -862.56dp + -861.65dp + -860.74dp + -859.84dp + -858.93dp + -858.02dp + -857.12dp + -856.21dp + -855.3dp + -854.39dp + -853.49dp + -852.58dp + -851.67dp + -850.77dp + -849.86dp + -848.95dp + -848.05dp + -847.14dp + -846.23dp + -845.32dp + -844.42dp + -843.51dp + -842.6dp + -841.7dp + -840.79dp + -839.88dp + -838.98dp + -838.07dp + -837.16dp + -836.25dp + -835.35dp + -834.44dp + -833.53dp + -832.63dp + -831.72dp + -830.81dp + -829.9dp + -829.0dp + -828.09dp + -827.18dp + -826.28dp + -825.37dp + -824.46dp + -823.56dp + -822.65dp + -821.74dp + -820.84dp + -819.93dp + -819.02dp + -818.11dp + -817.21dp + -816.3dp + -815.39dp + -814.49dp + -813.58dp + -812.67dp + -811.76dp + -810.86dp + -809.95dp + -809.04dp + -808.14dp + -807.23dp + -806.32dp + -805.42dp + -804.51dp + -803.6dp + -802.7dp + -801.79dp + -800.88dp + -799.97dp + -799.07dp + -798.16dp + -797.25dp + -796.35dp + -795.44dp + -794.53dp + -793.63dp + -792.72dp + -791.81dp + -790.9dp + -790.0dp + -789.09dp + -788.18dp + -787.28dp + -786.37dp + -785.46dp + -784.56dp + -783.65dp + -782.74dp + -781.83dp + -780.93dp + -780.02dp + -779.11dp + -778.21dp + -777.3dp + -776.39dp + -775.49dp + -774.58dp + -773.67dp + -772.76dp + -771.86dp + -770.95dp + -770.04dp + -769.14dp + -768.23dp + -767.32dp + -766.42dp + -765.51dp + -764.6dp + -763.69dp + -762.79dp + -761.88dp + -760.97dp + -760.07dp + -759.16dp + -758.25dp + -757.35dp + -756.44dp + -755.53dp + -754.62dp + -753.72dp + -752.81dp + -751.9dp + -751.0dp + -750.09dp + -749.18dp + -748.27dp + -747.37dp + -746.46dp + -745.55dp + -744.65dp + -743.74dp + -742.83dp + -741.93dp + -741.02dp + -740.11dp + -739.21dp + -738.3dp + -737.39dp + -736.48dp + -735.58dp + -734.67dp + -733.76dp + -732.86dp + -731.95dp + -731.04dp + -730.13dp + -729.23dp + -728.32dp + -727.41dp + -726.51dp + -725.6dp + -724.69dp + -723.79dp + -722.88dp + -721.97dp + -721.07dp + -720.16dp + -719.25dp + -718.34dp + -717.44dp + -716.53dp + -715.62dp + -714.72dp + -713.81dp + -712.9dp + -712.0dp + -711.09dp + -710.18dp + -709.27dp + -708.37dp + -707.46dp + -706.55dp + -705.65dp + -704.74dp + -703.83dp + -702.93dp + -702.02dp + -701.11dp + -700.2dp + -699.3dp + -698.39dp + -697.48dp + -696.58dp + -695.67dp + -694.76dp + -693.86dp + -692.95dp + -692.04dp + -691.13dp + -690.23dp + -689.32dp + -688.41dp + -687.51dp + -686.6dp + -685.69dp + -684.78dp + -683.88dp + -682.97dp + -682.06dp + -681.16dp + -680.25dp + -679.34dp + -678.44dp + -677.53dp + -676.62dp + -675.72dp + -674.81dp + -673.9dp + -672.99dp + -672.09dp + -671.18dp + -670.27dp + -669.37dp + -668.46dp + -667.55dp + -666.64dp + -665.74dp + -664.83dp + -663.92dp + -663.02dp + -662.11dp + -661.2dp + -660.3dp + -659.39dp + -658.48dp + -657.58dp + -656.67dp + -655.76dp + -654.85dp + -653.95dp + -653.04dp + -652.13dp + -651.23dp + -650.32dp + -649.41dp + -648.5dp + -647.6dp + -646.69dp + -645.78dp + -644.88dp + -643.97dp + -643.06dp + -642.16dp + -641.25dp + -640.34dp + -639.44dp + -638.53dp + -637.62dp + -636.71dp + -635.81dp + -634.9dp + -633.99dp + -633.09dp + -632.18dp + -631.27dp + -630.37dp + -629.46dp + -628.55dp + -627.64dp + -626.74dp + -625.83dp + -624.92dp + -624.02dp + -623.11dp + -622.2dp + -621.3dp + -620.39dp + -619.48dp + -618.57dp + -617.67dp + -616.76dp + -615.85dp + -614.95dp + -614.04dp + -613.13dp + -612.23dp + -611.32dp + -610.41dp + -609.5dp + -608.6dp + -607.69dp + -606.78dp + -605.88dp + -604.97dp + -604.06dp + -603.15dp + -602.25dp + -601.34dp + -600.43dp + -599.53dp + -598.62dp + -597.71dp + -596.81dp + -595.9dp + -594.99dp + -594.09dp + -593.18dp + -592.27dp + -591.36dp + -590.46dp + -589.55dp + -588.64dp + -587.74dp + -586.83dp + -585.92dp + -585.01dp + -584.11dp + -583.2dp + -582.29dp + -581.39dp + -580.48dp + -579.57dp + -578.67dp + -577.76dp + -576.85dp + -575.95dp + -575.04dp + -574.13dp + -573.22dp + -572.32dp + -571.41dp + -570.5dp + -569.6dp + -568.69dp + -567.78dp + -566.88dp + -565.97dp + -565.06dp + -564.15dp + -563.25dp + -562.34dp + -561.43dp + -560.53dp + -559.62dp + -558.71dp + -557.81dp + -556.9dp + -555.99dp + -555.08dp + -554.18dp + -553.27dp + -552.36dp + -551.46dp + -550.55dp + -549.64dp + -548.74dp + -547.83dp + -546.92dp + -546.01dp + -545.11dp + -544.2dp + -543.29dp + -542.39dp + -541.48dp + -540.57dp + -539.66dp + -538.76dp + -537.85dp + -536.94dp + -536.04dp + -535.13dp + -534.22dp + -533.32dp + -532.41dp + -531.5dp + -530.6dp + -529.69dp + -528.78dp + -527.87dp + -526.97dp + -526.06dp + -525.15dp + -524.25dp + -523.34dp + -522.43dp + -521.52dp + -520.62dp + -519.71dp + -518.8dp + -517.9dp + -516.99dp + -516.08dp + -515.18dp + -514.27dp + -513.36dp + -512.46dp + -511.55dp + -510.64dp + -509.73dp + -508.83dp + -507.92dp + -507.01dp + -506.11dp + -505.2dp + -504.29dp + -503.38dp + -502.48dp + -501.57dp + -500.66dp + -499.76dp + -498.85dp + -497.94dp + -497.04dp + -496.13dp + -495.22dp + -494.31dp + -493.41dp + -492.5dp + -491.59dp + -490.69dp + -489.78dp + -488.87dp + -487.97dp + -487.06dp + -486.15dp + -485.25dp + -484.34dp + -483.43dp + -482.52dp + -481.62dp + -480.71dp + -479.8dp + -478.9dp + -477.99dp + -477.08dp + -476.18dp + -475.27dp + -474.36dp + -473.45dp + -472.55dp + -471.64dp + -470.73dp + -469.83dp + -468.92dp + -468.01dp + -467.11dp + -466.2dp + -465.29dp + -464.38dp + -463.48dp + -462.57dp + -461.66dp + -460.76dp + -459.85dp + -458.94dp + -458.04dp + -457.13dp + -456.22dp + -455.31dp + -454.41dp + -453.5dp + -452.59dp + -451.69dp + -450.78dp + -449.87dp + -448.97dp + -448.06dp + -447.15dp + -446.24dp + -445.34dp + -444.43dp + -443.52dp + -442.62dp + -441.71dp + -440.8dp + -439.9dp + -438.99dp + -438.08dp + -437.17dp + -436.27dp + -435.36dp + -434.45dp + -433.55dp + -432.64dp + -431.73dp + -430.82dp + -429.92dp + -429.01dp + -428.1dp + -427.2dp + -426.29dp + -425.38dp + -424.48dp + -423.57dp + -422.66dp + -421.75dp + -420.85dp + -419.94dp + -419.03dp + -418.13dp + -417.22dp + -416.31dp + -415.41dp + -414.5dp + -413.59dp + -412.69dp + -411.78dp + -410.87dp + -409.96dp + -409.06dp + -408.15dp + -407.24dp + -406.34dp + -405.43dp + -404.52dp + -403.62dp + -402.71dp + -401.8dp + -400.89dp + -399.99dp + -399.08dp + -398.17dp + -397.27dp + -396.36dp + -395.45dp + -394.55dp + -393.64dp + -392.73dp + -391.82dp + -390.92dp + -390.01dp + -389.1dp + -388.2dp + -387.29dp + -386.38dp + -385.48dp + -384.57dp + -383.66dp + -382.75dp + -381.85dp + -380.94dp + -380.03dp + -379.13dp + -378.22dp + -377.31dp + -376.41dp + -375.5dp + -374.59dp + -373.68dp + -372.78dp + -371.87dp + -370.96dp + -370.06dp + -369.15dp + -368.24dp + -367.34dp + -366.43dp + -365.52dp + -364.61dp + -363.71dp + -362.8dp + -361.89dp + -360.99dp + -360.08dp + -359.17dp + -358.26dp + -357.36dp + -356.45dp + -355.54dp + -354.64dp + -353.73dp + -352.82dp + -351.92dp + -351.01dp + -350.1dp + -349.19dp + -348.29dp + -347.38dp + -346.47dp + -345.57dp + -344.66dp + -343.75dp + -342.85dp + -341.94dp + -341.03dp + -340.13dp + -339.22dp + -338.31dp + -337.4dp + -336.5dp + -335.59dp + -334.68dp + -333.78dp + -332.87dp + -331.96dp + -331.06dp + -330.15dp + -329.24dp + -328.33dp + -327.43dp + -326.52dp + -325.61dp + -324.71dp + -323.8dp + -322.89dp + -321.99dp + -321.08dp + -320.17dp + -319.26dp + -318.36dp + -317.45dp + -316.54dp + -315.64dp + -314.73dp + -313.82dp + -312.92dp + -312.01dp + -311.1dp + -310.19dp + -309.29dp + -308.38dp + -307.47dp + -306.57dp + -305.66dp + -304.75dp + -303.85dp + -302.94dp + -302.03dp + -301.12dp + -300.22dp + -299.31dp + -298.4dp + -297.5dp + -296.59dp + -295.68dp + -294.78dp + -293.87dp + -292.96dp + -292.05dp + -291.15dp + -290.24dp + -289.33dp + -288.43dp + -287.52dp + -286.61dp + -285.7dp + -284.8dp + -283.89dp + -282.98dp + -282.08dp + -281.17dp + -280.26dp + -279.36dp + -278.45dp + -277.54dp + -276.63dp + -275.73dp + -274.82dp + -273.91dp + -273.01dp + -272.1dp + -271.19dp + -270.29dp + -269.38dp + -268.47dp + -267.56dp + -266.66dp + -265.75dp + -264.84dp + -263.94dp + -263.03dp + -262.12dp + -261.22dp + -260.31dp + -259.4dp + -258.5dp + -257.59dp + -256.68dp + -255.77dp + -254.87dp + -253.96dp + -253.05dp + -252.15dp + -251.24dp + -250.33dp + -249.43dp + -248.52dp + -247.61dp + -246.7dp + -245.8dp + -244.89dp + -243.98dp + -243.08dp + -242.17dp + -241.26dp + -240.36dp + -239.45dp + -238.54dp + -237.63dp + -236.73dp + -235.82dp + -234.91dp + -234.01dp + -233.1dp + -232.19dp + -231.28dp + -230.38dp + -229.47dp + -228.56dp + -227.66dp + -226.75dp + -225.84dp + -224.94dp + -224.03dp + -223.12dp + -222.22dp + -221.31dp + -220.4dp + -219.49dp + -218.59dp + -217.68dp + -216.77dp + -215.87dp + -214.96dp + -214.05dp + -213.15dp + -212.24dp + -211.33dp + -210.42dp + -209.52dp + -208.61dp + -207.7dp + -206.8dp + -205.89dp + -204.98dp + -204.08dp + -203.17dp + -202.26dp + -201.35dp + -200.45dp + -199.54dp + -198.63dp + -197.73dp + -196.82dp + -195.91dp + -195.0dp + -194.1dp + -193.19dp + -192.28dp + -191.38dp + -190.47dp + -189.56dp + -188.66dp + -187.75dp + -186.84dp + -185.94dp + -185.03dp + -184.12dp + -183.21dp + -182.31dp + -181.4dp + -180.49dp + -179.59dp + -178.68dp + -177.77dp + -176.87dp + -175.96dp + -175.05dp + -174.14dp + -173.24dp + -172.33dp + -171.42dp + -170.52dp + -169.61dp + -168.7dp + -167.8dp + -166.89dp + -165.98dp + -165.07dp + -164.17dp + -163.26dp + -162.35dp + -161.45dp + -160.54dp + -159.63dp + -158.72dp + -157.82dp + -156.91dp + -156.0dp + -155.1dp + -154.19dp + -153.28dp + -152.38dp + -151.47dp + -150.56dp + -149.66dp + -148.75dp + -147.84dp + -146.93dp + -146.03dp + -145.12dp + -144.21dp + -143.31dp + -142.4dp + -141.49dp + -140.59dp + -139.68dp + -138.77dp + -137.86dp + -136.96dp + -136.05dp + -135.14dp + -134.24dp + -133.33dp + -132.42dp + -131.52dp + -130.61dp + -129.7dp + -128.79dp + -127.89dp + -126.98dp + -126.07dp + -125.17dp + -124.26dp + -123.35dp + -122.45dp + -121.54dp + -120.63dp + -119.72dp + -118.82dp + -117.91dp + -117.0dp + -116.1dp + -115.19dp + -114.28dp + -113.38dp + -112.47dp + -111.56dp + -110.65dp + -109.75dp + -108.84dp + -107.93dp + -107.03dp + -106.12dp + -105.21dp + -104.31dp + -103.4dp + -102.49dp + -101.58dp + -100.68dp + -99.77dp + -98.86dp + -97.96dp + -97.05dp + -96.14dp + -95.23dp + -94.33dp + -93.42dp + -92.51dp + -91.61dp + -90.7dp + -89.79dp + -88.89dp + -87.98dp + -87.07dp + -86.17dp + -85.26dp + -84.35dp + -83.44dp + -82.54dp + -81.63dp + -80.72dp + -79.82dp + -78.91dp + -78.0dp + -77.09dp + -76.19dp + -75.28dp + -74.37dp + -73.47dp + -72.56dp + -71.65dp + -70.75dp + -69.84dp + -68.93dp + -68.03dp + -67.12dp + -66.21dp + -65.3dp + -64.4dp + -63.49dp + -62.58dp + -61.68dp + -60.77dp + -59.86dp + -58.95dp + -58.05dp + -57.14dp + -56.23dp + -55.33dp + -54.42dp + -53.51dp + -52.61dp + -51.7dp + -50.79dp + -49.89dp + -48.98dp + -48.07dp + -47.16dp + -46.26dp + -45.35dp + -44.44dp + -43.54dp + -42.63dp + -41.72dp + -40.81dp + -39.91dp + -39.0dp + -38.09dp + -37.19dp + -36.28dp + -35.37dp + -34.47dp + -33.56dp + -32.65dp + -31.75dp + -30.84dp + -29.93dp + -29.02dp + -28.12dp + -27.21dp + -26.3dp + -25.4dp + -24.49dp + -23.58dp + -22.68dp + -21.77dp + -20.86dp + -19.95dp + -19.05dp + -18.14dp + -17.23dp + -16.33dp + -15.42dp + -14.51dp + -13.61dp + -12.7dp + -11.79dp + -10.88dp + -9.98dp + -9.07dp + -8.16dp + -7.26dp + -6.35dp + -5.44dp + -4.54dp + -3.63dp + -2.72dp + -1.81dp + -0.91dp + 0.0dp + 0.91dp + 1.81dp + 2.72dp + 3.63dp + 4.54dp + 5.44dp + 6.35dp + 7.26dp + 8.16dp + 9.07dp + 9.98dp + 10.88dp + 11.79dp + 12.7dp + 13.61dp + 14.51dp + 15.42dp + 16.33dp + 17.23dp + 18.14dp + 19.05dp + 19.95dp + 20.86dp + 21.77dp + 22.68dp + 23.58dp + 24.49dp + 25.4dp + 26.3dp + 27.21dp + 28.12dp + 29.02dp + 29.93dp + 30.84dp + 31.75dp + 32.65dp + 33.56dp + 34.47dp + 35.37dp + 36.28dp + 37.19dp + 38.09dp + 39.0dp + 39.91dp + 40.81dp + 41.72dp + 42.63dp + 43.54dp + 44.44dp + 45.35dp + 46.26dp + 47.16dp + 48.07dp + 48.98dp + 49.89dp + 50.79dp + 51.7dp + 52.61dp + 53.51dp + 54.42dp + 55.33dp + 56.23dp + 57.14dp + 58.05dp + 58.95dp + 59.86dp + 60.77dp + 61.68dp + 62.58dp + 63.49dp + 64.4dp + 65.3dp + 66.21dp + 67.12dp + 68.03dp + 68.93dp + 69.84dp + 70.75dp + 71.65dp + 72.56dp + 73.47dp + 74.37dp + 75.28dp + 76.19dp + 77.09dp + 78.0dp + 78.91dp + 79.82dp + 80.72dp + 81.63dp + 82.54dp + 83.44dp + 84.35dp + 85.26dp + 86.17dp + 87.07dp + 87.98dp + 88.89dp + 89.79dp + 90.7dp + 91.61dp + 92.51dp + 93.42dp + 94.33dp + 95.23dp + 96.14dp + 97.05dp + 97.96dp + 98.86dp + 99.77dp + 100.68dp + 101.58dp + 102.49dp + 103.4dp + 104.31dp + 105.21dp + 106.12dp + 107.03dp + 107.93dp + 108.84dp + 109.75dp + 110.65dp + 111.56dp + 112.47dp + 113.38dp + 114.28dp + 115.19dp + 116.1dp + 117.0dp + 117.91dp + 118.82dp + 119.72dp + 120.63dp + 121.54dp + 122.45dp + 123.35dp + 124.26dp + 125.17dp + 126.07dp + 126.98dp + 127.89dp + 128.79dp + 129.7dp + 130.61dp + 131.52dp + 132.42dp + 133.33dp + 134.24dp + 135.14dp + 136.05dp + 136.96dp + 137.86dp + 138.77dp + 139.68dp + 140.59dp + 141.49dp + 142.4dp + 143.31dp + 144.21dp + 145.12dp + 146.03dp + 146.93dp + 147.84dp + 148.75dp + 149.66dp + 150.56dp + 151.47dp + 152.38dp + 153.28dp + 154.19dp + 155.1dp + 156.0dp + 156.91dp + 157.82dp + 158.72dp + 159.63dp + 160.54dp + 161.45dp + 162.35dp + 163.26dp + 164.17dp + 165.07dp + 165.98dp + 166.89dp + 167.8dp + 168.7dp + 169.61dp + 170.52dp + 171.42dp + 172.33dp + 173.24dp + 174.14dp + 175.05dp + 175.96dp + 176.87dp + 177.77dp + 178.68dp + 179.59dp + 180.49dp + 181.4dp + 182.31dp + 183.21dp + 184.12dp + 185.03dp + 185.94dp + 186.84dp + 187.75dp + 188.66dp + 189.56dp + 190.47dp + 191.38dp + 192.28dp + 193.19dp + 194.1dp + 195.0dp + 195.91dp + 196.82dp + 197.73dp + 198.63dp + 199.54dp + 200.45dp + 201.35dp + 202.26dp + 203.17dp + 204.08dp + 204.98dp + 205.89dp + 206.8dp + 207.7dp + 208.61dp + 209.52dp + 210.42dp + 211.33dp + 212.24dp + 213.15dp + 214.05dp + 214.96dp + 215.87dp + 216.77dp + 217.68dp + 218.59dp + 219.49dp + 220.4dp + 221.31dp + 222.22dp + 223.12dp + 224.03dp + 224.94dp + 225.84dp + 226.75dp + 227.66dp + 228.56dp + 229.47dp + 230.38dp + 231.28dp + 232.19dp + 233.1dp + 234.01dp + 234.91dp + 235.82dp + 236.73dp + 237.63dp + 238.54dp + 239.45dp + 240.36dp + 241.26dp + 242.17dp + 243.08dp + 243.98dp + 244.89dp + 245.8dp + 246.7dp + 247.61dp + 248.52dp + 249.43dp + 250.33dp + 251.24dp + 252.15dp + 253.05dp + 253.96dp + 254.87dp + 255.77dp + 256.68dp + 257.59dp + 258.5dp + 259.4dp + 260.31dp + 261.22dp + 262.12dp + 263.03dp + 263.94dp + 264.84dp + 265.75dp + 266.66dp + 267.56dp + 268.47dp + 269.38dp + 270.29dp + 271.19dp + 272.1dp + 273.01dp + 273.91dp + 274.82dp + 275.73dp + 276.63dp + 277.54dp + 278.45dp + 279.36dp + 280.26dp + 281.17dp + 282.08dp + 282.98dp + 283.89dp + 284.8dp + 285.7dp + 286.61dp + 287.52dp + 288.43dp + 289.33dp + 290.24dp + 291.15dp + 292.05dp + 292.96dp + 293.87dp + 294.78dp + 295.68dp + 296.59dp + 297.5dp + 298.4dp + 299.31dp + 300.22dp + 301.12dp + 302.03dp + 302.94dp + 303.85dp + 304.75dp + 305.66dp + 306.57dp + 307.47dp + 308.38dp + 309.29dp + 310.19dp + 311.1dp + 312.01dp + 312.92dp + 313.82dp + 314.73dp + 315.64dp + 316.54dp + 317.45dp + 318.36dp + 319.26dp + 320.17dp + 321.08dp + 321.99dp + 322.89dp + 323.8dp + 324.71dp + 325.61dp + 326.52dp + 327.43dp + 328.33dp + 329.24dp + 330.15dp + 331.06dp + 331.96dp + 332.87dp + 333.78dp + 334.68dp + 335.59dp + 336.5dp + 337.4dp + 338.31dp + 339.22dp + 340.13dp + 341.03dp + 341.94dp + 342.85dp + 343.75dp + 344.66dp + 345.57dp + 346.47dp + 347.38dp + 348.29dp + 349.19dp + 350.1dp + 351.01dp + 351.92dp + 352.82dp + 353.73dp + 354.64dp + 355.54dp + 356.45dp + 357.36dp + 358.26dp + 359.17dp + 360.08dp + 360.99dp + 361.89dp + 362.8dp + 363.71dp + 364.61dp + 365.52dp + 366.43dp + 367.34dp + 368.24dp + 369.15dp + 370.06dp + 370.96dp + 371.87dp + 372.78dp + 373.68dp + 374.59dp + 375.5dp + 376.41dp + 377.31dp + 378.22dp + 379.13dp + 380.03dp + 380.94dp + 381.85dp + 382.75dp + 383.66dp + 384.57dp + 385.48dp + 386.38dp + 387.29dp + 388.2dp + 389.1dp + 390.01dp + 390.92dp + 391.82dp + 392.73dp + 393.64dp + 394.55dp + 395.45dp + 396.36dp + 397.27dp + 398.17dp + 399.08dp + 399.99dp + 400.89dp + 401.8dp + 402.71dp + 403.62dp + 404.52dp + 405.43dp + 406.34dp + 407.24dp + 408.15dp + 409.06dp + 409.96dp + 410.87dp + 411.78dp + 412.69dp + 413.59dp + 414.5dp + 415.41dp + 416.31dp + 417.22dp + 418.13dp + 419.03dp + 419.94dp + 420.85dp + 421.75dp + 422.66dp + 423.57dp + 424.48dp + 425.38dp + 426.29dp + 427.2dp + 428.1dp + 429.01dp + 429.92dp + 430.82dp + 431.73dp + 432.64dp + 433.55dp + 434.45dp + 435.36dp + 436.27dp + 437.17dp + 438.08dp + 438.99dp + 439.9dp + 440.8dp + 441.71dp + 442.62dp + 443.52dp + 444.43dp + 445.34dp + 446.24dp + 447.15dp + 448.06dp + 448.97dp + 449.87dp + 450.78dp + 451.69dp + 452.59dp + 453.5dp + 454.41dp + 455.31dp + 456.22dp + 457.13dp + 458.04dp + 458.94dp + 459.85dp + 460.76dp + 461.66dp + 462.57dp + 463.48dp + 464.38dp + 465.29dp + 466.2dp + 467.11dp + 468.01dp + 468.92dp + 469.83dp + 470.73dp + 471.64dp + 472.55dp + 473.45dp + 474.36dp + 475.27dp + 476.18dp + 477.08dp + 477.99dp + 478.9dp + 479.8dp + 480.71dp + 481.62dp + 482.52dp + 483.43dp + 484.34dp + 485.25dp + 486.15dp + 487.06dp + 487.97dp + 488.87dp + 489.78dp + 490.69dp + 491.59dp + 492.5dp + 493.41dp + 494.31dp + 495.22dp + 496.13dp + 497.04dp + 497.94dp + 498.85dp + 499.76dp + 500.66dp + 501.57dp + 502.48dp + 503.38dp + 504.29dp + 505.2dp + 506.11dp + 507.01dp + 507.92dp + 508.83dp + 509.73dp + 510.64dp + 511.55dp + 512.46dp + 513.36dp + 514.27dp + 515.18dp + 516.08dp + 516.99dp + 517.9dp + 518.8dp + 519.71dp + 520.62dp + 521.52dp + 522.43dp + 523.34dp + 524.25dp + 525.15dp + 526.06dp + 526.97dp + 527.87dp + 528.78dp + 529.69dp + 530.6dp + 531.5dp + 532.41dp + 533.32dp + 534.22dp + 535.13dp + 536.04dp + 536.94dp + 537.85dp + 538.76dp + 539.66dp + 540.57dp + 541.48dp + 542.39dp + 543.29dp + 544.2dp + 545.11dp + 546.01dp + 546.92dp + 547.83dp + 548.74dp + 549.64dp + 550.55dp + 551.46dp + 552.36dp + 553.27dp + 554.18dp + 555.08dp + 555.99dp + 556.9dp + 557.81dp + 558.71dp + 559.62dp + 560.53dp + 561.43dp + 562.34dp + 563.25dp + 564.15dp + 565.06dp + 565.97dp + 566.88dp + 567.78dp + 568.69dp + 569.6dp + 570.5dp + 571.41dp + 572.32dp + 573.22dp + 574.13dp + 575.04dp + 575.95dp + 576.85dp + 577.76dp + 578.67dp + 579.57dp + 580.48dp + 581.39dp + 582.29dp + 583.2dp + 584.11dp + 585.01dp + 585.92dp + 586.83dp + 587.74dp + 588.64dp + 589.55dp + 590.46dp + 591.36dp + 592.27dp + 593.18dp + 594.09dp + 594.99dp + 595.9dp + 596.81dp + 597.71dp + 598.62dp + 599.53dp + 600.43dp + 601.34dp + 602.25dp + 603.15dp + 604.06dp + 604.97dp + 605.88dp + 606.78dp + 607.69dp + 608.6dp + 609.5dp + 610.41dp + 611.32dp + 612.23dp + 613.13dp + 614.04dp + 614.95dp + 615.85dp + 616.76dp + 617.67dp + 618.57dp + 619.48dp + 620.39dp + 621.3dp + 622.2dp + 623.11dp + 624.02dp + 624.92dp + 625.83dp + 626.74dp + 627.64dp + 628.55dp + 629.46dp + 630.37dp + 631.27dp + 632.18dp + 633.09dp + 633.99dp + 634.9dp + 635.81dp + 636.71dp + 637.62dp + 638.53dp + 639.44dp + 640.34dp + 641.25dp + 642.16dp + 643.06dp + 643.97dp + 644.88dp + 645.78dp + 646.69dp + 647.6dp + 648.5dp + 649.41dp + 650.32dp + 651.23dp + 652.13dp + 653.04dp + 653.95dp + 654.85dp + 655.76dp + 656.67dp + 657.58dp + 658.48dp + 659.39dp + 660.3dp + 661.2dp + 662.11dp + 663.02dp + 663.92dp + 664.83dp + 665.74dp + 666.64dp + 667.55dp + 668.46dp + 669.37dp + 670.27dp + 671.18dp + 672.09dp + 672.99dp + 673.9dp + 674.81dp + 675.72dp + 676.62dp + 677.53dp + 678.44dp + 679.34dp + 680.25dp + 681.16dp + 682.06dp + 682.97dp + 683.88dp + 684.78dp + 685.69dp + 686.6dp + 687.51dp + 688.41dp + 689.32dp + 690.23dp + 691.13dp + 692.04dp + 692.95dp + 693.86dp + 694.76dp + 695.67dp + 696.58dp + 697.48dp + 698.39dp + 699.3dp + 700.2dp + 701.11dp + 702.02dp + 702.93dp + 703.83dp + 704.74dp + 705.65dp + 706.55dp + 707.46dp + 708.37dp + 709.27dp + 710.18dp + 711.09dp + 712.0dp + 712.9dp + 713.81dp + 714.72dp + 715.62dp + 716.53dp + 717.44dp + 718.34dp + 719.25dp + 720.16dp + 721.07dp + 721.97dp + 722.88dp + 723.79dp + 724.69dp + 725.6dp + 726.51dp + 727.41dp + 728.32dp + 729.23dp + 730.13dp + 731.04dp + 731.95dp + 732.86dp + 733.76dp + 734.67dp + 735.58dp + 736.48dp + 737.39dp + 738.3dp + 739.21dp + 740.11dp + 741.02dp + 741.93dp + 742.83dp + 743.74dp + 744.65dp + 745.55dp + 746.46dp + 747.37dp + 748.27dp + 749.18dp + 750.09dp + 751.0dp + 751.9dp + 752.81dp + 753.72dp + 754.62dp + 755.53dp + 756.44dp + 757.35dp + 758.25dp + 759.16dp + 760.07dp + 760.97dp + 761.88dp + 762.79dp + 763.69dp + 764.6dp + 765.51dp + 766.42dp + 767.32dp + 768.23dp + 769.14dp + 770.04dp + 770.95dp + 771.86dp + 772.76dp + 773.67dp + 774.58dp + 775.49dp + 776.39dp + 777.3dp + 778.21dp + 779.11dp + 780.02dp + 780.93dp + 781.83dp + 782.74dp + 783.65dp + 784.56dp + 785.46dp + 786.37dp + 787.28dp + 788.18dp + 789.09dp + 790.0dp + 790.9dp + 791.81dp + 792.72dp + 793.63dp + 794.53dp + 795.44dp + 796.35dp + 797.25dp + 798.16dp + 799.07dp + 799.97dp + 800.88dp + 801.79dp + 802.7dp + 803.6dp + 804.51dp + 805.42dp + 806.32dp + 807.23dp + 808.14dp + 809.04dp + 809.95dp + 810.86dp + 811.76dp + 812.67dp + 813.58dp + 814.49dp + 815.39dp + 816.3dp + 817.21dp + 818.11dp + 819.02dp + 819.93dp + 820.84dp + 821.74dp + 822.65dp + 823.56dp + 824.46dp + 825.37dp + 826.28dp + 827.18dp + 828.09dp + 829.0dp + 829.9dp + 830.81dp + 831.72dp + 832.63dp + 833.53dp + 834.44dp + 835.35dp + 836.25dp + 837.16dp + 838.07dp + 838.98dp + 839.88dp + 840.79dp + 841.7dp + 842.6dp + 843.51dp + 844.42dp + 845.32dp + 846.23dp + 847.14dp + 848.05dp + 848.95dp + 849.86dp + 850.77dp + 851.67dp + 852.58dp + 853.49dp + 854.39dp + 855.3dp + 856.21dp + 857.12dp + 858.02dp + 858.93dp + 859.84dp + 860.74dp + 861.65dp + 862.56dp + 863.46dp + 864.37dp + 865.28dp + 866.19dp + 867.09dp + 868.0dp + 868.91dp + 869.81dp + 870.72dp + 871.63dp + 872.53dp + 873.44dp + 874.35dp + 875.25dp + 876.16dp + 877.07dp + 877.98dp + 878.88dp + 879.79dp + 880.7dp + 881.6dp + 882.51dp + 883.42dp + 884.33dp + 885.23dp + 886.14dp + 887.05dp + 887.95dp + 888.86dp + 889.77dp + 890.67dp + 891.58dp + 892.49dp + 893.39dp + 894.3dp + 895.21dp + 896.12dp + 897.02dp + 897.93dp + 898.84dp + 899.74dp + 900.65dp + 901.56dp + 902.47dp + 903.37dp + 904.28dp + 905.19dp + 906.09dp + 907.0dp + 907.91dp + 908.81dp + 909.72dp + 910.63dp + 911.54dp + 912.44dp + 913.35dp + 914.26dp + 915.16dp + 916.07dp + 916.98dp + 917.88dp + 918.79dp + 919.7dp + 920.61dp + 921.51dp + 922.42dp + 923.33dp + 924.23dp + 925.14dp + 926.05dp + 926.95dp + 927.86dp + 928.77dp + 929.68dp + 930.58dp + 931.49dp + 932.4dp + 933.3dp + 934.21dp + 935.12dp + 936.02dp + 936.93dp + 937.84dp + 938.75dp + 939.65dp + 940.56dp + 941.47dp + 942.37dp + 943.28dp + 944.19dp + 945.09dp + 946.0dp + 946.91dp + 947.82dp + 948.72dp + 949.63dp + 950.54dp + 951.44dp + 952.35dp + 953.26dp + 954.16dp + 955.07dp + 955.98dp + 956.88dp + 957.79dp + 958.7dp + 959.61dp + 960.51dp + 961.42dp + 962.33dp + 963.23dp + 964.14dp + 965.05dp + 965.96dp + 966.86dp + 967.77dp + 968.68dp + 969.58dp + 970.49dp + 971.4dp + 972.3dp + 973.21dp + 974.12dp + 975.02dp + 975.93dp + 976.84dp + 977.75dp + 978.65dp + 979.56dp + 0.91sp + 1.81sp + 2.72sp + 3.63sp + 4.54sp + 5.44sp + 6.35sp + 7.26sp + 8.16sp + 9.07sp + 9.98sp + 10.88sp + 11.79sp + 12.7sp + 13.61sp + 14.51sp + 15.42sp + 16.33sp + 17.23sp + 18.14sp + 19.05sp + 19.95sp + 20.86sp + 21.77sp + 22.68sp + 23.58sp + 24.49sp + 25.4sp + 26.3sp + 27.21sp + 28.12sp + 29.02sp + 29.93sp + 30.84sp + 31.75sp + 32.65sp + 33.56sp + 34.47sp + 35.37sp + 36.28sp + 37.19sp + 38.09sp + 39.0sp + 39.91sp + 40.81sp + 41.72sp + 42.63sp + 43.54sp + 44.44sp + 45.35sp + 46.26sp + 47.16sp + 48.07sp + 48.98sp + 49.89sp + 50.79sp + 51.7sp + 52.61sp + 53.51sp + 54.42sp + 55.33sp + 56.23sp + 57.14sp + 58.05sp + 58.95sp + 59.86sp + 60.77sp + 61.68sp + 62.58sp + 63.49sp + 64.4sp + 65.3sp + 66.21sp + 67.12sp + 68.03sp + 68.93sp + 69.84sp + 70.75sp + 71.65sp + 72.56sp + 73.47sp + 74.37sp + 75.28sp + 76.19sp + 77.09sp + 78.0sp + 78.91sp + 79.82sp + 80.72sp + 81.63sp + 82.54sp + 83.44sp + 84.35sp + 85.26sp + 86.17sp + 87.07sp + 87.98sp + 88.89sp + 89.79sp + 90.7sp + 91.61sp + 92.51sp + 93.42sp + 94.33sp + 95.23sp + 96.14sp + 97.05sp + 97.96sp + 98.86sp + 99.77sp + 100.68sp + 101.58sp + 102.49sp + 103.4sp + 104.31sp + 105.21sp + 106.12sp + 107.03sp + 107.93sp + 108.84sp + 109.75sp + 110.65sp + 111.56sp + 112.47sp + 113.38sp + 114.28sp + 115.19sp + 116.1sp + 117.0sp + 117.91sp + 118.82sp + 119.72sp + 120.63sp + 121.54sp + 122.45sp + 123.35sp + 124.26sp + 125.17sp + 126.07sp + 126.98sp + 127.89sp + 128.79sp + 129.7sp + 130.61sp + 131.52sp + 132.42sp + 133.33sp + 134.24sp + 135.14sp + 136.05sp + 136.96sp + 137.86sp + 138.77sp + 139.68sp + 140.59sp + 141.49sp + 142.4sp + 143.31sp + 144.21sp + 145.12sp + 146.03sp + 146.93sp + 147.84sp + 148.75sp + 149.66sp + 150.56sp + 151.47sp + 152.38sp + 153.28sp + 154.19sp + 155.1sp + 156.0sp + 156.91sp + 157.82sp + 158.72sp + 159.63sp + 160.54sp + 161.45sp + 162.35sp + 163.26sp + 164.17sp + 165.07sp + 165.98sp + 166.89sp + 167.8sp + 168.7sp + 169.61sp + 170.52sp + 171.42sp + 172.33sp + 173.24sp + 174.14sp + 175.05sp + 175.96sp + 176.87sp + 177.77sp + 178.68sp + 179.59sp + 180.49sp + 181.4sp + diff --git a/app/src/main/res/values-sw360dp/dimens.xml b/app/src/main/res/values-sw360dp/dimens.xml new file mode 100644 index 0000000..8065d3f --- /dev/null +++ b/app/src/main/res/values-sw360dp/dimens.xml @@ -0,0 +1,2365 @@ + + + + -1036.8dp + -1035.84dp + -1034.88dp + -1033.92dp + -1032.96dp + -1032.0dp + -1031.04dp + -1030.08dp + -1029.12dp + -1028.16dp + -1027.2dp + -1026.24dp + -1025.28dp + -1024.32dp + -1023.36dp + -1022.4dp + -1021.44dp + -1020.48dp + -1019.52dp + -1018.56dp + -1017.6dp + -1016.64dp + -1015.68dp + -1014.72dp + -1013.76dp + -1012.8dp + -1011.84dp + -1010.88dp + -1009.92dp + -1008.96dp + -1008.0dp + -1007.04dp + -1006.08dp + -1005.12dp + -1004.16dp + -1003.2dp + -1002.24dp + -1001.28dp + -1000.32dp + -999.36dp + -998.4dp + -997.44dp + -996.48dp + -995.52dp + -994.56dp + -993.6dp + -992.64dp + -991.68dp + -990.72dp + -989.76dp + -988.8dp + -987.84dp + -986.88dp + -985.92dp + -984.96dp + -984.0dp + -983.04dp + -982.08dp + -981.12dp + -980.16dp + -979.2dp + -978.24dp + -977.28dp + -976.32dp + -975.36dp + -974.4dp + -973.44dp + -972.48dp + -971.52dp + -970.56dp + -969.6dp + -968.64dp + -967.68dp + -966.72dp + -965.76dp + -964.8dp + -963.84dp + -962.88dp + -961.92dp + -960.96dp + -960.0dp + -959.04dp + -958.08dp + -957.12dp + -956.16dp + -955.2dp + -954.24dp + -953.28dp + -952.32dp + -951.36dp + -950.4dp + -949.44dp + -948.48dp + -947.52dp + -946.56dp + -945.6dp + -944.64dp + -943.68dp + -942.72dp + -941.76dp + -940.8dp + -939.84dp + -938.88dp + -937.92dp + -936.96dp + -936.0dp + -935.04dp + -934.08dp + -933.12dp + -932.16dp + -931.2dp + -930.24dp + -929.28dp + -928.32dp + -927.36dp + -926.4dp + -925.44dp + -924.48dp + -923.52dp + -922.56dp + -921.6dp + -920.64dp + -919.68dp + -918.72dp + -917.76dp + -916.8dp + -915.84dp + -914.88dp + -913.92dp + -912.96dp + -912.0dp + -911.04dp + -910.08dp + -909.12dp + -908.16dp + -907.2dp + -906.24dp + -905.28dp + -904.32dp + -903.36dp + -902.4dp + -901.44dp + -900.48dp + -899.52dp + -898.56dp + -897.6dp + -896.64dp + -895.68dp + -894.72dp + -893.76dp + -892.8dp + -891.84dp + -890.88dp + -889.92dp + -888.96dp + -888.0dp + -887.04dp + -886.08dp + -885.12dp + -884.16dp + -883.2dp + -882.24dp + -881.28dp + -880.32dp + -879.36dp + -878.4dp + -877.44dp + -876.48dp + -875.52dp + -874.56dp + -873.6dp + -872.64dp + -871.68dp + -870.72dp + -869.76dp + -868.8dp + -867.84dp + -866.88dp + -865.92dp + -864.96dp + -864.0dp + -863.04dp + -862.08dp + -861.12dp + -860.16dp + -859.2dp + -858.24dp + -857.28dp + -856.32dp + -855.36dp + -854.4dp + -853.44dp + -852.48dp + -851.52dp + -850.56dp + -849.6dp + -848.64dp + -847.68dp + -846.72dp + -845.76dp + -844.8dp + -843.84dp + -842.88dp + -841.92dp + -840.96dp + -840.0dp + -839.04dp + -838.08dp + -837.12dp + -836.16dp + -835.2dp + -834.24dp + -833.28dp + -832.32dp + -831.36dp + -830.4dp + -829.44dp + -828.48dp + -827.52dp + -826.56dp + -825.6dp + -824.64dp + -823.68dp + -822.72dp + -821.76dp + -820.8dp + -819.84dp + -818.88dp + -817.92dp + -816.96dp + -816.0dp + -815.04dp + -814.08dp + -813.12dp + -812.16dp + -811.2dp + -810.24dp + -809.28dp + -808.32dp + -807.36dp + -806.4dp + -805.44dp + -804.48dp + -803.52dp + -802.56dp + -801.6dp + -800.64dp + -799.68dp + -798.72dp + -797.76dp + -796.8dp + -795.84dp + -794.88dp + -793.92dp + -792.96dp + -792.0dp + -791.04dp + -790.08dp + -789.12dp + -788.16dp + -787.2dp + -786.24dp + -785.28dp + -784.32dp + -783.36dp + -782.4dp + -781.44dp + -780.48dp + -779.52dp + -778.56dp + -777.6dp + -776.64dp + -775.68dp + -774.72dp + -773.76dp + -772.8dp + -771.84dp + -770.88dp + -769.92dp + -768.96dp + -768.0dp + -767.04dp + -766.08dp + -765.12dp + -764.16dp + -763.2dp + -762.24dp + -761.28dp + -760.32dp + -759.36dp + -758.4dp + -757.44dp + -756.48dp + -755.52dp + -754.56dp + -753.6dp + -752.64dp + -751.68dp + -750.72dp + -749.76dp + -748.8dp + -747.84dp + -746.88dp + -745.92dp + -744.96dp + -744.0dp + -743.04dp + -742.08dp + -741.12dp + -740.16dp + -739.2dp + -738.24dp + -737.28dp + -736.32dp + -735.36dp + -734.4dp + -733.44dp + -732.48dp + -731.52dp + -730.56dp + -729.6dp + -728.64dp + -727.68dp + -726.72dp + -725.76dp + -724.8dp + -723.84dp + -722.88dp + -721.92dp + -720.96dp + -720.0dp + -719.04dp + -718.08dp + -717.12dp + -716.16dp + -715.2dp + -714.24dp + -713.28dp + -712.32dp + -711.36dp + -710.4dp + -709.44dp + -708.48dp + -707.52dp + -706.56dp + -705.6dp + -704.64dp + -703.68dp + -702.72dp + -701.76dp + -700.8dp + -699.84dp + -698.88dp + -697.92dp + -696.96dp + -696.0dp + -695.04dp + -694.08dp + -693.12dp + -692.16dp + -691.2dp + -690.24dp + -689.28dp + -688.32dp + -687.36dp + -686.4dp + -685.44dp + -684.48dp + -683.52dp + -682.56dp + -681.6dp + -680.64dp + -679.68dp + -678.72dp + -677.76dp + -676.8dp + -675.84dp + -674.88dp + -673.92dp + -672.96dp + -672.0dp + -671.04dp + -670.08dp + -669.12dp + -668.16dp + -667.2dp + -666.24dp + -665.28dp + -664.32dp + -663.36dp + -662.4dp + -661.44dp + -660.48dp + -659.52dp + -658.56dp + -657.6dp + -656.64dp + -655.68dp + -654.72dp + -653.76dp + -652.8dp + -651.84dp + -650.88dp + -649.92dp + -648.96dp + -648.0dp + -647.04dp + -646.08dp + -645.12dp + -644.16dp + -643.2dp + -642.24dp + -641.28dp + -640.32dp + -639.36dp + -638.4dp + -637.44dp + -636.48dp + -635.52dp + -634.56dp + -633.6dp + -632.64dp + -631.68dp + -630.72dp + -629.76dp + -628.8dp + -627.84dp + -626.88dp + -625.92dp + -624.96dp + -624.0dp + -623.04dp + -622.08dp + -621.12dp + -620.16dp + -619.2dp + -618.24dp + -617.28dp + -616.32dp + -615.36dp + -614.4dp + -613.44dp + -612.48dp + -611.52dp + -610.56dp + -609.6dp + -608.64dp + -607.68dp + -606.72dp + -605.76dp + -604.8dp + -603.84dp + -602.88dp + -601.92dp + -600.96dp + -600.0dp + -599.04dp + -598.08dp + -597.12dp + -596.16dp + -595.2dp + -594.24dp + -593.28dp + -592.32dp + -591.36dp + -590.4dp + -589.44dp + -588.48dp + -587.52dp + -586.56dp + -585.6dp + -584.64dp + -583.68dp + -582.72dp + -581.76dp + -580.8dp + -579.84dp + -578.88dp + -577.92dp + -576.96dp + -576.0dp + -575.04dp + -574.08dp + -573.12dp + -572.16dp + -571.2dp + -570.24dp + -569.28dp + -568.32dp + -567.36dp + -566.4dp + -565.44dp + -564.48dp + -563.52dp + -562.56dp + -561.6dp + -560.64dp + -559.68dp + -558.72dp + -557.76dp + -556.8dp + -555.84dp + -554.88dp + -553.92dp + -552.96dp + -552.0dp + -551.04dp + -550.08dp + -549.12dp + -548.16dp + -547.2dp + -546.24dp + -545.28dp + -544.32dp + -543.36dp + -542.4dp + -541.44dp + -540.48dp + -539.52dp + -538.56dp + -537.6dp + -536.64dp + -535.68dp + -534.72dp + -533.76dp + -532.8dp + -531.84dp + -530.88dp + -529.92dp + -528.96dp + -528.0dp + -527.04dp + -526.08dp + -525.12dp + -524.16dp + -523.2dp + -522.24dp + -521.28dp + -520.32dp + -519.36dp + -518.4dp + -517.44dp + -516.48dp + -515.52dp + -514.56dp + -513.6dp + -512.64dp + -511.68dp + -510.72dp + -509.76dp + -508.8dp + -507.84dp + -506.88dp + -505.92dp + -504.96dp + -504.0dp + -503.04dp + -502.08dp + -501.12dp + -500.16dp + -499.2dp + -498.24dp + -497.28dp + -496.32dp + -495.36dp + -494.4dp + -493.44dp + -492.48dp + -491.52dp + -490.56dp + -489.6dp + -488.64dp + -487.68dp + -486.72dp + -485.76dp + -484.8dp + -483.84dp + -482.88dp + -481.92dp + -480.96dp + -480.0dp + -479.04dp + -478.08dp + -477.12dp + -476.16dp + -475.2dp + -474.24dp + -473.28dp + -472.32dp + -471.36dp + -470.4dp + -469.44dp + -468.48dp + -467.52dp + -466.56dp + -465.6dp + -464.64dp + -463.68dp + -462.72dp + -461.76dp + -460.8dp + -459.84dp + -458.88dp + -457.92dp + -456.96dp + -456.0dp + -455.04dp + -454.08dp + -453.12dp + -452.16dp + -451.2dp + -450.24dp + -449.28dp + -448.32dp + -447.36dp + -446.4dp + -445.44dp + -444.48dp + -443.52dp + -442.56dp + -441.6dp + -440.64dp + -439.68dp + -438.72dp + -437.76dp + -436.8dp + -435.84dp + -434.88dp + -433.92dp + -432.96dp + -432.0dp + -431.04dp + -430.08dp + -429.12dp + -428.16dp + -427.2dp + -426.24dp + -425.28dp + -424.32dp + -423.36dp + -422.4dp + -421.44dp + -420.48dp + -419.52dp + -418.56dp + -417.6dp + -416.64dp + -415.68dp + -414.72dp + -413.76dp + -412.8dp + -411.84dp + -410.88dp + -409.92dp + -408.96dp + -408.0dp + -407.04dp + -406.08dp + -405.12dp + -404.16dp + -403.2dp + -402.24dp + -401.28dp + -400.32dp + -399.36dp + -398.4dp + -397.44dp + -396.48dp + -395.52dp + -394.56dp + -393.6dp + -392.64dp + -391.68dp + -390.72dp + -389.76dp + -388.8dp + -387.84dp + -386.88dp + -385.92dp + -384.96dp + -384.0dp + -383.04dp + -382.08dp + -381.12dp + -380.16dp + -379.2dp + -378.24dp + -377.28dp + -376.32dp + -375.36dp + -374.4dp + -373.44dp + -372.48dp + -371.52dp + -370.56dp + -369.6dp + -368.64dp + -367.68dp + -366.72dp + -365.76dp + -364.8dp + -363.84dp + -362.88dp + -361.92dp + -360.96dp + -360.0dp + -359.04dp + -358.08dp + -357.12dp + -356.16dp + -355.2dp + -354.24dp + -353.28dp + -352.32dp + -351.36dp + -350.4dp + -349.44dp + -348.48dp + -347.52dp + -346.56dp + -345.6dp + -344.64dp + -343.68dp + -342.72dp + -341.76dp + -340.8dp + -339.84dp + -338.88dp + -337.92dp + -336.96dp + -336.0dp + -335.04dp + -334.08dp + -333.12dp + -332.16dp + -331.2dp + -330.24dp + -329.28dp + -328.32dp + -327.36dp + -326.4dp + -325.44dp + -324.48dp + -323.52dp + -322.56dp + -321.6dp + -320.64dp + -319.68dp + -318.72dp + -317.76dp + -316.8dp + -315.84dp + -314.88dp + -313.92dp + -312.96dp + -312.0dp + -311.04dp + -310.08dp + -309.12dp + -308.16dp + -307.2dp + -306.24dp + -305.28dp + -304.32dp + -303.36dp + -302.4dp + -301.44dp + -300.48dp + -299.52dp + -298.56dp + -297.6dp + -296.64dp + -295.68dp + -294.72dp + -293.76dp + -292.8dp + -291.84dp + -290.88dp + -289.92dp + -288.96dp + -288.0dp + -287.04dp + -286.08dp + -285.12dp + -284.16dp + -283.2dp + -282.24dp + -281.28dp + -280.32dp + -279.36dp + -278.4dp + -277.44dp + -276.48dp + -275.52dp + -274.56dp + -273.6dp + -272.64dp + -271.68dp + -270.72dp + -269.76dp + -268.8dp + -267.84dp + -266.88dp + -265.92dp + -264.96dp + -264.0dp + -263.04dp + -262.08dp + -261.12dp + -260.16dp + -259.2dp + -258.24dp + -257.28dp + -256.32dp + -255.36dp + -254.4dp + -253.44dp + -252.48dp + -251.52dp + -250.56dp + -249.6dp + -248.64dp + -247.68dp + -246.72dp + -245.76dp + -244.8dp + -243.84dp + -242.88dp + -241.92dp + -240.96dp + -240.0dp + -239.04dp + -238.08dp + -237.12dp + -236.16dp + -235.2dp + -234.24dp + -233.28dp + -232.32dp + -231.36dp + -230.4dp + -229.44dp + -228.48dp + -227.52dp + -226.56dp + -225.6dp + -224.64dp + -223.68dp + -222.72dp + -221.76dp + -220.8dp + -219.84dp + -218.88dp + -217.92dp + -216.96dp + -216.0dp + -215.04dp + -214.08dp + -213.12dp + -212.16dp + -211.2dp + -210.24dp + -209.28dp + -208.32dp + -207.36dp + -206.4dp + -205.44dp + -204.48dp + -203.52dp + -202.56dp + -201.6dp + -200.64dp + -199.68dp + -198.72dp + -197.76dp + -196.8dp + -195.84dp + -194.88dp + -193.92dp + -192.96dp + -192.0dp + -191.04dp + -190.08dp + -189.12dp + -188.16dp + -187.2dp + -186.24dp + -185.28dp + -184.32dp + -183.36dp + -182.4dp + -181.44dp + -180.48dp + -179.52dp + -178.56dp + -177.6dp + -176.64dp + -175.68dp + -174.72dp + -173.76dp + -172.8dp + -171.84dp + -170.88dp + -169.92dp + -168.96dp + -168.0dp + -167.04dp + -166.08dp + -165.12dp + -164.16dp + -163.2dp + -162.24dp + -161.28dp + -160.32dp + -159.36dp + -158.4dp + -157.44dp + -156.48dp + -155.52dp + -154.56dp + -153.6dp + -152.64dp + -151.68dp + -150.72dp + -149.76dp + -148.8dp + -147.84dp + -146.88dp + -145.92dp + -144.96dp + -144.0dp + -143.04dp + -142.08dp + -141.12dp + -140.16dp + -139.2dp + -138.24dp + -137.28dp + -136.32dp + -135.36dp + -134.4dp + -133.44dp + -132.48dp + -131.52dp + -130.56dp + -129.6dp + -128.64dp + -127.68dp + -126.72dp + -125.76dp + -124.8dp + -123.84dp + -122.88dp + -121.92dp + -120.96dp + -120.0dp + -119.04dp + -118.08dp + -117.12dp + -116.16dp + -115.2dp + -114.24dp + -113.28dp + -112.32dp + -111.36dp + -110.4dp + -109.44dp + -108.48dp + -107.52dp + -106.56dp + -105.6dp + -104.64dp + -103.68dp + -102.72dp + -101.76dp + -100.8dp + -99.84dp + -98.88dp + -97.92dp + -96.96dp + -96.0dp + -95.04dp + -94.08dp + -93.12dp + -92.16dp + -91.2dp + -90.24dp + -89.28dp + -88.32dp + -87.36dp + -86.4dp + -85.44dp + -84.48dp + -83.52dp + -82.56dp + -81.6dp + -80.64dp + -79.68dp + -78.72dp + -77.76dp + -76.8dp + -75.84dp + -74.88dp + -73.92dp + -72.96dp + -72.0dp + -71.04dp + -70.08dp + -69.12dp + -68.16dp + -67.2dp + -66.24dp + -65.28dp + -64.32dp + -63.36dp + -62.4dp + -61.44dp + -60.48dp + -59.52dp + -58.56dp + -57.6dp + -56.64dp + -55.68dp + -54.72dp + -53.76dp + -52.8dp + -51.84dp + -50.88dp + -49.92dp + -48.96dp + -48.0dp + -47.04dp + -46.08dp + -45.12dp + -44.16dp + -43.2dp + -42.24dp + -41.28dp + -40.32dp + -39.36dp + -38.4dp + -37.44dp + -36.48dp + -35.52dp + -34.56dp + -33.6dp + -32.64dp + -31.68dp + -30.72dp + -29.76dp + -28.8dp + -27.84dp + -26.88dp + -25.92dp + -24.96dp + -24.0dp + -23.04dp + -22.08dp + -21.12dp + -20.16dp + -19.2dp + -18.24dp + -17.28dp + -16.32dp + -15.36dp + -14.4dp + -13.44dp + -12.48dp + -11.52dp + -10.56dp + -9.6dp + -8.64dp + -7.68dp + -6.72dp + -5.76dp + -4.8dp + -3.84dp + -2.88dp + -1.92dp + -0.96dp + 0.0dp + 0.96dp + 1.92dp + 2.88dp + 3.84dp + 4.8dp + 5.76dp + 6.72dp + 7.68dp + 8.64dp + 9.6dp + 10.56dp + 11.52dp + 12.48dp + 13.44dp + 14.4dp + 15.36dp + 16.32dp + 17.28dp + 18.24dp + 19.2dp + 20.16dp + 21.12dp + 22.08dp + 23.04dp + 24.0dp + 24.96dp + 25.92dp + 26.88dp + 27.84dp + 28.8dp + 29.76dp + 30.72dp + 31.68dp + 32.64dp + 33.6dp + 34.56dp + 35.52dp + 36.48dp + 37.44dp + 38.4dp + 39.36dp + 40.32dp + 41.28dp + 42.24dp + 43.2dp + 44.16dp + 45.12dp + 46.08dp + 47.04dp + 48.0dp + 48.96dp + 49.92dp + 50.88dp + 51.84dp + 52.8dp + 53.76dp + 54.72dp + 55.68dp + 56.64dp + 57.6dp + 58.56dp + 59.52dp + 60.48dp + 61.44dp + 62.4dp + 63.36dp + 64.32dp + 65.28dp + 66.24dp + 67.2dp + 68.16dp + 69.12dp + 70.08dp + 71.04dp + 72.0dp + 72.96dp + 73.92dp + 74.88dp + 75.84dp + 76.8dp + 77.76dp + 78.72dp + 79.68dp + 80.64dp + 81.6dp + 82.56dp + 83.52dp + 84.48dp + 85.44dp + 86.4dp + 87.36dp + 88.32dp + 89.28dp + 90.24dp + 91.2dp + 92.16dp + 93.12dp + 94.08dp + 95.04dp + 96.0dp + 96.96dp + 97.92dp + 98.88dp + 99.84dp + 100.8dp + 101.76dp + 102.72dp + 103.68dp + 104.64dp + 105.6dp + 106.56dp + 107.52dp + 108.48dp + 109.44dp + 110.4dp + 111.36dp + 112.32dp + 113.28dp + 114.24dp + 115.2dp + 116.16dp + 117.12dp + 118.08dp + 119.04dp + 120.0dp + 120.96dp + 121.92dp + 122.88dp + 123.84dp + 124.8dp + 125.76dp + 126.72dp + 127.68dp + 128.64dp + 129.6dp + 130.56dp + 131.52dp + 132.48dp + 133.44dp + 134.4dp + 135.36dp + 136.32dp + 137.28dp + 138.24dp + 139.2dp + 140.16dp + 141.12dp + 142.08dp + 143.04dp + 144.0dp + 144.96dp + 145.92dp + 146.88dp + 147.84dp + 148.8dp + 149.76dp + 150.72dp + 151.68dp + 152.64dp + 153.6dp + 154.56dp + 155.52dp + 156.48dp + 157.44dp + 158.4dp + 159.36dp + 160.32dp + 161.28dp + 162.24dp + 163.2dp + 164.16dp + 165.12dp + 166.08dp + 167.04dp + 168.0dp + 168.96dp + 169.92dp + 170.88dp + 171.84dp + 172.8dp + 173.76dp + 174.72dp + 175.68dp + 176.64dp + 177.6dp + 178.56dp + 179.52dp + 180.48dp + 181.44dp + 182.4dp + 183.36dp + 184.32dp + 185.28dp + 186.24dp + 187.2dp + 188.16dp + 189.12dp + 190.08dp + 191.04dp + 192.0dp + 192.96dp + 193.92dp + 194.88dp + 195.84dp + 196.8dp + 197.76dp + 198.72dp + 199.68dp + 200.64dp + 201.6dp + 202.56dp + 203.52dp + 204.48dp + 205.44dp + 206.4dp + 207.36dp + 208.32dp + 209.28dp + 210.24dp + 211.2dp + 212.16dp + 213.12dp + 214.08dp + 215.04dp + 216.0dp + 216.96dp + 217.92dp + 218.88dp + 219.84dp + 220.8dp + 221.76dp + 222.72dp + 223.68dp + 224.64dp + 225.6dp + 226.56dp + 227.52dp + 228.48dp + 229.44dp + 230.4dp + 231.36dp + 232.32dp + 233.28dp + 234.24dp + 235.2dp + 236.16dp + 237.12dp + 238.08dp + 239.04dp + 240.0dp + 240.96dp + 241.92dp + 242.88dp + 243.84dp + 244.8dp + 245.76dp + 246.72dp + 247.68dp + 248.64dp + 249.6dp + 250.56dp + 251.52dp + 252.48dp + 253.44dp + 254.4dp + 255.36dp + 256.32dp + 257.28dp + 258.24dp + 259.2dp + 260.16dp + 261.12dp + 262.08dp + 263.04dp + 264.0dp + 264.96dp + 265.92dp + 266.88dp + 267.84dp + 268.8dp + 269.76dp + 270.72dp + 271.68dp + 272.64dp + 273.6dp + 274.56dp + 275.52dp + 276.48dp + 277.44dp + 278.4dp + 279.36dp + 280.32dp + 281.28dp + 282.24dp + 283.2dp + 284.16dp + 285.12dp + 286.08dp + 287.04dp + 288.0dp + 288.96dp + 289.92dp + 290.88dp + 291.84dp + 292.8dp + 293.76dp + 294.72dp + 295.68dp + 296.64dp + 297.6dp + 298.56dp + 299.52dp + 300.48dp + 301.44dp + 302.4dp + 303.36dp + 304.32dp + 305.28dp + 306.24dp + 307.2dp + 308.16dp + 309.12dp + 310.08dp + 311.04dp + 312.0dp + 312.96dp + 313.92dp + 314.88dp + 315.84dp + 316.8dp + 317.76dp + 318.72dp + 319.68dp + 320.64dp + 321.6dp + 322.56dp + 323.52dp + 324.48dp + 325.44dp + 326.4dp + 327.36dp + 328.32dp + 329.28dp + 330.24dp + 331.2dp + 332.16dp + 333.12dp + 334.08dp + 335.04dp + 336.0dp + 336.96dp + 337.92dp + 338.88dp + 339.84dp + 340.8dp + 341.76dp + 342.72dp + 343.68dp + 344.64dp + 345.6dp + 346.56dp + 347.52dp + 348.48dp + 349.44dp + 350.4dp + 351.36dp + 352.32dp + 353.28dp + 354.24dp + 355.2dp + 356.16dp + 357.12dp + 358.08dp + 359.04dp + 360.0dp + 360.96dp + 361.92dp + 362.88dp + 363.84dp + 364.8dp + 365.76dp + 366.72dp + 367.68dp + 368.64dp + 369.6dp + 370.56dp + 371.52dp + 372.48dp + 373.44dp + 374.4dp + 375.36dp + 376.32dp + 377.28dp + 378.24dp + 379.2dp + 380.16dp + 381.12dp + 382.08dp + 383.04dp + 384.0dp + 384.96dp + 385.92dp + 386.88dp + 387.84dp + 388.8dp + 389.76dp + 390.72dp + 391.68dp + 392.64dp + 393.6dp + 394.56dp + 395.52dp + 396.48dp + 397.44dp + 398.4dp + 399.36dp + 400.32dp + 401.28dp + 402.24dp + 403.2dp + 404.16dp + 405.12dp + 406.08dp + 407.04dp + 408.0dp + 408.96dp + 409.92dp + 410.88dp + 411.84dp + 412.8dp + 413.76dp + 414.72dp + 415.68dp + 416.64dp + 417.6dp + 418.56dp + 419.52dp + 420.48dp + 421.44dp + 422.4dp + 423.36dp + 424.32dp + 425.28dp + 426.24dp + 427.2dp + 428.16dp + 429.12dp + 430.08dp + 431.04dp + 432.0dp + 432.96dp + 433.92dp + 434.88dp + 435.84dp + 436.8dp + 437.76dp + 438.72dp + 439.68dp + 440.64dp + 441.6dp + 442.56dp + 443.52dp + 444.48dp + 445.44dp + 446.4dp + 447.36dp + 448.32dp + 449.28dp + 450.24dp + 451.2dp + 452.16dp + 453.12dp + 454.08dp + 455.04dp + 456.0dp + 456.96dp + 457.92dp + 458.88dp + 459.84dp + 460.8dp + 461.76dp + 462.72dp + 463.68dp + 464.64dp + 465.6dp + 466.56dp + 467.52dp + 468.48dp + 469.44dp + 470.4dp + 471.36dp + 472.32dp + 473.28dp + 474.24dp + 475.2dp + 476.16dp + 477.12dp + 478.08dp + 479.04dp + 480.0dp + 480.96dp + 481.92dp + 482.88dp + 483.84dp + 484.8dp + 485.76dp + 486.72dp + 487.68dp + 488.64dp + 489.6dp + 490.56dp + 491.52dp + 492.48dp + 493.44dp + 494.4dp + 495.36dp + 496.32dp + 497.28dp + 498.24dp + 499.2dp + 500.16dp + 501.12dp + 502.08dp + 503.04dp + 504.0dp + 504.96dp + 505.92dp + 506.88dp + 507.84dp + 508.8dp + 509.76dp + 510.72dp + 511.68dp + 512.64dp + 513.6dp + 514.56dp + 515.52dp + 516.48dp + 517.44dp + 518.4dp + 519.36dp + 520.32dp + 521.28dp + 522.24dp + 523.2dp + 524.16dp + 525.12dp + 526.08dp + 527.04dp + 528.0dp + 528.96dp + 529.92dp + 530.88dp + 531.84dp + 532.8dp + 533.76dp + 534.72dp + 535.68dp + 536.64dp + 537.6dp + 538.56dp + 539.52dp + 540.48dp + 541.44dp + 542.4dp + 543.36dp + 544.32dp + 545.28dp + 546.24dp + 547.2dp + 548.16dp + 549.12dp + 550.08dp + 551.04dp + 552.0dp + 552.96dp + 553.92dp + 554.88dp + 555.84dp + 556.8dp + 557.76dp + 558.72dp + 559.68dp + 560.64dp + 561.6dp + 562.56dp + 563.52dp + 564.48dp + 565.44dp + 566.4dp + 567.36dp + 568.32dp + 569.28dp + 570.24dp + 571.2dp + 572.16dp + 573.12dp + 574.08dp + 575.04dp + 576.0dp + 576.96dp + 577.92dp + 578.88dp + 579.84dp + 580.8dp + 581.76dp + 582.72dp + 583.68dp + 584.64dp + 585.6dp + 586.56dp + 587.52dp + 588.48dp + 589.44dp + 590.4dp + 591.36dp + 592.32dp + 593.28dp + 594.24dp + 595.2dp + 596.16dp + 597.12dp + 598.08dp + 599.04dp + 600.0dp + 600.96dp + 601.92dp + 602.88dp + 603.84dp + 604.8dp + 605.76dp + 606.72dp + 607.68dp + 608.64dp + 609.6dp + 610.56dp + 611.52dp + 612.48dp + 613.44dp + 614.4dp + 615.36dp + 616.32dp + 617.28dp + 618.24dp + 619.2dp + 620.16dp + 621.12dp + 622.08dp + 623.04dp + 624.0dp + 624.96dp + 625.92dp + 626.88dp + 627.84dp + 628.8dp + 629.76dp + 630.72dp + 631.68dp + 632.64dp + 633.6dp + 634.56dp + 635.52dp + 636.48dp + 637.44dp + 638.4dp + 639.36dp + 640.32dp + 641.28dp + 642.24dp + 643.2dp + 644.16dp + 645.12dp + 646.08dp + 647.04dp + 648.0dp + 648.96dp + 649.92dp + 650.88dp + 651.84dp + 652.8dp + 653.76dp + 654.72dp + 655.68dp + 656.64dp + 657.6dp + 658.56dp + 659.52dp + 660.48dp + 661.44dp + 662.4dp + 663.36dp + 664.32dp + 665.28dp + 666.24dp + 667.2dp + 668.16dp + 669.12dp + 670.08dp + 671.04dp + 672.0dp + 672.96dp + 673.92dp + 674.88dp + 675.84dp + 676.8dp + 677.76dp + 678.72dp + 679.68dp + 680.64dp + 681.6dp + 682.56dp + 683.52dp + 684.48dp + 685.44dp + 686.4dp + 687.36dp + 688.32dp + 689.28dp + 690.24dp + 691.2dp + 692.16dp + 693.12dp + 694.08dp + 695.04dp + 696.0dp + 696.96dp + 697.92dp + 698.88dp + 699.84dp + 700.8dp + 701.76dp + 702.72dp + 703.68dp + 704.64dp + 705.6dp + 706.56dp + 707.52dp + 708.48dp + 709.44dp + 710.4dp + 711.36dp + 712.32dp + 713.28dp + 714.24dp + 715.2dp + 716.16dp + 717.12dp + 718.08dp + 719.04dp + 720.0dp + 720.96dp + 721.92dp + 722.88dp + 723.84dp + 724.8dp + 725.76dp + 726.72dp + 727.68dp + 728.64dp + 729.6dp + 730.56dp + 731.52dp + 732.48dp + 733.44dp + 734.4dp + 735.36dp + 736.32dp + 737.28dp + 738.24dp + 739.2dp + 740.16dp + 741.12dp + 742.08dp + 743.04dp + 744.0dp + 744.96dp + 745.92dp + 746.88dp + 747.84dp + 748.8dp + 749.76dp + 750.72dp + 751.68dp + 752.64dp + 753.6dp + 754.56dp + 755.52dp + 756.48dp + 757.44dp + 758.4dp + 759.36dp + 760.32dp + 761.28dp + 762.24dp + 763.2dp + 764.16dp + 765.12dp + 766.08dp + 767.04dp + 768.0dp + 768.96dp + 769.92dp + 770.88dp + 771.84dp + 772.8dp + 773.76dp + 774.72dp + 775.68dp + 776.64dp + 777.6dp + 778.56dp + 779.52dp + 780.48dp + 781.44dp + 782.4dp + 783.36dp + 784.32dp + 785.28dp + 786.24dp + 787.2dp + 788.16dp + 789.12dp + 790.08dp + 791.04dp + 792.0dp + 792.96dp + 793.92dp + 794.88dp + 795.84dp + 796.8dp + 797.76dp + 798.72dp + 799.68dp + 800.64dp + 801.6dp + 802.56dp + 803.52dp + 804.48dp + 805.44dp + 806.4dp + 807.36dp + 808.32dp + 809.28dp + 810.24dp + 811.2dp + 812.16dp + 813.12dp + 814.08dp + 815.04dp + 816.0dp + 816.96dp + 817.92dp + 818.88dp + 819.84dp + 820.8dp + 821.76dp + 822.72dp + 823.68dp + 824.64dp + 825.6dp + 826.56dp + 827.52dp + 828.48dp + 829.44dp + 830.4dp + 831.36dp + 832.32dp + 833.28dp + 834.24dp + 835.2dp + 836.16dp + 837.12dp + 838.08dp + 839.04dp + 840.0dp + 840.96dp + 841.92dp + 842.88dp + 843.84dp + 844.8dp + 845.76dp + 846.72dp + 847.68dp + 848.64dp + 849.6dp + 850.56dp + 851.52dp + 852.48dp + 853.44dp + 854.4dp + 855.36dp + 856.32dp + 857.28dp + 858.24dp + 859.2dp + 860.16dp + 861.12dp + 862.08dp + 863.04dp + 864.0dp + 864.96dp + 865.92dp + 866.88dp + 867.84dp + 868.8dp + 869.76dp + 870.72dp + 871.68dp + 872.64dp + 873.6dp + 874.56dp + 875.52dp + 876.48dp + 877.44dp + 878.4dp + 879.36dp + 880.32dp + 881.28dp + 882.24dp + 883.2dp + 884.16dp + 885.12dp + 886.08dp + 887.04dp + 888.0dp + 888.96dp + 889.92dp + 890.88dp + 891.84dp + 892.8dp + 893.76dp + 894.72dp + 895.68dp + 896.64dp + 897.6dp + 898.56dp + 899.52dp + 900.48dp + 901.44dp + 902.4dp + 903.36dp + 904.32dp + 905.28dp + 906.24dp + 907.2dp + 908.16dp + 909.12dp + 910.08dp + 911.04dp + 912.0dp + 912.96dp + 913.92dp + 914.88dp + 915.84dp + 916.8dp + 917.76dp + 918.72dp + 919.68dp + 920.64dp + 921.6dp + 922.56dp + 923.52dp + 924.48dp + 925.44dp + 926.4dp + 927.36dp + 928.32dp + 929.28dp + 930.24dp + 931.2dp + 932.16dp + 933.12dp + 934.08dp + 935.04dp + 936.0dp + 936.96dp + 937.92dp + 938.88dp + 939.84dp + 940.8dp + 941.76dp + 942.72dp + 943.68dp + 944.64dp + 945.6dp + 946.56dp + 947.52dp + 948.48dp + 949.44dp + 950.4dp + 951.36dp + 952.32dp + 953.28dp + 954.24dp + 955.2dp + 956.16dp + 957.12dp + 958.08dp + 959.04dp + 960.0dp + 960.96dp + 961.92dp + 962.88dp + 963.84dp + 964.8dp + 965.76dp + 966.72dp + 967.68dp + 968.64dp + 969.6dp + 970.56dp + 971.52dp + 972.48dp + 973.44dp + 974.4dp + 975.36dp + 976.32dp + 977.28dp + 978.24dp + 979.2dp + 980.16dp + 981.12dp + 982.08dp + 983.04dp + 984.0dp + 984.96dp + 985.92dp + 986.88dp + 987.84dp + 988.8dp + 989.76dp + 990.72dp + 991.68dp + 992.64dp + 993.6dp + 994.56dp + 995.52dp + 996.48dp + 997.44dp + 998.4dp + 999.36dp + 1000.32dp + 1001.28dp + 1002.24dp + 1003.2dp + 1004.16dp + 1005.12dp + 1006.08dp + 1007.04dp + 1008.0dp + 1008.96dp + 1009.92dp + 1010.88dp + 1011.84dp + 1012.8dp + 1013.76dp + 1014.72dp + 1015.68dp + 1016.64dp + 1017.6dp + 1018.56dp + 1019.52dp + 1020.48dp + 1021.44dp + 1022.4dp + 1023.36dp + 1024.32dp + 1025.28dp + 1026.24dp + 1027.2dp + 1028.16dp + 1029.12dp + 1030.08dp + 1031.04dp + 1032.0dp + 1032.96dp + 1033.92dp + 1034.88dp + 1035.84dp + 1036.8dp + 0.96sp + 1.92sp + 2.88sp + 3.84sp + 4.8sp + 5.76sp + 6.72sp + 7.68sp + 8.64sp + 9.6sp + 10.56sp + 11.52sp + 12.48sp + 13.44sp + 14.4sp + 15.36sp + 16.32sp + 17.28sp + 18.24sp + 19.2sp + 20.16sp + 21.12sp + 22.08sp + 23.04sp + 24.0sp + 24.96sp + 25.92sp + 26.88sp + 27.84sp + 28.8sp + 29.76sp + 30.72sp + 31.68sp + 32.64sp + 33.6sp + 34.56sp + 35.52sp + 36.48sp + 37.44sp + 38.4sp + 39.36sp + 40.32sp + 41.28sp + 42.24sp + 43.2sp + 44.16sp + 45.12sp + 46.08sp + 47.04sp + 48.0sp + 48.96sp + 49.92sp + 50.88sp + 51.84sp + 52.8sp + 53.76sp + 54.72sp + 55.68sp + 56.64sp + 57.6sp + 58.56sp + 59.52sp + 60.48sp + 61.44sp + 62.4sp + 63.36sp + 64.32sp + 65.28sp + 66.24sp + 67.2sp + 68.16sp + 69.12sp + 70.08sp + 71.04sp + 72.0sp + 72.96sp + 73.92sp + 74.88sp + 75.84sp + 76.8sp + 77.76sp + 78.72sp + 79.68sp + 80.64sp + 81.6sp + 82.56sp + 83.52sp + 84.48sp + 85.44sp + 86.4sp + 87.36sp + 88.32sp + 89.28sp + 90.24sp + 91.2sp + 92.16sp + 93.12sp + 94.08sp + 95.04sp + 96.0sp + 96.96sp + 97.92sp + 98.88sp + 99.84sp + 100.8sp + 101.76sp + 102.72sp + 103.68sp + 104.64sp + 105.6sp + 106.56sp + 107.52sp + 108.48sp + 109.44sp + 110.4sp + 111.36sp + 112.32sp + 113.28sp + 114.24sp + 115.2sp + 116.16sp + 117.12sp + 118.08sp + 119.04sp + 120.0sp + 120.96sp + 121.92sp + 122.88sp + 123.84sp + 124.8sp + 125.76sp + 126.72sp + 127.68sp + 128.64sp + 129.6sp + 130.56sp + 131.52sp + 132.48sp + 133.44sp + 134.4sp + 135.36sp + 136.32sp + 137.28sp + 138.24sp + 139.2sp + 140.16sp + 141.12sp + 142.08sp + 143.04sp + 144.0sp + 144.96sp + 145.92sp + 146.88sp + 147.84sp + 148.8sp + 149.76sp + 150.72sp + 151.68sp + 152.64sp + 153.6sp + 154.56sp + 155.52sp + 156.48sp + 157.44sp + 158.4sp + 159.36sp + 160.32sp + 161.28sp + 162.24sp + 163.2sp + 164.16sp + 165.12sp + 166.08sp + 167.04sp + 168.0sp + 168.96sp + 169.92sp + 170.88sp + 171.84sp + 172.8sp + 173.76sp + 174.72sp + 175.68sp + 176.64sp + 177.6sp + 178.56sp + 179.52sp + 180.48sp + 181.44sp + 182.4sp + 183.36sp + 184.32sp + 185.28sp + 186.24sp + 187.2sp + 188.16sp + 189.12sp + 190.08sp + 191.04sp + 192.0sp + diff --git a/app/src/main/res/values-sw380dp/dimens.xml b/app/src/main/res/values-sw380dp/dimens.xml new file mode 100644 index 0000000..caf20d0 --- /dev/null +++ b/app/src/main/res/values-sw380dp/dimens.xml @@ -0,0 +1,2365 @@ + + + + -1094.04dp + -1093.03dp + -1092.01dp + -1091.0dp + -1089.99dp + -1088.97dp + -1087.96dp + -1086.95dp + -1085.94dp + -1084.92dp + -1083.91dp + -1082.9dp + -1081.88dp + -1080.87dp + -1079.86dp + -1078.84dp + -1077.83dp + -1076.82dp + -1075.81dp + -1074.79dp + -1073.78dp + -1072.77dp + -1071.75dp + -1070.74dp + -1069.73dp + -1068.71dp + -1067.7dp + -1066.69dp + -1065.68dp + -1064.66dp + -1063.65dp + -1062.64dp + -1061.62dp + -1060.61dp + -1059.6dp + -1058.58dp + -1057.57dp + -1056.56dp + -1055.55dp + -1054.53dp + -1053.52dp + -1052.51dp + -1051.49dp + -1050.48dp + -1049.47dp + -1048.45dp + -1047.44dp + -1046.43dp + -1045.42dp + -1044.4dp + -1043.39dp + -1042.38dp + -1041.36dp + -1040.35dp + -1039.34dp + -1038.32dp + -1037.31dp + -1036.3dp + -1035.29dp + -1034.27dp + -1033.26dp + -1032.25dp + -1031.23dp + -1030.22dp + -1029.21dp + -1028.19dp + -1027.18dp + -1026.17dp + -1025.16dp + -1024.14dp + -1023.13dp + -1022.12dp + -1021.1dp + -1020.09dp + -1019.08dp + -1018.06dp + -1017.05dp + -1016.04dp + -1015.03dp + -1014.01dp + -1013.0dp + -1011.99dp + -1010.97dp + -1009.96dp + -1008.95dp + -1007.93dp + -1006.92dp + -1005.91dp + -1004.9dp + -1003.88dp + -1002.87dp + -1001.86dp + -1000.84dp + -999.83dp + -998.82dp + -997.8dp + -996.79dp + -995.78dp + -994.77dp + -993.75dp + -992.74dp + -991.73dp + -990.71dp + -989.7dp + -988.69dp + -987.67dp + -986.66dp + -985.65dp + -984.64dp + -983.62dp + -982.61dp + -981.6dp + -980.58dp + -979.57dp + -978.56dp + -977.54dp + -976.53dp + -975.52dp + -974.51dp + -973.49dp + -972.48dp + -971.47dp + -970.45dp + -969.44dp + -968.43dp + -967.41dp + -966.4dp + -965.39dp + -964.38dp + -963.36dp + -962.35dp + -961.34dp + -960.32dp + -959.31dp + -958.3dp + -957.28dp + -956.27dp + -955.26dp + -954.25dp + -953.23dp + -952.22dp + -951.21dp + -950.19dp + -949.18dp + -948.17dp + -947.15dp + -946.14dp + -945.13dp + -944.12dp + -943.1dp + -942.09dp + -941.08dp + -940.06dp + -939.05dp + -938.04dp + -937.02dp + -936.01dp + -935.0dp + -933.99dp + -932.97dp + -931.96dp + -930.95dp + -929.93dp + -928.92dp + -927.91dp + -926.89dp + -925.88dp + -924.87dp + -923.86dp + -922.84dp + -921.83dp + -920.82dp + -919.8dp + -918.79dp + -917.78dp + -916.76dp + -915.75dp + -914.74dp + -913.73dp + -912.71dp + -911.7dp + -910.69dp + -909.67dp + -908.66dp + -907.65dp + -906.63dp + -905.62dp + -904.61dp + -903.6dp + -902.58dp + -901.57dp + -900.56dp + -899.54dp + -898.53dp + -897.52dp + -896.5dp + -895.49dp + -894.48dp + -893.47dp + -892.45dp + -891.44dp + -890.43dp + -889.41dp + -888.4dp + -887.39dp + -886.37dp + -885.36dp + -884.35dp + -883.34dp + -882.32dp + -881.31dp + -880.3dp + -879.28dp + -878.27dp + -877.26dp + -876.24dp + -875.23dp + -874.22dp + -873.21dp + -872.19dp + -871.18dp + -870.17dp + -869.15dp + -868.14dp + -867.13dp + -866.11dp + -865.1dp + -864.09dp + -863.08dp + -862.06dp + -861.05dp + -860.04dp + -859.02dp + -858.01dp + -857.0dp + -855.98dp + -854.97dp + -853.96dp + -852.95dp + -851.93dp + -850.92dp + -849.91dp + -848.89dp + -847.88dp + -846.87dp + -845.85dp + -844.84dp + -843.83dp + -842.82dp + -841.8dp + -840.79dp + -839.78dp + -838.76dp + -837.75dp + -836.74dp + -835.72dp + -834.71dp + -833.7dp + -832.69dp + -831.67dp + -830.66dp + -829.65dp + -828.63dp + -827.62dp + -826.61dp + -825.59dp + -824.58dp + -823.57dp + -822.56dp + -821.54dp + -820.53dp + -819.52dp + -818.5dp + -817.49dp + -816.48dp + -815.46dp + -814.45dp + -813.44dp + -812.43dp + -811.41dp + -810.4dp + -809.39dp + -808.37dp + -807.36dp + -806.35dp + -805.33dp + -804.32dp + -803.31dp + -802.3dp + -801.28dp + -800.27dp + -799.26dp + -798.24dp + -797.23dp + -796.22dp + -795.2dp + -794.19dp + -793.18dp + -792.17dp + -791.15dp + -790.14dp + -789.13dp + -788.11dp + -787.1dp + -786.09dp + -785.07dp + -784.06dp + -783.05dp + -782.04dp + -781.02dp + -780.01dp + -779.0dp + -777.98dp + -776.97dp + -775.96dp + -774.94dp + -773.93dp + -772.92dp + -771.91dp + -770.89dp + -769.88dp + -768.87dp + -767.85dp + -766.84dp + -765.83dp + -764.81dp + -763.8dp + -762.79dp + -761.78dp + -760.76dp + -759.75dp + -758.74dp + -757.72dp + -756.71dp + -755.7dp + -754.68dp + -753.67dp + -752.66dp + -751.65dp + -750.63dp + -749.62dp + -748.61dp + -747.59dp + -746.58dp + -745.57dp + -744.55dp + -743.54dp + -742.53dp + -741.52dp + -740.5dp + -739.49dp + -738.48dp + -737.46dp + -736.45dp + -735.44dp + -734.42dp + -733.41dp + -732.4dp + -731.39dp + -730.37dp + -729.36dp + -728.35dp + -727.33dp + -726.32dp + -725.31dp + -724.29dp + -723.28dp + -722.27dp + -721.26dp + -720.24dp + -719.23dp + -718.22dp + -717.2dp + -716.19dp + -715.18dp + -714.16dp + -713.15dp + -712.14dp + -711.13dp + -710.11dp + -709.1dp + -708.09dp + -707.07dp + -706.06dp + -705.05dp + -704.03dp + -703.02dp + -702.01dp + -701.0dp + -699.98dp + -698.97dp + -697.96dp + -696.94dp + -695.93dp + -694.92dp + -693.9dp + -692.89dp + -691.88dp + -690.87dp + -689.85dp + -688.84dp + -687.83dp + -686.81dp + -685.8dp + -684.79dp + -683.77dp + -682.76dp + -681.75dp + -680.74dp + -679.72dp + -678.71dp + -677.7dp + -676.68dp + -675.67dp + -674.66dp + -673.64dp + -672.63dp + -671.62dp + -670.61dp + -669.59dp + -668.58dp + -667.57dp + -666.55dp + -665.54dp + -664.53dp + -663.51dp + -662.5dp + -661.49dp + -660.48dp + -659.46dp + -658.45dp + -657.44dp + -656.42dp + -655.41dp + -654.4dp + -653.38dp + -652.37dp + -651.36dp + -650.35dp + -649.33dp + -648.32dp + -647.31dp + -646.29dp + -645.28dp + -644.27dp + -643.25dp + -642.24dp + -641.23dp + -640.22dp + -639.2dp + -638.19dp + -637.18dp + -636.16dp + -635.15dp + -634.14dp + -633.12dp + -632.11dp + -631.1dp + -630.09dp + -629.07dp + -628.06dp + -627.05dp + -626.03dp + -625.02dp + -624.01dp + -622.99dp + -621.98dp + -620.97dp + -619.96dp + -618.94dp + -617.93dp + -616.92dp + -615.9dp + -614.89dp + -613.88dp + -612.86dp + -611.85dp + -610.84dp + -609.83dp + -608.81dp + -607.8dp + -606.79dp + -605.77dp + -604.76dp + -603.75dp + -602.73dp + -601.72dp + -600.71dp + -599.7dp + -598.68dp + -597.67dp + -596.66dp + -595.64dp + -594.63dp + -593.62dp + -592.6dp + -591.59dp + -590.58dp + -589.57dp + -588.55dp + -587.54dp + -586.53dp + -585.51dp + -584.5dp + -583.49dp + -582.47dp + -581.46dp + -580.45dp + -579.44dp + -578.42dp + -577.41dp + -576.4dp + -575.38dp + -574.37dp + -573.36dp + -572.34dp + -571.33dp + -570.32dp + -569.31dp + -568.29dp + -567.28dp + -566.27dp + -565.25dp + -564.24dp + -563.23dp + -562.21dp + -561.2dp + -560.19dp + -559.18dp + -558.16dp + -557.15dp + -556.14dp + -555.12dp + -554.11dp + -553.1dp + -552.08dp + -551.07dp + -550.06dp + -549.05dp + -548.03dp + -547.02dp + -546.01dp + -544.99dp + -543.98dp + -542.97dp + -541.95dp + -540.94dp + -539.93dp + -538.92dp + -537.9dp + -536.89dp + -535.88dp + -534.86dp + -533.85dp + -532.84dp + -531.82dp + -530.81dp + -529.8dp + -528.79dp + -527.77dp + -526.76dp + -525.75dp + -524.73dp + -523.72dp + -522.71dp + -521.69dp + -520.68dp + -519.67dp + -518.66dp + -517.64dp + -516.63dp + -515.62dp + -514.6dp + -513.59dp + -512.58dp + -511.56dp + -510.55dp + -509.54dp + -508.53dp + -507.51dp + -506.5dp + -505.49dp + -504.47dp + -503.46dp + -502.45dp + -501.43dp + -500.42dp + -499.41dp + -498.4dp + -497.38dp + -496.37dp + -495.36dp + -494.34dp + -493.33dp + -492.32dp + -491.3dp + -490.29dp + -489.28dp + -488.27dp + -487.25dp + -486.24dp + -485.23dp + -484.21dp + -483.2dp + -482.19dp + -481.17dp + -480.16dp + -479.15dp + -478.14dp + -477.12dp + -476.11dp + -475.1dp + -474.08dp + -473.07dp + -472.06dp + -471.04dp + -470.03dp + -469.02dp + -468.01dp + -466.99dp + -465.98dp + -464.97dp + -463.95dp + -462.94dp + -461.93dp + -460.91dp + -459.9dp + -458.89dp + -457.88dp + -456.86dp + -455.85dp + -454.84dp + -453.82dp + -452.81dp + -451.8dp + -450.78dp + -449.77dp + -448.76dp + -447.75dp + -446.73dp + -445.72dp + -444.71dp + -443.69dp + -442.68dp + -441.67dp + -440.65dp + -439.64dp + -438.63dp + -437.62dp + -436.6dp + -435.59dp + -434.58dp + -433.56dp + -432.55dp + -431.54dp + -430.52dp + -429.51dp + -428.5dp + -427.49dp + -426.47dp + -425.46dp + -424.45dp + -423.43dp + -422.42dp + -421.41dp + -420.39dp + -419.38dp + -418.37dp + -417.36dp + -416.34dp + -415.33dp + -414.32dp + -413.3dp + -412.29dp + -411.28dp + -410.26dp + -409.25dp + -408.24dp + -407.23dp + -406.21dp + -405.2dp + -404.19dp + -403.17dp + -402.16dp + -401.15dp + -400.13dp + -399.12dp + -398.11dp + -397.1dp + -396.08dp + -395.07dp + -394.06dp + -393.04dp + -392.03dp + -391.02dp + -390.0dp + -388.99dp + -387.98dp + -386.97dp + -385.95dp + -384.94dp + -383.93dp + -382.91dp + -381.9dp + -380.89dp + -379.87dp + -378.86dp + -377.85dp + -376.84dp + -375.82dp + -374.81dp + -373.8dp + -372.78dp + -371.77dp + -370.76dp + -369.74dp + -368.73dp + -367.72dp + -366.71dp + -365.69dp + -364.68dp + -363.67dp + -362.65dp + -361.64dp + -360.63dp + -359.61dp + -358.6dp + -357.59dp + -356.58dp + -355.56dp + -354.55dp + -353.54dp + -352.52dp + -351.51dp + -350.5dp + -349.48dp + -348.47dp + -347.46dp + -346.45dp + -345.43dp + -344.42dp + -343.41dp + -342.39dp + -341.38dp + -340.37dp + -339.35dp + -338.34dp + -337.33dp + -336.32dp + -335.3dp + -334.29dp + -333.28dp + -332.26dp + -331.25dp + -330.24dp + -329.22dp + -328.21dp + -327.2dp + -326.19dp + -325.17dp + -324.16dp + -323.15dp + -322.13dp + -321.12dp + -320.11dp + -319.09dp + -318.08dp + -317.07dp + -316.06dp + -315.04dp + -314.03dp + -313.02dp + -312.0dp + -310.99dp + -309.98dp + -308.96dp + -307.95dp + -306.94dp + -305.93dp + -304.91dp + -303.9dp + -302.89dp + -301.87dp + -300.86dp + -299.85dp + -298.83dp + -297.82dp + -296.81dp + -295.8dp + -294.78dp + -293.77dp + -292.76dp + -291.74dp + -290.73dp + -289.72dp + -288.7dp + -287.69dp + -286.68dp + -285.67dp + -284.65dp + -283.64dp + -282.63dp + -281.61dp + -280.6dp + -279.59dp + -278.57dp + -277.56dp + -276.55dp + -275.54dp + -274.52dp + -273.51dp + -272.5dp + -271.48dp + -270.47dp + -269.46dp + -268.44dp + -267.43dp + -266.42dp + -265.41dp + -264.39dp + -263.38dp + -262.37dp + -261.35dp + -260.34dp + -259.33dp + -258.31dp + -257.3dp + -256.29dp + -255.28dp + -254.26dp + -253.25dp + -252.24dp + -251.22dp + -250.21dp + -249.2dp + -248.18dp + -247.17dp + -246.16dp + -245.15dp + -244.13dp + -243.12dp + -242.11dp + -241.09dp + -240.08dp + -239.07dp + -238.05dp + -237.04dp + -236.03dp + -235.02dp + -234.0dp + -232.99dp + -231.98dp + -230.96dp + -229.95dp + -228.94dp + -227.92dp + -226.91dp + -225.9dp + -224.89dp + -223.87dp + -222.86dp + -221.85dp + -220.83dp + -219.82dp + -218.81dp + -217.79dp + -216.78dp + -215.77dp + -214.76dp + -213.74dp + -212.73dp + -211.72dp + -210.7dp + -209.69dp + -208.68dp + -207.66dp + -206.65dp + -205.64dp + -204.63dp + -203.61dp + -202.6dp + -201.59dp + -200.57dp + -199.56dp + -198.55dp + -197.53dp + -196.52dp + -195.51dp + -194.5dp + -193.48dp + -192.47dp + -191.46dp + -190.44dp + -189.43dp + -188.42dp + -187.4dp + -186.39dp + -185.38dp + -184.37dp + -183.35dp + -182.34dp + -181.33dp + -180.31dp + -179.3dp + -178.29dp + -177.27dp + -176.26dp + -175.25dp + -174.24dp + -173.22dp + -172.21dp + -171.2dp + -170.18dp + -169.17dp + -168.16dp + -167.14dp + -166.13dp + -165.12dp + -164.11dp + -163.09dp + -162.08dp + -161.07dp + -160.05dp + -159.04dp + -158.03dp + -157.01dp + -156.0dp + -154.99dp + -153.98dp + -152.96dp + -151.95dp + -150.94dp + -149.92dp + -148.91dp + -147.9dp + -146.88dp + -145.87dp + -144.86dp + -143.85dp + -142.83dp + -141.82dp + -140.81dp + -139.79dp + -138.78dp + -137.77dp + -136.75dp + -135.74dp + -134.73dp + -133.72dp + -132.7dp + -131.69dp + -130.68dp + -129.66dp + -128.65dp + -127.64dp + -126.62dp + -125.61dp + -124.6dp + -123.59dp + -122.57dp + -121.56dp + -120.55dp + -119.53dp + -118.52dp + -117.51dp + -116.49dp + -115.48dp + -114.47dp + -113.46dp + -112.44dp + -111.43dp + -110.42dp + -109.4dp + -108.39dp + -107.38dp + -106.36dp + -105.35dp + -104.34dp + -103.33dp + -102.31dp + -101.3dp + -100.29dp + -99.27dp + -98.26dp + -97.25dp + -96.23dp + -95.22dp + -94.21dp + -93.2dp + -92.18dp + -91.17dp + -90.16dp + -89.14dp + -88.13dp + -87.12dp + -86.1dp + -85.09dp + -84.08dp + -83.07dp + -82.05dp + -81.04dp + -80.03dp + -79.01dp + -78.0dp + -76.99dp + -75.97dp + -74.96dp + -73.95dp + -72.94dp + -71.92dp + -70.91dp + -69.9dp + -68.88dp + -67.87dp + -66.86dp + -65.84dp + -64.83dp + -63.82dp + -62.81dp + -61.79dp + -60.78dp + -59.77dp + -58.75dp + -57.74dp + -56.73dp + -55.71dp + -54.7dp + -53.69dp + -52.68dp + -51.66dp + -50.65dp + -49.64dp + -48.62dp + -47.61dp + -46.6dp + -45.58dp + -44.57dp + -43.56dp + -42.55dp + -41.53dp + -40.52dp + -39.51dp + -38.49dp + -37.48dp + -36.47dp + -35.45dp + -34.44dp + -33.43dp + -32.42dp + -31.4dp + -30.39dp + -29.38dp + -28.36dp + -27.35dp + -26.34dp + -25.32dp + -24.31dp + -23.3dp + -22.29dp + -21.27dp + -20.26dp + -19.25dp + -18.23dp + -17.22dp + -16.21dp + -15.19dp + -14.18dp + -13.17dp + -12.16dp + -11.14dp + -10.13dp + -9.12dp + -8.1dp + -7.09dp + -6.08dp + -5.06dp + -4.05dp + -3.04dp + -2.03dp + -1.01dp + 0.0dp + 1.01dp + 2.03dp + 3.04dp + 4.05dp + 5.06dp + 6.08dp + 7.09dp + 8.1dp + 9.12dp + 10.13dp + 11.14dp + 12.16dp + 13.17dp + 14.18dp + 15.19dp + 16.21dp + 17.22dp + 18.23dp + 19.25dp + 20.26dp + 21.27dp + 22.29dp + 23.3dp + 24.31dp + 25.32dp + 26.34dp + 27.35dp + 28.36dp + 29.38dp + 30.39dp + 31.4dp + 32.42dp + 33.43dp + 34.44dp + 35.45dp + 36.47dp + 37.48dp + 38.49dp + 39.51dp + 40.52dp + 41.53dp + 42.55dp + 43.56dp + 44.57dp + 45.58dp + 46.6dp + 47.61dp + 48.62dp + 49.64dp + 50.65dp + 51.66dp + 52.68dp + 53.69dp + 54.7dp + 55.71dp + 56.73dp + 57.74dp + 58.75dp + 59.77dp + 60.78dp + 61.79dp + 62.81dp + 63.82dp + 64.83dp + 65.84dp + 66.86dp + 67.87dp + 68.88dp + 69.9dp + 70.91dp + 71.92dp + 72.94dp + 73.95dp + 74.96dp + 75.97dp + 76.99dp + 78.0dp + 79.01dp + 80.03dp + 81.04dp + 82.05dp + 83.07dp + 84.08dp + 85.09dp + 86.1dp + 87.12dp + 88.13dp + 89.14dp + 90.16dp + 91.17dp + 92.18dp + 93.2dp + 94.21dp + 95.22dp + 96.23dp + 97.25dp + 98.26dp + 99.27dp + 100.29dp + 101.3dp + 102.31dp + 103.33dp + 104.34dp + 105.35dp + 106.36dp + 107.38dp + 108.39dp + 109.4dp + 110.42dp + 111.43dp + 112.44dp + 113.46dp + 114.47dp + 115.48dp + 116.49dp + 117.51dp + 118.52dp + 119.53dp + 120.55dp + 121.56dp + 122.57dp + 123.59dp + 124.6dp + 125.61dp + 126.62dp + 127.64dp + 128.65dp + 129.66dp + 130.68dp + 131.69dp + 132.7dp + 133.72dp + 134.73dp + 135.74dp + 136.75dp + 137.77dp + 138.78dp + 139.79dp + 140.81dp + 141.82dp + 142.83dp + 143.85dp + 144.86dp + 145.87dp + 146.88dp + 147.9dp + 148.91dp + 149.92dp + 150.94dp + 151.95dp + 152.96dp + 153.98dp + 154.99dp + 156.0dp + 157.01dp + 158.03dp + 159.04dp + 160.05dp + 161.07dp + 162.08dp + 163.09dp + 164.11dp + 165.12dp + 166.13dp + 167.14dp + 168.16dp + 169.17dp + 170.18dp + 171.2dp + 172.21dp + 173.22dp + 174.24dp + 175.25dp + 176.26dp + 177.27dp + 178.29dp + 179.3dp + 180.31dp + 181.33dp + 182.34dp + 183.35dp + 184.37dp + 185.38dp + 186.39dp + 187.4dp + 188.42dp + 189.43dp + 190.44dp + 191.46dp + 192.47dp + 193.48dp + 194.5dp + 195.51dp + 196.52dp + 197.53dp + 198.55dp + 199.56dp + 200.57dp + 201.59dp + 202.6dp + 203.61dp + 204.63dp + 205.64dp + 206.65dp + 207.66dp + 208.68dp + 209.69dp + 210.7dp + 211.72dp + 212.73dp + 213.74dp + 214.76dp + 215.77dp + 216.78dp + 217.79dp + 218.81dp + 219.82dp + 220.83dp + 221.85dp + 222.86dp + 223.87dp + 224.89dp + 225.9dp + 226.91dp + 227.92dp + 228.94dp + 229.95dp + 230.96dp + 231.98dp + 232.99dp + 234.0dp + 235.02dp + 236.03dp + 237.04dp + 238.05dp + 239.07dp + 240.08dp + 241.09dp + 242.11dp + 243.12dp + 244.13dp + 245.15dp + 246.16dp + 247.17dp + 248.18dp + 249.2dp + 250.21dp + 251.22dp + 252.24dp + 253.25dp + 254.26dp + 255.28dp + 256.29dp + 257.3dp + 258.31dp + 259.33dp + 260.34dp + 261.35dp + 262.37dp + 263.38dp + 264.39dp + 265.41dp + 266.42dp + 267.43dp + 268.44dp + 269.46dp + 270.47dp + 271.48dp + 272.5dp + 273.51dp + 274.52dp + 275.54dp + 276.55dp + 277.56dp + 278.57dp + 279.59dp + 280.6dp + 281.61dp + 282.63dp + 283.64dp + 284.65dp + 285.67dp + 286.68dp + 287.69dp + 288.7dp + 289.72dp + 290.73dp + 291.74dp + 292.76dp + 293.77dp + 294.78dp + 295.8dp + 296.81dp + 297.82dp + 298.83dp + 299.85dp + 300.86dp + 301.87dp + 302.89dp + 303.9dp + 304.91dp + 305.93dp + 306.94dp + 307.95dp + 308.96dp + 309.98dp + 310.99dp + 312.0dp + 313.02dp + 314.03dp + 315.04dp + 316.06dp + 317.07dp + 318.08dp + 319.09dp + 320.11dp + 321.12dp + 322.13dp + 323.15dp + 324.16dp + 325.17dp + 326.19dp + 327.2dp + 328.21dp + 329.22dp + 330.24dp + 331.25dp + 332.26dp + 333.28dp + 334.29dp + 335.3dp + 336.32dp + 337.33dp + 338.34dp + 339.35dp + 340.37dp + 341.38dp + 342.39dp + 343.41dp + 344.42dp + 345.43dp + 346.45dp + 347.46dp + 348.47dp + 349.48dp + 350.5dp + 351.51dp + 352.52dp + 353.54dp + 354.55dp + 355.56dp + 356.58dp + 357.59dp + 358.6dp + 359.61dp + 360.63dp + 361.64dp + 362.65dp + 363.67dp + 364.68dp + 365.69dp + 366.71dp + 367.72dp + 368.73dp + 369.74dp + 370.76dp + 371.77dp + 372.78dp + 373.8dp + 374.81dp + 375.82dp + 376.84dp + 377.85dp + 378.86dp + 379.87dp + 380.89dp + 381.9dp + 382.91dp + 383.93dp + 384.94dp + 385.95dp + 386.97dp + 387.98dp + 388.99dp + 390.0dp + 391.02dp + 392.03dp + 393.04dp + 394.06dp + 395.07dp + 396.08dp + 397.1dp + 398.11dp + 399.12dp + 400.13dp + 401.15dp + 402.16dp + 403.17dp + 404.19dp + 405.2dp + 406.21dp + 407.23dp + 408.24dp + 409.25dp + 410.26dp + 411.28dp + 412.29dp + 413.3dp + 414.32dp + 415.33dp + 416.34dp + 417.36dp + 418.37dp + 419.38dp + 420.39dp + 421.41dp + 422.42dp + 423.43dp + 424.45dp + 425.46dp + 426.47dp + 427.49dp + 428.5dp + 429.51dp + 430.52dp + 431.54dp + 432.55dp + 433.56dp + 434.58dp + 435.59dp + 436.6dp + 437.62dp + 438.63dp + 439.64dp + 440.65dp + 441.67dp + 442.68dp + 443.69dp + 444.71dp + 445.72dp + 446.73dp + 447.75dp + 448.76dp + 449.77dp + 450.78dp + 451.8dp + 452.81dp + 453.82dp + 454.84dp + 455.85dp + 456.86dp + 457.88dp + 458.89dp + 459.9dp + 460.91dp + 461.93dp + 462.94dp + 463.95dp + 464.97dp + 465.98dp + 466.99dp + 468.01dp + 469.02dp + 470.03dp + 471.04dp + 472.06dp + 473.07dp + 474.08dp + 475.1dp + 476.11dp + 477.12dp + 478.14dp + 479.15dp + 480.16dp + 481.17dp + 482.19dp + 483.2dp + 484.21dp + 485.23dp + 486.24dp + 487.25dp + 488.27dp + 489.28dp + 490.29dp + 491.3dp + 492.32dp + 493.33dp + 494.34dp + 495.36dp + 496.37dp + 497.38dp + 498.4dp + 499.41dp + 500.42dp + 501.43dp + 502.45dp + 503.46dp + 504.47dp + 505.49dp + 506.5dp + 507.51dp + 508.53dp + 509.54dp + 510.55dp + 511.56dp + 512.58dp + 513.59dp + 514.6dp + 515.62dp + 516.63dp + 517.64dp + 518.66dp + 519.67dp + 520.68dp + 521.69dp + 522.71dp + 523.72dp + 524.73dp + 525.75dp + 526.76dp + 527.77dp + 528.79dp + 529.8dp + 530.81dp + 531.82dp + 532.84dp + 533.85dp + 534.86dp + 535.88dp + 536.89dp + 537.9dp + 538.92dp + 539.93dp + 540.94dp + 541.95dp + 542.97dp + 543.98dp + 544.99dp + 546.01dp + 547.02dp + 548.03dp + 549.05dp + 550.06dp + 551.07dp + 552.08dp + 553.1dp + 554.11dp + 555.12dp + 556.14dp + 557.15dp + 558.16dp + 559.18dp + 560.19dp + 561.2dp + 562.21dp + 563.23dp + 564.24dp + 565.25dp + 566.27dp + 567.28dp + 568.29dp + 569.31dp + 570.32dp + 571.33dp + 572.34dp + 573.36dp + 574.37dp + 575.38dp + 576.4dp + 577.41dp + 578.42dp + 579.44dp + 580.45dp + 581.46dp + 582.47dp + 583.49dp + 584.5dp + 585.51dp + 586.53dp + 587.54dp + 588.55dp + 589.57dp + 590.58dp + 591.59dp + 592.6dp + 593.62dp + 594.63dp + 595.64dp + 596.66dp + 597.67dp + 598.68dp + 599.7dp + 600.71dp + 601.72dp + 602.73dp + 603.75dp + 604.76dp + 605.77dp + 606.79dp + 607.8dp + 608.81dp + 609.83dp + 610.84dp + 611.85dp + 612.86dp + 613.88dp + 614.89dp + 615.9dp + 616.92dp + 617.93dp + 618.94dp + 619.96dp + 620.97dp + 621.98dp + 622.99dp + 624.01dp + 625.02dp + 626.03dp + 627.05dp + 628.06dp + 629.07dp + 630.09dp + 631.1dp + 632.11dp + 633.12dp + 634.14dp + 635.15dp + 636.16dp + 637.18dp + 638.19dp + 639.2dp + 640.22dp + 641.23dp + 642.24dp + 643.25dp + 644.27dp + 645.28dp + 646.29dp + 647.31dp + 648.32dp + 649.33dp + 650.35dp + 651.36dp + 652.37dp + 653.38dp + 654.4dp + 655.41dp + 656.42dp + 657.44dp + 658.45dp + 659.46dp + 660.48dp + 661.49dp + 662.5dp + 663.51dp + 664.53dp + 665.54dp + 666.55dp + 667.57dp + 668.58dp + 669.59dp + 670.61dp + 671.62dp + 672.63dp + 673.64dp + 674.66dp + 675.67dp + 676.68dp + 677.7dp + 678.71dp + 679.72dp + 680.74dp + 681.75dp + 682.76dp + 683.77dp + 684.79dp + 685.8dp + 686.81dp + 687.83dp + 688.84dp + 689.85dp + 690.87dp + 691.88dp + 692.89dp + 693.9dp + 694.92dp + 695.93dp + 696.94dp + 697.96dp + 698.97dp + 699.98dp + 701.0dp + 702.01dp + 703.02dp + 704.03dp + 705.05dp + 706.06dp + 707.07dp + 708.09dp + 709.1dp + 710.11dp + 711.13dp + 712.14dp + 713.15dp + 714.16dp + 715.18dp + 716.19dp + 717.2dp + 718.22dp + 719.23dp + 720.24dp + 721.26dp + 722.27dp + 723.28dp + 724.29dp + 725.31dp + 726.32dp + 727.33dp + 728.35dp + 729.36dp + 730.37dp + 731.39dp + 732.4dp + 733.41dp + 734.42dp + 735.44dp + 736.45dp + 737.46dp + 738.48dp + 739.49dp + 740.5dp + 741.52dp + 742.53dp + 743.54dp + 744.55dp + 745.57dp + 746.58dp + 747.59dp + 748.61dp + 749.62dp + 750.63dp + 751.65dp + 752.66dp + 753.67dp + 754.68dp + 755.7dp + 756.71dp + 757.72dp + 758.74dp + 759.75dp + 760.76dp + 761.78dp + 762.79dp + 763.8dp + 764.81dp + 765.83dp + 766.84dp + 767.85dp + 768.87dp + 769.88dp + 770.89dp + 771.91dp + 772.92dp + 773.93dp + 774.94dp + 775.96dp + 776.97dp + 777.98dp + 779.0dp + 780.01dp + 781.02dp + 782.04dp + 783.05dp + 784.06dp + 785.07dp + 786.09dp + 787.1dp + 788.11dp + 789.13dp + 790.14dp + 791.15dp + 792.17dp + 793.18dp + 794.19dp + 795.2dp + 796.22dp + 797.23dp + 798.24dp + 799.26dp + 800.27dp + 801.28dp + 802.3dp + 803.31dp + 804.32dp + 805.33dp + 806.35dp + 807.36dp + 808.37dp + 809.39dp + 810.4dp + 811.41dp + 812.43dp + 813.44dp + 814.45dp + 815.46dp + 816.48dp + 817.49dp + 818.5dp + 819.52dp + 820.53dp + 821.54dp + 822.56dp + 823.57dp + 824.58dp + 825.59dp + 826.61dp + 827.62dp + 828.63dp + 829.65dp + 830.66dp + 831.67dp + 832.69dp + 833.7dp + 834.71dp + 835.72dp + 836.74dp + 837.75dp + 838.76dp + 839.78dp + 840.79dp + 841.8dp + 842.82dp + 843.83dp + 844.84dp + 845.85dp + 846.87dp + 847.88dp + 848.89dp + 849.91dp + 850.92dp + 851.93dp + 852.95dp + 853.96dp + 854.97dp + 855.98dp + 857.0dp + 858.01dp + 859.02dp + 860.04dp + 861.05dp + 862.06dp + 863.08dp + 864.09dp + 865.1dp + 866.11dp + 867.13dp + 868.14dp + 869.15dp + 870.17dp + 871.18dp + 872.19dp + 873.21dp + 874.22dp + 875.23dp + 876.24dp + 877.26dp + 878.27dp + 879.28dp + 880.3dp + 881.31dp + 882.32dp + 883.34dp + 884.35dp + 885.36dp + 886.37dp + 887.39dp + 888.4dp + 889.41dp + 890.43dp + 891.44dp + 892.45dp + 893.47dp + 894.48dp + 895.49dp + 896.5dp + 897.52dp + 898.53dp + 899.54dp + 900.56dp + 901.57dp + 902.58dp + 903.6dp + 904.61dp + 905.62dp + 906.63dp + 907.65dp + 908.66dp + 909.67dp + 910.69dp + 911.7dp + 912.71dp + 913.73dp + 914.74dp + 915.75dp + 916.76dp + 917.78dp + 918.79dp + 919.8dp + 920.82dp + 921.83dp + 922.84dp + 923.86dp + 924.87dp + 925.88dp + 926.89dp + 927.91dp + 928.92dp + 929.93dp + 930.95dp + 931.96dp + 932.97dp + 933.99dp + 935.0dp + 936.01dp + 937.02dp + 938.04dp + 939.05dp + 940.06dp + 941.08dp + 942.09dp + 943.1dp + 944.12dp + 945.13dp + 946.14dp + 947.15dp + 948.17dp + 949.18dp + 950.19dp + 951.21dp + 952.22dp + 953.23dp + 954.25dp + 955.26dp + 956.27dp + 957.28dp + 958.3dp + 959.31dp + 960.32dp + 961.34dp + 962.35dp + 963.36dp + 964.38dp + 965.39dp + 966.4dp + 967.41dp + 968.43dp + 969.44dp + 970.45dp + 971.47dp + 972.48dp + 973.49dp + 974.51dp + 975.52dp + 976.53dp + 977.54dp + 978.56dp + 979.57dp + 980.58dp + 981.6dp + 982.61dp + 983.62dp + 984.64dp + 985.65dp + 986.66dp + 987.67dp + 988.69dp + 989.7dp + 990.71dp + 991.73dp + 992.74dp + 993.75dp + 994.77dp + 995.78dp + 996.79dp + 997.8dp + 998.82dp + 999.83dp + 1000.84dp + 1001.86dp + 1002.87dp + 1003.88dp + 1004.9dp + 1005.91dp + 1006.92dp + 1007.93dp + 1008.95dp + 1009.96dp + 1010.97dp + 1011.99dp + 1013.0dp + 1014.01dp + 1015.03dp + 1016.04dp + 1017.05dp + 1018.06dp + 1019.08dp + 1020.09dp + 1021.1dp + 1022.12dp + 1023.13dp + 1024.14dp + 1025.16dp + 1026.17dp + 1027.18dp + 1028.19dp + 1029.21dp + 1030.22dp + 1031.23dp + 1032.25dp + 1033.26dp + 1034.27dp + 1035.29dp + 1036.3dp + 1037.31dp + 1038.32dp + 1039.34dp + 1040.35dp + 1041.36dp + 1042.38dp + 1043.39dp + 1044.4dp + 1045.42dp + 1046.43dp + 1047.44dp + 1048.45dp + 1049.47dp + 1050.48dp + 1051.49dp + 1052.51dp + 1053.52dp + 1054.53dp + 1055.55dp + 1056.56dp + 1057.57dp + 1058.58dp + 1059.6dp + 1060.61dp + 1061.62dp + 1062.64dp + 1063.65dp + 1064.66dp + 1065.68dp + 1066.69dp + 1067.7dp + 1068.71dp + 1069.73dp + 1070.74dp + 1071.75dp + 1072.77dp + 1073.78dp + 1074.79dp + 1075.81dp + 1076.82dp + 1077.83dp + 1078.84dp + 1079.86dp + 1080.87dp + 1081.88dp + 1082.9dp + 1083.91dp + 1084.92dp + 1085.94dp + 1086.95dp + 1087.96dp + 1088.97dp + 1089.99dp + 1091.0dp + 1092.01dp + 1093.03dp + 1094.04dp + 1.01sp + 2.03sp + 3.04sp + 4.05sp + 5.06sp + 6.08sp + 7.09sp + 8.1sp + 9.12sp + 10.13sp + 11.14sp + 12.16sp + 13.17sp + 14.18sp + 15.19sp + 16.21sp + 17.22sp + 18.23sp + 19.25sp + 20.26sp + 21.27sp + 22.29sp + 23.3sp + 24.31sp + 25.32sp + 26.34sp + 27.35sp + 28.36sp + 29.38sp + 30.39sp + 31.4sp + 32.42sp + 33.43sp + 34.44sp + 35.45sp + 36.47sp + 37.48sp + 38.49sp + 39.51sp + 40.52sp + 41.53sp + 42.55sp + 43.56sp + 44.57sp + 45.58sp + 46.6sp + 47.61sp + 48.62sp + 49.64sp + 50.65sp + 51.66sp + 52.68sp + 53.69sp + 54.7sp + 55.71sp + 56.73sp + 57.74sp + 58.75sp + 59.77sp + 60.78sp + 61.79sp + 62.81sp + 63.82sp + 64.83sp + 65.84sp + 66.86sp + 67.87sp + 68.88sp + 69.9sp + 70.91sp + 71.92sp + 72.94sp + 73.95sp + 74.96sp + 75.97sp + 76.99sp + 78.0sp + 79.01sp + 80.03sp + 81.04sp + 82.05sp + 83.07sp + 84.08sp + 85.09sp + 86.1sp + 87.12sp + 88.13sp + 89.14sp + 90.16sp + 91.17sp + 92.18sp + 93.2sp + 94.21sp + 95.22sp + 96.23sp + 97.25sp + 98.26sp + 99.27sp + 100.29sp + 101.3sp + 102.31sp + 103.33sp + 104.34sp + 105.35sp + 106.36sp + 107.38sp + 108.39sp + 109.4sp + 110.42sp + 111.43sp + 112.44sp + 113.46sp + 114.47sp + 115.48sp + 116.49sp + 117.51sp + 118.52sp + 119.53sp + 120.55sp + 121.56sp + 122.57sp + 123.59sp + 124.6sp + 125.61sp + 126.62sp + 127.64sp + 128.65sp + 129.66sp + 130.68sp + 131.69sp + 132.7sp + 133.72sp + 134.73sp + 135.74sp + 136.75sp + 137.77sp + 138.78sp + 139.79sp + 140.81sp + 141.82sp + 142.83sp + 143.85sp + 144.86sp + 145.87sp + 146.88sp + 147.9sp + 148.91sp + 149.92sp + 150.94sp + 151.95sp + 152.96sp + 153.98sp + 154.99sp + 156.0sp + 157.01sp + 158.03sp + 159.04sp + 160.05sp + 161.07sp + 162.08sp + 163.09sp + 164.11sp + 165.12sp + 166.13sp + 167.14sp + 168.16sp + 169.17sp + 170.18sp + 171.2sp + 172.21sp + 173.22sp + 174.24sp + 175.25sp + 176.26sp + 177.27sp + 178.29sp + 179.3sp + 180.31sp + 181.33sp + 182.34sp + 183.35sp + 184.37sp + 185.38sp + 186.39sp + 187.4sp + 188.42sp + 189.43sp + 190.44sp + 191.46sp + 192.47sp + 193.48sp + 194.5sp + 195.51sp + 196.52sp + 197.53sp + 198.55sp + 199.56sp + 200.57sp + 201.59sp + 202.6sp + diff --git a/app/src/main/res/values-sw400dp/dimens.xml b/app/src/main/res/values-sw400dp/dimens.xml new file mode 100644 index 0000000..866d267 --- /dev/null +++ b/app/src/main/res/values-sw400dp/dimens.xml @@ -0,0 +1,2365 @@ + + + + -1152.36dp + -1151.29dp + -1150.23dp + -1149.16dp + -1148.09dp + -1147.02dp + -1145.96dp + -1144.89dp + -1143.82dp + -1142.76dp + -1141.69dp + -1140.62dp + -1139.56dp + -1138.49dp + -1137.42dp + -1136.36dp + -1135.29dp + -1134.22dp + -1133.15dp + -1132.09dp + -1131.02dp + -1129.95dp + -1128.89dp + -1127.82dp + -1126.75dp + -1125.68dp + -1124.62dp + -1123.55dp + -1122.48dp + -1121.42dp + -1120.35dp + -1119.28dp + -1118.22dp + -1117.15dp + -1116.08dp + -1115.01dp + -1113.95dp + -1112.88dp + -1111.81dp + -1110.75dp + -1109.68dp + -1108.61dp + -1107.55dp + -1106.48dp + -1105.41dp + -1104.35dp + -1103.28dp + -1102.21dp + -1101.14dp + -1100.08dp + -1099.01dp + -1097.94dp + -1096.88dp + -1095.81dp + -1094.74dp + -1093.67dp + -1092.61dp + -1091.54dp + -1090.47dp + -1089.41dp + -1088.34dp + -1087.27dp + -1086.21dp + -1085.14dp + -1084.07dp + -1083.0dp + -1081.94dp + -1080.87dp + -1079.8dp + -1078.74dp + -1077.67dp + -1076.6dp + -1075.54dp + -1074.47dp + -1073.4dp + -1072.34dp + -1071.27dp + -1070.2dp + -1069.13dp + -1068.07dp + -1067.0dp + -1065.93dp + -1064.87dp + -1063.8dp + -1062.73dp + -1061.66dp + -1060.6dp + -1059.53dp + -1058.46dp + -1057.4dp + -1056.33dp + -1055.26dp + -1054.2dp + -1053.13dp + -1052.06dp + -1050.99dp + -1049.93dp + -1048.86dp + -1047.79dp + -1046.73dp + -1045.66dp + -1044.59dp + -1043.53dp + -1042.46dp + -1041.39dp + -1040.33dp + -1039.26dp + -1038.19dp + -1037.12dp + -1036.06dp + -1034.99dp + -1033.92dp + -1032.86dp + -1031.79dp + -1030.72dp + -1029.65dp + -1028.59dp + -1027.52dp + -1026.45dp + -1025.39dp + -1024.32dp + -1023.25dp + -1022.19dp + -1021.12dp + -1020.05dp + -1018.98dp + -1017.92dp + -1016.85dp + -1015.78dp + -1014.72dp + -1013.65dp + -1012.58dp + -1011.52dp + -1010.45dp + -1009.38dp + -1008.31dp + -1007.25dp + -1006.18dp + -1005.11dp + -1004.05dp + -1002.98dp + -1001.91dp + -1000.85dp + -999.78dp + -998.71dp + -997.64dp + -996.58dp + -995.51dp + -994.44dp + -993.38dp + -992.31dp + -991.24dp + -990.18dp + -989.11dp + -988.04dp + -986.97dp + -985.91dp + -984.84dp + -983.77dp + -982.71dp + -981.64dp + -980.57dp + -979.51dp + -978.44dp + -977.37dp + -976.3dp + -975.24dp + -974.17dp + -973.1dp + -972.04dp + -970.97dp + -969.9dp + -968.84dp + -967.77dp + -966.7dp + -965.63dp + -964.57dp + -963.5dp + -962.43dp + -961.37dp + -960.3dp + -959.23dp + -958.17dp + -957.1dp + -956.03dp + -954.96dp + -953.9dp + -952.83dp + -951.76dp + -950.7dp + -949.63dp + -948.56dp + -947.5dp + -946.43dp + -945.36dp + -944.29dp + -943.23dp + -942.16dp + -941.09dp + -940.03dp + -938.96dp + -937.89dp + -936.83dp + -935.76dp + -934.69dp + -933.63dp + -932.56dp + -931.49dp + -930.42dp + -929.36dp + -928.29dp + -927.22dp + -926.16dp + -925.09dp + -924.02dp + -922.95dp + -921.89dp + -920.82dp + -919.75dp + -918.69dp + -917.62dp + -916.55dp + -915.49dp + -914.42dp + -913.35dp + -912.28dp + -911.22dp + -910.15dp + -909.08dp + -908.02dp + -906.95dp + -905.88dp + -904.82dp + -903.75dp + -902.68dp + -901.62dp + -900.55dp + -899.48dp + -898.41dp + -897.35dp + -896.28dp + -895.21dp + -894.15dp + -893.08dp + -892.01dp + -890.94dp + -889.88dp + -888.81dp + -887.74dp + -886.68dp + -885.61dp + -884.54dp + -883.48dp + -882.41dp + -881.34dp + -880.27dp + -879.21dp + -878.14dp + -877.07dp + -876.01dp + -874.94dp + -873.87dp + -872.81dp + -871.74dp + -870.67dp + -869.6dp + -868.54dp + -867.47dp + -866.4dp + -865.34dp + -864.27dp + -863.2dp + -862.14dp + -861.07dp + -860.0dp + -858.93dp + -857.87dp + -856.8dp + -855.73dp + -854.67dp + -853.6dp + -852.53dp + -851.47dp + -850.4dp + -849.33dp + -848.26dp + -847.2dp + -846.13dp + -845.06dp + -844.0dp + -842.93dp + -841.86dp + -840.8dp + -839.73dp + -838.66dp + -837.59dp + -836.53dp + -835.46dp + -834.39dp + -833.33dp + -832.26dp + -831.19dp + -830.13dp + -829.06dp + -827.99dp + -826.92dp + -825.86dp + -824.79dp + -823.72dp + -822.66dp + -821.59dp + -820.52dp + -819.46dp + -818.39dp + -817.32dp + -816.25dp + -815.19dp + -814.12dp + -813.05dp + -811.99dp + -810.92dp + -809.85dp + -808.79dp + -807.72dp + -806.65dp + -805.58dp + -804.52dp + -803.45dp + -802.38dp + -801.32dp + -800.25dp + -799.18dp + -798.12dp + -797.05dp + -795.98dp + -794.91dp + -793.85dp + -792.78dp + -791.71dp + -790.65dp + -789.58dp + -788.51dp + -787.45dp + -786.38dp + -785.31dp + -784.25dp + -783.18dp + -782.11dp + -781.04dp + -779.98dp + -778.91dp + -777.84dp + -776.78dp + -775.71dp + -774.64dp + -773.57dp + -772.51dp + -771.44dp + -770.37dp + -769.31dp + -768.24dp + -767.17dp + -766.11dp + -765.04dp + -763.97dp + -762.9dp + -761.84dp + -760.77dp + -759.7dp + -758.64dp + -757.57dp + -756.5dp + -755.44dp + -754.37dp + -753.3dp + -752.24dp + -751.17dp + -750.1dp + -749.03dp + -747.97dp + -746.9dp + -745.83dp + -744.77dp + -743.7dp + -742.63dp + -741.56dp + -740.5dp + -739.43dp + -738.36dp + -737.3dp + -736.23dp + -735.16dp + -734.1dp + -733.03dp + -731.96dp + -730.89dp + -729.83dp + -728.76dp + -727.69dp + -726.63dp + -725.56dp + -724.49dp + -723.43dp + -722.36dp + -721.29dp + -720.22dp + -719.16dp + -718.09dp + -717.02dp + -715.96dp + -714.89dp + -713.82dp + -712.76dp + -711.69dp + -710.62dp + -709.55dp + -708.49dp + -707.42dp + -706.35dp + -705.29dp + -704.22dp + -703.15dp + -702.09dp + -701.02dp + -699.95dp + -698.88dp + -697.82dp + -696.75dp + -695.68dp + -694.62dp + -693.55dp + -692.48dp + -691.42dp + -690.35dp + -689.28dp + -688.21dp + -687.15dp + -686.08dp + -685.01dp + -683.95dp + -682.88dp + -681.81dp + -680.75dp + -679.68dp + -678.61dp + -677.54dp + -676.48dp + -675.41dp + -674.34dp + -673.28dp + -672.21dp + -671.14dp + -670.08dp + -669.01dp + -667.94dp + -666.88dp + -665.81dp + -664.74dp + -663.67dp + -662.61dp + -661.54dp + -660.47dp + -659.41dp + -658.34dp + -657.27dp + -656.2dp + -655.14dp + -654.07dp + -653.0dp + -651.94dp + -650.87dp + -649.8dp + -648.74dp + -647.67dp + -646.6dp + -645.53dp + -644.47dp + -643.4dp + -642.33dp + -641.27dp + -640.2dp + -639.13dp + -638.07dp + -637.0dp + -635.93dp + -634.87dp + -633.8dp + -632.73dp + -631.66dp + -630.6dp + -629.53dp + -628.46dp + -627.4dp + -626.33dp + -625.26dp + -624.19dp + -623.13dp + -622.06dp + -620.99dp + -619.93dp + -618.86dp + -617.79dp + -616.73dp + -615.66dp + -614.59dp + -613.52dp + -612.46dp + -611.39dp + -610.32dp + -609.26dp + -608.19dp + -607.12dp + -606.06dp + -604.99dp + -603.92dp + -602.86dp + -601.79dp + -600.72dp + -599.65dp + -598.59dp + -597.52dp + -596.45dp + -595.39dp + -594.32dp + -593.25dp + -592.18dp + -591.12dp + -590.05dp + -588.98dp + -587.92dp + -586.85dp + -585.78dp + -584.72dp + -583.65dp + -582.58dp + -581.51dp + -580.45dp + -579.38dp + -578.31dp + -577.25dp + -576.18dp + -575.11dp + -574.05dp + -572.98dp + -571.91dp + -570.85dp + -569.78dp + -568.71dp + -567.64dp + -566.58dp + -565.51dp + -564.44dp + -563.38dp + -562.31dp + -561.24dp + -560.17dp + -559.11dp + -558.04dp + -556.97dp + -555.91dp + -554.84dp + -553.77dp + -552.71dp + -551.64dp + -550.57dp + -549.5dp + -548.44dp + -547.37dp + -546.3dp + -545.24dp + -544.17dp + -543.1dp + -542.04dp + -540.97dp + -539.9dp + -538.83dp + -537.77dp + -536.7dp + -535.63dp + -534.57dp + -533.5dp + -532.43dp + -531.37dp + -530.3dp + -529.23dp + -528.16dp + -527.1dp + -526.03dp + -524.96dp + -523.9dp + -522.83dp + -521.76dp + -520.7dp + -519.63dp + -518.56dp + -517.5dp + -516.43dp + -515.36dp + -514.29dp + -513.23dp + -512.16dp + -511.09dp + -510.03dp + -508.96dp + -507.89dp + -506.82dp + -505.76dp + -504.69dp + -503.62dp + -502.56dp + -501.49dp + -500.42dp + -499.36dp + -498.29dp + -497.22dp + -496.15dp + -495.09dp + -494.02dp + -492.95dp + -491.89dp + -490.82dp + -489.75dp + -488.69dp + -487.62dp + -486.55dp + -485.48dp + -484.42dp + -483.35dp + -482.28dp + -481.22dp + -480.15dp + -479.08dp + -478.02dp + -476.95dp + -475.88dp + -474.81dp + -473.75dp + -472.68dp + -471.61dp + -470.55dp + -469.48dp + -468.41dp + -467.35dp + -466.28dp + -465.21dp + -464.14dp + -463.08dp + -462.01dp + -460.94dp + -459.88dp + -458.81dp + -457.74dp + -456.68dp + -455.61dp + -454.54dp + -453.47dp + -452.41dp + -451.34dp + -450.27dp + -449.21dp + -448.14dp + -447.07dp + -446.01dp + -444.94dp + -443.87dp + -442.81dp + -441.74dp + -440.67dp + -439.6dp + -438.54dp + -437.47dp + -436.4dp + -435.34dp + -434.27dp + -433.2dp + -432.13dp + -431.07dp + -430.0dp + -428.93dp + -427.87dp + -426.8dp + -425.73dp + -424.67dp + -423.6dp + -422.53dp + -421.46dp + -420.4dp + -419.33dp + -418.26dp + -417.2dp + -416.13dp + -415.06dp + -414.0dp + -412.93dp + -411.86dp + -410.79dp + -409.73dp + -408.66dp + -407.59dp + -406.53dp + -405.46dp + -404.39dp + -403.33dp + -402.26dp + -401.19dp + -400.13dp + -399.06dp + -397.99dp + -396.92dp + -395.86dp + -394.79dp + -393.72dp + -392.66dp + -391.59dp + -390.52dp + -389.45dp + -388.39dp + -387.32dp + -386.25dp + -385.19dp + -384.12dp + -383.05dp + -381.99dp + -380.92dp + -379.85dp + -378.78dp + -377.72dp + -376.65dp + -375.58dp + -374.52dp + -373.45dp + -372.38dp + -371.32dp + -370.25dp + -369.18dp + -368.12dp + -367.05dp + -365.98dp + -364.91dp + -363.85dp + -362.78dp + -361.71dp + -360.65dp + -359.58dp + -358.51dp + -357.44dp + -356.38dp + -355.31dp + -354.24dp + -353.18dp + -352.11dp + -351.04dp + -349.98dp + -348.91dp + -347.84dp + -346.77dp + -345.71dp + -344.64dp + -343.57dp + -342.51dp + -341.44dp + -340.37dp + -339.31dp + -338.24dp + -337.17dp + -336.1dp + -335.04dp + -333.97dp + -332.9dp + -331.84dp + -330.77dp + -329.7dp + -328.64dp + -327.57dp + -326.5dp + -325.44dp + -324.37dp + -323.3dp + -322.23dp + -321.17dp + -320.1dp + -319.03dp + -317.97dp + -316.9dp + -315.83dp + -314.76dp + -313.7dp + -312.63dp + -311.56dp + -310.5dp + -309.43dp + -308.36dp + -307.3dp + -306.23dp + -305.16dp + -304.09dp + -303.03dp + -301.96dp + -300.89dp + -299.83dp + -298.76dp + -297.69dp + -296.63dp + -295.56dp + -294.49dp + -293.43dp + -292.36dp + -291.29dp + -290.22dp + -289.16dp + -288.09dp + -287.02dp + -285.96dp + -284.89dp + -283.82dp + -282.75dp + -281.69dp + -280.62dp + -279.55dp + -278.49dp + -277.42dp + -276.35dp + -275.29dp + -274.22dp + -273.15dp + -272.08dp + -271.02dp + -269.95dp + -268.88dp + -267.82dp + -266.75dp + -265.68dp + -264.62dp + -263.55dp + -262.48dp + -261.41dp + -260.35dp + -259.28dp + -258.21dp + -257.15dp + -256.08dp + -255.01dp + -253.95dp + -252.88dp + -251.81dp + -250.74dp + -249.68dp + -248.61dp + -247.54dp + -246.48dp + -245.41dp + -244.34dp + -243.28dp + -242.21dp + -241.14dp + -240.07dp + -239.01dp + -237.94dp + -236.87dp + -235.81dp + -234.74dp + -233.67dp + -232.61dp + -231.54dp + -230.47dp + -229.41dp + -228.34dp + -227.27dp + -226.2dp + -225.14dp + -224.07dp + -223.0dp + -221.94dp + -220.87dp + -219.8dp + -218.73dp + -217.67dp + -216.6dp + -215.53dp + -214.47dp + -213.4dp + -212.33dp + -211.27dp + -210.2dp + -209.13dp + -208.06dp + -207.0dp + -205.93dp + -204.86dp + -203.8dp + -202.73dp + -201.66dp + -200.6dp + -199.53dp + -198.46dp + -197.39dp + -196.33dp + -195.26dp + -194.19dp + -193.13dp + -192.06dp + -190.99dp + -189.93dp + -188.86dp + -187.79dp + -186.72dp + -185.66dp + -184.59dp + -183.52dp + -182.46dp + -181.39dp + -180.32dp + -179.26dp + -178.19dp + -177.12dp + -176.05dp + -174.99dp + -173.92dp + -172.85dp + -171.79dp + -170.72dp + -169.65dp + -168.59dp + -167.52dp + -166.45dp + -165.38dp + -164.32dp + -163.25dp + -162.18dp + -161.12dp + -160.05dp + -158.98dp + -157.92dp + -156.85dp + -155.78dp + -154.72dp + -153.65dp + -152.58dp + -151.51dp + -150.45dp + -149.38dp + -148.31dp + -147.25dp + -146.18dp + -145.11dp + -144.04dp + -142.98dp + -141.91dp + -140.84dp + -139.78dp + -138.71dp + -137.64dp + -136.58dp + -135.51dp + -134.44dp + -133.38dp + -132.31dp + -131.24dp + -130.17dp + -129.11dp + -128.04dp + -126.97dp + -125.91dp + -124.84dp + -123.77dp + -122.7dp + -121.64dp + -120.57dp + -119.5dp + -118.44dp + -117.37dp + -116.3dp + -115.24dp + -114.17dp + -113.1dp + -112.03dp + -110.97dp + -109.9dp + -108.83dp + -107.77dp + -106.7dp + -105.63dp + -104.57dp + -103.5dp + -102.43dp + -101.36dp + -100.3dp + -99.23dp + -98.16dp + -97.1dp + -96.03dp + -94.96dp + -93.9dp + -92.83dp + -91.76dp + -90.69dp + -89.63dp + -88.56dp + -87.49dp + -86.43dp + -85.36dp + -84.29dp + -83.23dp + -82.16dp + -81.09dp + -80.02dp + -78.96dp + -77.89dp + -76.82dp + -75.76dp + -74.69dp + -73.62dp + -72.56dp + -71.49dp + -70.42dp + -69.35dp + -68.29dp + -67.22dp + -66.15dp + -65.09dp + -64.02dp + -62.95dp + -61.89dp + -60.82dp + -59.75dp + -58.68dp + -57.62dp + -56.55dp + -55.48dp + -54.42dp + -53.35dp + -52.28dp + -51.22dp + -50.15dp + -49.08dp + -48.02dp + -46.95dp + -45.88dp + -44.81dp + -43.75dp + -42.68dp + -41.61dp + -40.55dp + -39.48dp + -38.41dp + -37.34dp + -36.28dp + -35.21dp + -34.14dp + -33.08dp + -32.01dp + -30.94dp + -29.88dp + -28.81dp + -27.74dp + -26.67dp + -25.61dp + -24.54dp + -23.47dp + -22.41dp + -21.34dp + -20.27dp + -19.21dp + -18.14dp + -17.07dp + -16.0dp + -14.94dp + -13.87dp + -12.8dp + -11.74dp + -10.67dp + -9.6dp + -8.54dp + -7.47dp + -6.4dp + -5.33dp + -4.27dp + -3.2dp + -2.13dp + -1.07dp + 0.0dp + 1.07dp + 2.13dp + 3.2dp + 4.27dp + 5.33dp + 6.4dp + 7.47dp + 8.54dp + 9.6dp + 10.67dp + 11.74dp + 12.8dp + 13.87dp + 14.94dp + 16.0dp + 17.07dp + 18.14dp + 19.21dp + 20.27dp + 21.34dp + 22.41dp + 23.47dp + 24.54dp + 25.61dp + 26.67dp + 27.74dp + 28.81dp + 29.88dp + 30.94dp + 32.01dp + 33.08dp + 34.14dp + 35.21dp + 36.28dp + 37.34dp + 38.41dp + 39.48dp + 40.55dp + 41.61dp + 42.68dp + 43.75dp + 44.81dp + 45.88dp + 46.95dp + 48.02dp + 49.08dp + 50.15dp + 51.22dp + 52.28dp + 53.35dp + 54.42dp + 55.48dp + 56.55dp + 57.62dp + 58.68dp + 59.75dp + 60.82dp + 61.89dp + 62.95dp + 64.02dp + 65.09dp + 66.15dp + 67.22dp + 68.29dp + 69.35dp + 70.42dp + 71.49dp + 72.56dp + 73.62dp + 74.69dp + 75.76dp + 76.82dp + 77.89dp + 78.96dp + 80.02dp + 81.09dp + 82.16dp + 83.23dp + 84.29dp + 85.36dp + 86.43dp + 87.49dp + 88.56dp + 89.63dp + 90.69dp + 91.76dp + 92.83dp + 93.9dp + 94.96dp + 96.03dp + 97.1dp + 98.16dp + 99.23dp + 100.3dp + 101.36dp + 102.43dp + 103.5dp + 104.57dp + 105.63dp + 106.7dp + 107.77dp + 108.83dp + 109.9dp + 110.97dp + 112.03dp + 113.1dp + 114.17dp + 115.24dp + 116.3dp + 117.37dp + 118.44dp + 119.5dp + 120.57dp + 121.64dp + 122.7dp + 123.77dp + 124.84dp + 125.91dp + 126.97dp + 128.04dp + 129.11dp + 130.17dp + 131.24dp + 132.31dp + 133.38dp + 134.44dp + 135.51dp + 136.58dp + 137.64dp + 138.71dp + 139.78dp + 140.84dp + 141.91dp + 142.98dp + 144.04dp + 145.11dp + 146.18dp + 147.25dp + 148.31dp + 149.38dp + 150.45dp + 151.51dp + 152.58dp + 153.65dp + 154.72dp + 155.78dp + 156.85dp + 157.92dp + 158.98dp + 160.05dp + 161.12dp + 162.18dp + 163.25dp + 164.32dp + 165.38dp + 166.45dp + 167.52dp + 168.59dp + 169.65dp + 170.72dp + 171.79dp + 172.85dp + 173.92dp + 174.99dp + 176.05dp + 177.12dp + 178.19dp + 179.26dp + 180.32dp + 181.39dp + 182.46dp + 183.52dp + 184.59dp + 185.66dp + 186.72dp + 187.79dp + 188.86dp + 189.93dp + 190.99dp + 192.06dp + 193.13dp + 194.19dp + 195.26dp + 196.33dp + 197.39dp + 198.46dp + 199.53dp + 200.6dp + 201.66dp + 202.73dp + 203.8dp + 204.86dp + 205.93dp + 207.0dp + 208.06dp + 209.13dp + 210.2dp + 211.27dp + 212.33dp + 213.4dp + 214.47dp + 215.53dp + 216.6dp + 217.67dp + 218.73dp + 219.8dp + 220.87dp + 221.94dp + 223.0dp + 224.07dp + 225.14dp + 226.2dp + 227.27dp + 228.34dp + 229.41dp + 230.47dp + 231.54dp + 232.61dp + 233.67dp + 234.74dp + 235.81dp + 236.87dp + 237.94dp + 239.01dp + 240.07dp + 241.14dp + 242.21dp + 243.28dp + 244.34dp + 245.41dp + 246.48dp + 247.54dp + 248.61dp + 249.68dp + 250.74dp + 251.81dp + 252.88dp + 253.95dp + 255.01dp + 256.08dp + 257.15dp + 258.21dp + 259.28dp + 260.35dp + 261.41dp + 262.48dp + 263.55dp + 264.62dp + 265.68dp + 266.75dp + 267.82dp + 268.88dp + 269.95dp + 271.02dp + 272.08dp + 273.15dp + 274.22dp + 275.29dp + 276.35dp + 277.42dp + 278.49dp + 279.55dp + 280.62dp + 281.69dp + 282.75dp + 283.82dp + 284.89dp + 285.96dp + 287.02dp + 288.09dp + 289.16dp + 290.22dp + 291.29dp + 292.36dp + 293.43dp + 294.49dp + 295.56dp + 296.63dp + 297.69dp + 298.76dp + 299.83dp + 300.89dp + 301.96dp + 303.03dp + 304.09dp + 305.16dp + 306.23dp + 307.3dp + 308.36dp + 309.43dp + 310.5dp + 311.56dp + 312.63dp + 313.7dp + 314.76dp + 315.83dp + 316.9dp + 317.97dp + 319.03dp + 320.1dp + 321.17dp + 322.23dp + 323.3dp + 324.37dp + 325.44dp + 326.5dp + 327.57dp + 328.64dp + 329.7dp + 330.77dp + 331.84dp + 332.9dp + 333.97dp + 335.04dp + 336.1dp + 337.17dp + 338.24dp + 339.31dp + 340.37dp + 341.44dp + 342.51dp + 343.57dp + 344.64dp + 345.71dp + 346.77dp + 347.84dp + 348.91dp + 349.98dp + 351.04dp + 352.11dp + 353.18dp + 354.24dp + 355.31dp + 356.38dp + 357.44dp + 358.51dp + 359.58dp + 360.65dp + 361.71dp + 362.78dp + 363.85dp + 364.91dp + 365.98dp + 367.05dp + 368.12dp + 369.18dp + 370.25dp + 371.32dp + 372.38dp + 373.45dp + 374.52dp + 375.58dp + 376.65dp + 377.72dp + 378.78dp + 379.85dp + 380.92dp + 381.99dp + 383.05dp + 384.12dp + 385.19dp + 386.25dp + 387.32dp + 388.39dp + 389.45dp + 390.52dp + 391.59dp + 392.66dp + 393.72dp + 394.79dp + 395.86dp + 396.92dp + 397.99dp + 399.06dp + 400.13dp + 401.19dp + 402.26dp + 403.33dp + 404.39dp + 405.46dp + 406.53dp + 407.59dp + 408.66dp + 409.73dp + 410.79dp + 411.86dp + 412.93dp + 414.0dp + 415.06dp + 416.13dp + 417.2dp + 418.26dp + 419.33dp + 420.4dp + 421.46dp + 422.53dp + 423.6dp + 424.67dp + 425.73dp + 426.8dp + 427.87dp + 428.93dp + 430.0dp + 431.07dp + 432.13dp + 433.2dp + 434.27dp + 435.34dp + 436.4dp + 437.47dp + 438.54dp + 439.6dp + 440.67dp + 441.74dp + 442.81dp + 443.87dp + 444.94dp + 446.01dp + 447.07dp + 448.14dp + 449.21dp + 450.27dp + 451.34dp + 452.41dp + 453.47dp + 454.54dp + 455.61dp + 456.68dp + 457.74dp + 458.81dp + 459.88dp + 460.94dp + 462.01dp + 463.08dp + 464.14dp + 465.21dp + 466.28dp + 467.35dp + 468.41dp + 469.48dp + 470.55dp + 471.61dp + 472.68dp + 473.75dp + 474.81dp + 475.88dp + 476.95dp + 478.02dp + 479.08dp + 480.15dp + 481.22dp + 482.28dp + 483.35dp + 484.42dp + 485.48dp + 486.55dp + 487.62dp + 488.69dp + 489.75dp + 490.82dp + 491.89dp + 492.95dp + 494.02dp + 495.09dp + 496.15dp + 497.22dp + 498.29dp + 499.36dp + 500.42dp + 501.49dp + 502.56dp + 503.62dp + 504.69dp + 505.76dp + 506.82dp + 507.89dp + 508.96dp + 510.03dp + 511.09dp + 512.16dp + 513.23dp + 514.29dp + 515.36dp + 516.43dp + 517.5dp + 518.56dp + 519.63dp + 520.7dp + 521.76dp + 522.83dp + 523.9dp + 524.96dp + 526.03dp + 527.1dp + 528.16dp + 529.23dp + 530.3dp + 531.37dp + 532.43dp + 533.5dp + 534.57dp + 535.63dp + 536.7dp + 537.77dp + 538.83dp + 539.9dp + 540.97dp + 542.04dp + 543.1dp + 544.17dp + 545.24dp + 546.3dp + 547.37dp + 548.44dp + 549.5dp + 550.57dp + 551.64dp + 552.71dp + 553.77dp + 554.84dp + 555.91dp + 556.97dp + 558.04dp + 559.11dp + 560.17dp + 561.24dp + 562.31dp + 563.38dp + 564.44dp + 565.51dp + 566.58dp + 567.64dp + 568.71dp + 569.78dp + 570.85dp + 571.91dp + 572.98dp + 574.05dp + 575.11dp + 576.18dp + 577.25dp + 578.31dp + 579.38dp + 580.45dp + 581.51dp + 582.58dp + 583.65dp + 584.72dp + 585.78dp + 586.85dp + 587.92dp + 588.98dp + 590.05dp + 591.12dp + 592.18dp + 593.25dp + 594.32dp + 595.39dp + 596.45dp + 597.52dp + 598.59dp + 599.65dp + 600.72dp + 601.79dp + 602.86dp + 603.92dp + 604.99dp + 606.06dp + 607.12dp + 608.19dp + 609.26dp + 610.32dp + 611.39dp + 612.46dp + 613.52dp + 614.59dp + 615.66dp + 616.73dp + 617.79dp + 618.86dp + 619.93dp + 620.99dp + 622.06dp + 623.13dp + 624.19dp + 625.26dp + 626.33dp + 627.4dp + 628.46dp + 629.53dp + 630.6dp + 631.66dp + 632.73dp + 633.8dp + 634.87dp + 635.93dp + 637.0dp + 638.07dp + 639.13dp + 640.2dp + 641.27dp + 642.33dp + 643.4dp + 644.47dp + 645.53dp + 646.6dp + 647.67dp + 648.74dp + 649.8dp + 650.87dp + 651.94dp + 653.0dp + 654.07dp + 655.14dp + 656.2dp + 657.27dp + 658.34dp + 659.41dp + 660.47dp + 661.54dp + 662.61dp + 663.67dp + 664.74dp + 665.81dp + 666.88dp + 667.94dp + 669.01dp + 670.08dp + 671.14dp + 672.21dp + 673.28dp + 674.34dp + 675.41dp + 676.48dp + 677.54dp + 678.61dp + 679.68dp + 680.75dp + 681.81dp + 682.88dp + 683.95dp + 685.01dp + 686.08dp + 687.15dp + 688.21dp + 689.28dp + 690.35dp + 691.42dp + 692.48dp + 693.55dp + 694.62dp + 695.68dp + 696.75dp + 697.82dp + 698.88dp + 699.95dp + 701.02dp + 702.09dp + 703.15dp + 704.22dp + 705.29dp + 706.35dp + 707.42dp + 708.49dp + 709.55dp + 710.62dp + 711.69dp + 712.76dp + 713.82dp + 714.89dp + 715.96dp + 717.02dp + 718.09dp + 719.16dp + 720.22dp + 721.29dp + 722.36dp + 723.43dp + 724.49dp + 725.56dp + 726.63dp + 727.69dp + 728.76dp + 729.83dp + 730.89dp + 731.96dp + 733.03dp + 734.1dp + 735.16dp + 736.23dp + 737.3dp + 738.36dp + 739.43dp + 740.5dp + 741.56dp + 742.63dp + 743.7dp + 744.77dp + 745.83dp + 746.9dp + 747.97dp + 749.03dp + 750.1dp + 751.17dp + 752.24dp + 753.3dp + 754.37dp + 755.44dp + 756.5dp + 757.57dp + 758.64dp + 759.7dp + 760.77dp + 761.84dp + 762.9dp + 763.97dp + 765.04dp + 766.11dp + 767.17dp + 768.24dp + 769.31dp + 770.37dp + 771.44dp + 772.51dp + 773.57dp + 774.64dp + 775.71dp + 776.78dp + 777.84dp + 778.91dp + 779.98dp + 781.04dp + 782.11dp + 783.18dp + 784.25dp + 785.31dp + 786.38dp + 787.45dp + 788.51dp + 789.58dp + 790.65dp + 791.71dp + 792.78dp + 793.85dp + 794.91dp + 795.98dp + 797.05dp + 798.12dp + 799.18dp + 800.25dp + 801.32dp + 802.38dp + 803.45dp + 804.52dp + 805.58dp + 806.65dp + 807.72dp + 808.79dp + 809.85dp + 810.92dp + 811.99dp + 813.05dp + 814.12dp + 815.19dp + 816.25dp + 817.32dp + 818.39dp + 819.46dp + 820.52dp + 821.59dp + 822.66dp + 823.72dp + 824.79dp + 825.86dp + 826.92dp + 827.99dp + 829.06dp + 830.13dp + 831.19dp + 832.26dp + 833.33dp + 834.39dp + 835.46dp + 836.53dp + 837.59dp + 838.66dp + 839.73dp + 840.8dp + 841.86dp + 842.93dp + 844.0dp + 845.06dp + 846.13dp + 847.2dp + 848.26dp + 849.33dp + 850.4dp + 851.47dp + 852.53dp + 853.6dp + 854.67dp + 855.73dp + 856.8dp + 857.87dp + 858.93dp + 860.0dp + 861.07dp + 862.14dp + 863.2dp + 864.27dp + 865.34dp + 866.4dp + 867.47dp + 868.54dp + 869.6dp + 870.67dp + 871.74dp + 872.81dp + 873.87dp + 874.94dp + 876.01dp + 877.07dp + 878.14dp + 879.21dp + 880.27dp + 881.34dp + 882.41dp + 883.48dp + 884.54dp + 885.61dp + 886.68dp + 887.74dp + 888.81dp + 889.88dp + 890.94dp + 892.01dp + 893.08dp + 894.15dp + 895.21dp + 896.28dp + 897.35dp + 898.41dp + 899.48dp + 900.55dp + 901.62dp + 902.68dp + 903.75dp + 904.82dp + 905.88dp + 906.95dp + 908.02dp + 909.08dp + 910.15dp + 911.22dp + 912.28dp + 913.35dp + 914.42dp + 915.49dp + 916.55dp + 917.62dp + 918.69dp + 919.75dp + 920.82dp + 921.89dp + 922.95dp + 924.02dp + 925.09dp + 926.16dp + 927.22dp + 928.29dp + 929.36dp + 930.42dp + 931.49dp + 932.56dp + 933.63dp + 934.69dp + 935.76dp + 936.83dp + 937.89dp + 938.96dp + 940.03dp + 941.09dp + 942.16dp + 943.23dp + 944.29dp + 945.36dp + 946.43dp + 947.5dp + 948.56dp + 949.63dp + 950.7dp + 951.76dp + 952.83dp + 953.9dp + 954.96dp + 956.03dp + 957.1dp + 958.17dp + 959.23dp + 960.3dp + 961.37dp + 962.43dp + 963.5dp + 964.57dp + 965.63dp + 966.7dp + 967.77dp + 968.84dp + 969.9dp + 970.97dp + 972.04dp + 973.1dp + 974.17dp + 975.24dp + 976.3dp + 977.37dp + 978.44dp + 979.51dp + 980.57dp + 981.64dp + 982.71dp + 983.77dp + 984.84dp + 985.91dp + 986.97dp + 988.04dp + 989.11dp + 990.18dp + 991.24dp + 992.31dp + 993.38dp + 994.44dp + 995.51dp + 996.58dp + 997.64dp + 998.71dp + 999.78dp + 1000.85dp + 1001.91dp + 1002.98dp + 1004.05dp + 1005.11dp + 1006.18dp + 1007.25dp + 1008.31dp + 1009.38dp + 1010.45dp + 1011.52dp + 1012.58dp + 1013.65dp + 1014.72dp + 1015.78dp + 1016.85dp + 1017.92dp + 1018.98dp + 1020.05dp + 1021.12dp + 1022.19dp + 1023.25dp + 1024.32dp + 1025.39dp + 1026.45dp + 1027.52dp + 1028.59dp + 1029.65dp + 1030.72dp + 1031.79dp + 1032.86dp + 1033.92dp + 1034.99dp + 1036.06dp + 1037.12dp + 1038.19dp + 1039.26dp + 1040.33dp + 1041.39dp + 1042.46dp + 1043.53dp + 1044.59dp + 1045.66dp + 1046.73dp + 1047.79dp + 1048.86dp + 1049.93dp + 1050.99dp + 1052.06dp + 1053.13dp + 1054.2dp + 1055.26dp + 1056.33dp + 1057.4dp + 1058.46dp + 1059.53dp + 1060.6dp + 1061.66dp + 1062.73dp + 1063.8dp + 1064.87dp + 1065.93dp + 1067.0dp + 1068.07dp + 1069.13dp + 1070.2dp + 1071.27dp + 1072.34dp + 1073.4dp + 1074.47dp + 1075.54dp + 1076.6dp + 1077.67dp + 1078.74dp + 1079.8dp + 1080.87dp + 1081.94dp + 1083.0dp + 1084.07dp + 1085.14dp + 1086.21dp + 1087.27dp + 1088.34dp + 1089.41dp + 1090.47dp + 1091.54dp + 1092.61dp + 1093.67dp + 1094.74dp + 1095.81dp + 1096.88dp + 1097.94dp + 1099.01dp + 1100.08dp + 1101.14dp + 1102.21dp + 1103.28dp + 1104.35dp + 1105.41dp + 1106.48dp + 1107.55dp + 1108.61dp + 1109.68dp + 1110.75dp + 1111.81dp + 1112.88dp + 1113.95dp + 1115.01dp + 1116.08dp + 1117.15dp + 1118.22dp + 1119.28dp + 1120.35dp + 1121.42dp + 1122.48dp + 1123.55dp + 1124.62dp + 1125.68dp + 1126.75dp + 1127.82dp + 1128.89dp + 1129.95dp + 1131.02dp + 1132.09dp + 1133.15dp + 1134.22dp + 1135.29dp + 1136.36dp + 1137.42dp + 1138.49dp + 1139.56dp + 1140.62dp + 1141.69dp + 1142.76dp + 1143.82dp + 1144.89dp + 1145.96dp + 1147.02dp + 1148.09dp + 1149.16dp + 1150.23dp + 1151.29dp + 1152.36dp + 1.07sp + 2.13sp + 3.2sp + 4.27sp + 5.33sp + 6.4sp + 7.47sp + 8.54sp + 9.6sp + 10.67sp + 11.74sp + 12.8sp + 13.87sp + 14.94sp + 16.0sp + 17.07sp + 18.14sp + 19.21sp + 20.27sp + 21.34sp + 22.41sp + 23.47sp + 24.54sp + 25.61sp + 26.67sp + 27.74sp + 28.81sp + 29.88sp + 30.94sp + 32.01sp + 33.08sp + 34.14sp + 35.21sp + 36.28sp + 37.34sp + 38.41sp + 39.48sp + 40.55sp + 41.61sp + 42.68sp + 43.75sp + 44.81sp + 45.88sp + 46.95sp + 48.02sp + 49.08sp + 50.15sp + 51.22sp + 52.28sp + 53.35sp + 54.42sp + 55.48sp + 56.55sp + 57.62sp + 58.68sp + 59.75sp + 60.82sp + 61.89sp + 62.95sp + 64.02sp + 65.09sp + 66.15sp + 67.22sp + 68.29sp + 69.35sp + 70.42sp + 71.49sp + 72.56sp + 73.62sp + 74.69sp + 75.76sp + 76.82sp + 77.89sp + 78.96sp + 80.02sp + 81.09sp + 82.16sp + 83.23sp + 84.29sp + 85.36sp + 86.43sp + 87.49sp + 88.56sp + 89.63sp + 90.69sp + 91.76sp + 92.83sp + 93.9sp + 94.96sp + 96.03sp + 97.1sp + 98.16sp + 99.23sp + 100.3sp + 101.36sp + 102.43sp + 103.5sp + 104.57sp + 105.63sp + 106.7sp + 107.77sp + 108.83sp + 109.9sp + 110.97sp + 112.03sp + 113.1sp + 114.17sp + 115.24sp + 116.3sp + 117.37sp + 118.44sp + 119.5sp + 120.57sp + 121.64sp + 122.7sp + 123.77sp + 124.84sp + 125.91sp + 126.97sp + 128.04sp + 129.11sp + 130.17sp + 131.24sp + 132.31sp + 133.38sp + 134.44sp + 135.51sp + 136.58sp + 137.64sp + 138.71sp + 139.78sp + 140.84sp + 141.91sp + 142.98sp + 144.04sp + 145.11sp + 146.18sp + 147.25sp + 148.31sp + 149.38sp + 150.45sp + 151.51sp + 152.58sp + 153.65sp + 154.72sp + 155.78sp + 156.85sp + 157.92sp + 158.98sp + 160.05sp + 161.12sp + 162.18sp + 163.25sp + 164.32sp + 165.38sp + 166.45sp + 167.52sp + 168.59sp + 169.65sp + 170.72sp + 171.79sp + 172.85sp + 173.92sp + 174.99sp + 176.05sp + 177.12sp + 178.19sp + 179.26sp + 180.32sp + 181.39sp + 182.46sp + 183.52sp + 184.59sp + 185.66sp + 186.72sp + 187.79sp + 188.86sp + 189.93sp + 190.99sp + 192.06sp + 193.13sp + 194.19sp + 195.26sp + 196.33sp + 197.39sp + 198.46sp + 199.53sp + 200.6sp + 201.66sp + 202.73sp + 203.8sp + 204.86sp + 205.93sp + 207.0sp + 208.06sp + 209.13sp + 210.2sp + 211.27sp + 212.33sp + 213.4sp + diff --git a/app/src/main/res/values-sw410dp/dimens.xml b/app/src/main/res/values-sw410dp/dimens.xml new file mode 100644 index 0000000..a5330f0 --- /dev/null +++ b/app/src/main/res/values-sw410dp/dimens.xml @@ -0,0 +1,2365 @@ + + + + -1180.44dp + -1179.35dp + -1178.25dp + -1177.16dp + -1176.07dp + -1174.97dp + -1173.88dp + -1172.79dp + -1171.7dp + -1170.6dp + -1169.51dp + -1168.42dp + -1167.32dp + -1166.23dp + -1165.14dp + -1164.05dp + -1162.95dp + -1161.86dp + -1160.77dp + -1159.67dp + -1158.58dp + -1157.49dp + -1156.39dp + -1155.3dp + -1154.21dp + -1153.12dp + -1152.02dp + -1150.93dp + -1149.84dp + -1148.74dp + -1147.65dp + -1146.56dp + -1145.46dp + -1144.37dp + -1143.28dp + -1142.18dp + -1141.09dp + -1140.0dp + -1138.91dp + -1137.81dp + -1136.72dp + -1135.63dp + -1134.53dp + -1133.44dp + -1132.35dp + -1131.25dp + -1130.16dp + -1129.07dp + -1127.98dp + -1126.88dp + -1125.79dp + -1124.7dp + -1123.6dp + -1122.51dp + -1121.42dp + -1120.33dp + -1119.23dp + -1118.14dp + -1117.05dp + -1115.95dp + -1114.86dp + -1113.77dp + -1112.67dp + -1111.58dp + -1110.49dp + -1109.39dp + -1108.3dp + -1107.21dp + -1106.12dp + -1105.02dp + -1103.93dp + -1102.84dp + -1101.74dp + -1100.65dp + -1099.56dp + -1098.46dp + -1097.37dp + -1096.28dp + -1095.19dp + -1094.09dp + -1093.0dp + -1091.91dp + -1090.81dp + -1089.72dp + -1088.63dp + -1087.54dp + -1086.44dp + -1085.35dp + -1084.26dp + -1083.16dp + -1082.07dp + -1080.98dp + -1079.88dp + -1078.79dp + -1077.7dp + -1076.61dp + -1075.51dp + -1074.42dp + -1073.33dp + -1072.23dp + -1071.14dp + -1070.05dp + -1068.95dp + -1067.86dp + -1066.77dp + -1065.67dp + -1064.58dp + -1063.49dp + -1062.4dp + -1061.3dp + -1060.21dp + -1059.12dp + -1058.02dp + -1056.93dp + -1055.84dp + -1054.74dp + -1053.65dp + -1052.56dp + -1051.47dp + -1050.37dp + -1049.28dp + -1048.19dp + -1047.09dp + -1046.0dp + -1044.91dp + -1043.82dp + -1042.72dp + -1041.63dp + -1040.54dp + -1039.44dp + -1038.35dp + -1037.26dp + -1036.16dp + -1035.07dp + -1033.98dp + -1032.88dp + -1031.79dp + -1030.7dp + -1029.61dp + -1028.51dp + -1027.42dp + -1026.33dp + -1025.23dp + -1024.14dp + -1023.05dp + -1021.95dp + -1020.86dp + -1019.77dp + -1018.68dp + -1017.58dp + -1016.49dp + -1015.4dp + -1014.3dp + -1013.21dp + -1012.12dp + -1011.02dp + -1009.93dp + -1008.84dp + -1007.75dp + -1006.65dp + -1005.56dp + -1004.47dp + -1003.37dp + -1002.28dp + -1001.19dp + -1000.1dp + -999.0dp + -997.91dp + -996.82dp + -995.72dp + -994.63dp + -993.54dp + -992.44dp + -991.35dp + -990.26dp + -989.16dp + -988.07dp + -986.98dp + -985.89dp + -984.79dp + -983.7dp + -982.61dp + -981.51dp + -980.42dp + -979.33dp + -978.24dp + -977.14dp + -976.05dp + -974.96dp + -973.86dp + -972.77dp + -971.68dp + -970.58dp + -969.49dp + -968.4dp + -967.3dp + -966.21dp + -965.12dp + -964.03dp + -962.93dp + -961.84dp + -960.75dp + -959.65dp + -958.56dp + -957.47dp + -956.38dp + -955.28dp + -954.19dp + -953.1dp + -952.0dp + -950.91dp + -949.82dp + -948.72dp + -947.63dp + -946.54dp + -945.44dp + -944.35dp + -943.26dp + -942.17dp + -941.07dp + -939.98dp + -938.89dp + -937.79dp + -936.7dp + -935.61dp + -934.51dp + -933.42dp + -932.33dp + -931.24dp + -930.14dp + -929.05dp + -927.96dp + -926.86dp + -925.77dp + -924.68dp + -923.58dp + -922.49dp + -921.4dp + -920.31dp + -919.21dp + -918.12dp + -917.03dp + -915.93dp + -914.84dp + -913.75dp + -912.65dp + -911.56dp + -910.47dp + -909.38dp + -908.28dp + -907.19dp + -906.1dp + -905.0dp + -903.91dp + -902.82dp + -901.73dp + -900.63dp + -899.54dp + -898.45dp + -897.35dp + -896.26dp + -895.17dp + -894.07dp + -892.98dp + -891.89dp + -890.79dp + -889.7dp + -888.61dp + -887.52dp + -886.42dp + -885.33dp + -884.24dp + -883.14dp + -882.05dp + -880.96dp + -879.87dp + -878.77dp + -877.68dp + -876.59dp + -875.49dp + -874.4dp + -873.31dp + -872.21dp + -871.12dp + -870.03dp + -868.93dp + -867.84dp + -866.75dp + -865.66dp + -864.56dp + -863.47dp + -862.38dp + -861.28dp + -860.19dp + -859.1dp + -858.0dp + -856.91dp + -855.82dp + -854.73dp + -853.63dp + -852.54dp + -851.45dp + -850.35dp + -849.26dp + -848.17dp + -847.07dp + -845.98dp + -844.89dp + -843.8dp + -842.7dp + -841.61dp + -840.52dp + -839.42dp + -838.33dp + -837.24dp + -836.14dp + -835.05dp + -833.96dp + -832.87dp + -831.77dp + -830.68dp + -829.59dp + -828.49dp + -827.4dp + -826.31dp + -825.22dp + -824.12dp + -823.03dp + -821.94dp + -820.84dp + -819.75dp + -818.66dp + -817.56dp + -816.47dp + -815.38dp + -814.28dp + -813.19dp + -812.1dp + -811.01dp + -809.91dp + -808.82dp + -807.73dp + -806.63dp + -805.54dp + -804.45dp + -803.36dp + -802.26dp + -801.17dp + -800.08dp + -798.98dp + -797.89dp + -796.8dp + -795.7dp + -794.61dp + -793.52dp + -792.42dp + -791.33dp + -790.24dp + -789.15dp + -788.05dp + -786.96dp + -785.87dp + -784.77dp + -783.68dp + -782.59dp + -781.5dp + -780.4dp + -779.31dp + -778.22dp + -777.12dp + -776.03dp + -774.94dp + -773.84dp + -772.75dp + -771.66dp + -770.56dp + -769.47dp + -768.38dp + -767.29dp + -766.19dp + -765.1dp + -764.01dp + -762.91dp + -761.82dp + -760.73dp + -759.63dp + -758.54dp + -757.45dp + -756.36dp + -755.26dp + -754.17dp + -753.08dp + -751.98dp + -750.89dp + -749.8dp + -748.7dp + -747.61dp + -746.52dp + -745.43dp + -744.33dp + -743.24dp + -742.15dp + -741.05dp + -739.96dp + -738.87dp + -737.77dp + -736.68dp + -735.59dp + -734.5dp + -733.4dp + -732.31dp + -731.22dp + -730.12dp + -729.03dp + -727.94dp + -726.85dp + -725.75dp + -724.66dp + -723.57dp + -722.47dp + -721.38dp + -720.29dp + -719.19dp + -718.1dp + -717.01dp + -715.91dp + -714.82dp + -713.73dp + -712.64dp + -711.54dp + -710.45dp + -709.36dp + -708.26dp + -707.17dp + -706.08dp + -704.99dp + -703.89dp + -702.8dp + -701.71dp + -700.61dp + -699.52dp + -698.43dp + -697.33dp + -696.24dp + -695.15dp + -694.05dp + -692.96dp + -691.87dp + -690.78dp + -689.68dp + -688.59dp + -687.5dp + -686.4dp + -685.31dp + -684.22dp + -683.13dp + -682.03dp + -680.94dp + -679.85dp + -678.75dp + -677.66dp + -676.57dp + -675.47dp + -674.38dp + -673.29dp + -672.19dp + -671.1dp + -670.01dp + -668.92dp + -667.82dp + -666.73dp + -665.64dp + -664.54dp + -663.45dp + -662.36dp + -661.26dp + -660.17dp + -659.08dp + -657.99dp + -656.89dp + -655.8dp + -654.71dp + -653.61dp + -652.52dp + -651.43dp + -650.34dp + -649.24dp + -648.15dp + -647.06dp + -645.96dp + -644.87dp + -643.78dp + -642.68dp + -641.59dp + -640.5dp + -639.4dp + -638.31dp + -637.22dp + -636.13dp + -635.03dp + -633.94dp + -632.85dp + -631.75dp + -630.66dp + -629.57dp + -628.48dp + -627.38dp + -626.29dp + -625.2dp + -624.1dp + -623.01dp + -621.92dp + -620.82dp + -619.73dp + -618.64dp + -617.54dp + -616.45dp + -615.36dp + -614.27dp + -613.17dp + -612.08dp + -610.99dp + -609.89dp + -608.8dp + -607.71dp + -606.62dp + -605.52dp + -604.43dp + -603.34dp + -602.24dp + -601.15dp + -600.06dp + -598.96dp + -597.87dp + -596.78dp + -595.68dp + -594.59dp + -593.5dp + -592.41dp + -591.31dp + -590.22dp + -589.13dp + -588.03dp + -586.94dp + -585.85dp + -584.75dp + -583.66dp + -582.57dp + -581.48dp + -580.38dp + -579.29dp + -578.2dp + -577.1dp + -576.01dp + -574.92dp + -573.82dp + -572.73dp + -571.64dp + -570.55dp + -569.45dp + -568.36dp + -567.27dp + -566.17dp + -565.08dp + -563.99dp + -562.89dp + -561.8dp + -560.71dp + -559.62dp + -558.52dp + -557.43dp + -556.34dp + -555.24dp + -554.15dp + -553.06dp + -551.97dp + -550.87dp + -549.78dp + -548.69dp + -547.59dp + -546.5dp + -545.41dp + -544.31dp + -543.22dp + -542.13dp + -541.03dp + -539.94dp + -538.85dp + -537.76dp + -536.66dp + -535.57dp + -534.48dp + -533.38dp + -532.29dp + -531.2dp + -530.11dp + -529.01dp + -527.92dp + -526.83dp + -525.73dp + -524.64dp + -523.55dp + -522.45dp + -521.36dp + -520.27dp + -519.17dp + -518.08dp + -516.99dp + -515.9dp + -514.8dp + -513.71dp + -512.62dp + -511.52dp + -510.43dp + -509.34dp + -508.25dp + -507.15dp + -506.06dp + -504.97dp + -503.87dp + -502.78dp + -501.69dp + -500.59dp + -499.5dp + -498.41dp + -497.31dp + -496.22dp + -495.13dp + -494.04dp + -492.94dp + -491.85dp + -490.76dp + -489.66dp + -488.57dp + -487.48dp + -486.38dp + -485.29dp + -484.2dp + -483.11dp + -482.01dp + -480.92dp + -479.83dp + -478.73dp + -477.64dp + -476.55dp + -475.45dp + -474.36dp + -473.27dp + -472.18dp + -471.08dp + -469.99dp + -468.9dp + -467.8dp + -466.71dp + -465.62dp + -464.52dp + -463.43dp + -462.34dp + -461.25dp + -460.15dp + -459.06dp + -457.97dp + -456.87dp + -455.78dp + -454.69dp + -453.59dp + -452.5dp + -451.41dp + -450.32dp + -449.22dp + -448.13dp + -447.04dp + -445.94dp + -444.85dp + -443.76dp + -442.66dp + -441.57dp + -440.48dp + -439.39dp + -438.29dp + -437.2dp + -436.11dp + -435.01dp + -433.92dp + -432.83dp + -431.74dp + -430.64dp + -429.55dp + -428.46dp + -427.36dp + -426.27dp + -425.18dp + -424.08dp + -422.99dp + -421.9dp + -420.81dp + -419.71dp + -418.62dp + -417.53dp + -416.43dp + -415.34dp + -414.25dp + -413.15dp + -412.06dp + -410.97dp + -409.88dp + -408.78dp + -407.69dp + -406.6dp + -405.5dp + -404.41dp + -403.32dp + -402.22dp + -401.13dp + -400.04dp + -398.94dp + -397.85dp + -396.76dp + -395.67dp + -394.57dp + -393.48dp + -392.39dp + -391.29dp + -390.2dp + -389.11dp + -388.01dp + -386.92dp + -385.83dp + -384.74dp + -383.64dp + -382.55dp + -381.46dp + -380.36dp + -379.27dp + -378.18dp + -377.08dp + -375.99dp + -374.9dp + -373.81dp + -372.71dp + -371.62dp + -370.53dp + -369.43dp + -368.34dp + -367.25dp + -366.15dp + -365.06dp + -363.97dp + -362.88dp + -361.78dp + -360.69dp + -359.6dp + -358.5dp + -357.41dp + -356.32dp + -355.22dp + -354.13dp + -353.04dp + -351.95dp + -350.85dp + -349.76dp + -348.67dp + -347.57dp + -346.48dp + -345.39dp + -344.3dp + -343.2dp + -342.11dp + -341.02dp + -339.92dp + -338.83dp + -337.74dp + -336.64dp + -335.55dp + -334.46dp + -333.37dp + -332.27dp + -331.18dp + -330.09dp + -328.99dp + -327.9dp + -326.81dp + -325.71dp + -324.62dp + -323.53dp + -322.44dp + -321.34dp + -320.25dp + -319.16dp + -318.06dp + -316.97dp + -315.88dp + -314.78dp + -313.69dp + -312.6dp + -311.5dp + -310.41dp + -309.32dp + -308.23dp + -307.13dp + -306.04dp + -304.95dp + -303.85dp + -302.76dp + -301.67dp + -300.57dp + -299.48dp + -298.39dp + -297.3dp + -296.2dp + -295.11dp + -294.02dp + -292.92dp + -291.83dp + -290.74dp + -289.64dp + -288.55dp + -287.46dp + -286.37dp + -285.27dp + -284.18dp + -283.09dp + -281.99dp + -280.9dp + -279.81dp + -278.71dp + -277.62dp + -276.53dp + -275.44dp + -274.34dp + -273.25dp + -272.16dp + -271.06dp + -269.97dp + -268.88dp + -267.78dp + -266.69dp + -265.6dp + -264.51dp + -263.41dp + -262.32dp + -261.23dp + -260.13dp + -259.04dp + -257.95dp + -256.86dp + -255.76dp + -254.67dp + -253.58dp + -252.48dp + -251.39dp + -250.3dp + -249.2dp + -248.11dp + -247.02dp + -245.92dp + -244.83dp + -243.74dp + -242.65dp + -241.55dp + -240.46dp + -239.37dp + -238.27dp + -237.18dp + -236.09dp + -235.0dp + -233.9dp + -232.81dp + -231.72dp + -230.62dp + -229.53dp + -228.44dp + -227.34dp + -226.25dp + -225.16dp + -224.06dp + -222.97dp + -221.88dp + -220.79dp + -219.69dp + -218.6dp + -217.51dp + -216.41dp + -215.32dp + -214.23dp + -213.13dp + -212.04dp + -210.95dp + -209.86dp + -208.76dp + -207.67dp + -206.58dp + -205.48dp + -204.39dp + -203.3dp + -202.2dp + -201.11dp + -200.02dp + -198.93dp + -197.83dp + -196.74dp + -195.65dp + -194.55dp + -193.46dp + -192.37dp + -191.28dp + -190.18dp + -189.09dp + -188.0dp + -186.9dp + -185.81dp + -184.72dp + -183.62dp + -182.53dp + -181.44dp + -180.34dp + -179.25dp + -178.16dp + -177.07dp + -175.97dp + -174.88dp + -173.79dp + -172.69dp + -171.6dp + -170.51dp + -169.41dp + -168.32dp + -167.23dp + -166.14dp + -165.04dp + -163.95dp + -162.86dp + -161.76dp + -160.67dp + -159.58dp + -158.48dp + -157.39dp + -156.3dp + -155.21dp + -154.11dp + -153.02dp + -151.93dp + -150.83dp + -149.74dp + -148.65dp + -147.56dp + -146.46dp + -145.37dp + -144.28dp + -143.18dp + -142.09dp + -141.0dp + -139.9dp + -138.81dp + -137.72dp + -136.63dp + -135.53dp + -134.44dp + -133.35dp + -132.25dp + -131.16dp + -130.07dp + -128.97dp + -127.88dp + -126.79dp + -125.69dp + -124.6dp + -123.51dp + -122.42dp + -121.32dp + -120.23dp + -119.14dp + -118.04dp + -116.95dp + -115.86dp + -114.77dp + -113.67dp + -112.58dp + -111.49dp + -110.39dp + -109.3dp + -108.21dp + -107.11dp + -106.02dp + -104.93dp + -103.83dp + -102.74dp + -101.65dp + -100.56dp + -99.46dp + -98.37dp + -97.28dp + -96.18dp + -95.09dp + -94.0dp + -92.91dp + -91.81dp + -90.72dp + -89.63dp + -88.53dp + -87.44dp + -86.35dp + -85.25dp + -84.16dp + -83.07dp + -81.97dp + -80.88dp + -79.79dp + -78.7dp + -77.6dp + -76.51dp + -75.42dp + -74.32dp + -73.23dp + -72.14dp + -71.05dp + -69.95dp + -68.86dp + -67.77dp + -66.67dp + -65.58dp + -64.49dp + -63.39dp + -62.3dp + -61.21dp + -60.11dp + -59.02dp + -57.93dp + -56.84dp + -55.74dp + -54.65dp + -53.56dp + -52.46dp + -51.37dp + -50.28dp + -49.19dp + -48.09dp + -47.0dp + -45.91dp + -44.81dp + -43.72dp + -42.63dp + -41.53dp + -40.44dp + -39.35dp + -38.25dp + -37.16dp + -36.07dp + -34.98dp + -33.88dp + -32.79dp + -31.7dp + -30.6dp + -29.51dp + -28.42dp + -27.32dp + -26.23dp + -25.14dp + -24.05dp + -22.95dp + -21.86dp + -20.77dp + -19.67dp + -18.58dp + -17.49dp + -16.39dp + -15.3dp + -14.21dp + -13.12dp + -12.02dp + -10.93dp + -9.84dp + -8.74dp + -7.65dp + -6.56dp + -5.46dp + -4.37dp + -3.28dp + -2.19dp + -1.09dp + 0.0dp + 1.09dp + 2.19dp + 3.28dp + 4.37dp + 5.46dp + 6.56dp + 7.65dp + 8.74dp + 9.84dp + 10.93dp + 12.02dp + 13.12dp + 14.21dp + 15.3dp + 16.39dp + 17.49dp + 18.58dp + 19.67dp + 20.77dp + 21.86dp + 22.95dp + 24.05dp + 25.14dp + 26.23dp + 27.32dp + 28.42dp + 29.51dp + 30.6dp + 31.7dp + 32.79dp + 33.88dp + 34.98dp + 36.07dp + 37.16dp + 38.25dp + 39.35dp + 40.44dp + 41.53dp + 42.63dp + 43.72dp + 44.81dp + 45.91dp + 47.0dp + 48.09dp + 49.19dp + 50.28dp + 51.37dp + 52.46dp + 53.56dp + 54.65dp + 55.74dp + 56.84dp + 57.93dp + 59.02dp + 60.11dp + 61.21dp + 62.3dp + 63.39dp + 64.49dp + 65.58dp + 66.67dp + 67.77dp + 68.86dp + 69.95dp + 71.05dp + 72.14dp + 73.23dp + 74.32dp + 75.42dp + 76.51dp + 77.6dp + 78.7dp + 79.79dp + 80.88dp + 81.97dp + 83.07dp + 84.16dp + 85.25dp + 86.35dp + 87.44dp + 88.53dp + 89.63dp + 90.72dp + 91.81dp + 92.91dp + 94.0dp + 95.09dp + 96.18dp + 97.28dp + 98.37dp + 99.46dp + 100.56dp + 101.65dp + 102.74dp + 103.83dp + 104.93dp + 106.02dp + 107.11dp + 108.21dp + 109.3dp + 110.39dp + 111.49dp + 112.58dp + 113.67dp + 114.77dp + 115.86dp + 116.95dp + 118.04dp + 119.14dp + 120.23dp + 121.32dp + 122.42dp + 123.51dp + 124.6dp + 125.69dp + 126.79dp + 127.88dp + 128.97dp + 130.07dp + 131.16dp + 132.25dp + 133.35dp + 134.44dp + 135.53dp + 136.63dp + 137.72dp + 138.81dp + 139.9dp + 141.0dp + 142.09dp + 143.18dp + 144.28dp + 145.37dp + 146.46dp + 147.56dp + 148.65dp + 149.74dp + 150.83dp + 151.93dp + 153.02dp + 154.11dp + 155.21dp + 156.3dp + 157.39dp + 158.48dp + 159.58dp + 160.67dp + 161.76dp + 162.86dp + 163.95dp + 165.04dp + 166.14dp + 167.23dp + 168.32dp + 169.41dp + 170.51dp + 171.6dp + 172.69dp + 173.79dp + 174.88dp + 175.97dp + 177.07dp + 178.16dp + 179.25dp + 180.34dp + 181.44dp + 182.53dp + 183.62dp + 184.72dp + 185.81dp + 186.9dp + 188.0dp + 189.09dp + 190.18dp + 191.28dp + 192.37dp + 193.46dp + 194.55dp + 195.65dp + 196.74dp + 197.83dp + 198.93dp + 200.02dp + 201.11dp + 202.2dp + 203.3dp + 204.39dp + 205.48dp + 206.58dp + 207.67dp + 208.76dp + 209.86dp + 210.95dp + 212.04dp + 213.13dp + 214.23dp + 215.32dp + 216.41dp + 217.51dp + 218.6dp + 219.69dp + 220.79dp + 221.88dp + 222.97dp + 224.06dp + 225.16dp + 226.25dp + 227.34dp + 228.44dp + 229.53dp + 230.62dp + 231.72dp + 232.81dp + 233.9dp + 235.0dp + 236.09dp + 237.18dp + 238.27dp + 239.37dp + 240.46dp + 241.55dp + 242.65dp + 243.74dp + 244.83dp + 245.92dp + 247.02dp + 248.11dp + 249.2dp + 250.3dp + 251.39dp + 252.48dp + 253.58dp + 254.67dp + 255.76dp + 256.86dp + 257.95dp + 259.04dp + 260.13dp + 261.23dp + 262.32dp + 263.41dp + 264.51dp + 265.6dp + 266.69dp + 267.78dp + 268.88dp + 269.97dp + 271.06dp + 272.16dp + 273.25dp + 274.34dp + 275.44dp + 276.53dp + 277.62dp + 278.71dp + 279.81dp + 280.9dp + 281.99dp + 283.09dp + 284.18dp + 285.27dp + 286.37dp + 287.46dp + 288.55dp + 289.64dp + 290.74dp + 291.83dp + 292.92dp + 294.02dp + 295.11dp + 296.2dp + 297.3dp + 298.39dp + 299.48dp + 300.57dp + 301.67dp + 302.76dp + 303.85dp + 304.95dp + 306.04dp + 307.13dp + 308.23dp + 309.32dp + 310.41dp + 311.5dp + 312.6dp + 313.69dp + 314.78dp + 315.88dp + 316.97dp + 318.06dp + 319.16dp + 320.25dp + 321.34dp + 322.44dp + 323.53dp + 324.62dp + 325.71dp + 326.81dp + 327.9dp + 328.99dp + 330.09dp + 331.18dp + 332.27dp + 333.37dp + 334.46dp + 335.55dp + 336.64dp + 337.74dp + 338.83dp + 339.92dp + 341.02dp + 342.11dp + 343.2dp + 344.3dp + 345.39dp + 346.48dp + 347.57dp + 348.67dp + 349.76dp + 350.85dp + 351.95dp + 353.04dp + 354.13dp + 355.22dp + 356.32dp + 357.41dp + 358.5dp + 359.6dp + 360.69dp + 361.78dp + 362.88dp + 363.97dp + 365.06dp + 366.15dp + 367.25dp + 368.34dp + 369.43dp + 370.53dp + 371.62dp + 372.71dp + 373.81dp + 374.9dp + 375.99dp + 377.08dp + 378.18dp + 379.27dp + 380.36dp + 381.46dp + 382.55dp + 383.64dp + 384.74dp + 385.83dp + 386.92dp + 388.01dp + 389.11dp + 390.2dp + 391.29dp + 392.39dp + 393.48dp + 394.57dp + 395.67dp + 396.76dp + 397.85dp + 398.94dp + 400.04dp + 401.13dp + 402.22dp + 403.32dp + 404.41dp + 405.5dp + 406.6dp + 407.69dp + 408.78dp + 409.88dp + 410.97dp + 412.06dp + 413.15dp + 414.25dp + 415.34dp + 416.43dp + 417.53dp + 418.62dp + 419.71dp + 420.81dp + 421.9dp + 422.99dp + 424.08dp + 425.18dp + 426.27dp + 427.36dp + 428.46dp + 429.55dp + 430.64dp + 431.74dp + 432.83dp + 433.92dp + 435.01dp + 436.11dp + 437.2dp + 438.29dp + 439.39dp + 440.48dp + 441.57dp + 442.66dp + 443.76dp + 444.85dp + 445.94dp + 447.04dp + 448.13dp + 449.22dp + 450.32dp + 451.41dp + 452.5dp + 453.59dp + 454.69dp + 455.78dp + 456.87dp + 457.97dp + 459.06dp + 460.15dp + 461.25dp + 462.34dp + 463.43dp + 464.52dp + 465.62dp + 466.71dp + 467.8dp + 468.9dp + 469.99dp + 471.08dp + 472.18dp + 473.27dp + 474.36dp + 475.45dp + 476.55dp + 477.64dp + 478.73dp + 479.83dp + 480.92dp + 482.01dp + 483.11dp + 484.2dp + 485.29dp + 486.38dp + 487.48dp + 488.57dp + 489.66dp + 490.76dp + 491.85dp + 492.94dp + 494.04dp + 495.13dp + 496.22dp + 497.31dp + 498.41dp + 499.5dp + 500.59dp + 501.69dp + 502.78dp + 503.87dp + 504.97dp + 506.06dp + 507.15dp + 508.25dp + 509.34dp + 510.43dp + 511.52dp + 512.62dp + 513.71dp + 514.8dp + 515.9dp + 516.99dp + 518.08dp + 519.17dp + 520.27dp + 521.36dp + 522.45dp + 523.55dp + 524.64dp + 525.73dp + 526.83dp + 527.92dp + 529.01dp + 530.11dp + 531.2dp + 532.29dp + 533.38dp + 534.48dp + 535.57dp + 536.66dp + 537.76dp + 538.85dp + 539.94dp + 541.03dp + 542.13dp + 543.22dp + 544.31dp + 545.41dp + 546.5dp + 547.59dp + 548.69dp + 549.78dp + 550.87dp + 551.97dp + 553.06dp + 554.15dp + 555.24dp + 556.34dp + 557.43dp + 558.52dp + 559.62dp + 560.71dp + 561.8dp + 562.89dp + 563.99dp + 565.08dp + 566.17dp + 567.27dp + 568.36dp + 569.45dp + 570.55dp + 571.64dp + 572.73dp + 573.82dp + 574.92dp + 576.01dp + 577.1dp + 578.2dp + 579.29dp + 580.38dp + 581.48dp + 582.57dp + 583.66dp + 584.75dp + 585.85dp + 586.94dp + 588.03dp + 589.13dp + 590.22dp + 591.31dp + 592.41dp + 593.5dp + 594.59dp + 595.68dp + 596.78dp + 597.87dp + 598.96dp + 600.06dp + 601.15dp + 602.24dp + 603.34dp + 604.43dp + 605.52dp + 606.62dp + 607.71dp + 608.8dp + 609.89dp + 610.99dp + 612.08dp + 613.17dp + 614.27dp + 615.36dp + 616.45dp + 617.54dp + 618.64dp + 619.73dp + 620.82dp + 621.92dp + 623.01dp + 624.1dp + 625.2dp + 626.29dp + 627.38dp + 628.48dp + 629.57dp + 630.66dp + 631.75dp + 632.85dp + 633.94dp + 635.03dp + 636.13dp + 637.22dp + 638.31dp + 639.4dp + 640.5dp + 641.59dp + 642.68dp + 643.78dp + 644.87dp + 645.96dp + 647.06dp + 648.15dp + 649.24dp + 650.34dp + 651.43dp + 652.52dp + 653.61dp + 654.71dp + 655.8dp + 656.89dp + 657.99dp + 659.08dp + 660.17dp + 661.26dp + 662.36dp + 663.45dp + 664.54dp + 665.64dp + 666.73dp + 667.82dp + 668.92dp + 670.01dp + 671.1dp + 672.19dp + 673.29dp + 674.38dp + 675.47dp + 676.57dp + 677.66dp + 678.75dp + 679.85dp + 680.94dp + 682.03dp + 683.13dp + 684.22dp + 685.31dp + 686.4dp + 687.5dp + 688.59dp + 689.68dp + 690.78dp + 691.87dp + 692.96dp + 694.05dp + 695.15dp + 696.24dp + 697.33dp + 698.43dp + 699.52dp + 700.61dp + 701.71dp + 702.8dp + 703.89dp + 704.99dp + 706.08dp + 707.17dp + 708.26dp + 709.36dp + 710.45dp + 711.54dp + 712.64dp + 713.73dp + 714.82dp + 715.91dp + 717.01dp + 718.1dp + 719.19dp + 720.29dp + 721.38dp + 722.47dp + 723.57dp + 724.66dp + 725.75dp + 726.85dp + 727.94dp + 729.03dp + 730.12dp + 731.22dp + 732.31dp + 733.4dp + 734.5dp + 735.59dp + 736.68dp + 737.77dp + 738.87dp + 739.96dp + 741.05dp + 742.15dp + 743.24dp + 744.33dp + 745.43dp + 746.52dp + 747.61dp + 748.7dp + 749.8dp + 750.89dp + 751.98dp + 753.08dp + 754.17dp + 755.26dp + 756.36dp + 757.45dp + 758.54dp + 759.63dp + 760.73dp + 761.82dp + 762.91dp + 764.01dp + 765.1dp + 766.19dp + 767.29dp + 768.38dp + 769.47dp + 770.56dp + 771.66dp + 772.75dp + 773.84dp + 774.94dp + 776.03dp + 777.12dp + 778.22dp + 779.31dp + 780.4dp + 781.5dp + 782.59dp + 783.68dp + 784.77dp + 785.87dp + 786.96dp + 788.05dp + 789.15dp + 790.24dp + 791.33dp + 792.42dp + 793.52dp + 794.61dp + 795.7dp + 796.8dp + 797.89dp + 798.98dp + 800.08dp + 801.17dp + 802.26dp + 803.36dp + 804.45dp + 805.54dp + 806.63dp + 807.73dp + 808.82dp + 809.91dp + 811.01dp + 812.1dp + 813.19dp + 814.28dp + 815.38dp + 816.47dp + 817.56dp + 818.66dp + 819.75dp + 820.84dp + 821.94dp + 823.03dp + 824.12dp + 825.22dp + 826.31dp + 827.4dp + 828.49dp + 829.59dp + 830.68dp + 831.77dp + 832.87dp + 833.96dp + 835.05dp + 836.14dp + 837.24dp + 838.33dp + 839.42dp + 840.52dp + 841.61dp + 842.7dp + 843.8dp + 844.89dp + 845.98dp + 847.07dp + 848.17dp + 849.26dp + 850.35dp + 851.45dp + 852.54dp + 853.63dp + 854.73dp + 855.82dp + 856.91dp + 858.0dp + 859.1dp + 860.19dp + 861.28dp + 862.38dp + 863.47dp + 864.56dp + 865.66dp + 866.75dp + 867.84dp + 868.93dp + 870.03dp + 871.12dp + 872.21dp + 873.31dp + 874.4dp + 875.49dp + 876.59dp + 877.68dp + 878.77dp + 879.87dp + 880.96dp + 882.05dp + 883.14dp + 884.24dp + 885.33dp + 886.42dp + 887.52dp + 888.61dp + 889.7dp + 890.79dp + 891.89dp + 892.98dp + 894.07dp + 895.17dp + 896.26dp + 897.35dp + 898.45dp + 899.54dp + 900.63dp + 901.73dp + 902.82dp + 903.91dp + 905.0dp + 906.1dp + 907.19dp + 908.28dp + 909.38dp + 910.47dp + 911.56dp + 912.65dp + 913.75dp + 914.84dp + 915.93dp + 917.03dp + 918.12dp + 919.21dp + 920.31dp + 921.4dp + 922.49dp + 923.58dp + 924.68dp + 925.77dp + 926.86dp + 927.96dp + 929.05dp + 930.14dp + 931.24dp + 932.33dp + 933.42dp + 934.51dp + 935.61dp + 936.7dp + 937.79dp + 938.89dp + 939.98dp + 941.07dp + 942.17dp + 943.26dp + 944.35dp + 945.44dp + 946.54dp + 947.63dp + 948.72dp + 949.82dp + 950.91dp + 952.0dp + 953.1dp + 954.19dp + 955.28dp + 956.38dp + 957.47dp + 958.56dp + 959.65dp + 960.75dp + 961.84dp + 962.93dp + 964.03dp + 965.12dp + 966.21dp + 967.3dp + 968.4dp + 969.49dp + 970.58dp + 971.68dp + 972.77dp + 973.86dp + 974.96dp + 976.05dp + 977.14dp + 978.24dp + 979.33dp + 980.42dp + 981.51dp + 982.61dp + 983.7dp + 984.79dp + 985.89dp + 986.98dp + 988.07dp + 989.16dp + 990.26dp + 991.35dp + 992.44dp + 993.54dp + 994.63dp + 995.72dp + 996.82dp + 997.91dp + 999.0dp + 1000.1dp + 1001.19dp + 1002.28dp + 1003.37dp + 1004.47dp + 1005.56dp + 1006.65dp + 1007.75dp + 1008.84dp + 1009.93dp + 1011.02dp + 1012.12dp + 1013.21dp + 1014.3dp + 1015.4dp + 1016.49dp + 1017.58dp + 1018.68dp + 1019.77dp + 1020.86dp + 1021.95dp + 1023.05dp + 1024.14dp + 1025.23dp + 1026.33dp + 1027.42dp + 1028.51dp + 1029.61dp + 1030.7dp + 1031.79dp + 1032.88dp + 1033.98dp + 1035.07dp + 1036.16dp + 1037.26dp + 1038.35dp + 1039.44dp + 1040.54dp + 1041.63dp + 1042.72dp + 1043.82dp + 1044.91dp + 1046.0dp + 1047.09dp + 1048.19dp + 1049.28dp + 1050.37dp + 1051.47dp + 1052.56dp + 1053.65dp + 1054.74dp + 1055.84dp + 1056.93dp + 1058.02dp + 1059.12dp + 1060.21dp + 1061.3dp + 1062.4dp + 1063.49dp + 1064.58dp + 1065.67dp + 1066.77dp + 1067.86dp + 1068.95dp + 1070.05dp + 1071.14dp + 1072.23dp + 1073.33dp + 1074.42dp + 1075.51dp + 1076.61dp + 1077.7dp + 1078.79dp + 1079.88dp + 1080.98dp + 1082.07dp + 1083.16dp + 1084.26dp + 1085.35dp + 1086.44dp + 1087.54dp + 1088.63dp + 1089.72dp + 1090.81dp + 1091.91dp + 1093.0dp + 1094.09dp + 1095.19dp + 1096.28dp + 1097.37dp + 1098.46dp + 1099.56dp + 1100.65dp + 1101.74dp + 1102.84dp + 1103.93dp + 1105.02dp + 1106.12dp + 1107.21dp + 1108.3dp + 1109.39dp + 1110.49dp + 1111.58dp + 1112.67dp + 1113.77dp + 1114.86dp + 1115.95dp + 1117.05dp + 1118.14dp + 1119.23dp + 1120.33dp + 1121.42dp + 1122.51dp + 1123.6dp + 1124.7dp + 1125.79dp + 1126.88dp + 1127.98dp + 1129.07dp + 1130.16dp + 1131.25dp + 1132.35dp + 1133.44dp + 1134.53dp + 1135.63dp + 1136.72dp + 1137.81dp + 1138.91dp + 1140.0dp + 1141.09dp + 1142.18dp + 1143.28dp + 1144.37dp + 1145.46dp + 1146.56dp + 1147.65dp + 1148.74dp + 1149.84dp + 1150.93dp + 1152.02dp + 1153.12dp + 1154.21dp + 1155.3dp + 1156.39dp + 1157.49dp + 1158.58dp + 1159.67dp + 1160.77dp + 1161.86dp + 1162.95dp + 1164.05dp + 1165.14dp + 1166.23dp + 1167.32dp + 1168.42dp + 1169.51dp + 1170.6dp + 1171.7dp + 1172.79dp + 1173.88dp + 1174.97dp + 1176.07dp + 1177.16dp + 1178.25dp + 1179.35dp + 1180.44dp + 1.09sp + 2.19sp + 3.28sp + 4.37sp + 5.46sp + 6.56sp + 7.65sp + 8.74sp + 9.84sp + 10.93sp + 12.02sp + 13.12sp + 14.21sp + 15.3sp + 16.39sp + 17.49sp + 18.58sp + 19.67sp + 20.77sp + 21.86sp + 22.95sp + 24.05sp + 25.14sp + 26.23sp + 27.32sp + 28.42sp + 29.51sp + 30.6sp + 31.7sp + 32.79sp + 33.88sp + 34.98sp + 36.07sp + 37.16sp + 38.25sp + 39.35sp + 40.44sp + 41.53sp + 42.63sp + 43.72sp + 44.81sp + 45.91sp + 47.0sp + 48.09sp + 49.19sp + 50.28sp + 51.37sp + 52.46sp + 53.56sp + 54.65sp + 55.74sp + 56.84sp + 57.93sp + 59.02sp + 60.11sp + 61.21sp + 62.3sp + 63.39sp + 64.49sp + 65.58sp + 66.67sp + 67.77sp + 68.86sp + 69.95sp + 71.05sp + 72.14sp + 73.23sp + 74.32sp + 75.42sp + 76.51sp + 77.6sp + 78.7sp + 79.79sp + 80.88sp + 81.97sp + 83.07sp + 84.16sp + 85.25sp + 86.35sp + 87.44sp + 88.53sp + 89.63sp + 90.72sp + 91.81sp + 92.91sp + 94.0sp + 95.09sp + 96.18sp + 97.28sp + 98.37sp + 99.46sp + 100.56sp + 101.65sp + 102.74sp + 103.83sp + 104.93sp + 106.02sp + 107.11sp + 108.21sp + 109.3sp + 110.39sp + 111.49sp + 112.58sp + 113.67sp + 114.77sp + 115.86sp + 116.95sp + 118.04sp + 119.14sp + 120.23sp + 121.32sp + 122.42sp + 123.51sp + 124.6sp + 125.69sp + 126.79sp + 127.88sp + 128.97sp + 130.07sp + 131.16sp + 132.25sp + 133.35sp + 134.44sp + 135.53sp + 136.63sp + 137.72sp + 138.81sp + 139.9sp + 141.0sp + 142.09sp + 143.18sp + 144.28sp + 145.37sp + 146.46sp + 147.56sp + 148.65sp + 149.74sp + 150.83sp + 151.93sp + 153.02sp + 154.11sp + 155.21sp + 156.3sp + 157.39sp + 158.48sp + 159.58sp + 160.67sp + 161.76sp + 162.86sp + 163.95sp + 165.04sp + 166.14sp + 167.23sp + 168.32sp + 169.41sp + 170.51sp + 171.6sp + 172.69sp + 173.79sp + 174.88sp + 175.97sp + 177.07sp + 178.16sp + 179.25sp + 180.34sp + 181.44sp + 182.53sp + 183.62sp + 184.72sp + 185.81sp + 186.9sp + 188.0sp + 189.09sp + 190.18sp + 191.28sp + 192.37sp + 193.46sp + 194.55sp + 195.65sp + 196.74sp + 197.83sp + 198.93sp + 200.02sp + 201.11sp + 202.2sp + 203.3sp + 204.39sp + 205.48sp + 206.58sp + 207.67sp + 208.76sp + 209.86sp + 210.95sp + 212.04sp + 213.13sp + 214.23sp + 215.32sp + 216.41sp + 217.51sp + 218.6sp + diff --git a/app/src/main/res/values-sw420dp/dimens.xml b/app/src/main/res/values-sw420dp/dimens.xml new file mode 100644 index 0000000..ac84770 --- /dev/null +++ b/app/src/main/res/values-sw420dp/dimens.xml @@ -0,0 +1,2365 @@ + + + + -1209.6dp + -1208.48dp + -1207.36dp + -1206.24dp + -1205.12dp + -1204.0dp + -1202.88dp + -1201.76dp + -1200.64dp + -1199.52dp + -1198.4dp + -1197.28dp + -1196.16dp + -1195.04dp + -1193.92dp + -1192.8dp + -1191.68dp + -1190.56dp + -1189.44dp + -1188.32dp + -1187.2dp + -1186.08dp + -1184.96dp + -1183.84dp + -1182.72dp + -1181.6dp + -1180.48dp + -1179.36dp + -1178.24dp + -1177.12dp + -1176.0dp + -1174.88dp + -1173.76dp + -1172.64dp + -1171.52dp + -1170.4dp + -1169.28dp + -1168.16dp + -1167.04dp + -1165.92dp + -1164.8dp + -1163.68dp + -1162.56dp + -1161.44dp + -1160.32dp + -1159.2dp + -1158.08dp + -1156.96dp + -1155.84dp + -1154.72dp + -1153.6dp + -1152.48dp + -1151.36dp + -1150.24dp + -1149.12dp + -1148.0dp + -1146.88dp + -1145.76dp + -1144.64dp + -1143.52dp + -1142.4dp + -1141.28dp + -1140.16dp + -1139.04dp + -1137.92dp + -1136.8dp + -1135.68dp + -1134.56dp + -1133.44dp + -1132.32dp + -1131.2dp + -1130.08dp + -1128.96dp + -1127.84dp + -1126.72dp + -1125.6dp + -1124.48dp + -1123.36dp + -1122.24dp + -1121.12dp + -1120.0dp + -1118.88dp + -1117.76dp + -1116.64dp + -1115.52dp + -1114.4dp + -1113.28dp + -1112.16dp + -1111.04dp + -1109.92dp + -1108.8dp + -1107.68dp + -1106.56dp + -1105.44dp + -1104.32dp + -1103.2dp + -1102.08dp + -1100.96dp + -1099.84dp + -1098.72dp + -1097.6dp + -1096.48dp + -1095.36dp + -1094.24dp + -1093.12dp + -1092.0dp + -1090.88dp + -1089.76dp + -1088.64dp + -1087.52dp + -1086.4dp + -1085.28dp + -1084.16dp + -1083.04dp + -1081.92dp + -1080.8dp + -1079.68dp + -1078.56dp + -1077.44dp + -1076.32dp + -1075.2dp + -1074.08dp + -1072.96dp + -1071.84dp + -1070.72dp + -1069.6dp + -1068.48dp + -1067.36dp + -1066.24dp + -1065.12dp + -1064.0dp + -1062.88dp + -1061.76dp + -1060.64dp + -1059.52dp + -1058.4dp + -1057.28dp + -1056.16dp + -1055.04dp + -1053.92dp + -1052.8dp + -1051.68dp + -1050.56dp + -1049.44dp + -1048.32dp + -1047.2dp + -1046.08dp + -1044.96dp + -1043.84dp + -1042.72dp + -1041.6dp + -1040.48dp + -1039.36dp + -1038.24dp + -1037.12dp + -1036.0dp + -1034.88dp + -1033.76dp + -1032.64dp + -1031.52dp + -1030.4dp + -1029.28dp + -1028.16dp + -1027.04dp + -1025.92dp + -1024.8dp + -1023.68dp + -1022.56dp + -1021.44dp + -1020.32dp + -1019.2dp + -1018.08dp + -1016.96dp + -1015.84dp + -1014.72dp + -1013.6dp + -1012.48dp + -1011.36dp + -1010.24dp + -1009.12dp + -1008.0dp + -1006.88dp + -1005.76dp + -1004.64dp + -1003.52dp + -1002.4dp + -1001.28dp + -1000.16dp + -999.04dp + -997.92dp + -996.8dp + -995.68dp + -994.56dp + -993.44dp + -992.32dp + -991.2dp + -990.08dp + -988.96dp + -987.84dp + -986.72dp + -985.6dp + -984.48dp + -983.36dp + -982.24dp + -981.12dp + -980.0dp + -978.88dp + -977.76dp + -976.64dp + -975.52dp + -974.4dp + -973.28dp + -972.16dp + -971.04dp + -969.92dp + -968.8dp + -967.68dp + -966.56dp + -965.44dp + -964.32dp + -963.2dp + -962.08dp + -960.96dp + -959.84dp + -958.72dp + -957.6dp + -956.48dp + -955.36dp + -954.24dp + -953.12dp + -952.0dp + -950.88dp + -949.76dp + -948.64dp + -947.52dp + -946.4dp + -945.28dp + -944.16dp + -943.04dp + -941.92dp + -940.8dp + -939.68dp + -938.56dp + -937.44dp + -936.32dp + -935.2dp + -934.08dp + -932.96dp + -931.84dp + -930.72dp + -929.6dp + -928.48dp + -927.36dp + -926.24dp + -925.12dp + -924.0dp + -922.88dp + -921.76dp + -920.64dp + -919.52dp + -918.4dp + -917.28dp + -916.16dp + -915.04dp + -913.92dp + -912.8dp + -911.68dp + -910.56dp + -909.44dp + -908.32dp + -907.2dp + -906.08dp + -904.96dp + -903.84dp + -902.72dp + -901.6dp + -900.48dp + -899.36dp + -898.24dp + -897.12dp + -896.0dp + -894.88dp + -893.76dp + -892.64dp + -891.52dp + -890.4dp + -889.28dp + -888.16dp + -887.04dp + -885.92dp + -884.8dp + -883.68dp + -882.56dp + -881.44dp + -880.32dp + -879.2dp + -878.08dp + -876.96dp + -875.84dp + -874.72dp + -873.6dp + -872.48dp + -871.36dp + -870.24dp + -869.12dp + -868.0dp + -866.88dp + -865.76dp + -864.64dp + -863.52dp + -862.4dp + -861.28dp + -860.16dp + -859.04dp + -857.92dp + -856.8dp + -855.68dp + -854.56dp + -853.44dp + -852.32dp + -851.2dp + -850.08dp + -848.96dp + -847.84dp + -846.72dp + -845.6dp + -844.48dp + -843.36dp + -842.24dp + -841.12dp + -840.0dp + -838.88dp + -837.76dp + -836.64dp + -835.52dp + -834.4dp + -833.28dp + -832.16dp + -831.04dp + -829.92dp + -828.8dp + -827.68dp + -826.56dp + -825.44dp + -824.32dp + -823.2dp + -822.08dp + -820.96dp + -819.84dp + -818.72dp + -817.6dp + -816.48dp + -815.36dp + -814.24dp + -813.12dp + -812.0dp + -810.88dp + -809.76dp + -808.64dp + -807.52dp + -806.4dp + -805.28dp + -804.16dp + -803.04dp + -801.92dp + -800.8dp + -799.68dp + -798.56dp + -797.44dp + -796.32dp + -795.2dp + -794.08dp + -792.96dp + -791.84dp + -790.72dp + -789.6dp + -788.48dp + -787.36dp + -786.24dp + -785.12dp + -784.0dp + -782.88dp + -781.76dp + -780.64dp + -779.52dp + -778.4dp + -777.28dp + -776.16dp + -775.04dp + -773.92dp + -772.8dp + -771.68dp + -770.56dp + -769.44dp + -768.32dp + -767.2dp + -766.08dp + -764.96dp + -763.84dp + -762.72dp + -761.6dp + -760.48dp + -759.36dp + -758.24dp + -757.12dp + -756.0dp + -754.88dp + -753.76dp + -752.64dp + -751.52dp + -750.4dp + -749.28dp + -748.16dp + -747.04dp + -745.92dp + -744.8dp + -743.68dp + -742.56dp + -741.44dp + -740.32dp + -739.2dp + -738.08dp + -736.96dp + -735.84dp + -734.72dp + -733.6dp + -732.48dp + -731.36dp + -730.24dp + -729.12dp + -728.0dp + -726.88dp + -725.76dp + -724.64dp + -723.52dp + -722.4dp + -721.28dp + -720.16dp + -719.04dp + -717.92dp + -716.8dp + -715.68dp + -714.56dp + -713.44dp + -712.32dp + -711.2dp + -710.08dp + -708.96dp + -707.84dp + -706.72dp + -705.6dp + -704.48dp + -703.36dp + -702.24dp + -701.12dp + -700.0dp + -698.88dp + -697.76dp + -696.64dp + -695.52dp + -694.4dp + -693.28dp + -692.16dp + -691.04dp + -689.92dp + -688.8dp + -687.68dp + -686.56dp + -685.44dp + -684.32dp + -683.2dp + -682.08dp + -680.96dp + -679.84dp + -678.72dp + -677.6dp + -676.48dp + -675.36dp + -674.24dp + -673.12dp + -672.0dp + -670.88dp + -669.76dp + -668.64dp + -667.52dp + -666.4dp + -665.28dp + -664.16dp + -663.04dp + -661.92dp + -660.8dp + -659.68dp + -658.56dp + -657.44dp + -656.32dp + -655.2dp + -654.08dp + -652.96dp + -651.84dp + -650.72dp + -649.6dp + -648.48dp + -647.36dp + -646.24dp + -645.12dp + -644.0dp + -642.88dp + -641.76dp + -640.64dp + -639.52dp + -638.4dp + -637.28dp + -636.16dp + -635.04dp + -633.92dp + -632.8dp + -631.68dp + -630.56dp + -629.44dp + -628.32dp + -627.2dp + -626.08dp + -624.96dp + -623.84dp + -622.72dp + -621.6dp + -620.48dp + -619.36dp + -618.24dp + -617.12dp + -616.0dp + -614.88dp + -613.76dp + -612.64dp + -611.52dp + -610.4dp + -609.28dp + -608.16dp + -607.04dp + -605.92dp + -604.8dp + -603.68dp + -602.56dp + -601.44dp + -600.32dp + -599.2dp + -598.08dp + -596.96dp + -595.84dp + -594.72dp + -593.6dp + -592.48dp + -591.36dp + -590.24dp + -589.12dp + -588.0dp + -586.88dp + -585.76dp + -584.64dp + -583.52dp + -582.4dp + -581.28dp + -580.16dp + -579.04dp + -577.92dp + -576.8dp + -575.68dp + -574.56dp + -573.44dp + -572.32dp + -571.2dp + -570.08dp + -568.96dp + -567.84dp + -566.72dp + -565.6dp + -564.48dp + -563.36dp + -562.24dp + -561.12dp + -560.0dp + -558.88dp + -557.76dp + -556.64dp + -555.52dp + -554.4dp + -553.28dp + -552.16dp + -551.04dp + -549.92dp + -548.8dp + -547.68dp + -546.56dp + -545.44dp + -544.32dp + -543.2dp + -542.08dp + -540.96dp + -539.84dp + -538.72dp + -537.6dp + -536.48dp + -535.36dp + -534.24dp + -533.12dp + -532.0dp + -530.88dp + -529.76dp + -528.64dp + -527.52dp + -526.4dp + -525.28dp + -524.16dp + -523.04dp + -521.92dp + -520.8dp + -519.68dp + -518.56dp + -517.44dp + -516.32dp + -515.2dp + -514.08dp + -512.96dp + -511.84dp + -510.72dp + -509.6dp + -508.48dp + -507.36dp + -506.24dp + -505.12dp + -504.0dp + -502.88dp + -501.76dp + -500.64dp + -499.52dp + -498.4dp + -497.28dp + -496.16dp + -495.04dp + -493.92dp + -492.8dp + -491.68dp + -490.56dp + -489.44dp + -488.32dp + -487.2dp + -486.08dp + -484.96dp + -483.84dp + -482.72dp + -481.6dp + -480.48dp + -479.36dp + -478.24dp + -477.12dp + -476.0dp + -474.88dp + -473.76dp + -472.64dp + -471.52dp + -470.4dp + -469.28dp + -468.16dp + -467.04dp + -465.92dp + -464.8dp + -463.68dp + -462.56dp + -461.44dp + -460.32dp + -459.2dp + -458.08dp + -456.96dp + -455.84dp + -454.72dp + -453.6dp + -452.48dp + -451.36dp + -450.24dp + -449.12dp + -448.0dp + -446.88dp + -445.76dp + -444.64dp + -443.52dp + -442.4dp + -441.28dp + -440.16dp + -439.04dp + -437.92dp + -436.8dp + -435.68dp + -434.56dp + -433.44dp + -432.32dp + -431.2dp + -430.08dp + -428.96dp + -427.84dp + -426.72dp + -425.6dp + -424.48dp + -423.36dp + -422.24dp + -421.12dp + -420.0dp + -418.88dp + -417.76dp + -416.64dp + -415.52dp + -414.4dp + -413.28dp + -412.16dp + -411.04dp + -409.92dp + -408.8dp + -407.68dp + -406.56dp + -405.44dp + -404.32dp + -403.2dp + -402.08dp + -400.96dp + -399.84dp + -398.72dp + -397.6dp + -396.48dp + -395.36dp + -394.24dp + -393.12dp + -392.0dp + -390.88dp + -389.76dp + -388.64dp + -387.52dp + -386.4dp + -385.28dp + -384.16dp + -383.04dp + -381.92dp + -380.8dp + -379.68dp + -378.56dp + -377.44dp + -376.32dp + -375.2dp + -374.08dp + -372.96dp + -371.84dp + -370.72dp + -369.6dp + -368.48dp + -367.36dp + -366.24dp + -365.12dp + -364.0dp + -362.88dp + -361.76dp + -360.64dp + -359.52dp + -358.4dp + -357.28dp + -356.16dp + -355.04dp + -353.92dp + -352.8dp + -351.68dp + -350.56dp + -349.44dp + -348.32dp + -347.2dp + -346.08dp + -344.96dp + -343.84dp + -342.72dp + -341.6dp + -340.48dp + -339.36dp + -338.24dp + -337.12dp + -336.0dp + -334.88dp + -333.76dp + -332.64dp + -331.52dp + -330.4dp + -329.28dp + -328.16dp + -327.04dp + -325.92dp + -324.8dp + -323.68dp + -322.56dp + -321.44dp + -320.32dp + -319.2dp + -318.08dp + -316.96dp + -315.84dp + -314.72dp + -313.6dp + -312.48dp + -311.36dp + -310.24dp + -309.12dp + -308.0dp + -306.88dp + -305.76dp + -304.64dp + -303.52dp + -302.4dp + -301.28dp + -300.16dp + -299.04dp + -297.92dp + -296.8dp + -295.68dp + -294.56dp + -293.44dp + -292.32dp + -291.2dp + -290.08dp + -288.96dp + -287.84dp + -286.72dp + -285.6dp + -284.48dp + -283.36dp + -282.24dp + -281.12dp + -280.0dp + -278.88dp + -277.76dp + -276.64dp + -275.52dp + -274.4dp + -273.28dp + -272.16dp + -271.04dp + -269.92dp + -268.8dp + -267.68dp + -266.56dp + -265.44dp + -264.32dp + -263.2dp + -262.08dp + -260.96dp + -259.84dp + -258.72dp + -257.6dp + -256.48dp + -255.36dp + -254.24dp + -253.12dp + -252.0dp + -250.88dp + -249.76dp + -248.64dp + -247.52dp + -246.4dp + -245.28dp + -244.16dp + -243.04dp + -241.92dp + -240.8dp + -239.68dp + -238.56dp + -237.44dp + -236.32dp + -235.2dp + -234.08dp + -232.96dp + -231.84dp + -230.72dp + -229.6dp + -228.48dp + -227.36dp + -226.24dp + -225.12dp + -224.0dp + -222.88dp + -221.76dp + -220.64dp + -219.52dp + -218.4dp + -217.28dp + -216.16dp + -215.04dp + -213.92dp + -212.8dp + -211.68dp + -210.56dp + -209.44dp + -208.32dp + -207.2dp + -206.08dp + -204.96dp + -203.84dp + -202.72dp + -201.6dp + -200.48dp + -199.36dp + -198.24dp + -197.12dp + -196.0dp + -194.88dp + -193.76dp + -192.64dp + -191.52dp + -190.4dp + -189.28dp + -188.16dp + -187.04dp + -185.92dp + -184.8dp + -183.68dp + -182.56dp + -181.44dp + -180.32dp + -179.2dp + -178.08dp + -176.96dp + -175.84dp + -174.72dp + -173.6dp + -172.48dp + -171.36dp + -170.24dp + -169.12dp + -168.0dp + -166.88dp + -165.76dp + -164.64dp + -163.52dp + -162.4dp + -161.28dp + -160.16dp + -159.04dp + -157.92dp + -156.8dp + -155.68dp + -154.56dp + -153.44dp + -152.32dp + -151.2dp + -150.08dp + -148.96dp + -147.84dp + -146.72dp + -145.6dp + -144.48dp + -143.36dp + -142.24dp + -141.12dp + -140.0dp + -138.88dp + -137.76dp + -136.64dp + -135.52dp + -134.4dp + -133.28dp + -132.16dp + -131.04dp + -129.92dp + -128.8dp + -127.68dp + -126.56dp + -125.44dp + -124.32dp + -123.2dp + -122.08dp + -120.96dp + -119.84dp + -118.72dp + -117.6dp + -116.48dp + -115.36dp + -114.24dp + -113.12dp + -112.0dp + -110.88dp + -109.76dp + -108.64dp + -107.52dp + -106.4dp + -105.28dp + -104.16dp + -103.04dp + -101.92dp + -100.8dp + -99.68dp + -98.56dp + -97.44dp + -96.32dp + -95.2dp + -94.08dp + -92.96dp + -91.84dp + -90.72dp + -89.6dp + -88.48dp + -87.36dp + -86.24dp + -85.12dp + -84.0dp + -82.88dp + -81.76dp + -80.64dp + -79.52dp + -78.4dp + -77.28dp + -76.16dp + -75.04dp + -73.92dp + -72.8dp + -71.68dp + -70.56dp + -69.44dp + -68.32dp + -67.2dp + -66.08dp + -64.96dp + -63.84dp + -62.72dp + -61.6dp + -60.48dp + -59.36dp + -58.24dp + -57.12dp + -56.0dp + -54.88dp + -53.76dp + -52.64dp + -51.52dp + -50.4dp + -49.28dp + -48.16dp + -47.04dp + -45.92dp + -44.8dp + -43.68dp + -42.56dp + -41.44dp + -40.32dp + -39.2dp + -38.08dp + -36.96dp + -35.84dp + -34.72dp + -33.6dp + -32.48dp + -31.36dp + -30.24dp + -29.12dp + -28.0dp + -26.88dp + -25.76dp + -24.64dp + -23.52dp + -22.4dp + -21.28dp + -20.16dp + -19.04dp + -17.92dp + -16.8dp + -15.68dp + -14.56dp + -13.44dp + -12.32dp + -11.2dp + -10.08dp + -8.96dp + -7.84dp + -6.72dp + -5.6dp + -4.48dp + -3.36dp + -2.24dp + -1.12dp + 0.0dp + 1.12dp + 2.24dp + 3.36dp + 4.48dp + 5.6dp + 6.72dp + 7.84dp + 8.96dp + 10.08dp + 11.2dp + 12.32dp + 13.44dp + 14.56dp + 15.68dp + 16.8dp + 17.92dp + 19.04dp + 20.16dp + 21.28dp + 22.4dp + 23.52dp + 24.64dp + 25.76dp + 26.88dp + 28.0dp + 29.12dp + 30.24dp + 31.36dp + 32.48dp + 33.6dp + 34.72dp + 35.84dp + 36.96dp + 38.08dp + 39.2dp + 40.32dp + 41.44dp + 42.56dp + 43.68dp + 44.8dp + 45.92dp + 47.04dp + 48.16dp + 49.28dp + 50.4dp + 51.52dp + 52.64dp + 53.76dp + 54.88dp + 56.0dp + 57.12dp + 58.24dp + 59.36dp + 60.48dp + 61.6dp + 62.72dp + 63.84dp + 64.96dp + 66.08dp + 67.2dp + 68.32dp + 69.44dp + 70.56dp + 71.68dp + 72.8dp + 73.92dp + 75.04dp + 76.16dp + 77.28dp + 78.4dp + 79.52dp + 80.64dp + 81.76dp + 82.88dp + 84.0dp + 85.12dp + 86.24dp + 87.36dp + 88.48dp + 89.6dp + 90.72dp + 91.84dp + 92.96dp + 94.08dp + 95.2dp + 96.32dp + 97.44dp + 98.56dp + 99.68dp + 100.8dp + 101.92dp + 103.04dp + 104.16dp + 105.28dp + 106.4dp + 107.52dp + 108.64dp + 109.76dp + 110.88dp + 112.0dp + 113.12dp + 114.24dp + 115.36dp + 116.48dp + 117.6dp + 118.72dp + 119.84dp + 120.96dp + 122.08dp + 123.2dp + 124.32dp + 125.44dp + 126.56dp + 127.68dp + 128.8dp + 129.92dp + 131.04dp + 132.16dp + 133.28dp + 134.4dp + 135.52dp + 136.64dp + 137.76dp + 138.88dp + 140.0dp + 141.12dp + 142.24dp + 143.36dp + 144.48dp + 145.6dp + 146.72dp + 147.84dp + 148.96dp + 150.08dp + 151.2dp + 152.32dp + 153.44dp + 154.56dp + 155.68dp + 156.8dp + 157.92dp + 159.04dp + 160.16dp + 161.28dp + 162.4dp + 163.52dp + 164.64dp + 165.76dp + 166.88dp + 168.0dp + 169.12dp + 170.24dp + 171.36dp + 172.48dp + 173.6dp + 174.72dp + 175.84dp + 176.96dp + 178.08dp + 179.2dp + 180.32dp + 181.44dp + 182.56dp + 183.68dp + 184.8dp + 185.92dp + 187.04dp + 188.16dp + 189.28dp + 190.4dp + 191.52dp + 192.64dp + 193.76dp + 194.88dp + 196.0dp + 197.12dp + 198.24dp + 199.36dp + 200.48dp + 201.6dp + 202.72dp + 203.84dp + 204.96dp + 206.08dp + 207.2dp + 208.32dp + 209.44dp + 210.56dp + 211.68dp + 212.8dp + 213.92dp + 215.04dp + 216.16dp + 217.28dp + 218.4dp + 219.52dp + 220.64dp + 221.76dp + 222.88dp + 224.0dp + 225.12dp + 226.24dp + 227.36dp + 228.48dp + 229.6dp + 230.72dp + 231.84dp + 232.96dp + 234.08dp + 235.2dp + 236.32dp + 237.44dp + 238.56dp + 239.68dp + 240.8dp + 241.92dp + 243.04dp + 244.16dp + 245.28dp + 246.4dp + 247.52dp + 248.64dp + 249.76dp + 250.88dp + 252.0dp + 253.12dp + 254.24dp + 255.36dp + 256.48dp + 257.6dp + 258.72dp + 259.84dp + 260.96dp + 262.08dp + 263.2dp + 264.32dp + 265.44dp + 266.56dp + 267.68dp + 268.8dp + 269.92dp + 271.04dp + 272.16dp + 273.28dp + 274.4dp + 275.52dp + 276.64dp + 277.76dp + 278.88dp + 280.0dp + 281.12dp + 282.24dp + 283.36dp + 284.48dp + 285.6dp + 286.72dp + 287.84dp + 288.96dp + 290.08dp + 291.2dp + 292.32dp + 293.44dp + 294.56dp + 295.68dp + 296.8dp + 297.92dp + 299.04dp + 300.16dp + 301.28dp + 302.4dp + 303.52dp + 304.64dp + 305.76dp + 306.88dp + 308.0dp + 309.12dp + 310.24dp + 311.36dp + 312.48dp + 313.6dp + 314.72dp + 315.84dp + 316.96dp + 318.08dp + 319.2dp + 320.32dp + 321.44dp + 322.56dp + 323.68dp + 324.8dp + 325.92dp + 327.04dp + 328.16dp + 329.28dp + 330.4dp + 331.52dp + 332.64dp + 333.76dp + 334.88dp + 336.0dp + 337.12dp + 338.24dp + 339.36dp + 340.48dp + 341.6dp + 342.72dp + 343.84dp + 344.96dp + 346.08dp + 347.2dp + 348.32dp + 349.44dp + 350.56dp + 351.68dp + 352.8dp + 353.92dp + 355.04dp + 356.16dp + 357.28dp + 358.4dp + 359.52dp + 360.64dp + 361.76dp + 362.88dp + 364.0dp + 365.12dp + 366.24dp + 367.36dp + 368.48dp + 369.6dp + 370.72dp + 371.84dp + 372.96dp + 374.08dp + 375.2dp + 376.32dp + 377.44dp + 378.56dp + 379.68dp + 380.8dp + 381.92dp + 383.04dp + 384.16dp + 385.28dp + 386.4dp + 387.52dp + 388.64dp + 389.76dp + 390.88dp + 392.0dp + 393.12dp + 394.24dp + 395.36dp + 396.48dp + 397.6dp + 398.72dp + 399.84dp + 400.96dp + 402.08dp + 403.2dp + 404.32dp + 405.44dp + 406.56dp + 407.68dp + 408.8dp + 409.92dp + 411.04dp + 412.16dp + 413.28dp + 414.4dp + 415.52dp + 416.64dp + 417.76dp + 418.88dp + 420.0dp + 421.12dp + 422.24dp + 423.36dp + 424.48dp + 425.6dp + 426.72dp + 427.84dp + 428.96dp + 430.08dp + 431.2dp + 432.32dp + 433.44dp + 434.56dp + 435.68dp + 436.8dp + 437.92dp + 439.04dp + 440.16dp + 441.28dp + 442.4dp + 443.52dp + 444.64dp + 445.76dp + 446.88dp + 448.0dp + 449.12dp + 450.24dp + 451.36dp + 452.48dp + 453.6dp + 454.72dp + 455.84dp + 456.96dp + 458.08dp + 459.2dp + 460.32dp + 461.44dp + 462.56dp + 463.68dp + 464.8dp + 465.92dp + 467.04dp + 468.16dp + 469.28dp + 470.4dp + 471.52dp + 472.64dp + 473.76dp + 474.88dp + 476.0dp + 477.12dp + 478.24dp + 479.36dp + 480.48dp + 481.6dp + 482.72dp + 483.84dp + 484.96dp + 486.08dp + 487.2dp + 488.32dp + 489.44dp + 490.56dp + 491.68dp + 492.8dp + 493.92dp + 495.04dp + 496.16dp + 497.28dp + 498.4dp + 499.52dp + 500.64dp + 501.76dp + 502.88dp + 504.0dp + 505.12dp + 506.24dp + 507.36dp + 508.48dp + 509.6dp + 510.72dp + 511.84dp + 512.96dp + 514.08dp + 515.2dp + 516.32dp + 517.44dp + 518.56dp + 519.68dp + 520.8dp + 521.92dp + 523.04dp + 524.16dp + 525.28dp + 526.4dp + 527.52dp + 528.64dp + 529.76dp + 530.88dp + 532.0dp + 533.12dp + 534.24dp + 535.36dp + 536.48dp + 537.6dp + 538.72dp + 539.84dp + 540.96dp + 542.08dp + 543.2dp + 544.32dp + 545.44dp + 546.56dp + 547.68dp + 548.8dp + 549.92dp + 551.04dp + 552.16dp + 553.28dp + 554.4dp + 555.52dp + 556.64dp + 557.76dp + 558.88dp + 560.0dp + 561.12dp + 562.24dp + 563.36dp + 564.48dp + 565.6dp + 566.72dp + 567.84dp + 568.96dp + 570.08dp + 571.2dp + 572.32dp + 573.44dp + 574.56dp + 575.68dp + 576.8dp + 577.92dp + 579.04dp + 580.16dp + 581.28dp + 582.4dp + 583.52dp + 584.64dp + 585.76dp + 586.88dp + 588.0dp + 589.12dp + 590.24dp + 591.36dp + 592.48dp + 593.6dp + 594.72dp + 595.84dp + 596.96dp + 598.08dp + 599.2dp + 600.32dp + 601.44dp + 602.56dp + 603.68dp + 604.8dp + 605.92dp + 607.04dp + 608.16dp + 609.28dp + 610.4dp + 611.52dp + 612.64dp + 613.76dp + 614.88dp + 616.0dp + 617.12dp + 618.24dp + 619.36dp + 620.48dp + 621.6dp + 622.72dp + 623.84dp + 624.96dp + 626.08dp + 627.2dp + 628.32dp + 629.44dp + 630.56dp + 631.68dp + 632.8dp + 633.92dp + 635.04dp + 636.16dp + 637.28dp + 638.4dp + 639.52dp + 640.64dp + 641.76dp + 642.88dp + 644.0dp + 645.12dp + 646.24dp + 647.36dp + 648.48dp + 649.6dp + 650.72dp + 651.84dp + 652.96dp + 654.08dp + 655.2dp + 656.32dp + 657.44dp + 658.56dp + 659.68dp + 660.8dp + 661.92dp + 663.04dp + 664.16dp + 665.28dp + 666.4dp + 667.52dp + 668.64dp + 669.76dp + 670.88dp + 672.0dp + 673.12dp + 674.24dp + 675.36dp + 676.48dp + 677.6dp + 678.72dp + 679.84dp + 680.96dp + 682.08dp + 683.2dp + 684.32dp + 685.44dp + 686.56dp + 687.68dp + 688.8dp + 689.92dp + 691.04dp + 692.16dp + 693.28dp + 694.4dp + 695.52dp + 696.64dp + 697.76dp + 698.88dp + 700.0dp + 701.12dp + 702.24dp + 703.36dp + 704.48dp + 705.6dp + 706.72dp + 707.84dp + 708.96dp + 710.08dp + 711.2dp + 712.32dp + 713.44dp + 714.56dp + 715.68dp + 716.8dp + 717.92dp + 719.04dp + 720.16dp + 721.28dp + 722.4dp + 723.52dp + 724.64dp + 725.76dp + 726.88dp + 728.0dp + 729.12dp + 730.24dp + 731.36dp + 732.48dp + 733.6dp + 734.72dp + 735.84dp + 736.96dp + 738.08dp + 739.2dp + 740.32dp + 741.44dp + 742.56dp + 743.68dp + 744.8dp + 745.92dp + 747.04dp + 748.16dp + 749.28dp + 750.4dp + 751.52dp + 752.64dp + 753.76dp + 754.88dp + 756.0dp + 757.12dp + 758.24dp + 759.36dp + 760.48dp + 761.6dp + 762.72dp + 763.84dp + 764.96dp + 766.08dp + 767.2dp + 768.32dp + 769.44dp + 770.56dp + 771.68dp + 772.8dp + 773.92dp + 775.04dp + 776.16dp + 777.28dp + 778.4dp + 779.52dp + 780.64dp + 781.76dp + 782.88dp + 784.0dp + 785.12dp + 786.24dp + 787.36dp + 788.48dp + 789.6dp + 790.72dp + 791.84dp + 792.96dp + 794.08dp + 795.2dp + 796.32dp + 797.44dp + 798.56dp + 799.68dp + 800.8dp + 801.92dp + 803.04dp + 804.16dp + 805.28dp + 806.4dp + 807.52dp + 808.64dp + 809.76dp + 810.88dp + 812.0dp + 813.12dp + 814.24dp + 815.36dp + 816.48dp + 817.6dp + 818.72dp + 819.84dp + 820.96dp + 822.08dp + 823.2dp + 824.32dp + 825.44dp + 826.56dp + 827.68dp + 828.8dp + 829.92dp + 831.04dp + 832.16dp + 833.28dp + 834.4dp + 835.52dp + 836.64dp + 837.76dp + 838.88dp + 840.0dp + 841.12dp + 842.24dp + 843.36dp + 844.48dp + 845.6dp + 846.72dp + 847.84dp + 848.96dp + 850.08dp + 851.2dp + 852.32dp + 853.44dp + 854.56dp + 855.68dp + 856.8dp + 857.92dp + 859.04dp + 860.16dp + 861.28dp + 862.4dp + 863.52dp + 864.64dp + 865.76dp + 866.88dp + 868.0dp + 869.12dp + 870.24dp + 871.36dp + 872.48dp + 873.6dp + 874.72dp + 875.84dp + 876.96dp + 878.08dp + 879.2dp + 880.32dp + 881.44dp + 882.56dp + 883.68dp + 884.8dp + 885.92dp + 887.04dp + 888.16dp + 889.28dp + 890.4dp + 891.52dp + 892.64dp + 893.76dp + 894.88dp + 896.0dp + 897.12dp + 898.24dp + 899.36dp + 900.48dp + 901.6dp + 902.72dp + 903.84dp + 904.96dp + 906.08dp + 907.2dp + 908.32dp + 909.44dp + 910.56dp + 911.68dp + 912.8dp + 913.92dp + 915.04dp + 916.16dp + 917.28dp + 918.4dp + 919.52dp + 920.64dp + 921.76dp + 922.88dp + 924.0dp + 925.12dp + 926.24dp + 927.36dp + 928.48dp + 929.6dp + 930.72dp + 931.84dp + 932.96dp + 934.08dp + 935.2dp + 936.32dp + 937.44dp + 938.56dp + 939.68dp + 940.8dp + 941.92dp + 943.04dp + 944.16dp + 945.28dp + 946.4dp + 947.52dp + 948.64dp + 949.76dp + 950.88dp + 952.0dp + 953.12dp + 954.24dp + 955.36dp + 956.48dp + 957.6dp + 958.72dp + 959.84dp + 960.96dp + 962.08dp + 963.2dp + 964.32dp + 965.44dp + 966.56dp + 967.68dp + 968.8dp + 969.92dp + 971.04dp + 972.16dp + 973.28dp + 974.4dp + 975.52dp + 976.64dp + 977.76dp + 978.88dp + 980.0dp + 981.12dp + 982.24dp + 983.36dp + 984.48dp + 985.6dp + 986.72dp + 987.84dp + 988.96dp + 990.08dp + 991.2dp + 992.32dp + 993.44dp + 994.56dp + 995.68dp + 996.8dp + 997.92dp + 999.04dp + 1000.16dp + 1001.28dp + 1002.4dp + 1003.52dp + 1004.64dp + 1005.76dp + 1006.88dp + 1008.0dp + 1009.12dp + 1010.24dp + 1011.36dp + 1012.48dp + 1013.6dp + 1014.72dp + 1015.84dp + 1016.96dp + 1018.08dp + 1019.2dp + 1020.32dp + 1021.44dp + 1022.56dp + 1023.68dp + 1024.8dp + 1025.92dp + 1027.04dp + 1028.16dp + 1029.28dp + 1030.4dp + 1031.52dp + 1032.64dp + 1033.76dp + 1034.88dp + 1036.0dp + 1037.12dp + 1038.24dp + 1039.36dp + 1040.48dp + 1041.6dp + 1042.72dp + 1043.84dp + 1044.96dp + 1046.08dp + 1047.2dp + 1048.32dp + 1049.44dp + 1050.56dp + 1051.68dp + 1052.8dp + 1053.92dp + 1055.04dp + 1056.16dp + 1057.28dp + 1058.4dp + 1059.52dp + 1060.64dp + 1061.76dp + 1062.88dp + 1064.0dp + 1065.12dp + 1066.24dp + 1067.36dp + 1068.48dp + 1069.6dp + 1070.72dp + 1071.84dp + 1072.96dp + 1074.08dp + 1075.2dp + 1076.32dp + 1077.44dp + 1078.56dp + 1079.68dp + 1080.8dp + 1081.92dp + 1083.04dp + 1084.16dp + 1085.28dp + 1086.4dp + 1087.52dp + 1088.64dp + 1089.76dp + 1090.88dp + 1092.0dp + 1093.12dp + 1094.24dp + 1095.36dp + 1096.48dp + 1097.6dp + 1098.72dp + 1099.84dp + 1100.96dp + 1102.08dp + 1103.2dp + 1104.32dp + 1105.44dp + 1106.56dp + 1107.68dp + 1108.8dp + 1109.92dp + 1111.04dp + 1112.16dp + 1113.28dp + 1114.4dp + 1115.52dp + 1116.64dp + 1117.76dp + 1118.88dp + 1120.0dp + 1121.12dp + 1122.24dp + 1123.36dp + 1124.48dp + 1125.6dp + 1126.72dp + 1127.84dp + 1128.96dp + 1130.08dp + 1131.2dp + 1132.32dp + 1133.44dp + 1134.56dp + 1135.68dp + 1136.8dp + 1137.92dp + 1139.04dp + 1140.16dp + 1141.28dp + 1142.4dp + 1143.52dp + 1144.64dp + 1145.76dp + 1146.88dp + 1148.0dp + 1149.12dp + 1150.24dp + 1151.36dp + 1152.48dp + 1153.6dp + 1154.72dp + 1155.84dp + 1156.96dp + 1158.08dp + 1159.2dp + 1160.32dp + 1161.44dp + 1162.56dp + 1163.68dp + 1164.8dp + 1165.92dp + 1167.04dp + 1168.16dp + 1169.28dp + 1170.4dp + 1171.52dp + 1172.64dp + 1173.76dp + 1174.88dp + 1176.0dp + 1177.12dp + 1178.24dp + 1179.36dp + 1180.48dp + 1181.6dp + 1182.72dp + 1183.84dp + 1184.96dp + 1186.08dp + 1187.2dp + 1188.32dp + 1189.44dp + 1190.56dp + 1191.68dp + 1192.8dp + 1193.92dp + 1195.04dp + 1196.16dp + 1197.28dp + 1198.4dp + 1199.52dp + 1200.64dp + 1201.76dp + 1202.88dp + 1204.0dp + 1205.12dp + 1206.24dp + 1207.36dp + 1208.48dp + 1209.6dp + 1.12sp + 2.24sp + 3.36sp + 4.48sp + 5.6sp + 6.72sp + 7.84sp + 8.96sp + 10.08sp + 11.2sp + 12.32sp + 13.44sp + 14.56sp + 15.68sp + 16.8sp + 17.92sp + 19.04sp + 20.16sp + 21.28sp + 22.4sp + 23.52sp + 24.64sp + 25.76sp + 26.88sp + 28.0sp + 29.12sp + 30.24sp + 31.36sp + 32.48sp + 33.6sp + 34.72sp + 35.84sp + 36.96sp + 38.08sp + 39.2sp + 40.32sp + 41.44sp + 42.56sp + 43.68sp + 44.8sp + 45.92sp + 47.04sp + 48.16sp + 49.28sp + 50.4sp + 51.52sp + 52.64sp + 53.76sp + 54.88sp + 56.0sp + 57.12sp + 58.24sp + 59.36sp + 60.48sp + 61.6sp + 62.72sp + 63.84sp + 64.96sp + 66.08sp + 67.2sp + 68.32sp + 69.44sp + 70.56sp + 71.68sp + 72.8sp + 73.92sp + 75.04sp + 76.16sp + 77.28sp + 78.4sp + 79.52sp + 80.64sp + 81.76sp + 82.88sp + 84.0sp + 85.12sp + 86.24sp + 87.36sp + 88.48sp + 89.6sp + 90.72sp + 91.84sp + 92.96sp + 94.08sp + 95.2sp + 96.32sp + 97.44sp + 98.56sp + 99.68sp + 100.8sp + 101.92sp + 103.04sp + 104.16sp + 105.28sp + 106.4sp + 107.52sp + 108.64sp + 109.76sp + 110.88sp + 112.0sp + 113.12sp + 114.24sp + 115.36sp + 116.48sp + 117.6sp + 118.72sp + 119.84sp + 120.96sp + 122.08sp + 123.2sp + 124.32sp + 125.44sp + 126.56sp + 127.68sp + 128.8sp + 129.92sp + 131.04sp + 132.16sp + 133.28sp + 134.4sp + 135.52sp + 136.64sp + 137.76sp + 138.88sp + 140.0sp + 141.12sp + 142.24sp + 143.36sp + 144.48sp + 145.6sp + 146.72sp + 147.84sp + 148.96sp + 150.08sp + 151.2sp + 152.32sp + 153.44sp + 154.56sp + 155.68sp + 156.8sp + 157.92sp + 159.04sp + 160.16sp + 161.28sp + 162.4sp + 163.52sp + 164.64sp + 165.76sp + 166.88sp + 168.0sp + 169.12sp + 170.24sp + 171.36sp + 172.48sp + 173.6sp + 174.72sp + 175.84sp + 176.96sp + 178.08sp + 179.2sp + 180.32sp + 181.44sp + 182.56sp + 183.68sp + 184.8sp + 185.92sp + 187.04sp + 188.16sp + 189.28sp + 190.4sp + 191.52sp + 192.64sp + 193.76sp + 194.88sp + 196.0sp + 197.12sp + 198.24sp + 199.36sp + 200.48sp + 201.6sp + 202.72sp + 203.84sp + 204.96sp + 206.08sp + 207.2sp + 208.32sp + 209.44sp + 210.56sp + 211.68sp + 212.8sp + 213.92sp + 215.04sp + 216.16sp + 217.28sp + 218.4sp + 219.52sp + 220.64sp + 221.76sp + 222.88sp + 224.0sp + diff --git a/app/src/main/res/values-sw440dp/dimens.xml b/app/src/main/res/values-sw440dp/dimens.xml new file mode 100644 index 0000000..11702b0 --- /dev/null +++ b/app/src/main/res/values-sw440dp/dimens.xml @@ -0,0 +1,2365 @@ + + + + -1266.84dp + -1265.67dp + -1264.49dp + -1263.32dp + -1262.15dp + -1260.98dp + -1259.8dp + -1258.63dp + -1257.46dp + -1256.28dp + -1255.11dp + -1253.94dp + -1252.76dp + -1251.59dp + -1250.42dp + -1249.25dp + -1248.07dp + -1246.9dp + -1245.73dp + -1244.55dp + -1243.38dp + -1242.21dp + -1241.03dp + -1239.86dp + -1238.69dp + -1237.52dp + -1236.34dp + -1235.17dp + -1234.0dp + -1232.82dp + -1231.65dp + -1230.48dp + -1229.3dp + -1228.13dp + -1226.96dp + -1225.79dp + -1224.61dp + -1223.44dp + -1222.27dp + -1221.09dp + -1219.92dp + -1218.75dp + -1217.57dp + -1216.4dp + -1215.23dp + -1214.06dp + -1212.88dp + -1211.71dp + -1210.54dp + -1209.36dp + -1208.19dp + -1207.02dp + -1205.84dp + -1204.67dp + -1203.5dp + -1202.33dp + -1201.15dp + -1199.98dp + -1198.81dp + -1197.63dp + -1196.46dp + -1195.29dp + -1194.11dp + -1192.94dp + -1191.77dp + -1190.6dp + -1189.42dp + -1188.25dp + -1187.08dp + -1185.9dp + -1184.73dp + -1183.56dp + -1182.38dp + -1181.21dp + -1180.04dp + -1178.87dp + -1177.69dp + -1176.52dp + -1175.35dp + -1174.17dp + -1173.0dp + -1171.83dp + -1170.65dp + -1169.48dp + -1168.31dp + -1167.13dp + -1165.96dp + -1164.79dp + -1163.62dp + -1162.44dp + -1161.27dp + -1160.1dp + -1158.92dp + -1157.75dp + -1156.58dp + -1155.4dp + -1154.23dp + -1153.06dp + -1151.89dp + -1150.71dp + -1149.54dp + -1148.37dp + -1147.19dp + -1146.02dp + -1144.85dp + -1143.67dp + -1142.5dp + -1141.33dp + -1140.16dp + -1138.98dp + -1137.81dp + -1136.64dp + -1135.46dp + -1134.29dp + -1133.12dp + -1131.94dp + -1130.77dp + -1129.6dp + -1128.43dp + -1127.25dp + -1126.08dp + -1124.91dp + -1123.73dp + -1122.56dp + -1121.39dp + -1120.22dp + -1119.04dp + -1117.87dp + -1116.7dp + -1115.52dp + -1114.35dp + -1113.18dp + -1112.0dp + -1110.83dp + -1109.66dp + -1108.49dp + -1107.31dp + -1106.14dp + -1104.97dp + -1103.79dp + -1102.62dp + -1101.45dp + -1100.27dp + -1099.1dp + -1097.93dp + -1096.76dp + -1095.58dp + -1094.41dp + -1093.24dp + -1092.06dp + -1090.89dp + -1089.72dp + -1088.54dp + -1087.37dp + -1086.2dp + -1085.03dp + -1083.85dp + -1082.68dp + -1081.51dp + -1080.33dp + -1079.16dp + -1077.99dp + -1076.81dp + -1075.64dp + -1074.47dp + -1073.3dp + -1072.12dp + -1070.95dp + -1069.78dp + -1068.6dp + -1067.43dp + -1066.26dp + -1065.08dp + -1063.91dp + -1062.74dp + -1061.57dp + -1060.39dp + -1059.22dp + -1058.05dp + -1056.87dp + -1055.7dp + -1054.53dp + -1053.35dp + -1052.18dp + -1051.01dp + -1049.84dp + -1048.66dp + -1047.49dp + -1046.32dp + -1045.14dp + -1043.97dp + -1042.8dp + -1041.62dp + -1040.45dp + -1039.28dp + -1038.11dp + -1036.93dp + -1035.76dp + -1034.59dp + -1033.41dp + -1032.24dp + -1031.07dp + -1029.89dp + -1028.72dp + -1027.55dp + -1026.38dp + -1025.2dp + -1024.03dp + -1022.86dp + -1021.68dp + -1020.51dp + -1019.34dp + -1018.16dp + -1016.99dp + -1015.82dp + -1014.64dp + -1013.47dp + -1012.3dp + -1011.13dp + -1009.95dp + -1008.78dp + -1007.61dp + -1006.43dp + -1005.26dp + -1004.09dp + -1002.92dp + -1001.74dp + -1000.57dp + -999.4dp + -998.22dp + -997.05dp + -995.88dp + -994.7dp + -993.53dp + -992.36dp + -991.19dp + -990.01dp + -988.84dp + -987.67dp + -986.49dp + -985.32dp + -984.15dp + -982.97dp + -981.8dp + -980.63dp + -979.46dp + -978.28dp + -977.11dp + -975.94dp + -974.76dp + -973.59dp + -972.42dp + -971.24dp + -970.07dp + -968.9dp + -967.73dp + -966.55dp + -965.38dp + -964.21dp + -963.03dp + -961.86dp + -960.69dp + -959.51dp + -958.34dp + -957.17dp + -956.0dp + -954.82dp + -953.65dp + -952.48dp + -951.3dp + -950.13dp + -948.96dp + -947.78dp + -946.61dp + -945.44dp + -944.26dp + -943.09dp + -941.92dp + -940.75dp + -939.57dp + -938.4dp + -937.23dp + -936.05dp + -934.88dp + -933.71dp + -932.54dp + -931.36dp + -930.19dp + -929.02dp + -927.84dp + -926.67dp + -925.5dp + -924.32dp + -923.15dp + -921.98dp + -920.81dp + -919.63dp + -918.46dp + -917.29dp + -916.11dp + -914.94dp + -913.77dp + -912.59dp + -911.42dp + -910.25dp + -909.08dp + -907.9dp + -906.73dp + -905.56dp + -904.38dp + -903.21dp + -902.04dp + -900.86dp + -899.69dp + -898.52dp + -897.35dp + -896.17dp + -895.0dp + -893.83dp + -892.65dp + -891.48dp + -890.31dp + -889.13dp + -887.96dp + -886.79dp + -885.62dp + -884.44dp + -883.27dp + -882.1dp + -880.92dp + -879.75dp + -878.58dp + -877.4dp + -876.23dp + -875.06dp + -873.88dp + -872.71dp + -871.54dp + -870.37dp + -869.19dp + -868.02dp + -866.85dp + -865.67dp + -864.5dp + -863.33dp + -862.16dp + -860.98dp + -859.81dp + -858.64dp + -857.46dp + -856.29dp + -855.12dp + -853.94dp + -852.77dp + -851.6dp + -850.43dp + -849.25dp + -848.08dp + -846.91dp + -845.73dp + -844.56dp + -843.39dp + -842.21dp + -841.04dp + -839.87dp + -838.7dp + -837.52dp + -836.35dp + -835.18dp + -834.0dp + -832.83dp + -831.66dp + -830.48dp + -829.31dp + -828.14dp + -826.97dp + -825.79dp + -824.62dp + -823.45dp + -822.27dp + -821.1dp + -819.93dp + -818.75dp + -817.58dp + -816.41dp + -815.24dp + -814.06dp + -812.89dp + -811.72dp + -810.54dp + -809.37dp + -808.2dp + -807.02dp + -805.85dp + -804.68dp + -803.5dp + -802.33dp + -801.16dp + -799.99dp + -798.81dp + -797.64dp + -796.47dp + -795.29dp + -794.12dp + -792.95dp + -791.77dp + -790.6dp + -789.43dp + -788.26dp + -787.08dp + -785.91dp + -784.74dp + -783.56dp + -782.39dp + -781.22dp + -780.05dp + -778.87dp + -777.7dp + -776.53dp + -775.35dp + -774.18dp + -773.01dp + -771.83dp + -770.66dp + -769.49dp + -768.32dp + -767.14dp + -765.97dp + -764.8dp + -763.62dp + -762.45dp + -761.28dp + -760.1dp + -758.93dp + -757.76dp + -756.59dp + -755.41dp + -754.24dp + -753.07dp + -751.89dp + -750.72dp + -749.55dp + -748.37dp + -747.2dp + -746.03dp + -744.86dp + -743.68dp + -742.51dp + -741.34dp + -740.16dp + -738.99dp + -737.82dp + -736.64dp + -735.47dp + -734.3dp + -733.13dp + -731.95dp + -730.78dp + -729.61dp + -728.43dp + -727.26dp + -726.09dp + -724.91dp + -723.74dp + -722.57dp + -721.39dp + -720.22dp + -719.05dp + -717.88dp + -716.7dp + -715.53dp + -714.36dp + -713.18dp + -712.01dp + -710.84dp + -709.67dp + -708.49dp + -707.32dp + -706.15dp + -704.97dp + -703.8dp + -702.63dp + -701.45dp + -700.28dp + -699.11dp + -697.94dp + -696.76dp + -695.59dp + -694.42dp + -693.24dp + -692.07dp + -690.9dp + -689.72dp + -688.55dp + -687.38dp + -686.21dp + -685.03dp + -683.86dp + -682.69dp + -681.51dp + -680.34dp + -679.17dp + -677.99dp + -676.82dp + -675.65dp + -674.48dp + -673.3dp + -672.13dp + -670.96dp + -669.78dp + -668.61dp + -667.44dp + -666.26dp + -665.09dp + -663.92dp + -662.75dp + -661.57dp + -660.4dp + -659.23dp + -658.05dp + -656.88dp + -655.71dp + -654.53dp + -653.36dp + -652.19dp + -651.01dp + -649.84dp + -648.67dp + -647.5dp + -646.32dp + -645.15dp + -643.98dp + -642.8dp + -641.63dp + -640.46dp + -639.28dp + -638.11dp + -636.94dp + -635.77dp + -634.59dp + -633.42dp + -632.25dp + -631.07dp + -629.9dp + -628.73dp + -627.56dp + -626.38dp + -625.21dp + -624.04dp + -622.86dp + -621.69dp + -620.52dp + -619.34dp + -618.17dp + -617.0dp + -615.83dp + -614.65dp + -613.48dp + -612.31dp + -611.13dp + -609.96dp + -608.79dp + -607.61dp + -606.44dp + -605.27dp + -604.1dp + -602.92dp + -601.75dp + -600.58dp + -599.4dp + -598.23dp + -597.06dp + -595.88dp + -594.71dp + -593.54dp + -592.37dp + -591.19dp + -590.02dp + -588.85dp + -587.67dp + -586.5dp + -585.33dp + -584.15dp + -582.98dp + -581.81dp + -580.63dp + -579.46dp + -578.29dp + -577.12dp + -575.94dp + -574.77dp + -573.6dp + -572.42dp + -571.25dp + -570.08dp + -568.9dp + -567.73dp + -566.56dp + -565.39dp + -564.21dp + -563.04dp + -561.87dp + -560.69dp + -559.52dp + -558.35dp + -557.18dp + -556.0dp + -554.83dp + -553.66dp + -552.48dp + -551.31dp + -550.14dp + -548.96dp + -547.79dp + -546.62dp + -545.45dp + -544.27dp + -543.1dp + -541.93dp + -540.75dp + -539.58dp + -538.41dp + -537.23dp + -536.06dp + -534.89dp + -533.72dp + -532.54dp + -531.37dp + -530.2dp + -529.02dp + -527.85dp + -526.68dp + -525.5dp + -524.33dp + -523.16dp + -521.99dp + -520.81dp + -519.64dp + -518.47dp + -517.29dp + -516.12dp + -514.95dp + -513.77dp + -512.6dp + -511.43dp + -510.25dp + -509.08dp + -507.91dp + -506.74dp + -505.56dp + -504.39dp + -503.22dp + -502.04dp + -500.87dp + -499.7dp + -498.53dp + -497.35dp + -496.18dp + -495.01dp + -493.83dp + -492.66dp + -491.49dp + -490.31dp + -489.14dp + -487.97dp + -486.8dp + -485.62dp + -484.45dp + -483.28dp + -482.1dp + -480.93dp + -479.76dp + -478.58dp + -477.41dp + -476.24dp + -475.06dp + -473.89dp + -472.72dp + -471.55dp + -470.37dp + -469.2dp + -468.03dp + -466.85dp + -465.68dp + -464.51dp + -463.34dp + -462.16dp + -460.99dp + -459.82dp + -458.64dp + -457.47dp + -456.3dp + -455.12dp + -453.95dp + -452.78dp + -451.61dp + -450.43dp + -449.26dp + -448.09dp + -446.91dp + -445.74dp + -444.57dp + -443.39dp + -442.22dp + -441.05dp + -439.88dp + -438.7dp + -437.53dp + -436.36dp + -435.18dp + -434.01dp + -432.84dp + -431.66dp + -430.49dp + -429.32dp + -428.15dp + -426.97dp + -425.8dp + -424.63dp + -423.45dp + -422.28dp + -421.11dp + -419.93dp + -418.76dp + -417.59dp + -416.42dp + -415.24dp + -414.07dp + -412.9dp + -411.72dp + -410.55dp + -409.38dp + -408.2dp + -407.03dp + -405.86dp + -404.69dp + -403.51dp + -402.34dp + -401.17dp + -399.99dp + -398.82dp + -397.65dp + -396.47dp + -395.3dp + -394.13dp + -392.96dp + -391.78dp + -390.61dp + -389.44dp + -388.26dp + -387.09dp + -385.92dp + -384.74dp + -383.57dp + -382.4dp + -381.23dp + -380.05dp + -378.88dp + -377.71dp + -376.53dp + -375.36dp + -374.19dp + -373.01dp + -371.84dp + -370.67dp + -369.5dp + -368.32dp + -367.15dp + -365.98dp + -364.8dp + -363.63dp + -362.46dp + -361.28dp + -360.11dp + -358.94dp + -357.76dp + -356.59dp + -355.42dp + -354.25dp + -353.07dp + -351.9dp + -350.73dp + -349.55dp + -348.38dp + -347.21dp + -346.04dp + -344.86dp + -343.69dp + -342.52dp + -341.34dp + -340.17dp + -339.0dp + -337.82dp + -336.65dp + -335.48dp + -334.31dp + -333.13dp + -331.96dp + -330.79dp + -329.61dp + -328.44dp + -327.27dp + -326.09dp + -324.92dp + -323.75dp + -322.57dp + -321.4dp + -320.23dp + -319.06dp + -317.88dp + -316.71dp + -315.54dp + -314.36dp + -313.19dp + -312.02dp + -310.85dp + -309.67dp + -308.5dp + -307.33dp + -306.15dp + -304.98dp + -303.81dp + -302.63dp + -301.46dp + -300.29dp + -299.12dp + -297.94dp + -296.77dp + -295.6dp + -294.42dp + -293.25dp + -292.08dp + -290.9dp + -289.73dp + -288.56dp + -287.38dp + -286.21dp + -285.04dp + -283.87dp + -282.69dp + -281.52dp + -280.35dp + -279.17dp + -278.0dp + -276.83dp + -275.66dp + -274.48dp + -273.31dp + -272.14dp + -270.96dp + -269.79dp + -268.62dp + -267.44dp + -266.27dp + -265.1dp + -263.93dp + -262.75dp + -261.58dp + -260.41dp + -259.23dp + -258.06dp + -256.89dp + -255.71dp + -254.54dp + -253.37dp + -252.2dp + -251.02dp + -249.85dp + -248.68dp + -247.5dp + -246.33dp + -245.16dp + -243.98dp + -242.81dp + -241.64dp + -240.47dp + -239.29dp + -238.12dp + -236.95dp + -235.77dp + -234.6dp + -233.43dp + -232.25dp + -231.08dp + -229.91dp + -228.74dp + -227.56dp + -226.39dp + -225.22dp + -224.04dp + -222.87dp + -221.7dp + -220.52dp + -219.35dp + -218.18dp + -217.0dp + -215.83dp + -214.66dp + -213.49dp + -212.31dp + -211.14dp + -209.97dp + -208.79dp + -207.62dp + -206.45dp + -205.28dp + -204.1dp + -202.93dp + -201.76dp + -200.58dp + -199.41dp + -198.24dp + -197.06dp + -195.89dp + -194.72dp + -193.55dp + -192.37dp + -191.2dp + -190.03dp + -188.85dp + -187.68dp + -186.51dp + -185.33dp + -184.16dp + -182.99dp + -181.81dp + -180.64dp + -179.47dp + -178.3dp + -177.12dp + -175.95dp + -174.78dp + -173.6dp + -172.43dp + -171.26dp + -170.09dp + -168.91dp + -167.74dp + -166.57dp + -165.39dp + -164.22dp + -163.05dp + -161.87dp + -160.7dp + -159.53dp + -158.36dp + -157.18dp + -156.01dp + -154.84dp + -153.66dp + -152.49dp + -151.32dp + -150.14dp + -148.97dp + -147.8dp + -146.63dp + -145.45dp + -144.28dp + -143.11dp + -141.93dp + -140.76dp + -139.59dp + -138.41dp + -137.24dp + -136.07dp + -134.9dp + -133.72dp + -132.55dp + -131.38dp + -130.2dp + -129.03dp + -127.86dp + -126.68dp + -125.51dp + -124.34dp + -123.17dp + -121.99dp + -120.82dp + -119.65dp + -118.47dp + -117.3dp + -116.13dp + -114.95dp + -113.78dp + -112.61dp + -111.44dp + -110.26dp + -109.09dp + -107.92dp + -106.74dp + -105.57dp + -104.4dp + -103.22dp + -102.05dp + -100.88dp + -99.7dp + -98.53dp + -97.36dp + -96.19dp + -95.01dp + -93.84dp + -92.67dp + -91.49dp + -90.32dp + -89.15dp + -87.98dp + -86.8dp + -85.63dp + -84.46dp + -83.28dp + -82.11dp + -80.94dp + -79.76dp + -78.59dp + -77.42dp + -76.25dp + -75.07dp + -73.9dp + -72.73dp + -71.55dp + -70.38dp + -69.21dp + -68.03dp + -66.86dp + -65.69dp + -64.52dp + -63.34dp + -62.17dp + -61.0dp + -59.82dp + -58.65dp + -57.48dp + -56.3dp + -55.13dp + -53.96dp + -52.79dp + -51.61dp + -50.44dp + -49.27dp + -48.09dp + -46.92dp + -45.75dp + -44.57dp + -43.4dp + -42.23dp + -41.05dp + -39.88dp + -38.71dp + -37.54dp + -36.36dp + -35.19dp + -34.02dp + -32.84dp + -31.67dp + -30.5dp + -29.33dp + -28.15dp + -26.98dp + -25.81dp + -24.63dp + -23.46dp + -22.29dp + -21.11dp + -19.94dp + -18.77dp + -17.59dp + -16.42dp + -15.25dp + -14.08dp + -12.9dp + -11.73dp + -10.56dp + -9.38dp + -8.21dp + -7.04dp + -5.87dp + -4.69dp + -3.52dp + -2.35dp + -1.17dp + 0.0dp + 1.17dp + 2.35dp + 3.52dp + 4.69dp + 5.87dp + 7.04dp + 8.21dp + 9.38dp + 10.56dp + 11.73dp + 12.9dp + 14.08dp + 15.25dp + 16.42dp + 17.59dp + 18.77dp + 19.94dp + 21.11dp + 22.29dp + 23.46dp + 24.63dp + 25.81dp + 26.98dp + 28.15dp + 29.33dp + 30.5dp + 31.67dp + 32.84dp + 34.02dp + 35.19dp + 36.36dp + 37.54dp + 38.71dp + 39.88dp + 41.05dp + 42.23dp + 43.4dp + 44.57dp + 45.75dp + 46.92dp + 48.09dp + 49.27dp + 50.44dp + 51.61dp + 52.79dp + 53.96dp + 55.13dp + 56.3dp + 57.48dp + 58.65dp + 59.82dp + 61.0dp + 62.17dp + 63.34dp + 64.52dp + 65.69dp + 66.86dp + 68.03dp + 69.21dp + 70.38dp + 71.55dp + 72.73dp + 73.9dp + 75.07dp + 76.25dp + 77.42dp + 78.59dp + 79.76dp + 80.94dp + 82.11dp + 83.28dp + 84.46dp + 85.63dp + 86.8dp + 87.98dp + 89.15dp + 90.32dp + 91.49dp + 92.67dp + 93.84dp + 95.01dp + 96.19dp + 97.36dp + 98.53dp + 99.7dp + 100.88dp + 102.05dp + 103.22dp + 104.4dp + 105.57dp + 106.74dp + 107.92dp + 109.09dp + 110.26dp + 111.44dp + 112.61dp + 113.78dp + 114.95dp + 116.13dp + 117.3dp + 118.47dp + 119.65dp + 120.82dp + 121.99dp + 123.17dp + 124.34dp + 125.51dp + 126.68dp + 127.86dp + 129.03dp + 130.2dp + 131.38dp + 132.55dp + 133.72dp + 134.9dp + 136.07dp + 137.24dp + 138.41dp + 139.59dp + 140.76dp + 141.93dp + 143.11dp + 144.28dp + 145.45dp + 146.63dp + 147.8dp + 148.97dp + 150.14dp + 151.32dp + 152.49dp + 153.66dp + 154.84dp + 156.01dp + 157.18dp + 158.36dp + 159.53dp + 160.7dp + 161.87dp + 163.05dp + 164.22dp + 165.39dp + 166.57dp + 167.74dp + 168.91dp + 170.09dp + 171.26dp + 172.43dp + 173.6dp + 174.78dp + 175.95dp + 177.12dp + 178.3dp + 179.47dp + 180.64dp + 181.81dp + 182.99dp + 184.16dp + 185.33dp + 186.51dp + 187.68dp + 188.85dp + 190.03dp + 191.2dp + 192.37dp + 193.55dp + 194.72dp + 195.89dp + 197.06dp + 198.24dp + 199.41dp + 200.58dp + 201.76dp + 202.93dp + 204.1dp + 205.28dp + 206.45dp + 207.62dp + 208.79dp + 209.97dp + 211.14dp + 212.31dp + 213.49dp + 214.66dp + 215.83dp + 217.0dp + 218.18dp + 219.35dp + 220.52dp + 221.7dp + 222.87dp + 224.04dp + 225.22dp + 226.39dp + 227.56dp + 228.74dp + 229.91dp + 231.08dp + 232.25dp + 233.43dp + 234.6dp + 235.77dp + 236.95dp + 238.12dp + 239.29dp + 240.47dp + 241.64dp + 242.81dp + 243.98dp + 245.16dp + 246.33dp + 247.5dp + 248.68dp + 249.85dp + 251.02dp + 252.2dp + 253.37dp + 254.54dp + 255.71dp + 256.89dp + 258.06dp + 259.23dp + 260.41dp + 261.58dp + 262.75dp + 263.93dp + 265.1dp + 266.27dp + 267.44dp + 268.62dp + 269.79dp + 270.96dp + 272.14dp + 273.31dp + 274.48dp + 275.66dp + 276.83dp + 278.0dp + 279.17dp + 280.35dp + 281.52dp + 282.69dp + 283.87dp + 285.04dp + 286.21dp + 287.38dp + 288.56dp + 289.73dp + 290.9dp + 292.08dp + 293.25dp + 294.42dp + 295.6dp + 296.77dp + 297.94dp + 299.12dp + 300.29dp + 301.46dp + 302.63dp + 303.81dp + 304.98dp + 306.15dp + 307.33dp + 308.5dp + 309.67dp + 310.85dp + 312.02dp + 313.19dp + 314.36dp + 315.54dp + 316.71dp + 317.88dp + 319.06dp + 320.23dp + 321.4dp + 322.57dp + 323.75dp + 324.92dp + 326.09dp + 327.27dp + 328.44dp + 329.61dp + 330.79dp + 331.96dp + 333.13dp + 334.31dp + 335.48dp + 336.65dp + 337.82dp + 339.0dp + 340.17dp + 341.34dp + 342.52dp + 343.69dp + 344.86dp + 346.04dp + 347.21dp + 348.38dp + 349.55dp + 350.73dp + 351.9dp + 353.07dp + 354.25dp + 355.42dp + 356.59dp + 357.76dp + 358.94dp + 360.11dp + 361.28dp + 362.46dp + 363.63dp + 364.8dp + 365.98dp + 367.15dp + 368.32dp + 369.5dp + 370.67dp + 371.84dp + 373.01dp + 374.19dp + 375.36dp + 376.53dp + 377.71dp + 378.88dp + 380.05dp + 381.23dp + 382.4dp + 383.57dp + 384.74dp + 385.92dp + 387.09dp + 388.26dp + 389.44dp + 390.61dp + 391.78dp + 392.96dp + 394.13dp + 395.3dp + 396.47dp + 397.65dp + 398.82dp + 399.99dp + 401.17dp + 402.34dp + 403.51dp + 404.69dp + 405.86dp + 407.03dp + 408.2dp + 409.38dp + 410.55dp + 411.72dp + 412.9dp + 414.07dp + 415.24dp + 416.42dp + 417.59dp + 418.76dp + 419.93dp + 421.11dp + 422.28dp + 423.45dp + 424.63dp + 425.8dp + 426.97dp + 428.15dp + 429.32dp + 430.49dp + 431.66dp + 432.84dp + 434.01dp + 435.18dp + 436.36dp + 437.53dp + 438.7dp + 439.88dp + 441.05dp + 442.22dp + 443.39dp + 444.57dp + 445.74dp + 446.91dp + 448.09dp + 449.26dp + 450.43dp + 451.61dp + 452.78dp + 453.95dp + 455.12dp + 456.3dp + 457.47dp + 458.64dp + 459.82dp + 460.99dp + 462.16dp + 463.34dp + 464.51dp + 465.68dp + 466.85dp + 468.03dp + 469.2dp + 470.37dp + 471.55dp + 472.72dp + 473.89dp + 475.06dp + 476.24dp + 477.41dp + 478.58dp + 479.76dp + 480.93dp + 482.1dp + 483.28dp + 484.45dp + 485.62dp + 486.8dp + 487.97dp + 489.14dp + 490.31dp + 491.49dp + 492.66dp + 493.83dp + 495.01dp + 496.18dp + 497.35dp + 498.53dp + 499.7dp + 500.87dp + 502.04dp + 503.22dp + 504.39dp + 505.56dp + 506.74dp + 507.91dp + 509.08dp + 510.25dp + 511.43dp + 512.6dp + 513.77dp + 514.95dp + 516.12dp + 517.29dp + 518.47dp + 519.64dp + 520.81dp + 521.99dp + 523.16dp + 524.33dp + 525.5dp + 526.68dp + 527.85dp + 529.02dp + 530.2dp + 531.37dp + 532.54dp + 533.72dp + 534.89dp + 536.06dp + 537.23dp + 538.41dp + 539.58dp + 540.75dp + 541.93dp + 543.1dp + 544.27dp + 545.45dp + 546.62dp + 547.79dp + 548.96dp + 550.14dp + 551.31dp + 552.48dp + 553.66dp + 554.83dp + 556.0dp + 557.18dp + 558.35dp + 559.52dp + 560.69dp + 561.87dp + 563.04dp + 564.21dp + 565.39dp + 566.56dp + 567.73dp + 568.9dp + 570.08dp + 571.25dp + 572.42dp + 573.6dp + 574.77dp + 575.94dp + 577.12dp + 578.29dp + 579.46dp + 580.63dp + 581.81dp + 582.98dp + 584.15dp + 585.33dp + 586.5dp + 587.67dp + 588.85dp + 590.02dp + 591.19dp + 592.37dp + 593.54dp + 594.71dp + 595.88dp + 597.06dp + 598.23dp + 599.4dp + 600.58dp + 601.75dp + 602.92dp + 604.1dp + 605.27dp + 606.44dp + 607.61dp + 608.79dp + 609.96dp + 611.13dp + 612.31dp + 613.48dp + 614.65dp + 615.83dp + 617.0dp + 618.17dp + 619.34dp + 620.52dp + 621.69dp + 622.86dp + 624.04dp + 625.21dp + 626.38dp + 627.56dp + 628.73dp + 629.9dp + 631.07dp + 632.25dp + 633.42dp + 634.59dp + 635.77dp + 636.94dp + 638.11dp + 639.28dp + 640.46dp + 641.63dp + 642.8dp + 643.98dp + 645.15dp + 646.32dp + 647.5dp + 648.67dp + 649.84dp + 651.01dp + 652.19dp + 653.36dp + 654.53dp + 655.71dp + 656.88dp + 658.05dp + 659.23dp + 660.4dp + 661.57dp + 662.75dp + 663.92dp + 665.09dp + 666.26dp + 667.44dp + 668.61dp + 669.78dp + 670.96dp + 672.13dp + 673.3dp + 674.48dp + 675.65dp + 676.82dp + 677.99dp + 679.17dp + 680.34dp + 681.51dp + 682.69dp + 683.86dp + 685.03dp + 686.21dp + 687.38dp + 688.55dp + 689.72dp + 690.9dp + 692.07dp + 693.24dp + 694.42dp + 695.59dp + 696.76dp + 697.94dp + 699.11dp + 700.28dp + 701.45dp + 702.63dp + 703.8dp + 704.97dp + 706.15dp + 707.32dp + 708.49dp + 709.67dp + 710.84dp + 712.01dp + 713.18dp + 714.36dp + 715.53dp + 716.7dp + 717.88dp + 719.05dp + 720.22dp + 721.39dp + 722.57dp + 723.74dp + 724.91dp + 726.09dp + 727.26dp + 728.43dp + 729.61dp + 730.78dp + 731.95dp + 733.13dp + 734.3dp + 735.47dp + 736.64dp + 737.82dp + 738.99dp + 740.16dp + 741.34dp + 742.51dp + 743.68dp + 744.86dp + 746.03dp + 747.2dp + 748.37dp + 749.55dp + 750.72dp + 751.89dp + 753.07dp + 754.24dp + 755.41dp + 756.59dp + 757.76dp + 758.93dp + 760.1dp + 761.28dp + 762.45dp + 763.62dp + 764.8dp + 765.97dp + 767.14dp + 768.32dp + 769.49dp + 770.66dp + 771.83dp + 773.01dp + 774.18dp + 775.35dp + 776.53dp + 777.7dp + 778.87dp + 780.05dp + 781.22dp + 782.39dp + 783.56dp + 784.74dp + 785.91dp + 787.08dp + 788.26dp + 789.43dp + 790.6dp + 791.77dp + 792.95dp + 794.12dp + 795.29dp + 796.47dp + 797.64dp + 798.81dp + 799.99dp + 801.16dp + 802.33dp + 803.5dp + 804.68dp + 805.85dp + 807.02dp + 808.2dp + 809.37dp + 810.54dp + 811.72dp + 812.89dp + 814.06dp + 815.24dp + 816.41dp + 817.58dp + 818.75dp + 819.93dp + 821.1dp + 822.27dp + 823.45dp + 824.62dp + 825.79dp + 826.97dp + 828.14dp + 829.31dp + 830.48dp + 831.66dp + 832.83dp + 834.0dp + 835.18dp + 836.35dp + 837.52dp + 838.7dp + 839.87dp + 841.04dp + 842.21dp + 843.39dp + 844.56dp + 845.73dp + 846.91dp + 848.08dp + 849.25dp + 850.43dp + 851.6dp + 852.77dp + 853.94dp + 855.12dp + 856.29dp + 857.46dp + 858.64dp + 859.81dp + 860.98dp + 862.16dp + 863.33dp + 864.5dp + 865.67dp + 866.85dp + 868.02dp + 869.19dp + 870.37dp + 871.54dp + 872.71dp + 873.88dp + 875.06dp + 876.23dp + 877.4dp + 878.58dp + 879.75dp + 880.92dp + 882.1dp + 883.27dp + 884.44dp + 885.62dp + 886.79dp + 887.96dp + 889.13dp + 890.31dp + 891.48dp + 892.65dp + 893.83dp + 895.0dp + 896.17dp + 897.35dp + 898.52dp + 899.69dp + 900.86dp + 902.04dp + 903.21dp + 904.38dp + 905.56dp + 906.73dp + 907.9dp + 909.08dp + 910.25dp + 911.42dp + 912.59dp + 913.77dp + 914.94dp + 916.11dp + 917.29dp + 918.46dp + 919.63dp + 920.81dp + 921.98dp + 923.15dp + 924.32dp + 925.5dp + 926.67dp + 927.84dp + 929.02dp + 930.19dp + 931.36dp + 932.54dp + 933.71dp + 934.88dp + 936.05dp + 937.23dp + 938.4dp + 939.57dp + 940.75dp + 941.92dp + 943.09dp + 944.26dp + 945.44dp + 946.61dp + 947.78dp + 948.96dp + 950.13dp + 951.3dp + 952.48dp + 953.65dp + 954.82dp + 956.0dp + 957.17dp + 958.34dp + 959.51dp + 960.69dp + 961.86dp + 963.03dp + 964.21dp + 965.38dp + 966.55dp + 967.73dp + 968.9dp + 970.07dp + 971.24dp + 972.42dp + 973.59dp + 974.76dp + 975.94dp + 977.11dp + 978.28dp + 979.46dp + 980.63dp + 981.8dp + 982.97dp + 984.15dp + 985.32dp + 986.49dp + 987.67dp + 988.84dp + 990.01dp + 991.19dp + 992.36dp + 993.53dp + 994.7dp + 995.88dp + 997.05dp + 998.22dp + 999.4dp + 1000.57dp + 1001.74dp + 1002.92dp + 1004.09dp + 1005.26dp + 1006.43dp + 1007.61dp + 1008.78dp + 1009.95dp + 1011.13dp + 1012.3dp + 1013.47dp + 1014.64dp + 1015.82dp + 1016.99dp + 1018.16dp + 1019.34dp + 1020.51dp + 1021.68dp + 1022.86dp + 1024.03dp + 1025.2dp + 1026.38dp + 1027.55dp + 1028.72dp + 1029.89dp + 1031.07dp + 1032.24dp + 1033.41dp + 1034.59dp + 1035.76dp + 1036.93dp + 1038.11dp + 1039.28dp + 1040.45dp + 1041.62dp + 1042.8dp + 1043.97dp + 1045.14dp + 1046.32dp + 1047.49dp + 1048.66dp + 1049.84dp + 1051.01dp + 1052.18dp + 1053.35dp + 1054.53dp + 1055.7dp + 1056.87dp + 1058.05dp + 1059.22dp + 1060.39dp + 1061.57dp + 1062.74dp + 1063.91dp + 1065.08dp + 1066.26dp + 1067.43dp + 1068.6dp + 1069.78dp + 1070.95dp + 1072.12dp + 1073.3dp + 1074.47dp + 1075.64dp + 1076.81dp + 1077.99dp + 1079.16dp + 1080.33dp + 1081.51dp + 1082.68dp + 1083.85dp + 1085.03dp + 1086.2dp + 1087.37dp + 1088.54dp + 1089.72dp + 1090.89dp + 1092.06dp + 1093.24dp + 1094.41dp + 1095.58dp + 1096.76dp + 1097.93dp + 1099.1dp + 1100.27dp + 1101.45dp + 1102.62dp + 1103.79dp + 1104.97dp + 1106.14dp + 1107.31dp + 1108.49dp + 1109.66dp + 1110.83dp + 1112.0dp + 1113.18dp + 1114.35dp + 1115.52dp + 1116.7dp + 1117.87dp + 1119.04dp + 1120.22dp + 1121.39dp + 1122.56dp + 1123.73dp + 1124.91dp + 1126.08dp + 1127.25dp + 1128.43dp + 1129.6dp + 1130.77dp + 1131.94dp + 1133.12dp + 1134.29dp + 1135.46dp + 1136.64dp + 1137.81dp + 1138.98dp + 1140.16dp + 1141.33dp + 1142.5dp + 1143.67dp + 1144.85dp + 1146.02dp + 1147.19dp + 1148.37dp + 1149.54dp + 1150.71dp + 1151.89dp + 1153.06dp + 1154.23dp + 1155.4dp + 1156.58dp + 1157.75dp + 1158.92dp + 1160.1dp + 1161.27dp + 1162.44dp + 1163.62dp + 1164.79dp + 1165.96dp + 1167.13dp + 1168.31dp + 1169.48dp + 1170.65dp + 1171.83dp + 1173.0dp + 1174.17dp + 1175.35dp + 1176.52dp + 1177.69dp + 1178.87dp + 1180.04dp + 1181.21dp + 1182.38dp + 1183.56dp + 1184.73dp + 1185.9dp + 1187.08dp + 1188.25dp + 1189.42dp + 1190.6dp + 1191.77dp + 1192.94dp + 1194.11dp + 1195.29dp + 1196.46dp + 1197.63dp + 1198.81dp + 1199.98dp + 1201.15dp + 1202.33dp + 1203.5dp + 1204.67dp + 1205.84dp + 1207.02dp + 1208.19dp + 1209.36dp + 1210.54dp + 1211.71dp + 1212.88dp + 1214.06dp + 1215.23dp + 1216.4dp + 1217.57dp + 1218.75dp + 1219.92dp + 1221.09dp + 1222.27dp + 1223.44dp + 1224.61dp + 1225.79dp + 1226.96dp + 1228.13dp + 1229.3dp + 1230.48dp + 1231.65dp + 1232.82dp + 1234.0dp + 1235.17dp + 1236.34dp + 1237.52dp + 1238.69dp + 1239.86dp + 1241.03dp + 1242.21dp + 1243.38dp + 1244.55dp + 1245.73dp + 1246.9dp + 1248.07dp + 1249.25dp + 1250.42dp + 1251.59dp + 1252.76dp + 1253.94dp + 1255.11dp + 1256.28dp + 1257.46dp + 1258.63dp + 1259.8dp + 1260.98dp + 1262.15dp + 1263.32dp + 1264.49dp + 1265.67dp + 1266.84dp + 1.17sp + 2.35sp + 3.52sp + 4.69sp + 5.87sp + 7.04sp + 8.21sp + 9.38sp + 10.56sp + 11.73sp + 12.9sp + 14.08sp + 15.25sp + 16.42sp + 17.59sp + 18.77sp + 19.94sp + 21.11sp + 22.29sp + 23.46sp + 24.63sp + 25.81sp + 26.98sp + 28.15sp + 29.33sp + 30.5sp + 31.67sp + 32.84sp + 34.02sp + 35.19sp + 36.36sp + 37.54sp + 38.71sp + 39.88sp + 41.05sp + 42.23sp + 43.4sp + 44.57sp + 45.75sp + 46.92sp + 48.09sp + 49.27sp + 50.44sp + 51.61sp + 52.79sp + 53.96sp + 55.13sp + 56.3sp + 57.48sp + 58.65sp + 59.82sp + 61.0sp + 62.17sp + 63.34sp + 64.52sp + 65.69sp + 66.86sp + 68.03sp + 69.21sp + 70.38sp + 71.55sp + 72.73sp + 73.9sp + 75.07sp + 76.25sp + 77.42sp + 78.59sp + 79.76sp + 80.94sp + 82.11sp + 83.28sp + 84.46sp + 85.63sp + 86.8sp + 87.98sp + 89.15sp + 90.32sp + 91.49sp + 92.67sp + 93.84sp + 95.01sp + 96.19sp + 97.36sp + 98.53sp + 99.7sp + 100.88sp + 102.05sp + 103.22sp + 104.4sp + 105.57sp + 106.74sp + 107.92sp + 109.09sp + 110.26sp + 111.44sp + 112.61sp + 113.78sp + 114.95sp + 116.13sp + 117.3sp + 118.47sp + 119.65sp + 120.82sp + 121.99sp + 123.17sp + 124.34sp + 125.51sp + 126.68sp + 127.86sp + 129.03sp + 130.2sp + 131.38sp + 132.55sp + 133.72sp + 134.9sp + 136.07sp + 137.24sp + 138.41sp + 139.59sp + 140.76sp + 141.93sp + 143.11sp + 144.28sp + 145.45sp + 146.63sp + 147.8sp + 148.97sp + 150.14sp + 151.32sp + 152.49sp + 153.66sp + 154.84sp + 156.01sp + 157.18sp + 158.36sp + 159.53sp + 160.7sp + 161.87sp + 163.05sp + 164.22sp + 165.39sp + 166.57sp + 167.74sp + 168.91sp + 170.09sp + 171.26sp + 172.43sp + 173.6sp + 174.78sp + 175.95sp + 177.12sp + 178.3sp + 179.47sp + 180.64sp + 181.81sp + 182.99sp + 184.16sp + 185.33sp + 186.51sp + 187.68sp + 188.85sp + 190.03sp + 191.2sp + 192.37sp + 193.55sp + 194.72sp + 195.89sp + 197.06sp + 198.24sp + 199.41sp + 200.58sp + 201.76sp + 202.93sp + 204.1sp + 205.28sp + 206.45sp + 207.62sp + 208.79sp + 209.97sp + 211.14sp + 212.31sp + 213.49sp + 214.66sp + 215.83sp + 217.0sp + 218.18sp + 219.35sp + 220.52sp + 221.7sp + 222.87sp + 224.04sp + 225.22sp + 226.39sp + 227.56sp + 228.74sp + 229.91sp + 231.08sp + 232.25sp + 233.43sp + 234.6sp + diff --git a/app/src/main/res/values-sw460dp/dimens.xml b/app/src/main/res/values-sw460dp/dimens.xml new file mode 100644 index 0000000..f2d04e6 --- /dev/null +++ b/app/src/main/res/values-sw460dp/dimens.xml @@ -0,0 +1,2365 @@ + + + + -1325.16dp + -1323.93dp + -1322.71dp + -1321.48dp + -1320.25dp + -1319.03dp + -1317.8dp + -1316.57dp + -1315.34dp + -1314.12dp + -1312.89dp + -1311.66dp + -1310.44dp + -1309.21dp + -1307.98dp + -1306.76dp + -1305.53dp + -1304.3dp + -1303.07dp + -1301.85dp + -1300.62dp + -1299.39dp + -1298.17dp + -1296.94dp + -1295.71dp + -1294.49dp + -1293.26dp + -1292.03dp + -1290.8dp + -1289.58dp + -1288.35dp + -1287.12dp + -1285.9dp + -1284.67dp + -1283.44dp + -1282.22dp + -1280.99dp + -1279.76dp + -1278.53dp + -1277.31dp + -1276.08dp + -1274.85dp + -1273.63dp + -1272.4dp + -1271.17dp + -1269.95dp + -1268.72dp + -1267.49dp + -1266.26dp + -1265.04dp + -1263.81dp + -1262.58dp + -1261.36dp + -1260.13dp + -1258.9dp + -1257.68dp + -1256.45dp + -1255.22dp + -1253.99dp + -1252.77dp + -1251.54dp + -1250.31dp + -1249.09dp + -1247.86dp + -1246.63dp + -1245.41dp + -1244.18dp + -1242.95dp + -1241.72dp + -1240.5dp + -1239.27dp + -1238.04dp + -1236.82dp + -1235.59dp + -1234.36dp + -1233.13dp + -1231.91dp + -1230.68dp + -1229.45dp + -1228.23dp + -1227.0dp + -1225.77dp + -1224.55dp + -1223.32dp + -1222.09dp + -1220.87dp + -1219.64dp + -1218.41dp + -1217.18dp + -1215.96dp + -1214.73dp + -1213.5dp + -1212.28dp + -1211.05dp + -1209.82dp + -1208.6dp + -1207.37dp + -1206.14dp + -1204.91dp + -1203.69dp + -1202.46dp + -1201.23dp + -1200.01dp + -1198.78dp + -1197.55dp + -1196.33dp + -1195.1dp + -1193.87dp + -1192.64dp + -1191.42dp + -1190.19dp + -1188.96dp + -1187.74dp + -1186.51dp + -1185.28dp + -1184.06dp + -1182.83dp + -1181.6dp + -1180.37dp + -1179.15dp + -1177.92dp + -1176.69dp + -1175.47dp + -1174.24dp + -1173.01dp + -1171.79dp + -1170.56dp + -1169.33dp + -1168.1dp + -1166.88dp + -1165.65dp + -1164.42dp + -1163.2dp + -1161.97dp + -1160.74dp + -1159.52dp + -1158.29dp + -1157.06dp + -1155.83dp + -1154.61dp + -1153.38dp + -1152.15dp + -1150.93dp + -1149.7dp + -1148.47dp + -1147.25dp + -1146.02dp + -1144.79dp + -1143.56dp + -1142.34dp + -1141.11dp + -1139.88dp + -1138.66dp + -1137.43dp + -1136.2dp + -1134.98dp + -1133.75dp + -1132.52dp + -1131.29dp + -1130.07dp + -1128.84dp + -1127.61dp + -1126.39dp + -1125.16dp + -1123.93dp + -1122.71dp + -1121.48dp + -1120.25dp + -1119.02dp + -1117.8dp + -1116.57dp + -1115.34dp + -1114.12dp + -1112.89dp + -1111.66dp + -1110.44dp + -1109.21dp + -1107.98dp + -1106.75dp + -1105.53dp + -1104.3dp + -1103.07dp + -1101.85dp + -1100.62dp + -1099.39dp + -1098.17dp + -1096.94dp + -1095.71dp + -1094.48dp + -1093.26dp + -1092.03dp + -1090.8dp + -1089.58dp + -1088.35dp + -1087.12dp + -1085.89dp + -1084.67dp + -1083.44dp + -1082.21dp + -1080.99dp + -1079.76dp + -1078.53dp + -1077.31dp + -1076.08dp + -1074.85dp + -1073.63dp + -1072.4dp + -1071.17dp + -1069.94dp + -1068.72dp + -1067.49dp + -1066.26dp + -1065.04dp + -1063.81dp + -1062.58dp + -1061.36dp + -1060.13dp + -1058.9dp + -1057.67dp + -1056.45dp + -1055.22dp + -1053.99dp + -1052.77dp + -1051.54dp + -1050.31dp + -1049.09dp + -1047.86dp + -1046.63dp + -1045.4dp + -1044.18dp + -1042.95dp + -1041.72dp + -1040.5dp + -1039.27dp + -1038.04dp + -1036.82dp + -1035.59dp + -1034.36dp + -1033.13dp + -1031.91dp + -1030.68dp + -1029.45dp + -1028.23dp + -1027.0dp + -1025.77dp + -1024.55dp + -1023.32dp + -1022.09dp + -1020.86dp + -1019.64dp + -1018.41dp + -1017.18dp + -1015.96dp + -1014.73dp + -1013.5dp + -1012.28dp + -1011.05dp + -1009.82dp + -1008.59dp + -1007.37dp + -1006.14dp + -1004.91dp + -1003.69dp + -1002.46dp + -1001.23dp + -1000.01dp + -998.78dp + -997.55dp + -996.32dp + -995.1dp + -993.87dp + -992.64dp + -991.42dp + -990.19dp + -988.96dp + -987.74dp + -986.51dp + -985.28dp + -984.05dp + -982.83dp + -981.6dp + -980.37dp + -979.15dp + -977.92dp + -976.69dp + -975.47dp + -974.24dp + -973.01dp + -971.78dp + -970.56dp + -969.33dp + -968.1dp + -966.88dp + -965.65dp + -964.42dp + -963.2dp + -961.97dp + -960.74dp + -959.51dp + -958.29dp + -957.06dp + -955.83dp + -954.61dp + -953.38dp + -952.15dp + -950.93dp + -949.7dp + -948.47dp + -947.24dp + -946.02dp + -944.79dp + -943.56dp + -942.34dp + -941.11dp + -939.88dp + -938.66dp + -937.43dp + -936.2dp + -934.97dp + -933.75dp + -932.52dp + -931.29dp + -930.07dp + -928.84dp + -927.61dp + -926.39dp + -925.16dp + -923.93dp + -922.7dp + -921.48dp + -920.25dp + -919.02dp + -917.8dp + -916.57dp + -915.34dp + -914.12dp + -912.89dp + -911.66dp + -910.43dp + -909.21dp + -907.98dp + -906.75dp + -905.53dp + -904.3dp + -903.07dp + -901.85dp + -900.62dp + -899.39dp + -898.16dp + -896.94dp + -895.71dp + -894.48dp + -893.26dp + -892.03dp + -890.8dp + -889.58dp + -888.35dp + -887.12dp + -885.89dp + -884.67dp + -883.44dp + -882.21dp + -880.99dp + -879.76dp + -878.53dp + -877.31dp + -876.08dp + -874.85dp + -873.62dp + -872.4dp + -871.17dp + -869.94dp + -868.72dp + -867.49dp + -866.26dp + -865.04dp + -863.81dp + -862.58dp + -861.35dp + -860.13dp + -858.9dp + -857.67dp + -856.45dp + -855.22dp + -853.99dp + -852.77dp + -851.54dp + -850.31dp + -849.08dp + -847.86dp + -846.63dp + -845.4dp + -844.18dp + -842.95dp + -841.72dp + -840.5dp + -839.27dp + -838.04dp + -836.81dp + -835.59dp + -834.36dp + -833.13dp + -831.91dp + -830.68dp + -829.45dp + -828.23dp + -827.0dp + -825.77dp + -824.54dp + -823.32dp + -822.09dp + -820.86dp + -819.64dp + -818.41dp + -817.18dp + -815.96dp + -814.73dp + -813.5dp + -812.27dp + -811.05dp + -809.82dp + -808.59dp + -807.37dp + -806.14dp + -804.91dp + -803.69dp + -802.46dp + -801.23dp + -800.0dp + -798.78dp + -797.55dp + -796.32dp + -795.1dp + -793.87dp + -792.64dp + -791.42dp + -790.19dp + -788.96dp + -787.73dp + -786.51dp + -785.28dp + -784.05dp + -782.83dp + -781.6dp + -780.37dp + -779.15dp + -777.92dp + -776.69dp + -775.46dp + -774.24dp + -773.01dp + -771.78dp + -770.56dp + -769.33dp + -768.1dp + -766.88dp + -765.65dp + -764.42dp + -763.19dp + -761.97dp + -760.74dp + -759.51dp + -758.29dp + -757.06dp + -755.83dp + -754.61dp + -753.38dp + -752.15dp + -750.92dp + -749.7dp + -748.47dp + -747.24dp + -746.02dp + -744.79dp + -743.56dp + -742.34dp + -741.11dp + -739.88dp + -738.65dp + -737.43dp + -736.2dp + -734.97dp + -733.75dp + -732.52dp + -731.29dp + -730.07dp + -728.84dp + -727.61dp + -726.38dp + -725.16dp + -723.93dp + -722.7dp + -721.48dp + -720.25dp + -719.02dp + -717.8dp + -716.57dp + -715.34dp + -714.11dp + -712.89dp + -711.66dp + -710.43dp + -709.21dp + -707.98dp + -706.75dp + -705.53dp + -704.3dp + -703.07dp + -701.84dp + -700.62dp + -699.39dp + -698.16dp + -696.94dp + -695.71dp + -694.48dp + -693.25dp + -692.03dp + -690.8dp + -689.57dp + -688.35dp + -687.12dp + -685.89dp + -684.67dp + -683.44dp + -682.21dp + -680.99dp + -679.76dp + -678.53dp + -677.3dp + -676.08dp + -674.85dp + -673.62dp + -672.4dp + -671.17dp + -669.94dp + -668.72dp + -667.49dp + -666.26dp + -665.03dp + -663.81dp + -662.58dp + -661.35dp + -660.13dp + -658.9dp + -657.67dp + -656.45dp + -655.22dp + -653.99dp + -652.76dp + -651.54dp + -650.31dp + -649.08dp + -647.86dp + -646.63dp + -645.4dp + -644.18dp + -642.95dp + -641.72dp + -640.49dp + -639.27dp + -638.04dp + -636.81dp + -635.59dp + -634.36dp + -633.13dp + -631.91dp + -630.68dp + -629.45dp + -628.22dp + -627.0dp + -625.77dp + -624.54dp + -623.32dp + -622.09dp + -620.86dp + -619.63dp + -618.41dp + -617.18dp + -615.95dp + -614.73dp + -613.5dp + -612.27dp + -611.05dp + -609.82dp + -608.59dp + -607.37dp + -606.14dp + -604.91dp + -603.68dp + -602.46dp + -601.23dp + -600.0dp + -598.78dp + -597.55dp + -596.32dp + -595.1dp + -593.87dp + -592.64dp + -591.41dp + -590.19dp + -588.96dp + -587.73dp + -586.51dp + -585.28dp + -584.05dp + -582.83dp + -581.6dp + -580.37dp + -579.14dp + -577.92dp + -576.69dp + -575.46dp + -574.24dp + -573.01dp + -571.78dp + -570.56dp + -569.33dp + -568.1dp + -566.87dp + -565.65dp + -564.42dp + -563.19dp + -561.97dp + -560.74dp + -559.51dp + -558.29dp + -557.06dp + -555.83dp + -554.6dp + -553.38dp + -552.15dp + -550.92dp + -549.7dp + -548.47dp + -547.24dp + -546.01dp + -544.79dp + -543.56dp + -542.33dp + -541.11dp + -539.88dp + -538.65dp + -537.43dp + -536.2dp + -534.97dp + -533.75dp + -532.52dp + -531.29dp + -530.06dp + -528.84dp + -527.61dp + -526.38dp + -525.16dp + -523.93dp + -522.7dp + -521.48dp + -520.25dp + -519.02dp + -517.79dp + -516.57dp + -515.34dp + -514.11dp + -512.89dp + -511.66dp + -510.43dp + -509.21dp + -507.98dp + -506.75dp + -505.52dp + -504.3dp + -503.07dp + -501.84dp + -500.62dp + -499.39dp + -498.16dp + -496.94dp + -495.71dp + -494.48dp + -493.25dp + -492.03dp + -490.8dp + -489.57dp + -488.35dp + -487.12dp + -485.89dp + -484.67dp + -483.44dp + -482.21dp + -480.98dp + -479.76dp + -478.53dp + -477.3dp + -476.08dp + -474.85dp + -473.62dp + -472.4dp + -471.17dp + -469.94dp + -468.71dp + -467.49dp + -466.26dp + -465.03dp + -463.81dp + -462.58dp + -461.35dp + -460.13dp + -458.9dp + -457.67dp + -456.44dp + -455.22dp + -453.99dp + -452.76dp + -451.54dp + -450.31dp + -449.08dp + -447.86dp + -446.63dp + -445.4dp + -444.17dp + -442.95dp + -441.72dp + -440.49dp + -439.27dp + -438.04dp + -436.81dp + -435.59dp + -434.36dp + -433.13dp + -431.9dp + -430.68dp + -429.45dp + -428.22dp + -427.0dp + -425.77dp + -424.54dp + -423.32dp + -422.09dp + -420.86dp + -419.63dp + -418.41dp + -417.18dp + -415.95dp + -414.73dp + -413.5dp + -412.27dp + -411.05dp + -409.82dp + -408.59dp + -407.36dp + -406.14dp + -404.91dp + -403.68dp + -402.46dp + -401.23dp + -400.0dp + -398.78dp + -397.55dp + -396.32dp + -395.09dp + -393.87dp + -392.64dp + -391.41dp + -390.19dp + -388.96dp + -387.73dp + -386.51dp + -385.28dp + -384.05dp + -382.82dp + -381.6dp + -380.37dp + -379.14dp + -377.92dp + -376.69dp + -375.46dp + -374.24dp + -373.01dp + -371.78dp + -370.55dp + -369.33dp + -368.1dp + -366.87dp + -365.65dp + -364.42dp + -363.19dp + -361.97dp + -360.74dp + -359.51dp + -358.28dp + -357.06dp + -355.83dp + -354.6dp + -353.38dp + -352.15dp + -350.92dp + -349.7dp + -348.47dp + -347.24dp + -346.01dp + -344.79dp + -343.56dp + -342.33dp + -341.11dp + -339.88dp + -338.65dp + -337.43dp + -336.2dp + -334.97dp + -333.74dp + -332.52dp + -331.29dp + -330.06dp + -328.84dp + -327.61dp + -326.38dp + -325.16dp + -323.93dp + -322.7dp + -321.47dp + -320.25dp + -319.02dp + -317.79dp + -316.57dp + -315.34dp + -314.11dp + -312.89dp + -311.66dp + -310.43dp + -309.2dp + -307.98dp + -306.75dp + -305.52dp + -304.3dp + -303.07dp + -301.84dp + -300.62dp + -299.39dp + -298.16dp + -296.93dp + -295.71dp + -294.48dp + -293.25dp + -292.03dp + -290.8dp + -289.57dp + -288.35dp + -287.12dp + -285.89dp + -284.66dp + -283.44dp + -282.21dp + -280.98dp + -279.76dp + -278.53dp + -277.3dp + -276.08dp + -274.85dp + -273.62dp + -272.39dp + -271.17dp + -269.94dp + -268.71dp + -267.49dp + -266.26dp + -265.03dp + -263.81dp + -262.58dp + -261.35dp + -260.12dp + -258.9dp + -257.67dp + -256.44dp + -255.22dp + -253.99dp + -252.76dp + -251.54dp + -250.31dp + -249.08dp + -247.85dp + -246.63dp + -245.4dp + -244.17dp + -242.95dp + -241.72dp + -240.49dp + -239.27dp + -238.04dp + -236.81dp + -235.58dp + -234.36dp + -233.13dp + -231.9dp + -230.68dp + -229.45dp + -228.22dp + -227.0dp + -225.77dp + -224.54dp + -223.31dp + -222.09dp + -220.86dp + -219.63dp + -218.41dp + -217.18dp + -215.95dp + -214.73dp + -213.5dp + -212.27dp + -211.04dp + -209.82dp + -208.59dp + -207.36dp + -206.14dp + -204.91dp + -203.68dp + -202.46dp + -201.23dp + -200.0dp + -198.77dp + -197.55dp + -196.32dp + -195.09dp + -193.87dp + -192.64dp + -191.41dp + -190.19dp + -188.96dp + -187.73dp + -186.5dp + -185.28dp + -184.05dp + -182.82dp + -181.6dp + -180.37dp + -179.14dp + -177.92dp + -176.69dp + -175.46dp + -174.23dp + -173.01dp + -171.78dp + -170.55dp + -169.33dp + -168.1dp + -166.87dp + -165.65dp + -164.42dp + -163.19dp + -161.96dp + -160.74dp + -159.51dp + -158.28dp + -157.06dp + -155.83dp + -154.6dp + -153.38dp + -152.15dp + -150.92dp + -149.69dp + -148.47dp + -147.24dp + -146.01dp + -144.79dp + -143.56dp + -142.33dp + -141.11dp + -139.88dp + -138.65dp + -137.42dp + -136.2dp + -134.97dp + -133.74dp + -132.52dp + -131.29dp + -130.06dp + -128.84dp + -127.61dp + -126.38dp + -125.15dp + -123.93dp + -122.7dp + -121.47dp + -120.25dp + -119.02dp + -117.79dp + -116.57dp + -115.34dp + -114.11dp + -112.88dp + -111.66dp + -110.43dp + -109.2dp + -107.98dp + -106.75dp + -105.52dp + -104.3dp + -103.07dp + -101.84dp + -100.61dp + -99.39dp + -98.16dp + -96.93dp + -95.71dp + -94.48dp + -93.25dp + -92.03dp + -90.8dp + -89.57dp + -88.34dp + -87.12dp + -85.89dp + -84.66dp + -83.44dp + -82.21dp + -80.98dp + -79.76dp + -78.53dp + -77.3dp + -76.07dp + -74.85dp + -73.62dp + -72.39dp + -71.17dp + -69.94dp + -68.71dp + -67.48dp + -66.26dp + -65.03dp + -63.8dp + -62.58dp + -61.35dp + -60.12dp + -58.9dp + -57.67dp + -56.44dp + -55.22dp + -53.99dp + -52.76dp + -51.53dp + -50.31dp + -49.08dp + -47.85dp + -46.63dp + -45.4dp + -44.17dp + -42.95dp + -41.72dp + -40.49dp + -39.26dp + -38.04dp + -36.81dp + -35.58dp + -34.36dp + -33.13dp + -31.9dp + -30.68dp + -29.45dp + -28.22dp + -26.99dp + -25.77dp + -24.54dp + -23.31dp + -22.09dp + -20.86dp + -19.63dp + -18.41dp + -17.18dp + -15.95dp + -14.72dp + -13.5dp + -12.27dp + -11.04dp + -9.82dp + -8.59dp + -7.36dp + -6.14dp + -4.91dp + -3.68dp + -2.45dp + -1.23dp + 0.0dp + 1.23dp + 2.45dp + 3.68dp + 4.91dp + 6.14dp + 7.36dp + 8.59dp + 9.82dp + 11.04dp + 12.27dp + 13.5dp + 14.72dp + 15.95dp + 17.18dp + 18.41dp + 19.63dp + 20.86dp + 22.09dp + 23.31dp + 24.54dp + 25.77dp + 26.99dp + 28.22dp + 29.45dp + 30.68dp + 31.9dp + 33.13dp + 34.36dp + 35.58dp + 36.81dp + 38.04dp + 39.26dp + 40.49dp + 41.72dp + 42.95dp + 44.17dp + 45.4dp + 46.63dp + 47.85dp + 49.08dp + 50.31dp + 51.53dp + 52.76dp + 53.99dp + 55.22dp + 56.44dp + 57.67dp + 58.9dp + 60.12dp + 61.35dp + 62.58dp + 63.8dp + 65.03dp + 66.26dp + 67.48dp + 68.71dp + 69.94dp + 71.17dp + 72.39dp + 73.62dp + 74.85dp + 76.07dp + 77.3dp + 78.53dp + 79.76dp + 80.98dp + 82.21dp + 83.44dp + 84.66dp + 85.89dp + 87.12dp + 88.34dp + 89.57dp + 90.8dp + 92.03dp + 93.25dp + 94.48dp + 95.71dp + 96.93dp + 98.16dp + 99.39dp + 100.61dp + 101.84dp + 103.07dp + 104.3dp + 105.52dp + 106.75dp + 107.98dp + 109.2dp + 110.43dp + 111.66dp + 112.88dp + 114.11dp + 115.34dp + 116.57dp + 117.79dp + 119.02dp + 120.25dp + 121.47dp + 122.7dp + 123.93dp + 125.15dp + 126.38dp + 127.61dp + 128.84dp + 130.06dp + 131.29dp + 132.52dp + 133.74dp + 134.97dp + 136.2dp + 137.42dp + 138.65dp + 139.88dp + 141.11dp + 142.33dp + 143.56dp + 144.79dp + 146.01dp + 147.24dp + 148.47dp + 149.69dp + 150.92dp + 152.15dp + 153.38dp + 154.6dp + 155.83dp + 157.06dp + 158.28dp + 159.51dp + 160.74dp + 161.96dp + 163.19dp + 164.42dp + 165.65dp + 166.87dp + 168.1dp + 169.33dp + 170.55dp + 171.78dp + 173.01dp + 174.23dp + 175.46dp + 176.69dp + 177.92dp + 179.14dp + 180.37dp + 181.6dp + 182.82dp + 184.05dp + 185.28dp + 186.5dp + 187.73dp + 188.96dp + 190.19dp + 191.41dp + 192.64dp + 193.87dp + 195.09dp + 196.32dp + 197.55dp + 198.77dp + 200.0dp + 201.23dp + 202.46dp + 203.68dp + 204.91dp + 206.14dp + 207.36dp + 208.59dp + 209.82dp + 211.04dp + 212.27dp + 213.5dp + 214.73dp + 215.95dp + 217.18dp + 218.41dp + 219.63dp + 220.86dp + 222.09dp + 223.31dp + 224.54dp + 225.77dp + 227.0dp + 228.22dp + 229.45dp + 230.68dp + 231.9dp + 233.13dp + 234.36dp + 235.58dp + 236.81dp + 238.04dp + 239.27dp + 240.49dp + 241.72dp + 242.95dp + 244.17dp + 245.4dp + 246.63dp + 247.85dp + 249.08dp + 250.31dp + 251.54dp + 252.76dp + 253.99dp + 255.22dp + 256.44dp + 257.67dp + 258.9dp + 260.12dp + 261.35dp + 262.58dp + 263.81dp + 265.03dp + 266.26dp + 267.49dp + 268.71dp + 269.94dp + 271.17dp + 272.39dp + 273.62dp + 274.85dp + 276.08dp + 277.3dp + 278.53dp + 279.76dp + 280.98dp + 282.21dp + 283.44dp + 284.66dp + 285.89dp + 287.12dp + 288.35dp + 289.57dp + 290.8dp + 292.03dp + 293.25dp + 294.48dp + 295.71dp + 296.93dp + 298.16dp + 299.39dp + 300.62dp + 301.84dp + 303.07dp + 304.3dp + 305.52dp + 306.75dp + 307.98dp + 309.2dp + 310.43dp + 311.66dp + 312.89dp + 314.11dp + 315.34dp + 316.57dp + 317.79dp + 319.02dp + 320.25dp + 321.47dp + 322.7dp + 323.93dp + 325.16dp + 326.38dp + 327.61dp + 328.84dp + 330.06dp + 331.29dp + 332.52dp + 333.74dp + 334.97dp + 336.2dp + 337.43dp + 338.65dp + 339.88dp + 341.11dp + 342.33dp + 343.56dp + 344.79dp + 346.01dp + 347.24dp + 348.47dp + 349.7dp + 350.92dp + 352.15dp + 353.38dp + 354.6dp + 355.83dp + 357.06dp + 358.28dp + 359.51dp + 360.74dp + 361.97dp + 363.19dp + 364.42dp + 365.65dp + 366.87dp + 368.1dp + 369.33dp + 370.55dp + 371.78dp + 373.01dp + 374.24dp + 375.46dp + 376.69dp + 377.92dp + 379.14dp + 380.37dp + 381.6dp + 382.82dp + 384.05dp + 385.28dp + 386.51dp + 387.73dp + 388.96dp + 390.19dp + 391.41dp + 392.64dp + 393.87dp + 395.09dp + 396.32dp + 397.55dp + 398.78dp + 400.0dp + 401.23dp + 402.46dp + 403.68dp + 404.91dp + 406.14dp + 407.36dp + 408.59dp + 409.82dp + 411.05dp + 412.27dp + 413.5dp + 414.73dp + 415.95dp + 417.18dp + 418.41dp + 419.63dp + 420.86dp + 422.09dp + 423.32dp + 424.54dp + 425.77dp + 427.0dp + 428.22dp + 429.45dp + 430.68dp + 431.9dp + 433.13dp + 434.36dp + 435.59dp + 436.81dp + 438.04dp + 439.27dp + 440.49dp + 441.72dp + 442.95dp + 444.17dp + 445.4dp + 446.63dp + 447.86dp + 449.08dp + 450.31dp + 451.54dp + 452.76dp + 453.99dp + 455.22dp + 456.44dp + 457.67dp + 458.9dp + 460.13dp + 461.35dp + 462.58dp + 463.81dp + 465.03dp + 466.26dp + 467.49dp + 468.71dp + 469.94dp + 471.17dp + 472.4dp + 473.62dp + 474.85dp + 476.08dp + 477.3dp + 478.53dp + 479.76dp + 480.98dp + 482.21dp + 483.44dp + 484.67dp + 485.89dp + 487.12dp + 488.35dp + 489.57dp + 490.8dp + 492.03dp + 493.25dp + 494.48dp + 495.71dp + 496.94dp + 498.16dp + 499.39dp + 500.62dp + 501.84dp + 503.07dp + 504.3dp + 505.52dp + 506.75dp + 507.98dp + 509.21dp + 510.43dp + 511.66dp + 512.89dp + 514.11dp + 515.34dp + 516.57dp + 517.79dp + 519.02dp + 520.25dp + 521.48dp + 522.7dp + 523.93dp + 525.16dp + 526.38dp + 527.61dp + 528.84dp + 530.06dp + 531.29dp + 532.52dp + 533.75dp + 534.97dp + 536.2dp + 537.43dp + 538.65dp + 539.88dp + 541.11dp + 542.33dp + 543.56dp + 544.79dp + 546.01dp + 547.24dp + 548.47dp + 549.7dp + 550.92dp + 552.15dp + 553.38dp + 554.6dp + 555.83dp + 557.06dp + 558.29dp + 559.51dp + 560.74dp + 561.97dp + 563.19dp + 564.42dp + 565.65dp + 566.87dp + 568.1dp + 569.33dp + 570.56dp + 571.78dp + 573.01dp + 574.24dp + 575.46dp + 576.69dp + 577.92dp + 579.14dp + 580.37dp + 581.6dp + 582.83dp + 584.05dp + 585.28dp + 586.51dp + 587.73dp + 588.96dp + 590.19dp + 591.41dp + 592.64dp + 593.87dp + 595.1dp + 596.32dp + 597.55dp + 598.78dp + 600.0dp + 601.23dp + 602.46dp + 603.68dp + 604.91dp + 606.14dp + 607.37dp + 608.59dp + 609.82dp + 611.05dp + 612.27dp + 613.5dp + 614.73dp + 615.95dp + 617.18dp + 618.41dp + 619.63dp + 620.86dp + 622.09dp + 623.32dp + 624.54dp + 625.77dp + 627.0dp + 628.22dp + 629.45dp + 630.68dp + 631.91dp + 633.13dp + 634.36dp + 635.59dp + 636.81dp + 638.04dp + 639.27dp + 640.49dp + 641.72dp + 642.95dp + 644.18dp + 645.4dp + 646.63dp + 647.86dp + 649.08dp + 650.31dp + 651.54dp + 652.76dp + 653.99dp + 655.22dp + 656.45dp + 657.67dp + 658.9dp + 660.13dp + 661.35dp + 662.58dp + 663.81dp + 665.03dp + 666.26dp + 667.49dp + 668.72dp + 669.94dp + 671.17dp + 672.4dp + 673.62dp + 674.85dp + 676.08dp + 677.3dp + 678.53dp + 679.76dp + 680.99dp + 682.21dp + 683.44dp + 684.67dp + 685.89dp + 687.12dp + 688.35dp + 689.57dp + 690.8dp + 692.03dp + 693.25dp + 694.48dp + 695.71dp + 696.94dp + 698.16dp + 699.39dp + 700.62dp + 701.84dp + 703.07dp + 704.3dp + 705.53dp + 706.75dp + 707.98dp + 709.21dp + 710.43dp + 711.66dp + 712.89dp + 714.11dp + 715.34dp + 716.57dp + 717.8dp + 719.02dp + 720.25dp + 721.48dp + 722.7dp + 723.93dp + 725.16dp + 726.38dp + 727.61dp + 728.84dp + 730.07dp + 731.29dp + 732.52dp + 733.75dp + 734.97dp + 736.2dp + 737.43dp + 738.65dp + 739.88dp + 741.11dp + 742.34dp + 743.56dp + 744.79dp + 746.02dp + 747.24dp + 748.47dp + 749.7dp + 750.92dp + 752.15dp + 753.38dp + 754.61dp + 755.83dp + 757.06dp + 758.29dp + 759.51dp + 760.74dp + 761.97dp + 763.19dp + 764.42dp + 765.65dp + 766.88dp + 768.1dp + 769.33dp + 770.56dp + 771.78dp + 773.01dp + 774.24dp + 775.46dp + 776.69dp + 777.92dp + 779.15dp + 780.37dp + 781.6dp + 782.83dp + 784.05dp + 785.28dp + 786.51dp + 787.73dp + 788.96dp + 790.19dp + 791.42dp + 792.64dp + 793.87dp + 795.1dp + 796.32dp + 797.55dp + 798.78dp + 800.0dp + 801.23dp + 802.46dp + 803.69dp + 804.91dp + 806.14dp + 807.37dp + 808.59dp + 809.82dp + 811.05dp + 812.27dp + 813.5dp + 814.73dp + 815.96dp + 817.18dp + 818.41dp + 819.64dp + 820.86dp + 822.09dp + 823.32dp + 824.54dp + 825.77dp + 827.0dp + 828.23dp + 829.45dp + 830.68dp + 831.91dp + 833.13dp + 834.36dp + 835.59dp + 836.81dp + 838.04dp + 839.27dp + 840.5dp + 841.72dp + 842.95dp + 844.18dp + 845.4dp + 846.63dp + 847.86dp + 849.08dp + 850.31dp + 851.54dp + 852.77dp + 853.99dp + 855.22dp + 856.45dp + 857.67dp + 858.9dp + 860.13dp + 861.35dp + 862.58dp + 863.81dp + 865.04dp + 866.26dp + 867.49dp + 868.72dp + 869.94dp + 871.17dp + 872.4dp + 873.62dp + 874.85dp + 876.08dp + 877.31dp + 878.53dp + 879.76dp + 880.99dp + 882.21dp + 883.44dp + 884.67dp + 885.89dp + 887.12dp + 888.35dp + 889.58dp + 890.8dp + 892.03dp + 893.26dp + 894.48dp + 895.71dp + 896.94dp + 898.16dp + 899.39dp + 900.62dp + 901.85dp + 903.07dp + 904.3dp + 905.53dp + 906.75dp + 907.98dp + 909.21dp + 910.43dp + 911.66dp + 912.89dp + 914.12dp + 915.34dp + 916.57dp + 917.8dp + 919.02dp + 920.25dp + 921.48dp + 922.7dp + 923.93dp + 925.16dp + 926.39dp + 927.61dp + 928.84dp + 930.07dp + 931.29dp + 932.52dp + 933.75dp + 934.97dp + 936.2dp + 937.43dp + 938.66dp + 939.88dp + 941.11dp + 942.34dp + 943.56dp + 944.79dp + 946.02dp + 947.24dp + 948.47dp + 949.7dp + 950.93dp + 952.15dp + 953.38dp + 954.61dp + 955.83dp + 957.06dp + 958.29dp + 959.51dp + 960.74dp + 961.97dp + 963.2dp + 964.42dp + 965.65dp + 966.88dp + 968.1dp + 969.33dp + 970.56dp + 971.78dp + 973.01dp + 974.24dp + 975.47dp + 976.69dp + 977.92dp + 979.15dp + 980.37dp + 981.6dp + 982.83dp + 984.05dp + 985.28dp + 986.51dp + 987.74dp + 988.96dp + 990.19dp + 991.42dp + 992.64dp + 993.87dp + 995.1dp + 996.32dp + 997.55dp + 998.78dp + 1000.01dp + 1001.23dp + 1002.46dp + 1003.69dp + 1004.91dp + 1006.14dp + 1007.37dp + 1008.59dp + 1009.82dp + 1011.05dp + 1012.28dp + 1013.5dp + 1014.73dp + 1015.96dp + 1017.18dp + 1018.41dp + 1019.64dp + 1020.86dp + 1022.09dp + 1023.32dp + 1024.55dp + 1025.77dp + 1027.0dp + 1028.23dp + 1029.45dp + 1030.68dp + 1031.91dp + 1033.13dp + 1034.36dp + 1035.59dp + 1036.82dp + 1038.04dp + 1039.27dp + 1040.5dp + 1041.72dp + 1042.95dp + 1044.18dp + 1045.4dp + 1046.63dp + 1047.86dp + 1049.09dp + 1050.31dp + 1051.54dp + 1052.77dp + 1053.99dp + 1055.22dp + 1056.45dp + 1057.67dp + 1058.9dp + 1060.13dp + 1061.36dp + 1062.58dp + 1063.81dp + 1065.04dp + 1066.26dp + 1067.49dp + 1068.72dp + 1069.94dp + 1071.17dp + 1072.4dp + 1073.63dp + 1074.85dp + 1076.08dp + 1077.31dp + 1078.53dp + 1079.76dp + 1080.99dp + 1082.21dp + 1083.44dp + 1084.67dp + 1085.89dp + 1087.12dp + 1088.35dp + 1089.58dp + 1090.8dp + 1092.03dp + 1093.26dp + 1094.48dp + 1095.71dp + 1096.94dp + 1098.17dp + 1099.39dp + 1100.62dp + 1101.85dp + 1103.07dp + 1104.3dp + 1105.53dp + 1106.75dp + 1107.98dp + 1109.21dp + 1110.44dp + 1111.66dp + 1112.89dp + 1114.12dp + 1115.34dp + 1116.57dp + 1117.8dp + 1119.02dp + 1120.25dp + 1121.48dp + 1122.71dp + 1123.93dp + 1125.16dp + 1126.39dp + 1127.61dp + 1128.84dp + 1130.07dp + 1131.29dp + 1132.52dp + 1133.75dp + 1134.98dp + 1136.2dp + 1137.43dp + 1138.66dp + 1139.88dp + 1141.11dp + 1142.34dp + 1143.56dp + 1144.79dp + 1146.02dp + 1147.25dp + 1148.47dp + 1149.7dp + 1150.93dp + 1152.15dp + 1153.38dp + 1154.61dp + 1155.83dp + 1157.06dp + 1158.29dp + 1159.52dp + 1160.74dp + 1161.97dp + 1163.2dp + 1164.42dp + 1165.65dp + 1166.88dp + 1168.1dp + 1169.33dp + 1170.56dp + 1171.79dp + 1173.01dp + 1174.24dp + 1175.47dp + 1176.69dp + 1177.92dp + 1179.15dp + 1180.37dp + 1181.6dp + 1182.83dp + 1184.06dp + 1185.28dp + 1186.51dp + 1187.74dp + 1188.96dp + 1190.19dp + 1191.42dp + 1192.64dp + 1193.87dp + 1195.1dp + 1196.33dp + 1197.55dp + 1198.78dp + 1200.01dp + 1201.23dp + 1202.46dp + 1203.69dp + 1204.91dp + 1206.14dp + 1207.37dp + 1208.6dp + 1209.82dp + 1211.05dp + 1212.28dp + 1213.5dp + 1214.73dp + 1215.96dp + 1217.18dp + 1218.41dp + 1219.64dp + 1220.87dp + 1222.09dp + 1223.32dp + 1224.55dp + 1225.77dp + 1227.0dp + 1228.23dp + 1229.45dp + 1230.68dp + 1231.91dp + 1233.13dp + 1234.36dp + 1235.59dp + 1236.82dp + 1238.04dp + 1239.27dp + 1240.5dp + 1241.72dp + 1242.95dp + 1244.18dp + 1245.41dp + 1246.63dp + 1247.86dp + 1249.09dp + 1250.31dp + 1251.54dp + 1252.77dp + 1253.99dp + 1255.22dp + 1256.45dp + 1257.68dp + 1258.9dp + 1260.13dp + 1261.36dp + 1262.58dp + 1263.81dp + 1265.04dp + 1266.26dp + 1267.49dp + 1268.72dp + 1269.95dp + 1271.17dp + 1272.4dp + 1273.63dp + 1274.85dp + 1276.08dp + 1277.31dp + 1278.53dp + 1279.76dp + 1280.99dp + 1282.22dp + 1283.44dp + 1284.67dp + 1285.9dp + 1287.12dp + 1288.35dp + 1289.58dp + 1290.8dp + 1292.03dp + 1293.26dp + 1294.49dp + 1295.71dp + 1296.94dp + 1298.17dp + 1299.39dp + 1300.62dp + 1301.85dp + 1303.07dp + 1304.3dp + 1305.53dp + 1306.76dp + 1307.98dp + 1309.21dp + 1310.44dp + 1311.66dp + 1312.89dp + 1314.12dp + 1315.34dp + 1316.57dp + 1317.8dp + 1319.03dp + 1320.25dp + 1321.48dp + 1322.71dp + 1323.93dp + 1325.16dp + 1.23sp + 2.45sp + 3.68sp + 4.91sp + 6.14sp + 7.36sp + 8.59sp + 9.82sp + 11.04sp + 12.27sp + 13.5sp + 14.72sp + 15.95sp + 17.18sp + 18.41sp + 19.63sp + 20.86sp + 22.09sp + 23.31sp + 24.54sp + 25.77sp + 26.99sp + 28.22sp + 29.45sp + 30.68sp + 31.9sp + 33.13sp + 34.36sp + 35.58sp + 36.81sp + 38.04sp + 39.26sp + 40.49sp + 41.72sp + 42.95sp + 44.17sp + 45.4sp + 46.63sp + 47.85sp + 49.08sp + 50.31sp + 51.53sp + 52.76sp + 53.99sp + 55.22sp + 56.44sp + 57.67sp + 58.9sp + 60.12sp + 61.35sp + 62.58sp + 63.8sp + 65.03sp + 66.26sp + 67.48sp + 68.71sp + 69.94sp + 71.17sp + 72.39sp + 73.62sp + 74.85sp + 76.07sp + 77.3sp + 78.53sp + 79.76sp + 80.98sp + 82.21sp + 83.44sp + 84.66sp + 85.89sp + 87.12sp + 88.34sp + 89.57sp + 90.8sp + 92.03sp + 93.25sp + 94.48sp + 95.71sp + 96.93sp + 98.16sp + 99.39sp + 100.61sp + 101.84sp + 103.07sp + 104.3sp + 105.52sp + 106.75sp + 107.98sp + 109.2sp + 110.43sp + 111.66sp + 112.88sp + 114.11sp + 115.34sp + 116.57sp + 117.79sp + 119.02sp + 120.25sp + 121.47sp + 122.7sp + 123.93sp + 125.15sp + 126.38sp + 127.61sp + 128.84sp + 130.06sp + 131.29sp + 132.52sp + 133.74sp + 134.97sp + 136.2sp + 137.42sp + 138.65sp + 139.88sp + 141.11sp + 142.33sp + 143.56sp + 144.79sp + 146.01sp + 147.24sp + 148.47sp + 149.69sp + 150.92sp + 152.15sp + 153.38sp + 154.6sp + 155.83sp + 157.06sp + 158.28sp + 159.51sp + 160.74sp + 161.96sp + 163.19sp + 164.42sp + 165.65sp + 166.87sp + 168.1sp + 169.33sp + 170.55sp + 171.78sp + 173.01sp + 174.23sp + 175.46sp + 176.69sp + 177.92sp + 179.14sp + 180.37sp + 181.6sp + 182.82sp + 184.05sp + 185.28sp + 186.5sp + 187.73sp + 188.96sp + 190.19sp + 191.41sp + 192.64sp + 193.87sp + 195.09sp + 196.32sp + 197.55sp + 198.77sp + 200.0sp + 201.23sp + 202.46sp + 203.68sp + 204.91sp + 206.14sp + 207.36sp + 208.59sp + 209.82sp + 211.04sp + 212.27sp + 213.5sp + 214.73sp + 215.95sp + 217.18sp + 218.41sp + 219.63sp + 220.86sp + 222.09sp + 223.31sp + 224.54sp + 225.77sp + 227.0sp + 228.22sp + 229.45sp + 230.68sp + 231.9sp + 233.13sp + 234.36sp + 235.58sp + 236.81sp + 238.04sp + 239.27sp + 240.49sp + 241.72sp + 242.95sp + 244.17sp + 245.4sp + diff --git a/app/src/main/res/values-sw480dp/dimens.xml b/app/src/main/res/values-sw480dp/dimens.xml new file mode 100644 index 0000000..609e576 --- /dev/null +++ b/app/src/main/res/values-sw480dp/dimens.xml @@ -0,0 +1,2365 @@ + + + + -1382.4dp + -1381.12dp + -1379.84dp + -1378.56dp + -1377.28dp + -1376.0dp + -1374.72dp + -1373.44dp + -1372.16dp + -1370.88dp + -1369.6dp + -1368.32dp + -1367.04dp + -1365.76dp + -1364.48dp + -1363.2dp + -1361.92dp + -1360.64dp + -1359.36dp + -1358.08dp + -1356.8dp + -1355.52dp + -1354.24dp + -1352.96dp + -1351.68dp + -1350.4dp + -1349.12dp + -1347.84dp + -1346.56dp + -1345.28dp + -1344.0dp + -1342.72dp + -1341.44dp + -1340.16dp + -1338.88dp + -1337.6dp + -1336.32dp + -1335.04dp + -1333.76dp + -1332.48dp + -1331.2dp + -1329.92dp + -1328.64dp + -1327.36dp + -1326.08dp + -1324.8dp + -1323.52dp + -1322.24dp + -1320.96dp + -1319.68dp + -1318.4dp + -1317.12dp + -1315.84dp + -1314.56dp + -1313.28dp + -1312.0dp + -1310.72dp + -1309.44dp + -1308.16dp + -1306.88dp + -1305.6dp + -1304.32dp + -1303.04dp + -1301.76dp + -1300.48dp + -1299.2dp + -1297.92dp + -1296.64dp + -1295.36dp + -1294.08dp + -1292.8dp + -1291.52dp + -1290.24dp + -1288.96dp + -1287.68dp + -1286.4dp + -1285.12dp + -1283.84dp + -1282.56dp + -1281.28dp + -1280.0dp + -1278.72dp + -1277.44dp + -1276.16dp + -1274.88dp + -1273.6dp + -1272.32dp + -1271.04dp + -1269.76dp + -1268.48dp + -1267.2dp + -1265.92dp + -1264.64dp + -1263.36dp + -1262.08dp + -1260.8dp + -1259.52dp + -1258.24dp + -1256.96dp + -1255.68dp + -1254.4dp + -1253.12dp + -1251.84dp + -1250.56dp + -1249.28dp + -1248.0dp + -1246.72dp + -1245.44dp + -1244.16dp + -1242.88dp + -1241.6dp + -1240.32dp + -1239.04dp + -1237.76dp + -1236.48dp + -1235.2dp + -1233.92dp + -1232.64dp + -1231.36dp + -1230.08dp + -1228.8dp + -1227.52dp + -1226.24dp + -1224.96dp + -1223.68dp + -1222.4dp + -1221.12dp + -1219.84dp + -1218.56dp + -1217.28dp + -1216.0dp + -1214.72dp + -1213.44dp + -1212.16dp + -1210.88dp + -1209.6dp + -1208.32dp + -1207.04dp + -1205.76dp + -1204.48dp + -1203.2dp + -1201.92dp + -1200.64dp + -1199.36dp + -1198.08dp + -1196.8dp + -1195.52dp + -1194.24dp + -1192.96dp + -1191.68dp + -1190.4dp + -1189.12dp + -1187.84dp + -1186.56dp + -1185.28dp + -1184.0dp + -1182.72dp + -1181.44dp + -1180.16dp + -1178.88dp + -1177.6dp + -1176.32dp + -1175.04dp + -1173.76dp + -1172.48dp + -1171.2dp + -1169.92dp + -1168.64dp + -1167.36dp + -1166.08dp + -1164.8dp + -1163.52dp + -1162.24dp + -1160.96dp + -1159.68dp + -1158.4dp + -1157.12dp + -1155.84dp + -1154.56dp + -1153.28dp + -1152.0dp + -1150.72dp + -1149.44dp + -1148.16dp + -1146.88dp + -1145.6dp + -1144.32dp + -1143.04dp + -1141.76dp + -1140.48dp + -1139.2dp + -1137.92dp + -1136.64dp + -1135.36dp + -1134.08dp + -1132.8dp + -1131.52dp + -1130.24dp + -1128.96dp + -1127.68dp + -1126.4dp + -1125.12dp + -1123.84dp + -1122.56dp + -1121.28dp + -1120.0dp + -1118.72dp + -1117.44dp + -1116.16dp + -1114.88dp + -1113.6dp + -1112.32dp + -1111.04dp + -1109.76dp + -1108.48dp + -1107.2dp + -1105.92dp + -1104.64dp + -1103.36dp + -1102.08dp + -1100.8dp + -1099.52dp + -1098.24dp + -1096.96dp + -1095.68dp + -1094.4dp + -1093.12dp + -1091.84dp + -1090.56dp + -1089.28dp + -1088.0dp + -1086.72dp + -1085.44dp + -1084.16dp + -1082.88dp + -1081.6dp + -1080.32dp + -1079.04dp + -1077.76dp + -1076.48dp + -1075.2dp + -1073.92dp + -1072.64dp + -1071.36dp + -1070.08dp + -1068.8dp + -1067.52dp + -1066.24dp + -1064.96dp + -1063.68dp + -1062.4dp + -1061.12dp + -1059.84dp + -1058.56dp + -1057.28dp + -1056.0dp + -1054.72dp + -1053.44dp + -1052.16dp + -1050.88dp + -1049.6dp + -1048.32dp + -1047.04dp + -1045.76dp + -1044.48dp + -1043.2dp + -1041.92dp + -1040.64dp + -1039.36dp + -1038.08dp + -1036.8dp + -1035.52dp + -1034.24dp + -1032.96dp + -1031.68dp + -1030.4dp + -1029.12dp + -1027.84dp + -1026.56dp + -1025.28dp + -1024.0dp + -1022.72dp + -1021.44dp + -1020.16dp + -1018.88dp + -1017.6dp + -1016.32dp + -1015.04dp + -1013.76dp + -1012.48dp + -1011.2dp + -1009.92dp + -1008.64dp + -1007.36dp + -1006.08dp + -1004.8dp + -1003.52dp + -1002.24dp + -1000.96dp + -999.68dp + -998.4dp + -997.12dp + -995.84dp + -994.56dp + -993.28dp + -992.0dp + -990.72dp + -989.44dp + -988.16dp + -986.88dp + -985.6dp + -984.32dp + -983.04dp + -981.76dp + -980.48dp + -979.2dp + -977.92dp + -976.64dp + -975.36dp + -974.08dp + -972.8dp + -971.52dp + -970.24dp + -968.96dp + -967.68dp + -966.4dp + -965.12dp + -963.84dp + -962.56dp + -961.28dp + -960.0dp + -958.72dp + -957.44dp + -956.16dp + -954.88dp + -953.6dp + -952.32dp + -951.04dp + -949.76dp + -948.48dp + -947.2dp + -945.92dp + -944.64dp + -943.36dp + -942.08dp + -940.8dp + -939.52dp + -938.24dp + -936.96dp + -935.68dp + -934.4dp + -933.12dp + -931.84dp + -930.56dp + -929.28dp + -928.0dp + -926.72dp + -925.44dp + -924.16dp + -922.88dp + -921.6dp + -920.32dp + -919.04dp + -917.76dp + -916.48dp + -915.2dp + -913.92dp + -912.64dp + -911.36dp + -910.08dp + -908.8dp + -907.52dp + -906.24dp + -904.96dp + -903.68dp + -902.4dp + -901.12dp + -899.84dp + -898.56dp + -897.28dp + -896.0dp + -894.72dp + -893.44dp + -892.16dp + -890.88dp + -889.6dp + -888.32dp + -887.04dp + -885.76dp + -884.48dp + -883.2dp + -881.92dp + -880.64dp + -879.36dp + -878.08dp + -876.8dp + -875.52dp + -874.24dp + -872.96dp + -871.68dp + -870.4dp + -869.12dp + -867.84dp + -866.56dp + -865.28dp + -864.0dp + -862.72dp + -861.44dp + -860.16dp + -858.88dp + -857.6dp + -856.32dp + -855.04dp + -853.76dp + -852.48dp + -851.2dp + -849.92dp + -848.64dp + -847.36dp + -846.08dp + -844.8dp + -843.52dp + -842.24dp + -840.96dp + -839.68dp + -838.4dp + -837.12dp + -835.84dp + -834.56dp + -833.28dp + -832.0dp + -830.72dp + -829.44dp + -828.16dp + -826.88dp + -825.6dp + -824.32dp + -823.04dp + -821.76dp + -820.48dp + -819.2dp + -817.92dp + -816.64dp + -815.36dp + -814.08dp + -812.8dp + -811.52dp + -810.24dp + -808.96dp + -807.68dp + -806.4dp + -805.12dp + -803.84dp + -802.56dp + -801.28dp + -800.0dp + -798.72dp + -797.44dp + -796.16dp + -794.88dp + -793.6dp + -792.32dp + -791.04dp + -789.76dp + -788.48dp + -787.2dp + -785.92dp + -784.64dp + -783.36dp + -782.08dp + -780.8dp + -779.52dp + -778.24dp + -776.96dp + -775.68dp + -774.4dp + -773.12dp + -771.84dp + -770.56dp + -769.28dp + -768.0dp + -766.72dp + -765.44dp + -764.16dp + -762.88dp + -761.6dp + -760.32dp + -759.04dp + -757.76dp + -756.48dp + -755.2dp + -753.92dp + -752.64dp + -751.36dp + -750.08dp + -748.8dp + -747.52dp + -746.24dp + -744.96dp + -743.68dp + -742.4dp + -741.12dp + -739.84dp + -738.56dp + -737.28dp + -736.0dp + -734.72dp + -733.44dp + -732.16dp + -730.88dp + -729.6dp + -728.32dp + -727.04dp + -725.76dp + -724.48dp + -723.2dp + -721.92dp + -720.64dp + -719.36dp + -718.08dp + -716.8dp + -715.52dp + -714.24dp + -712.96dp + -711.68dp + -710.4dp + -709.12dp + -707.84dp + -706.56dp + -705.28dp + -704.0dp + -702.72dp + -701.44dp + -700.16dp + -698.88dp + -697.6dp + -696.32dp + -695.04dp + -693.76dp + -692.48dp + -691.2dp + -689.92dp + -688.64dp + -687.36dp + -686.08dp + -684.8dp + -683.52dp + -682.24dp + -680.96dp + -679.68dp + -678.4dp + -677.12dp + -675.84dp + -674.56dp + -673.28dp + -672.0dp + -670.72dp + -669.44dp + -668.16dp + -666.88dp + -665.6dp + -664.32dp + -663.04dp + -661.76dp + -660.48dp + -659.2dp + -657.92dp + -656.64dp + -655.36dp + -654.08dp + -652.8dp + -651.52dp + -650.24dp + -648.96dp + -647.68dp + -646.4dp + -645.12dp + -643.84dp + -642.56dp + -641.28dp + -640.0dp + -638.72dp + -637.44dp + -636.16dp + -634.88dp + -633.6dp + -632.32dp + -631.04dp + -629.76dp + -628.48dp + -627.2dp + -625.92dp + -624.64dp + -623.36dp + -622.08dp + -620.8dp + -619.52dp + -618.24dp + -616.96dp + -615.68dp + -614.4dp + -613.12dp + -611.84dp + -610.56dp + -609.28dp + -608.0dp + -606.72dp + -605.44dp + -604.16dp + -602.88dp + -601.6dp + -600.32dp + -599.04dp + -597.76dp + -596.48dp + -595.2dp + -593.92dp + -592.64dp + -591.36dp + -590.08dp + -588.8dp + -587.52dp + -586.24dp + -584.96dp + -583.68dp + -582.4dp + -581.12dp + -579.84dp + -578.56dp + -577.28dp + -576.0dp + -574.72dp + -573.44dp + -572.16dp + -570.88dp + -569.6dp + -568.32dp + -567.04dp + -565.76dp + -564.48dp + -563.2dp + -561.92dp + -560.64dp + -559.36dp + -558.08dp + -556.8dp + -555.52dp + -554.24dp + -552.96dp + -551.68dp + -550.4dp + -549.12dp + -547.84dp + -546.56dp + -545.28dp + -544.0dp + -542.72dp + -541.44dp + -540.16dp + -538.88dp + -537.6dp + -536.32dp + -535.04dp + -533.76dp + -532.48dp + -531.2dp + -529.92dp + -528.64dp + -527.36dp + -526.08dp + -524.8dp + -523.52dp + -522.24dp + -520.96dp + -519.68dp + -518.4dp + -517.12dp + -515.84dp + -514.56dp + -513.28dp + -512.0dp + -510.72dp + -509.44dp + -508.16dp + -506.88dp + -505.6dp + -504.32dp + -503.04dp + -501.76dp + -500.48dp + -499.2dp + -497.92dp + -496.64dp + -495.36dp + -494.08dp + -492.8dp + -491.52dp + -490.24dp + -488.96dp + -487.68dp + -486.4dp + -485.12dp + -483.84dp + -482.56dp + -481.28dp + -480.0dp + -478.72dp + -477.44dp + -476.16dp + -474.88dp + -473.6dp + -472.32dp + -471.04dp + -469.76dp + -468.48dp + -467.2dp + -465.92dp + -464.64dp + -463.36dp + -462.08dp + -460.8dp + -459.52dp + -458.24dp + -456.96dp + -455.68dp + -454.4dp + -453.12dp + -451.84dp + -450.56dp + -449.28dp + -448.0dp + -446.72dp + -445.44dp + -444.16dp + -442.88dp + -441.6dp + -440.32dp + -439.04dp + -437.76dp + -436.48dp + -435.2dp + -433.92dp + -432.64dp + -431.36dp + -430.08dp + -428.8dp + -427.52dp + -426.24dp + -424.96dp + -423.68dp + -422.4dp + -421.12dp + -419.84dp + -418.56dp + -417.28dp + -416.0dp + -414.72dp + -413.44dp + -412.16dp + -410.88dp + -409.6dp + -408.32dp + -407.04dp + -405.76dp + -404.48dp + -403.2dp + -401.92dp + -400.64dp + -399.36dp + -398.08dp + -396.8dp + -395.52dp + -394.24dp + -392.96dp + -391.68dp + -390.4dp + -389.12dp + -387.84dp + -386.56dp + -385.28dp + -384.0dp + -382.72dp + -381.44dp + -380.16dp + -378.88dp + -377.6dp + -376.32dp + -375.04dp + -373.76dp + -372.48dp + -371.2dp + -369.92dp + -368.64dp + -367.36dp + -366.08dp + -364.8dp + -363.52dp + -362.24dp + -360.96dp + -359.68dp + -358.4dp + -357.12dp + -355.84dp + -354.56dp + -353.28dp + -352.0dp + -350.72dp + -349.44dp + -348.16dp + -346.88dp + -345.6dp + -344.32dp + -343.04dp + -341.76dp + -340.48dp + -339.2dp + -337.92dp + -336.64dp + -335.36dp + -334.08dp + -332.8dp + -331.52dp + -330.24dp + -328.96dp + -327.68dp + -326.4dp + -325.12dp + -323.84dp + -322.56dp + -321.28dp + -320.0dp + -318.72dp + -317.44dp + -316.16dp + -314.88dp + -313.6dp + -312.32dp + -311.04dp + -309.76dp + -308.48dp + -307.2dp + -305.92dp + -304.64dp + -303.36dp + -302.08dp + -300.8dp + -299.52dp + -298.24dp + -296.96dp + -295.68dp + -294.4dp + -293.12dp + -291.84dp + -290.56dp + -289.28dp + -288.0dp + -286.72dp + -285.44dp + -284.16dp + -282.88dp + -281.6dp + -280.32dp + -279.04dp + -277.76dp + -276.48dp + -275.2dp + -273.92dp + -272.64dp + -271.36dp + -270.08dp + -268.8dp + -267.52dp + -266.24dp + -264.96dp + -263.68dp + -262.4dp + -261.12dp + -259.84dp + -258.56dp + -257.28dp + -256.0dp + -254.72dp + -253.44dp + -252.16dp + -250.88dp + -249.6dp + -248.32dp + -247.04dp + -245.76dp + -244.48dp + -243.2dp + -241.92dp + -240.64dp + -239.36dp + -238.08dp + -236.8dp + -235.52dp + -234.24dp + -232.96dp + -231.68dp + -230.4dp + -229.12dp + -227.84dp + -226.56dp + -225.28dp + -224.0dp + -222.72dp + -221.44dp + -220.16dp + -218.88dp + -217.6dp + -216.32dp + -215.04dp + -213.76dp + -212.48dp + -211.2dp + -209.92dp + -208.64dp + -207.36dp + -206.08dp + -204.8dp + -203.52dp + -202.24dp + -200.96dp + -199.68dp + -198.4dp + -197.12dp + -195.84dp + -194.56dp + -193.28dp + -192.0dp + -190.72dp + -189.44dp + -188.16dp + -186.88dp + -185.6dp + -184.32dp + -183.04dp + -181.76dp + -180.48dp + -179.2dp + -177.92dp + -176.64dp + -175.36dp + -174.08dp + -172.8dp + -171.52dp + -170.24dp + -168.96dp + -167.68dp + -166.4dp + -165.12dp + -163.84dp + -162.56dp + -161.28dp + -160.0dp + -158.72dp + -157.44dp + -156.16dp + -154.88dp + -153.6dp + -152.32dp + -151.04dp + -149.76dp + -148.48dp + -147.2dp + -145.92dp + -144.64dp + -143.36dp + -142.08dp + -140.8dp + -139.52dp + -138.24dp + -136.96dp + -135.68dp + -134.4dp + -133.12dp + -131.84dp + -130.56dp + -129.28dp + -128.0dp + -126.72dp + -125.44dp + -124.16dp + -122.88dp + -121.6dp + -120.32dp + -119.04dp + -117.76dp + -116.48dp + -115.2dp + -113.92dp + -112.64dp + -111.36dp + -110.08dp + -108.8dp + -107.52dp + -106.24dp + -104.96dp + -103.68dp + -102.4dp + -101.12dp + -99.84dp + -98.56dp + -97.28dp + -96.0dp + -94.72dp + -93.44dp + -92.16dp + -90.88dp + -89.6dp + -88.32dp + -87.04dp + -85.76dp + -84.48dp + -83.2dp + -81.92dp + -80.64dp + -79.36dp + -78.08dp + -76.8dp + -75.52dp + -74.24dp + -72.96dp + -71.68dp + -70.4dp + -69.12dp + -67.84dp + -66.56dp + -65.28dp + -64.0dp + -62.72dp + -61.44dp + -60.16dp + -58.88dp + -57.6dp + -56.32dp + -55.04dp + -53.76dp + -52.48dp + -51.2dp + -49.92dp + -48.64dp + -47.36dp + -46.08dp + -44.8dp + -43.52dp + -42.24dp + -40.96dp + -39.68dp + -38.4dp + -37.12dp + -35.84dp + -34.56dp + -33.28dp + -32.0dp + -30.72dp + -29.44dp + -28.16dp + -26.88dp + -25.6dp + -24.32dp + -23.04dp + -21.76dp + -20.48dp + -19.2dp + -17.92dp + -16.64dp + -15.36dp + -14.08dp + -12.8dp + -11.52dp + -10.24dp + -8.96dp + -7.68dp + -6.4dp + -5.12dp + -3.84dp + -2.56dp + -1.28dp + 0.0dp + 1.28dp + 2.56dp + 3.84dp + 5.12dp + 6.4dp + 7.68dp + 8.96dp + 10.24dp + 11.52dp + 12.8dp + 14.08dp + 15.36dp + 16.64dp + 17.92dp + 19.2dp + 20.48dp + 21.76dp + 23.04dp + 24.32dp + 25.6dp + 26.88dp + 28.16dp + 29.44dp + 30.72dp + 32.0dp + 33.28dp + 34.56dp + 35.84dp + 37.12dp + 38.4dp + 39.68dp + 40.96dp + 42.24dp + 43.52dp + 44.8dp + 46.08dp + 47.36dp + 48.64dp + 49.92dp + 51.2dp + 52.48dp + 53.76dp + 55.04dp + 56.32dp + 57.6dp + 58.88dp + 60.16dp + 61.44dp + 62.72dp + 64.0dp + 65.28dp + 66.56dp + 67.84dp + 69.12dp + 70.4dp + 71.68dp + 72.96dp + 74.24dp + 75.52dp + 76.8dp + 78.08dp + 79.36dp + 80.64dp + 81.92dp + 83.2dp + 84.48dp + 85.76dp + 87.04dp + 88.32dp + 89.6dp + 90.88dp + 92.16dp + 93.44dp + 94.72dp + 96.0dp + 97.28dp + 98.56dp + 99.84dp + 101.12dp + 102.4dp + 103.68dp + 104.96dp + 106.24dp + 107.52dp + 108.8dp + 110.08dp + 111.36dp + 112.64dp + 113.92dp + 115.2dp + 116.48dp + 117.76dp + 119.04dp + 120.32dp + 121.6dp + 122.88dp + 124.16dp + 125.44dp + 126.72dp + 128.0dp + 129.28dp + 130.56dp + 131.84dp + 133.12dp + 134.4dp + 135.68dp + 136.96dp + 138.24dp + 139.52dp + 140.8dp + 142.08dp + 143.36dp + 144.64dp + 145.92dp + 147.2dp + 148.48dp + 149.76dp + 151.04dp + 152.32dp + 153.6dp + 154.88dp + 156.16dp + 157.44dp + 158.72dp + 160.0dp + 161.28dp + 162.56dp + 163.84dp + 165.12dp + 166.4dp + 167.68dp + 168.96dp + 170.24dp + 171.52dp + 172.8dp + 174.08dp + 175.36dp + 176.64dp + 177.92dp + 179.2dp + 180.48dp + 181.76dp + 183.04dp + 184.32dp + 185.6dp + 186.88dp + 188.16dp + 189.44dp + 190.72dp + 192.0dp + 193.28dp + 194.56dp + 195.84dp + 197.12dp + 198.4dp + 199.68dp + 200.96dp + 202.24dp + 203.52dp + 204.8dp + 206.08dp + 207.36dp + 208.64dp + 209.92dp + 211.2dp + 212.48dp + 213.76dp + 215.04dp + 216.32dp + 217.6dp + 218.88dp + 220.16dp + 221.44dp + 222.72dp + 224.0dp + 225.28dp + 226.56dp + 227.84dp + 229.12dp + 230.4dp + 231.68dp + 232.96dp + 234.24dp + 235.52dp + 236.8dp + 238.08dp + 239.36dp + 240.64dp + 241.92dp + 243.2dp + 244.48dp + 245.76dp + 247.04dp + 248.32dp + 249.6dp + 250.88dp + 252.16dp + 253.44dp + 254.72dp + 256.0dp + 257.28dp + 258.56dp + 259.84dp + 261.12dp + 262.4dp + 263.68dp + 264.96dp + 266.24dp + 267.52dp + 268.8dp + 270.08dp + 271.36dp + 272.64dp + 273.92dp + 275.2dp + 276.48dp + 277.76dp + 279.04dp + 280.32dp + 281.6dp + 282.88dp + 284.16dp + 285.44dp + 286.72dp + 288.0dp + 289.28dp + 290.56dp + 291.84dp + 293.12dp + 294.4dp + 295.68dp + 296.96dp + 298.24dp + 299.52dp + 300.8dp + 302.08dp + 303.36dp + 304.64dp + 305.92dp + 307.2dp + 308.48dp + 309.76dp + 311.04dp + 312.32dp + 313.6dp + 314.88dp + 316.16dp + 317.44dp + 318.72dp + 320.0dp + 321.28dp + 322.56dp + 323.84dp + 325.12dp + 326.4dp + 327.68dp + 328.96dp + 330.24dp + 331.52dp + 332.8dp + 334.08dp + 335.36dp + 336.64dp + 337.92dp + 339.2dp + 340.48dp + 341.76dp + 343.04dp + 344.32dp + 345.6dp + 346.88dp + 348.16dp + 349.44dp + 350.72dp + 352.0dp + 353.28dp + 354.56dp + 355.84dp + 357.12dp + 358.4dp + 359.68dp + 360.96dp + 362.24dp + 363.52dp + 364.8dp + 366.08dp + 367.36dp + 368.64dp + 369.92dp + 371.2dp + 372.48dp + 373.76dp + 375.04dp + 376.32dp + 377.6dp + 378.88dp + 380.16dp + 381.44dp + 382.72dp + 384.0dp + 385.28dp + 386.56dp + 387.84dp + 389.12dp + 390.4dp + 391.68dp + 392.96dp + 394.24dp + 395.52dp + 396.8dp + 398.08dp + 399.36dp + 400.64dp + 401.92dp + 403.2dp + 404.48dp + 405.76dp + 407.04dp + 408.32dp + 409.6dp + 410.88dp + 412.16dp + 413.44dp + 414.72dp + 416.0dp + 417.28dp + 418.56dp + 419.84dp + 421.12dp + 422.4dp + 423.68dp + 424.96dp + 426.24dp + 427.52dp + 428.8dp + 430.08dp + 431.36dp + 432.64dp + 433.92dp + 435.2dp + 436.48dp + 437.76dp + 439.04dp + 440.32dp + 441.6dp + 442.88dp + 444.16dp + 445.44dp + 446.72dp + 448.0dp + 449.28dp + 450.56dp + 451.84dp + 453.12dp + 454.4dp + 455.68dp + 456.96dp + 458.24dp + 459.52dp + 460.8dp + 462.08dp + 463.36dp + 464.64dp + 465.92dp + 467.2dp + 468.48dp + 469.76dp + 471.04dp + 472.32dp + 473.6dp + 474.88dp + 476.16dp + 477.44dp + 478.72dp + 480.0dp + 481.28dp + 482.56dp + 483.84dp + 485.12dp + 486.4dp + 487.68dp + 488.96dp + 490.24dp + 491.52dp + 492.8dp + 494.08dp + 495.36dp + 496.64dp + 497.92dp + 499.2dp + 500.48dp + 501.76dp + 503.04dp + 504.32dp + 505.6dp + 506.88dp + 508.16dp + 509.44dp + 510.72dp + 512.0dp + 513.28dp + 514.56dp + 515.84dp + 517.12dp + 518.4dp + 519.68dp + 520.96dp + 522.24dp + 523.52dp + 524.8dp + 526.08dp + 527.36dp + 528.64dp + 529.92dp + 531.2dp + 532.48dp + 533.76dp + 535.04dp + 536.32dp + 537.6dp + 538.88dp + 540.16dp + 541.44dp + 542.72dp + 544.0dp + 545.28dp + 546.56dp + 547.84dp + 549.12dp + 550.4dp + 551.68dp + 552.96dp + 554.24dp + 555.52dp + 556.8dp + 558.08dp + 559.36dp + 560.64dp + 561.92dp + 563.2dp + 564.48dp + 565.76dp + 567.04dp + 568.32dp + 569.6dp + 570.88dp + 572.16dp + 573.44dp + 574.72dp + 576.0dp + 577.28dp + 578.56dp + 579.84dp + 581.12dp + 582.4dp + 583.68dp + 584.96dp + 586.24dp + 587.52dp + 588.8dp + 590.08dp + 591.36dp + 592.64dp + 593.92dp + 595.2dp + 596.48dp + 597.76dp + 599.04dp + 600.32dp + 601.6dp + 602.88dp + 604.16dp + 605.44dp + 606.72dp + 608.0dp + 609.28dp + 610.56dp + 611.84dp + 613.12dp + 614.4dp + 615.68dp + 616.96dp + 618.24dp + 619.52dp + 620.8dp + 622.08dp + 623.36dp + 624.64dp + 625.92dp + 627.2dp + 628.48dp + 629.76dp + 631.04dp + 632.32dp + 633.6dp + 634.88dp + 636.16dp + 637.44dp + 638.72dp + 640.0dp + 641.28dp + 642.56dp + 643.84dp + 645.12dp + 646.4dp + 647.68dp + 648.96dp + 650.24dp + 651.52dp + 652.8dp + 654.08dp + 655.36dp + 656.64dp + 657.92dp + 659.2dp + 660.48dp + 661.76dp + 663.04dp + 664.32dp + 665.6dp + 666.88dp + 668.16dp + 669.44dp + 670.72dp + 672.0dp + 673.28dp + 674.56dp + 675.84dp + 677.12dp + 678.4dp + 679.68dp + 680.96dp + 682.24dp + 683.52dp + 684.8dp + 686.08dp + 687.36dp + 688.64dp + 689.92dp + 691.2dp + 692.48dp + 693.76dp + 695.04dp + 696.32dp + 697.6dp + 698.88dp + 700.16dp + 701.44dp + 702.72dp + 704.0dp + 705.28dp + 706.56dp + 707.84dp + 709.12dp + 710.4dp + 711.68dp + 712.96dp + 714.24dp + 715.52dp + 716.8dp + 718.08dp + 719.36dp + 720.64dp + 721.92dp + 723.2dp + 724.48dp + 725.76dp + 727.04dp + 728.32dp + 729.6dp + 730.88dp + 732.16dp + 733.44dp + 734.72dp + 736.0dp + 737.28dp + 738.56dp + 739.84dp + 741.12dp + 742.4dp + 743.68dp + 744.96dp + 746.24dp + 747.52dp + 748.8dp + 750.08dp + 751.36dp + 752.64dp + 753.92dp + 755.2dp + 756.48dp + 757.76dp + 759.04dp + 760.32dp + 761.6dp + 762.88dp + 764.16dp + 765.44dp + 766.72dp + 768.0dp + 769.28dp + 770.56dp + 771.84dp + 773.12dp + 774.4dp + 775.68dp + 776.96dp + 778.24dp + 779.52dp + 780.8dp + 782.08dp + 783.36dp + 784.64dp + 785.92dp + 787.2dp + 788.48dp + 789.76dp + 791.04dp + 792.32dp + 793.6dp + 794.88dp + 796.16dp + 797.44dp + 798.72dp + 800.0dp + 801.28dp + 802.56dp + 803.84dp + 805.12dp + 806.4dp + 807.68dp + 808.96dp + 810.24dp + 811.52dp + 812.8dp + 814.08dp + 815.36dp + 816.64dp + 817.92dp + 819.2dp + 820.48dp + 821.76dp + 823.04dp + 824.32dp + 825.6dp + 826.88dp + 828.16dp + 829.44dp + 830.72dp + 832.0dp + 833.28dp + 834.56dp + 835.84dp + 837.12dp + 838.4dp + 839.68dp + 840.96dp + 842.24dp + 843.52dp + 844.8dp + 846.08dp + 847.36dp + 848.64dp + 849.92dp + 851.2dp + 852.48dp + 853.76dp + 855.04dp + 856.32dp + 857.6dp + 858.88dp + 860.16dp + 861.44dp + 862.72dp + 864.0dp + 865.28dp + 866.56dp + 867.84dp + 869.12dp + 870.4dp + 871.68dp + 872.96dp + 874.24dp + 875.52dp + 876.8dp + 878.08dp + 879.36dp + 880.64dp + 881.92dp + 883.2dp + 884.48dp + 885.76dp + 887.04dp + 888.32dp + 889.6dp + 890.88dp + 892.16dp + 893.44dp + 894.72dp + 896.0dp + 897.28dp + 898.56dp + 899.84dp + 901.12dp + 902.4dp + 903.68dp + 904.96dp + 906.24dp + 907.52dp + 908.8dp + 910.08dp + 911.36dp + 912.64dp + 913.92dp + 915.2dp + 916.48dp + 917.76dp + 919.04dp + 920.32dp + 921.6dp + 922.88dp + 924.16dp + 925.44dp + 926.72dp + 928.0dp + 929.28dp + 930.56dp + 931.84dp + 933.12dp + 934.4dp + 935.68dp + 936.96dp + 938.24dp + 939.52dp + 940.8dp + 942.08dp + 943.36dp + 944.64dp + 945.92dp + 947.2dp + 948.48dp + 949.76dp + 951.04dp + 952.32dp + 953.6dp + 954.88dp + 956.16dp + 957.44dp + 958.72dp + 960.0dp + 961.28dp + 962.56dp + 963.84dp + 965.12dp + 966.4dp + 967.68dp + 968.96dp + 970.24dp + 971.52dp + 972.8dp + 974.08dp + 975.36dp + 976.64dp + 977.92dp + 979.2dp + 980.48dp + 981.76dp + 983.04dp + 984.32dp + 985.6dp + 986.88dp + 988.16dp + 989.44dp + 990.72dp + 992.0dp + 993.28dp + 994.56dp + 995.84dp + 997.12dp + 998.4dp + 999.68dp + 1000.96dp + 1002.24dp + 1003.52dp + 1004.8dp + 1006.08dp + 1007.36dp + 1008.64dp + 1009.92dp + 1011.2dp + 1012.48dp + 1013.76dp + 1015.04dp + 1016.32dp + 1017.6dp + 1018.88dp + 1020.16dp + 1021.44dp + 1022.72dp + 1024.0dp + 1025.28dp + 1026.56dp + 1027.84dp + 1029.12dp + 1030.4dp + 1031.68dp + 1032.96dp + 1034.24dp + 1035.52dp + 1036.8dp + 1038.08dp + 1039.36dp + 1040.64dp + 1041.92dp + 1043.2dp + 1044.48dp + 1045.76dp + 1047.04dp + 1048.32dp + 1049.6dp + 1050.88dp + 1052.16dp + 1053.44dp + 1054.72dp + 1056.0dp + 1057.28dp + 1058.56dp + 1059.84dp + 1061.12dp + 1062.4dp + 1063.68dp + 1064.96dp + 1066.24dp + 1067.52dp + 1068.8dp + 1070.08dp + 1071.36dp + 1072.64dp + 1073.92dp + 1075.2dp + 1076.48dp + 1077.76dp + 1079.04dp + 1080.32dp + 1081.6dp + 1082.88dp + 1084.16dp + 1085.44dp + 1086.72dp + 1088.0dp + 1089.28dp + 1090.56dp + 1091.84dp + 1093.12dp + 1094.4dp + 1095.68dp + 1096.96dp + 1098.24dp + 1099.52dp + 1100.8dp + 1102.08dp + 1103.36dp + 1104.64dp + 1105.92dp + 1107.2dp + 1108.48dp + 1109.76dp + 1111.04dp + 1112.32dp + 1113.6dp + 1114.88dp + 1116.16dp + 1117.44dp + 1118.72dp + 1120.0dp + 1121.28dp + 1122.56dp + 1123.84dp + 1125.12dp + 1126.4dp + 1127.68dp + 1128.96dp + 1130.24dp + 1131.52dp + 1132.8dp + 1134.08dp + 1135.36dp + 1136.64dp + 1137.92dp + 1139.2dp + 1140.48dp + 1141.76dp + 1143.04dp + 1144.32dp + 1145.6dp + 1146.88dp + 1148.16dp + 1149.44dp + 1150.72dp + 1152.0dp + 1153.28dp + 1154.56dp + 1155.84dp + 1157.12dp + 1158.4dp + 1159.68dp + 1160.96dp + 1162.24dp + 1163.52dp + 1164.8dp + 1166.08dp + 1167.36dp + 1168.64dp + 1169.92dp + 1171.2dp + 1172.48dp + 1173.76dp + 1175.04dp + 1176.32dp + 1177.6dp + 1178.88dp + 1180.16dp + 1181.44dp + 1182.72dp + 1184.0dp + 1185.28dp + 1186.56dp + 1187.84dp + 1189.12dp + 1190.4dp + 1191.68dp + 1192.96dp + 1194.24dp + 1195.52dp + 1196.8dp + 1198.08dp + 1199.36dp + 1200.64dp + 1201.92dp + 1203.2dp + 1204.48dp + 1205.76dp + 1207.04dp + 1208.32dp + 1209.6dp + 1210.88dp + 1212.16dp + 1213.44dp + 1214.72dp + 1216.0dp + 1217.28dp + 1218.56dp + 1219.84dp + 1221.12dp + 1222.4dp + 1223.68dp + 1224.96dp + 1226.24dp + 1227.52dp + 1228.8dp + 1230.08dp + 1231.36dp + 1232.64dp + 1233.92dp + 1235.2dp + 1236.48dp + 1237.76dp + 1239.04dp + 1240.32dp + 1241.6dp + 1242.88dp + 1244.16dp + 1245.44dp + 1246.72dp + 1248.0dp + 1249.28dp + 1250.56dp + 1251.84dp + 1253.12dp + 1254.4dp + 1255.68dp + 1256.96dp + 1258.24dp + 1259.52dp + 1260.8dp + 1262.08dp + 1263.36dp + 1264.64dp + 1265.92dp + 1267.2dp + 1268.48dp + 1269.76dp + 1271.04dp + 1272.32dp + 1273.6dp + 1274.88dp + 1276.16dp + 1277.44dp + 1278.72dp + 1280.0dp + 1281.28dp + 1282.56dp + 1283.84dp + 1285.12dp + 1286.4dp + 1287.68dp + 1288.96dp + 1290.24dp + 1291.52dp + 1292.8dp + 1294.08dp + 1295.36dp + 1296.64dp + 1297.92dp + 1299.2dp + 1300.48dp + 1301.76dp + 1303.04dp + 1304.32dp + 1305.6dp + 1306.88dp + 1308.16dp + 1309.44dp + 1310.72dp + 1312.0dp + 1313.28dp + 1314.56dp + 1315.84dp + 1317.12dp + 1318.4dp + 1319.68dp + 1320.96dp + 1322.24dp + 1323.52dp + 1324.8dp + 1326.08dp + 1327.36dp + 1328.64dp + 1329.92dp + 1331.2dp + 1332.48dp + 1333.76dp + 1335.04dp + 1336.32dp + 1337.6dp + 1338.88dp + 1340.16dp + 1341.44dp + 1342.72dp + 1344.0dp + 1345.28dp + 1346.56dp + 1347.84dp + 1349.12dp + 1350.4dp + 1351.68dp + 1352.96dp + 1354.24dp + 1355.52dp + 1356.8dp + 1358.08dp + 1359.36dp + 1360.64dp + 1361.92dp + 1363.2dp + 1364.48dp + 1365.76dp + 1367.04dp + 1368.32dp + 1369.6dp + 1370.88dp + 1372.16dp + 1373.44dp + 1374.72dp + 1376.0dp + 1377.28dp + 1378.56dp + 1379.84dp + 1381.12dp + 1382.4dp + 1.28sp + 2.56sp + 3.84sp + 5.12sp + 6.4sp + 7.68sp + 8.96sp + 10.24sp + 11.52sp + 12.8sp + 14.08sp + 15.36sp + 16.64sp + 17.92sp + 19.2sp + 20.48sp + 21.76sp + 23.04sp + 24.32sp + 25.6sp + 26.88sp + 28.16sp + 29.44sp + 30.72sp + 32.0sp + 33.28sp + 34.56sp + 35.84sp + 37.12sp + 38.4sp + 39.68sp + 40.96sp + 42.24sp + 43.52sp + 44.8sp + 46.08sp + 47.36sp + 48.64sp + 49.92sp + 51.2sp + 52.48sp + 53.76sp + 55.04sp + 56.32sp + 57.6sp + 58.88sp + 60.16sp + 61.44sp + 62.72sp + 64.0sp + 65.28sp + 66.56sp + 67.84sp + 69.12sp + 70.4sp + 71.68sp + 72.96sp + 74.24sp + 75.52sp + 76.8sp + 78.08sp + 79.36sp + 80.64sp + 81.92sp + 83.2sp + 84.48sp + 85.76sp + 87.04sp + 88.32sp + 89.6sp + 90.88sp + 92.16sp + 93.44sp + 94.72sp + 96.0sp + 97.28sp + 98.56sp + 99.84sp + 101.12sp + 102.4sp + 103.68sp + 104.96sp + 106.24sp + 107.52sp + 108.8sp + 110.08sp + 111.36sp + 112.64sp + 113.92sp + 115.2sp + 116.48sp + 117.76sp + 119.04sp + 120.32sp + 121.6sp + 122.88sp + 124.16sp + 125.44sp + 126.72sp + 128.0sp + 129.28sp + 130.56sp + 131.84sp + 133.12sp + 134.4sp + 135.68sp + 136.96sp + 138.24sp + 139.52sp + 140.8sp + 142.08sp + 143.36sp + 144.64sp + 145.92sp + 147.2sp + 148.48sp + 149.76sp + 151.04sp + 152.32sp + 153.6sp + 154.88sp + 156.16sp + 157.44sp + 158.72sp + 160.0sp + 161.28sp + 162.56sp + 163.84sp + 165.12sp + 166.4sp + 167.68sp + 168.96sp + 170.24sp + 171.52sp + 172.8sp + 174.08sp + 175.36sp + 176.64sp + 177.92sp + 179.2sp + 180.48sp + 181.76sp + 183.04sp + 184.32sp + 185.6sp + 186.88sp + 188.16sp + 189.44sp + 190.72sp + 192.0sp + 193.28sp + 194.56sp + 195.84sp + 197.12sp + 198.4sp + 199.68sp + 200.96sp + 202.24sp + 203.52sp + 204.8sp + 206.08sp + 207.36sp + 208.64sp + 209.92sp + 211.2sp + 212.48sp + 213.76sp + 215.04sp + 216.32sp + 217.6sp + 218.88sp + 220.16sp + 221.44sp + 222.72sp + 224.0sp + 225.28sp + 226.56sp + 227.84sp + 229.12sp + 230.4sp + 231.68sp + 232.96sp + 234.24sp + 235.52sp + 236.8sp + 238.08sp + 239.36sp + 240.64sp + 241.92sp + 243.2sp + 244.48sp + 245.76sp + 247.04sp + 248.32sp + 249.6sp + 250.88sp + 252.16sp + 253.44sp + 254.72sp + 256.0sp + diff --git a/app/src/main/res/values-sw500dp/dimens.xml b/app/src/main/res/values-sw500dp/dimens.xml new file mode 100644 index 0000000..0fd7e95 --- /dev/null +++ b/app/src/main/res/values-sw500dp/dimens.xml @@ -0,0 +1,2365 @@ + + + + -1439.64dp + -1438.31dp + -1436.97dp + -1435.64dp + -1434.31dp + -1432.97dp + -1431.64dp + -1430.31dp + -1428.98dp + -1427.64dp + -1426.31dp + -1424.98dp + -1423.64dp + -1422.31dp + -1420.98dp + -1419.64dp + -1418.31dp + -1416.98dp + -1415.65dp + -1414.31dp + -1412.98dp + -1411.65dp + -1410.31dp + -1408.98dp + -1407.65dp + -1406.32dp + -1404.98dp + -1403.65dp + -1402.32dp + -1400.98dp + -1399.65dp + -1398.32dp + -1396.98dp + -1395.65dp + -1394.32dp + -1392.98dp + -1391.65dp + -1390.32dp + -1388.99dp + -1387.65dp + -1386.32dp + -1384.99dp + -1383.65dp + -1382.32dp + -1380.99dp + -1379.65dp + -1378.32dp + -1376.99dp + -1375.66dp + -1374.32dp + -1372.99dp + -1371.66dp + -1370.32dp + -1368.99dp + -1367.66dp + -1366.33dp + -1364.99dp + -1363.66dp + -1362.33dp + -1360.99dp + -1359.66dp + -1358.33dp + -1356.99dp + -1355.66dp + -1354.33dp + -1352.99dp + -1351.66dp + -1350.33dp + -1349.0dp + -1347.66dp + -1346.33dp + -1345.0dp + -1343.66dp + -1342.33dp + -1341.0dp + -1339.66dp + -1338.33dp + -1337.0dp + -1335.67dp + -1334.33dp + -1333.0dp + -1331.67dp + -1330.33dp + -1329.0dp + -1327.67dp + -1326.34dp + -1325.0dp + -1323.67dp + -1322.34dp + -1321.0dp + -1319.67dp + -1318.34dp + -1317.0dp + -1315.67dp + -1314.34dp + -1313.0dp + -1311.67dp + -1310.34dp + -1309.01dp + -1307.67dp + -1306.34dp + -1305.01dp + -1303.67dp + -1302.34dp + -1301.01dp + -1299.67dp + -1298.34dp + -1297.01dp + -1295.68dp + -1294.34dp + -1293.01dp + -1291.68dp + -1290.34dp + -1289.01dp + -1287.68dp + -1286.35dp + -1285.01dp + -1283.68dp + -1282.35dp + -1281.01dp + -1279.68dp + -1278.35dp + -1277.01dp + -1275.68dp + -1274.35dp + -1273.01dp + -1271.68dp + -1270.35dp + -1269.02dp + -1267.68dp + -1266.35dp + -1265.02dp + -1263.68dp + -1262.35dp + -1261.02dp + -1259.68dp + -1258.35dp + -1257.02dp + -1255.69dp + -1254.35dp + -1253.02dp + -1251.69dp + -1250.35dp + -1249.02dp + -1247.69dp + -1246.36dp + -1245.02dp + -1243.69dp + -1242.36dp + -1241.02dp + -1239.69dp + -1238.36dp + -1237.02dp + -1235.69dp + -1234.36dp + -1233.02dp + -1231.69dp + -1230.36dp + -1229.03dp + -1227.69dp + -1226.36dp + -1225.03dp + -1223.69dp + -1222.36dp + -1221.03dp + -1219.69dp + -1218.36dp + -1217.03dp + -1215.7dp + -1214.36dp + -1213.03dp + -1211.7dp + -1210.36dp + -1209.03dp + -1207.7dp + -1206.37dp + -1205.03dp + -1203.7dp + -1202.37dp + -1201.03dp + -1199.7dp + -1198.37dp + -1197.03dp + -1195.7dp + -1194.37dp + -1193.03dp + -1191.7dp + -1190.37dp + -1189.04dp + -1187.7dp + -1186.37dp + -1185.04dp + -1183.7dp + -1182.37dp + -1181.04dp + -1179.7dp + -1178.37dp + -1177.04dp + -1175.71dp + -1174.37dp + -1173.04dp + -1171.71dp + -1170.37dp + -1169.04dp + -1167.71dp + -1166.38dp + -1165.04dp + -1163.71dp + -1162.38dp + -1161.04dp + -1159.71dp + -1158.38dp + -1157.04dp + -1155.71dp + -1154.38dp + -1153.05dp + -1151.71dp + -1150.38dp + -1149.05dp + -1147.71dp + -1146.38dp + -1145.05dp + -1143.71dp + -1142.38dp + -1141.05dp + -1139.71dp + -1138.38dp + -1137.05dp + -1135.72dp + -1134.38dp + -1133.05dp + -1131.72dp + -1130.38dp + -1129.05dp + -1127.72dp + -1126.38dp + -1125.05dp + -1123.72dp + -1122.39dp + -1121.05dp + -1119.72dp + -1118.39dp + -1117.05dp + -1115.72dp + -1114.39dp + -1113.06dp + -1111.72dp + -1110.39dp + -1109.06dp + -1107.72dp + -1106.39dp + -1105.06dp + -1103.72dp + -1102.39dp + -1101.06dp + -1099.72dp + -1098.39dp + -1097.06dp + -1095.73dp + -1094.39dp + -1093.06dp + -1091.73dp + -1090.39dp + -1089.06dp + -1087.73dp + -1086.39dp + -1085.06dp + -1083.73dp + -1082.4dp + -1081.06dp + -1079.73dp + -1078.4dp + -1077.06dp + -1075.73dp + -1074.4dp + -1073.07dp + -1071.73dp + -1070.4dp + -1069.07dp + -1067.73dp + -1066.4dp + -1065.07dp + -1063.73dp + -1062.4dp + -1061.07dp + -1059.73dp + -1058.4dp + -1057.07dp + -1055.74dp + -1054.4dp + -1053.07dp + -1051.74dp + -1050.4dp + -1049.07dp + -1047.74dp + -1046.4dp + -1045.07dp + -1043.74dp + -1042.41dp + -1041.07dp + -1039.74dp + -1038.41dp + -1037.07dp + -1035.74dp + -1034.41dp + -1033.08dp + -1031.74dp + -1030.41dp + -1029.08dp + -1027.74dp + -1026.41dp + -1025.08dp + -1023.74dp + -1022.41dp + -1021.08dp + -1019.75dp + -1018.41dp + -1017.08dp + -1015.75dp + -1014.41dp + -1013.08dp + -1011.75dp + -1010.41dp + -1009.08dp + -1007.75dp + -1006.41dp + -1005.08dp + -1003.75dp + -1002.42dp + -1001.08dp + -999.75dp + -998.42dp + -997.08dp + -995.75dp + -994.42dp + -993.08dp + -991.75dp + -990.42dp + -989.09dp + -987.75dp + -986.42dp + -985.09dp + -983.75dp + -982.42dp + -981.09dp + -979.75dp + -978.42dp + -977.09dp + -975.76dp + -974.42dp + -973.09dp + -971.76dp + -970.42dp + -969.09dp + -967.76dp + -966.42dp + -965.09dp + -963.76dp + -962.43dp + -961.09dp + -959.76dp + -958.43dp + -957.09dp + -955.76dp + -954.43dp + -953.1dp + -951.76dp + -950.43dp + -949.1dp + -947.76dp + -946.43dp + -945.1dp + -943.76dp + -942.43dp + -941.1dp + -939.76dp + -938.43dp + -937.1dp + -935.77dp + -934.43dp + -933.1dp + -931.77dp + -930.43dp + -929.1dp + -927.77dp + -926.43dp + -925.1dp + -923.77dp + -922.44dp + -921.1dp + -919.77dp + -918.44dp + -917.1dp + -915.77dp + -914.44dp + -913.11dp + -911.77dp + -910.44dp + -909.11dp + -907.77dp + -906.44dp + -905.11dp + -903.77dp + -902.44dp + -901.11dp + -899.77dp + -898.44dp + -897.11dp + -895.78dp + -894.44dp + -893.11dp + -891.78dp + -890.44dp + -889.11dp + -887.78dp + -886.44dp + -885.11dp + -883.78dp + -882.45dp + -881.11dp + -879.78dp + -878.45dp + -877.11dp + -875.78dp + -874.45dp + -873.12dp + -871.78dp + -870.45dp + -869.12dp + -867.78dp + -866.45dp + -865.12dp + -863.78dp + -862.45dp + -861.12dp + -859.78dp + -858.45dp + -857.12dp + -855.79dp + -854.45dp + -853.12dp + -851.79dp + -850.45dp + -849.12dp + -847.79dp + -846.45dp + -845.12dp + -843.79dp + -842.46dp + -841.12dp + -839.79dp + -838.46dp + -837.12dp + -835.79dp + -834.46dp + -833.13dp + -831.79dp + -830.46dp + -829.13dp + -827.79dp + -826.46dp + -825.13dp + -823.79dp + -822.46dp + -821.13dp + -819.79dp + -818.46dp + -817.13dp + -815.8dp + -814.46dp + -813.13dp + -811.8dp + -810.46dp + -809.13dp + -807.8dp + -806.47dp + -805.13dp + -803.8dp + -802.47dp + -801.13dp + -799.8dp + -798.47dp + -797.13dp + -795.8dp + -794.47dp + -793.13dp + -791.8dp + -790.47dp + -789.14dp + -787.8dp + -786.47dp + -785.14dp + -783.8dp + -782.47dp + -781.14dp + -779.8dp + -778.47dp + -777.14dp + -775.81dp + -774.47dp + -773.14dp + -771.81dp + -770.47dp + -769.14dp + -767.81dp + -766.48dp + -765.14dp + -763.81dp + -762.48dp + -761.14dp + -759.81dp + -758.48dp + -757.14dp + -755.81dp + -754.48dp + -753.14dp + -751.81dp + -750.48dp + -749.15dp + -747.81dp + -746.48dp + -745.15dp + -743.81dp + -742.48dp + -741.15dp + -739.81dp + -738.48dp + -737.15dp + -735.82dp + -734.48dp + -733.15dp + -731.82dp + -730.48dp + -729.15dp + -727.82dp + -726.49dp + -725.15dp + -723.82dp + -722.49dp + -721.15dp + -719.82dp + -718.49dp + -717.15dp + -715.82dp + -714.49dp + -713.15dp + -711.82dp + -710.49dp + -709.16dp + -707.82dp + -706.49dp + -705.16dp + -703.82dp + -702.49dp + -701.16dp + -699.82dp + -698.49dp + -697.16dp + -695.83dp + -694.49dp + -693.16dp + -691.83dp + -690.49dp + -689.16dp + -687.83dp + -686.5dp + -685.16dp + -683.83dp + -682.5dp + -681.16dp + -679.83dp + -678.5dp + -677.16dp + -675.83dp + -674.5dp + -673.16dp + -671.83dp + -670.5dp + -669.17dp + -667.83dp + -666.5dp + -665.17dp + -663.83dp + -662.5dp + -661.17dp + -659.84dp + -658.5dp + -657.17dp + -655.84dp + -654.5dp + -653.17dp + -651.84dp + -650.5dp + -649.17dp + -647.84dp + -646.5dp + -645.17dp + -643.84dp + -642.51dp + -641.17dp + -639.84dp + -638.51dp + -637.17dp + -635.84dp + -634.51dp + -633.17dp + -631.84dp + -630.51dp + -629.18dp + -627.84dp + -626.51dp + -625.18dp + -623.84dp + -622.51dp + -621.18dp + -619.85dp + -618.51dp + -617.18dp + -615.85dp + -614.51dp + -613.18dp + -611.85dp + -610.51dp + -609.18dp + -607.85dp + -606.51dp + -605.18dp + -603.85dp + -602.52dp + -601.18dp + -599.85dp + -598.52dp + -597.18dp + -595.85dp + -594.52dp + -593.18dp + -591.85dp + -590.52dp + -589.19dp + -587.85dp + -586.52dp + -585.19dp + -583.85dp + -582.52dp + -581.19dp + -579.86dp + -578.52dp + -577.19dp + -575.86dp + -574.52dp + -573.19dp + -571.86dp + -570.52dp + -569.19dp + -567.86dp + -566.52dp + -565.19dp + -563.86dp + -562.53dp + -561.19dp + -559.86dp + -558.53dp + -557.19dp + -555.86dp + -554.53dp + -553.19dp + -551.86dp + -550.53dp + -549.2dp + -547.86dp + -546.53dp + -545.2dp + -543.86dp + -542.53dp + -541.2dp + -539.87dp + -538.53dp + -537.2dp + -535.87dp + -534.53dp + -533.2dp + -531.87dp + -530.53dp + -529.2dp + -527.87dp + -526.53dp + -525.2dp + -523.87dp + -522.54dp + -521.2dp + -519.87dp + -518.54dp + -517.2dp + -515.87dp + -514.54dp + -513.21dp + -511.87dp + -510.54dp + -509.21dp + -507.87dp + -506.54dp + -505.21dp + -503.87dp + -502.54dp + -501.21dp + -499.88dp + -498.54dp + -497.21dp + -495.88dp + -494.54dp + -493.21dp + -491.88dp + -490.54dp + -489.21dp + -487.88dp + -486.54dp + -485.21dp + -483.88dp + -482.55dp + -481.21dp + -479.88dp + -478.55dp + -477.21dp + -475.88dp + -474.55dp + -473.21dp + -471.88dp + -470.55dp + -469.22dp + -467.88dp + -466.55dp + -465.22dp + -463.88dp + -462.55dp + -461.22dp + -459.88dp + -458.55dp + -457.22dp + -455.89dp + -454.55dp + -453.22dp + -451.89dp + -450.55dp + -449.22dp + -447.89dp + -446.56dp + -445.22dp + -443.89dp + -442.56dp + -441.22dp + -439.89dp + -438.56dp + -437.22dp + -435.89dp + -434.56dp + -433.22dp + -431.89dp + -430.56dp + -429.23dp + -427.89dp + -426.56dp + -425.23dp + -423.89dp + -422.56dp + -421.23dp + -419.89dp + -418.56dp + -417.23dp + -415.9dp + -414.56dp + -413.23dp + -411.9dp + -410.56dp + -409.23dp + -407.9dp + -406.56dp + -405.23dp + -403.9dp + -402.57dp + -401.23dp + -399.9dp + -398.57dp + -397.23dp + -395.9dp + -394.57dp + -393.24dp + -391.9dp + -390.57dp + -389.24dp + -387.9dp + -386.57dp + -385.24dp + -383.9dp + -382.57dp + -381.24dp + -379.9dp + -378.57dp + -377.24dp + -375.91dp + -374.57dp + -373.24dp + -371.91dp + -370.57dp + -369.24dp + -367.91dp + -366.57dp + -365.24dp + -363.91dp + -362.58dp + -361.24dp + -359.91dp + -358.58dp + -357.24dp + -355.91dp + -354.58dp + -353.25dp + -351.91dp + -350.58dp + -349.25dp + -347.91dp + -346.58dp + -345.25dp + -343.91dp + -342.58dp + -341.25dp + -339.91dp + -338.58dp + -337.25dp + -335.92dp + -334.58dp + -333.25dp + -331.92dp + -330.58dp + -329.25dp + -327.92dp + -326.58dp + -325.25dp + -323.92dp + -322.59dp + -321.25dp + -319.92dp + -318.59dp + -317.25dp + -315.92dp + -314.59dp + -313.25dp + -311.92dp + -310.59dp + -309.26dp + -307.92dp + -306.59dp + -305.26dp + -303.92dp + -302.59dp + -301.26dp + -299.93dp + -298.59dp + -297.26dp + -295.93dp + -294.59dp + -293.26dp + -291.93dp + -290.59dp + -289.26dp + -287.93dp + -286.59dp + -285.26dp + -283.93dp + -282.6dp + -281.26dp + -279.93dp + -278.6dp + -277.26dp + -275.93dp + -274.6dp + -273.26dp + -271.93dp + -270.6dp + -269.27dp + -267.93dp + -266.6dp + -265.27dp + -263.93dp + -262.6dp + -261.27dp + -259.94dp + -258.6dp + -257.27dp + -255.94dp + -254.6dp + -253.27dp + -251.94dp + -250.6dp + -249.27dp + -247.94dp + -246.6dp + -245.27dp + -243.94dp + -242.61dp + -241.27dp + -239.94dp + -238.61dp + -237.27dp + -235.94dp + -234.61dp + -233.28dp + -231.94dp + -230.61dp + -229.28dp + -227.94dp + -226.61dp + -225.28dp + -223.94dp + -222.61dp + -221.28dp + -219.94dp + -218.61dp + -217.28dp + -215.95dp + -214.61dp + -213.28dp + -211.95dp + -210.61dp + -209.28dp + -207.95dp + -206.61dp + -205.28dp + -203.95dp + -202.62dp + -201.28dp + -199.95dp + -198.62dp + -197.28dp + -195.95dp + -194.62dp + -193.28dp + -191.95dp + -190.62dp + -189.29dp + -187.95dp + -186.62dp + -185.29dp + -183.95dp + -182.62dp + -181.29dp + -179.95dp + -178.62dp + -177.29dp + -175.96dp + -174.62dp + -173.29dp + -171.96dp + -170.62dp + -169.29dp + -167.96dp + -166.63dp + -165.29dp + -163.96dp + -162.63dp + -161.29dp + -159.96dp + -158.63dp + -157.29dp + -155.96dp + -154.63dp + -153.29dp + -151.96dp + -150.63dp + -149.3dp + -147.96dp + -146.63dp + -145.3dp + -143.96dp + -142.63dp + -141.3dp + -139.97dp + -138.63dp + -137.3dp + -135.97dp + -134.63dp + -133.3dp + -131.97dp + -130.63dp + -129.3dp + -127.97dp + -126.63dp + -125.3dp + -123.97dp + -122.64dp + -121.3dp + -119.97dp + -118.64dp + -117.3dp + -115.97dp + -114.64dp + -113.3dp + -111.97dp + -110.64dp + -109.31dp + -107.97dp + -106.64dp + -105.31dp + -103.97dp + -102.64dp + -101.31dp + -99.97dp + -98.64dp + -97.31dp + -95.98dp + -94.64dp + -93.31dp + -91.98dp + -90.64dp + -89.31dp + -87.98dp + -86.64dp + -85.31dp + -83.98dp + -82.65dp + -81.31dp + -79.98dp + -78.65dp + -77.31dp + -75.98dp + -74.65dp + -73.31dp + -71.98dp + -70.65dp + -69.32dp + -67.98dp + -66.65dp + -65.32dp + -63.98dp + -62.65dp + -61.32dp + -59.98dp + -58.65dp + -57.32dp + -55.99dp + -54.65dp + -53.32dp + -51.99dp + -50.65dp + -49.32dp + -47.99dp + -46.66dp + -45.32dp + -43.99dp + -42.66dp + -41.32dp + -39.99dp + -38.66dp + -37.32dp + -35.99dp + -34.66dp + -33.32dp + -31.99dp + -30.66dp + -29.33dp + -27.99dp + -26.66dp + -25.33dp + -23.99dp + -22.66dp + -21.33dp + -20.0dp + -18.66dp + -17.33dp + -16.0dp + -14.66dp + -13.33dp + -12.0dp + -10.66dp + -9.33dp + -8.0dp + -6.67dp + -5.33dp + -4.0dp + -2.67dp + -1.33dp + 0.0dp + 1.33dp + 2.67dp + 4.0dp + 5.33dp + 6.67dp + 8.0dp + 9.33dp + 10.66dp + 12.0dp + 13.33dp + 14.66dp + 16.0dp + 17.33dp + 18.66dp + 20.0dp + 21.33dp + 22.66dp + 23.99dp + 25.33dp + 26.66dp + 27.99dp + 29.33dp + 30.66dp + 31.99dp + 33.32dp + 34.66dp + 35.99dp + 37.32dp + 38.66dp + 39.99dp + 41.32dp + 42.66dp + 43.99dp + 45.32dp + 46.66dp + 47.99dp + 49.32dp + 50.65dp + 51.99dp + 53.32dp + 54.65dp + 55.99dp + 57.32dp + 58.65dp + 59.98dp + 61.32dp + 62.65dp + 63.98dp + 65.32dp + 66.65dp + 67.98dp + 69.32dp + 70.65dp + 71.98dp + 73.31dp + 74.65dp + 75.98dp + 77.31dp + 78.65dp + 79.98dp + 81.31dp + 82.65dp + 83.98dp + 85.31dp + 86.64dp + 87.98dp + 89.31dp + 90.64dp + 91.98dp + 93.31dp + 94.64dp + 95.98dp + 97.31dp + 98.64dp + 99.97dp + 101.31dp + 102.64dp + 103.97dp + 105.31dp + 106.64dp + 107.97dp + 109.31dp + 110.64dp + 111.97dp + 113.3dp + 114.64dp + 115.97dp + 117.3dp + 118.64dp + 119.97dp + 121.3dp + 122.64dp + 123.97dp + 125.3dp + 126.63dp + 127.97dp + 129.3dp + 130.63dp + 131.97dp + 133.3dp + 134.63dp + 135.97dp + 137.3dp + 138.63dp + 139.97dp + 141.3dp + 142.63dp + 143.96dp + 145.3dp + 146.63dp + 147.96dp + 149.3dp + 150.63dp + 151.96dp + 153.29dp + 154.63dp + 155.96dp + 157.29dp + 158.63dp + 159.96dp + 161.29dp + 162.63dp + 163.96dp + 165.29dp + 166.63dp + 167.96dp + 169.29dp + 170.62dp + 171.96dp + 173.29dp + 174.62dp + 175.96dp + 177.29dp + 178.62dp + 179.95dp + 181.29dp + 182.62dp + 183.95dp + 185.29dp + 186.62dp + 187.95dp + 189.29dp + 190.62dp + 191.95dp + 193.28dp + 194.62dp + 195.95dp + 197.28dp + 198.62dp + 199.95dp + 201.28dp + 202.62dp + 203.95dp + 205.28dp + 206.61dp + 207.95dp + 209.28dp + 210.61dp + 211.95dp + 213.28dp + 214.61dp + 215.95dp + 217.28dp + 218.61dp + 219.94dp + 221.28dp + 222.61dp + 223.94dp + 225.28dp + 226.61dp + 227.94dp + 229.28dp + 230.61dp + 231.94dp + 233.28dp + 234.61dp + 235.94dp + 237.27dp + 238.61dp + 239.94dp + 241.27dp + 242.61dp + 243.94dp + 245.27dp + 246.6dp + 247.94dp + 249.27dp + 250.6dp + 251.94dp + 253.27dp + 254.6dp + 255.94dp + 257.27dp + 258.6dp + 259.94dp + 261.27dp + 262.6dp + 263.93dp + 265.27dp + 266.6dp + 267.93dp + 269.27dp + 270.6dp + 271.93dp + 273.26dp + 274.6dp + 275.93dp + 277.26dp + 278.6dp + 279.93dp + 281.26dp + 282.6dp + 283.93dp + 285.26dp + 286.59dp + 287.93dp + 289.26dp + 290.59dp + 291.93dp + 293.26dp + 294.59dp + 295.93dp + 297.26dp + 298.59dp + 299.93dp + 301.26dp + 302.59dp + 303.92dp + 305.26dp + 306.59dp + 307.92dp + 309.26dp + 310.59dp + 311.92dp + 313.25dp + 314.59dp + 315.92dp + 317.25dp + 318.59dp + 319.92dp + 321.25dp + 322.59dp + 323.92dp + 325.25dp + 326.58dp + 327.92dp + 329.25dp + 330.58dp + 331.92dp + 333.25dp + 334.58dp + 335.92dp + 337.25dp + 338.58dp + 339.91dp + 341.25dp + 342.58dp + 343.91dp + 345.25dp + 346.58dp + 347.91dp + 349.25dp + 350.58dp + 351.91dp + 353.25dp + 354.58dp + 355.91dp + 357.24dp + 358.58dp + 359.91dp + 361.24dp + 362.58dp + 363.91dp + 365.24dp + 366.57dp + 367.91dp + 369.24dp + 370.57dp + 371.91dp + 373.24dp + 374.57dp + 375.91dp + 377.24dp + 378.57dp + 379.9dp + 381.24dp + 382.57dp + 383.9dp + 385.24dp + 386.57dp + 387.9dp + 389.24dp + 390.57dp + 391.9dp + 393.24dp + 394.57dp + 395.9dp + 397.23dp + 398.57dp + 399.9dp + 401.23dp + 402.57dp + 403.9dp + 405.23dp + 406.56dp + 407.9dp + 409.23dp + 410.56dp + 411.9dp + 413.23dp + 414.56dp + 415.9dp + 417.23dp + 418.56dp + 419.89dp + 421.23dp + 422.56dp + 423.89dp + 425.23dp + 426.56dp + 427.89dp + 429.23dp + 430.56dp + 431.89dp + 433.22dp + 434.56dp + 435.89dp + 437.22dp + 438.56dp + 439.89dp + 441.22dp + 442.56dp + 443.89dp + 445.22dp + 446.56dp + 447.89dp + 449.22dp + 450.55dp + 451.89dp + 453.22dp + 454.55dp + 455.89dp + 457.22dp + 458.55dp + 459.88dp + 461.22dp + 462.55dp + 463.88dp + 465.22dp + 466.55dp + 467.88dp + 469.22dp + 470.55dp + 471.88dp + 473.21dp + 474.55dp + 475.88dp + 477.21dp + 478.55dp + 479.88dp + 481.21dp + 482.55dp + 483.88dp + 485.21dp + 486.54dp + 487.88dp + 489.21dp + 490.54dp + 491.88dp + 493.21dp + 494.54dp + 495.88dp + 497.21dp + 498.54dp + 499.88dp + 501.21dp + 502.54dp + 503.87dp + 505.21dp + 506.54dp + 507.87dp + 509.21dp + 510.54dp + 511.87dp + 513.21dp + 514.54dp + 515.87dp + 517.2dp + 518.54dp + 519.87dp + 521.2dp + 522.54dp + 523.87dp + 525.2dp + 526.53dp + 527.87dp + 529.2dp + 530.53dp + 531.87dp + 533.2dp + 534.53dp + 535.87dp + 537.2dp + 538.53dp + 539.87dp + 541.2dp + 542.53dp + 543.86dp + 545.2dp + 546.53dp + 547.86dp + 549.2dp + 550.53dp + 551.86dp + 553.19dp + 554.53dp + 555.86dp + 557.19dp + 558.53dp + 559.86dp + 561.19dp + 562.53dp + 563.86dp + 565.19dp + 566.52dp + 567.86dp + 569.19dp + 570.52dp + 571.86dp + 573.19dp + 574.52dp + 575.86dp + 577.19dp + 578.52dp + 579.86dp + 581.19dp + 582.52dp + 583.85dp + 585.19dp + 586.52dp + 587.85dp + 589.19dp + 590.52dp + 591.85dp + 593.18dp + 594.52dp + 595.85dp + 597.18dp + 598.52dp + 599.85dp + 601.18dp + 602.52dp + 603.85dp + 605.18dp + 606.51dp + 607.85dp + 609.18dp + 610.51dp + 611.85dp + 613.18dp + 614.51dp + 615.85dp + 617.18dp + 618.51dp + 619.85dp + 621.18dp + 622.51dp + 623.84dp + 625.18dp + 626.51dp + 627.84dp + 629.18dp + 630.51dp + 631.84dp + 633.17dp + 634.51dp + 635.84dp + 637.17dp + 638.51dp + 639.84dp + 641.17dp + 642.51dp + 643.84dp + 645.17dp + 646.5dp + 647.84dp + 649.17dp + 650.5dp + 651.84dp + 653.17dp + 654.5dp + 655.84dp + 657.17dp + 658.5dp + 659.84dp + 661.17dp + 662.5dp + 663.83dp + 665.17dp + 666.5dp + 667.83dp + 669.17dp + 670.5dp + 671.83dp + 673.16dp + 674.5dp + 675.83dp + 677.16dp + 678.5dp + 679.83dp + 681.16dp + 682.5dp + 683.83dp + 685.16dp + 686.5dp + 687.83dp + 689.16dp + 690.49dp + 691.83dp + 693.16dp + 694.49dp + 695.83dp + 697.16dp + 698.49dp + 699.82dp + 701.16dp + 702.49dp + 703.82dp + 705.16dp + 706.49dp + 707.82dp + 709.16dp + 710.49dp + 711.82dp + 713.15dp + 714.49dp + 715.82dp + 717.15dp + 718.49dp + 719.82dp + 721.15dp + 722.49dp + 723.82dp + 725.15dp + 726.49dp + 727.82dp + 729.15dp + 730.48dp + 731.82dp + 733.15dp + 734.48dp + 735.82dp + 737.15dp + 738.48dp + 739.81dp + 741.15dp + 742.48dp + 743.81dp + 745.15dp + 746.48dp + 747.81dp + 749.15dp + 750.48dp + 751.81dp + 753.14dp + 754.48dp + 755.81dp + 757.14dp + 758.48dp + 759.81dp + 761.14dp + 762.48dp + 763.81dp + 765.14dp + 766.48dp + 767.81dp + 769.14dp + 770.47dp + 771.81dp + 773.14dp + 774.47dp + 775.81dp + 777.14dp + 778.47dp + 779.8dp + 781.14dp + 782.47dp + 783.8dp + 785.14dp + 786.47dp + 787.8dp + 789.14dp + 790.47dp + 791.8dp + 793.13dp + 794.47dp + 795.8dp + 797.13dp + 798.47dp + 799.8dp + 801.13dp + 802.47dp + 803.8dp + 805.13dp + 806.47dp + 807.8dp + 809.13dp + 810.46dp + 811.8dp + 813.13dp + 814.46dp + 815.8dp + 817.13dp + 818.46dp + 819.79dp + 821.13dp + 822.46dp + 823.79dp + 825.13dp + 826.46dp + 827.79dp + 829.13dp + 830.46dp + 831.79dp + 833.13dp + 834.46dp + 835.79dp + 837.12dp + 838.46dp + 839.79dp + 841.12dp + 842.46dp + 843.79dp + 845.12dp + 846.45dp + 847.79dp + 849.12dp + 850.45dp + 851.79dp + 853.12dp + 854.45dp + 855.79dp + 857.12dp + 858.45dp + 859.78dp + 861.12dp + 862.45dp + 863.78dp + 865.12dp + 866.45dp + 867.78dp + 869.12dp + 870.45dp + 871.78dp + 873.12dp + 874.45dp + 875.78dp + 877.11dp + 878.45dp + 879.78dp + 881.11dp + 882.45dp + 883.78dp + 885.11dp + 886.44dp + 887.78dp + 889.11dp + 890.44dp + 891.78dp + 893.11dp + 894.44dp + 895.78dp + 897.11dp + 898.44dp + 899.77dp + 901.11dp + 902.44dp + 903.77dp + 905.11dp + 906.44dp + 907.77dp + 909.11dp + 910.44dp + 911.77dp + 913.11dp + 914.44dp + 915.77dp + 917.1dp + 918.44dp + 919.77dp + 921.1dp + 922.44dp + 923.77dp + 925.1dp + 926.43dp + 927.77dp + 929.1dp + 930.43dp + 931.77dp + 933.1dp + 934.43dp + 935.77dp + 937.1dp + 938.43dp + 939.76dp + 941.1dp + 942.43dp + 943.76dp + 945.1dp + 946.43dp + 947.76dp + 949.1dp + 950.43dp + 951.76dp + 953.1dp + 954.43dp + 955.76dp + 957.09dp + 958.43dp + 959.76dp + 961.09dp + 962.43dp + 963.76dp + 965.09dp + 966.42dp + 967.76dp + 969.09dp + 970.42dp + 971.76dp + 973.09dp + 974.42dp + 975.76dp + 977.09dp + 978.42dp + 979.75dp + 981.09dp + 982.42dp + 983.75dp + 985.09dp + 986.42dp + 987.75dp + 989.09dp + 990.42dp + 991.75dp + 993.08dp + 994.42dp + 995.75dp + 997.08dp + 998.42dp + 999.75dp + 1001.08dp + 1002.42dp + 1003.75dp + 1005.08dp + 1006.41dp + 1007.75dp + 1009.08dp + 1010.41dp + 1011.75dp + 1013.08dp + 1014.41dp + 1015.75dp + 1017.08dp + 1018.41dp + 1019.75dp + 1021.08dp + 1022.41dp + 1023.74dp + 1025.08dp + 1026.41dp + 1027.74dp + 1029.08dp + 1030.41dp + 1031.74dp + 1033.08dp + 1034.41dp + 1035.74dp + 1037.07dp + 1038.41dp + 1039.74dp + 1041.07dp + 1042.41dp + 1043.74dp + 1045.07dp + 1046.4dp + 1047.74dp + 1049.07dp + 1050.4dp + 1051.74dp + 1053.07dp + 1054.4dp + 1055.74dp + 1057.07dp + 1058.4dp + 1059.73dp + 1061.07dp + 1062.4dp + 1063.73dp + 1065.07dp + 1066.4dp + 1067.73dp + 1069.07dp + 1070.4dp + 1071.73dp + 1073.07dp + 1074.4dp + 1075.73dp + 1077.06dp + 1078.4dp + 1079.73dp + 1081.06dp + 1082.4dp + 1083.73dp + 1085.06dp + 1086.39dp + 1087.73dp + 1089.06dp + 1090.39dp + 1091.73dp + 1093.06dp + 1094.39dp + 1095.73dp + 1097.06dp + 1098.39dp + 1099.72dp + 1101.06dp + 1102.39dp + 1103.72dp + 1105.06dp + 1106.39dp + 1107.72dp + 1109.06dp + 1110.39dp + 1111.72dp + 1113.06dp + 1114.39dp + 1115.72dp + 1117.05dp + 1118.39dp + 1119.72dp + 1121.05dp + 1122.39dp + 1123.72dp + 1125.05dp + 1126.38dp + 1127.72dp + 1129.05dp + 1130.38dp + 1131.72dp + 1133.05dp + 1134.38dp + 1135.72dp + 1137.05dp + 1138.38dp + 1139.71dp + 1141.05dp + 1142.38dp + 1143.71dp + 1145.05dp + 1146.38dp + 1147.71dp + 1149.05dp + 1150.38dp + 1151.71dp + 1153.05dp + 1154.38dp + 1155.71dp + 1157.04dp + 1158.38dp + 1159.71dp + 1161.04dp + 1162.38dp + 1163.71dp + 1165.04dp + 1166.38dp + 1167.71dp + 1169.04dp + 1170.37dp + 1171.71dp + 1173.04dp + 1174.37dp + 1175.71dp + 1177.04dp + 1178.37dp + 1179.7dp + 1181.04dp + 1182.37dp + 1183.7dp + 1185.04dp + 1186.37dp + 1187.7dp + 1189.04dp + 1190.37dp + 1191.7dp + 1193.03dp + 1194.37dp + 1195.7dp + 1197.03dp + 1198.37dp + 1199.7dp + 1201.03dp + 1202.37dp + 1203.7dp + 1205.03dp + 1206.37dp + 1207.7dp + 1209.03dp + 1210.36dp + 1211.7dp + 1213.03dp + 1214.36dp + 1215.7dp + 1217.03dp + 1218.36dp + 1219.69dp + 1221.03dp + 1222.36dp + 1223.69dp + 1225.03dp + 1226.36dp + 1227.69dp + 1229.03dp + 1230.36dp + 1231.69dp + 1233.02dp + 1234.36dp + 1235.69dp + 1237.02dp + 1238.36dp + 1239.69dp + 1241.02dp + 1242.36dp + 1243.69dp + 1245.02dp + 1246.36dp + 1247.69dp + 1249.02dp + 1250.35dp + 1251.69dp + 1253.02dp + 1254.35dp + 1255.69dp + 1257.02dp + 1258.35dp + 1259.68dp + 1261.02dp + 1262.35dp + 1263.68dp + 1265.02dp + 1266.35dp + 1267.68dp + 1269.02dp + 1270.35dp + 1271.68dp + 1273.01dp + 1274.35dp + 1275.68dp + 1277.01dp + 1278.35dp + 1279.68dp + 1281.01dp + 1282.35dp + 1283.68dp + 1285.01dp + 1286.35dp + 1287.68dp + 1289.01dp + 1290.34dp + 1291.68dp + 1293.01dp + 1294.34dp + 1295.68dp + 1297.01dp + 1298.34dp + 1299.67dp + 1301.01dp + 1302.34dp + 1303.67dp + 1305.01dp + 1306.34dp + 1307.67dp + 1309.01dp + 1310.34dp + 1311.67dp + 1313.0dp + 1314.34dp + 1315.67dp + 1317.0dp + 1318.34dp + 1319.67dp + 1321.0dp + 1322.34dp + 1323.67dp + 1325.0dp + 1326.34dp + 1327.67dp + 1329.0dp + 1330.33dp + 1331.67dp + 1333.0dp + 1334.33dp + 1335.67dp + 1337.0dp + 1338.33dp + 1339.66dp + 1341.0dp + 1342.33dp + 1343.66dp + 1345.0dp + 1346.33dp + 1347.66dp + 1349.0dp + 1350.33dp + 1351.66dp + 1352.99dp + 1354.33dp + 1355.66dp + 1356.99dp + 1358.33dp + 1359.66dp + 1360.99dp + 1362.33dp + 1363.66dp + 1364.99dp + 1366.33dp + 1367.66dp + 1368.99dp + 1370.32dp + 1371.66dp + 1372.99dp + 1374.32dp + 1375.66dp + 1376.99dp + 1378.32dp + 1379.65dp + 1380.99dp + 1382.32dp + 1383.65dp + 1384.99dp + 1386.32dp + 1387.65dp + 1388.99dp + 1390.32dp + 1391.65dp + 1392.98dp + 1394.32dp + 1395.65dp + 1396.98dp + 1398.32dp + 1399.65dp + 1400.98dp + 1402.32dp + 1403.65dp + 1404.98dp + 1406.32dp + 1407.65dp + 1408.98dp + 1410.31dp + 1411.65dp + 1412.98dp + 1414.31dp + 1415.65dp + 1416.98dp + 1418.31dp + 1419.64dp + 1420.98dp + 1422.31dp + 1423.64dp + 1424.98dp + 1426.31dp + 1427.64dp + 1428.98dp + 1430.31dp + 1431.64dp + 1432.97dp + 1434.31dp + 1435.64dp + 1436.97dp + 1438.31dp + 1439.64dp + 1.33sp + 2.67sp + 4.0sp + 5.33sp + 6.67sp + 8.0sp + 9.33sp + 10.66sp + 12.0sp + 13.33sp + 14.66sp + 16.0sp + 17.33sp + 18.66sp + 20.0sp + 21.33sp + 22.66sp + 23.99sp + 25.33sp + 26.66sp + 27.99sp + 29.33sp + 30.66sp + 31.99sp + 33.32sp + 34.66sp + 35.99sp + 37.32sp + 38.66sp + 39.99sp + 41.32sp + 42.66sp + 43.99sp + 45.32sp + 46.66sp + 47.99sp + 49.32sp + 50.65sp + 51.99sp + 53.32sp + 54.65sp + 55.99sp + 57.32sp + 58.65sp + 59.98sp + 61.32sp + 62.65sp + 63.98sp + 65.32sp + 66.65sp + 67.98sp + 69.32sp + 70.65sp + 71.98sp + 73.31sp + 74.65sp + 75.98sp + 77.31sp + 78.65sp + 79.98sp + 81.31sp + 82.65sp + 83.98sp + 85.31sp + 86.64sp + 87.98sp + 89.31sp + 90.64sp + 91.98sp + 93.31sp + 94.64sp + 95.98sp + 97.31sp + 98.64sp + 99.97sp + 101.31sp + 102.64sp + 103.97sp + 105.31sp + 106.64sp + 107.97sp + 109.31sp + 110.64sp + 111.97sp + 113.3sp + 114.64sp + 115.97sp + 117.3sp + 118.64sp + 119.97sp + 121.3sp + 122.64sp + 123.97sp + 125.3sp + 126.63sp + 127.97sp + 129.3sp + 130.63sp + 131.97sp + 133.3sp + 134.63sp + 135.97sp + 137.3sp + 138.63sp + 139.97sp + 141.3sp + 142.63sp + 143.96sp + 145.3sp + 146.63sp + 147.96sp + 149.3sp + 150.63sp + 151.96sp + 153.29sp + 154.63sp + 155.96sp + 157.29sp + 158.63sp + 159.96sp + 161.29sp + 162.63sp + 163.96sp + 165.29sp + 166.63sp + 167.96sp + 169.29sp + 170.62sp + 171.96sp + 173.29sp + 174.62sp + 175.96sp + 177.29sp + 178.62sp + 179.95sp + 181.29sp + 182.62sp + 183.95sp + 185.29sp + 186.62sp + 187.95sp + 189.29sp + 190.62sp + 191.95sp + 193.28sp + 194.62sp + 195.95sp + 197.28sp + 198.62sp + 199.95sp + 201.28sp + 202.62sp + 203.95sp + 205.28sp + 206.61sp + 207.95sp + 209.28sp + 210.61sp + 211.95sp + 213.28sp + 214.61sp + 215.95sp + 217.28sp + 218.61sp + 219.94sp + 221.28sp + 222.61sp + 223.94sp + 225.28sp + 226.61sp + 227.94sp + 229.28sp + 230.61sp + 231.94sp + 233.28sp + 234.61sp + 235.94sp + 237.27sp + 238.61sp + 239.94sp + 241.27sp + 242.61sp + 243.94sp + 245.27sp + 246.6sp + 247.94sp + 249.27sp + 250.6sp + 251.94sp + 253.27sp + 254.6sp + 255.94sp + 257.27sp + 258.6sp + 259.94sp + 261.27sp + 262.6sp + 263.93sp + 265.27sp + 266.6sp + diff --git a/app/src/main/res/values-sw520dp/dimens.xml b/app/src/main/res/values-sw520dp/dimens.xml new file mode 100644 index 0000000..af55a29 --- /dev/null +++ b/app/src/main/res/values-sw520dp/dimens.xml @@ -0,0 +1,2365 @@ + + + + -1497.96dp + -1496.57dp + -1495.19dp + -1493.8dp + -1492.41dp + -1491.03dp + -1489.64dp + -1488.25dp + -1486.86dp + -1485.48dp + -1484.09dp + -1482.7dp + -1481.32dp + -1479.93dp + -1478.54dp + -1477.15dp + -1475.77dp + -1474.38dp + -1472.99dp + -1471.61dp + -1470.22dp + -1468.83dp + -1467.45dp + -1466.06dp + -1464.67dp + -1463.29dp + -1461.9dp + -1460.51dp + -1459.12dp + -1457.74dp + -1456.35dp + -1454.96dp + -1453.58dp + -1452.19dp + -1450.8dp + -1449.41dp + -1448.03dp + -1446.64dp + -1445.25dp + -1443.87dp + -1442.48dp + -1441.09dp + -1439.71dp + -1438.32dp + -1436.93dp + -1435.55dp + -1434.16dp + -1432.77dp + -1431.38dp + -1430.0dp + -1428.61dp + -1427.22dp + -1425.84dp + -1424.45dp + -1423.06dp + -1421.67dp + -1420.29dp + -1418.9dp + -1417.51dp + -1416.13dp + -1414.74dp + -1413.35dp + -1411.97dp + -1410.58dp + -1409.19dp + -1407.81dp + -1406.42dp + -1405.03dp + -1403.64dp + -1402.26dp + -1400.87dp + -1399.48dp + -1398.1dp + -1396.71dp + -1395.32dp + -1393.93dp + -1392.55dp + -1391.16dp + -1389.77dp + -1388.39dp + -1387.0dp + -1385.61dp + -1384.23dp + -1382.84dp + -1381.45dp + -1380.07dp + -1378.68dp + -1377.29dp + -1375.9dp + -1374.52dp + -1373.13dp + -1371.74dp + -1370.36dp + -1368.97dp + -1367.58dp + -1366.19dp + -1364.81dp + -1363.42dp + -1362.03dp + -1360.65dp + -1359.26dp + -1357.87dp + -1356.49dp + -1355.1dp + -1353.71dp + -1352.33dp + -1350.94dp + -1349.55dp + -1348.16dp + -1346.78dp + -1345.39dp + -1344.0dp + -1342.62dp + -1341.23dp + -1339.84dp + -1338.45dp + -1337.07dp + -1335.68dp + -1334.29dp + -1332.91dp + -1331.52dp + -1330.13dp + -1328.75dp + -1327.36dp + -1325.97dp + -1324.59dp + -1323.2dp + -1321.81dp + -1320.42dp + -1319.04dp + -1317.65dp + -1316.26dp + -1314.88dp + -1313.49dp + -1312.1dp + -1310.71dp + -1309.33dp + -1307.94dp + -1306.55dp + -1305.17dp + -1303.78dp + -1302.39dp + -1301.01dp + -1299.62dp + -1298.23dp + -1296.85dp + -1295.46dp + -1294.07dp + -1292.68dp + -1291.3dp + -1289.91dp + -1288.52dp + -1287.14dp + -1285.75dp + -1284.36dp + -1282.97dp + -1281.59dp + -1280.2dp + -1278.81dp + -1277.43dp + -1276.04dp + -1274.65dp + -1273.27dp + -1271.88dp + -1270.49dp + -1269.11dp + -1267.72dp + -1266.33dp + -1264.94dp + -1263.56dp + -1262.17dp + -1260.78dp + -1259.4dp + -1258.01dp + -1256.62dp + -1255.23dp + -1253.85dp + -1252.46dp + -1251.07dp + -1249.69dp + -1248.3dp + -1246.91dp + -1245.53dp + -1244.14dp + -1242.75dp + -1241.37dp + -1239.98dp + -1238.59dp + -1237.2dp + -1235.82dp + -1234.43dp + -1233.04dp + -1231.66dp + -1230.27dp + -1228.88dp + -1227.5dp + -1226.11dp + -1224.72dp + -1223.33dp + -1221.95dp + -1220.56dp + -1219.17dp + -1217.79dp + -1216.4dp + -1215.01dp + -1213.63dp + -1212.24dp + -1210.85dp + -1209.46dp + -1208.08dp + -1206.69dp + -1205.3dp + -1203.92dp + -1202.53dp + -1201.14dp + -1199.76dp + -1198.37dp + -1196.98dp + -1195.59dp + -1194.21dp + -1192.82dp + -1191.43dp + -1190.05dp + -1188.66dp + -1187.27dp + -1185.88dp + -1184.5dp + -1183.11dp + -1181.72dp + -1180.34dp + -1178.95dp + -1177.56dp + -1176.18dp + -1174.79dp + -1173.4dp + -1172.02dp + -1170.63dp + -1169.24dp + -1167.85dp + -1166.47dp + -1165.08dp + -1163.69dp + -1162.31dp + -1160.92dp + -1159.53dp + -1158.14dp + -1156.76dp + -1155.37dp + -1153.98dp + -1152.6dp + -1151.21dp + -1149.82dp + -1148.44dp + -1147.05dp + -1145.66dp + -1144.28dp + -1142.89dp + -1141.5dp + -1140.11dp + -1138.73dp + -1137.34dp + -1135.95dp + -1134.57dp + -1133.18dp + -1131.79dp + -1130.4dp + -1129.02dp + -1127.63dp + -1126.24dp + -1124.86dp + -1123.47dp + -1122.08dp + -1120.7dp + -1119.31dp + -1117.92dp + -1116.54dp + -1115.15dp + -1113.76dp + -1112.37dp + -1110.99dp + -1109.6dp + -1108.21dp + -1106.83dp + -1105.44dp + -1104.05dp + -1102.66dp + -1101.28dp + -1099.89dp + -1098.5dp + -1097.12dp + -1095.73dp + -1094.34dp + -1092.96dp + -1091.57dp + -1090.18dp + -1088.8dp + -1087.41dp + -1086.02dp + -1084.63dp + -1083.25dp + -1081.86dp + -1080.47dp + -1079.09dp + -1077.7dp + -1076.31dp + -1074.92dp + -1073.54dp + -1072.15dp + -1070.76dp + -1069.38dp + -1067.99dp + -1066.6dp + -1065.22dp + -1063.83dp + -1062.44dp + -1061.06dp + -1059.67dp + -1058.28dp + -1056.89dp + -1055.51dp + -1054.12dp + -1052.73dp + -1051.35dp + -1049.96dp + -1048.57dp + -1047.18dp + -1045.8dp + -1044.41dp + -1043.02dp + -1041.64dp + -1040.25dp + -1038.86dp + -1037.48dp + -1036.09dp + -1034.7dp + -1033.32dp + -1031.93dp + -1030.54dp + -1029.15dp + -1027.77dp + -1026.38dp + -1024.99dp + -1023.61dp + -1022.22dp + -1020.83dp + -1019.45dp + -1018.06dp + -1016.67dp + -1015.28dp + -1013.9dp + -1012.51dp + -1011.12dp + -1009.74dp + -1008.35dp + -1006.96dp + -1005.58dp + -1004.19dp + -1002.8dp + -1001.41dp + -1000.03dp + -998.64dp + -997.25dp + -995.87dp + -994.48dp + -993.09dp + -991.71dp + -990.32dp + -988.93dp + -987.54dp + -986.16dp + -984.77dp + -983.38dp + -982.0dp + -980.61dp + -979.22dp + -977.84dp + -976.45dp + -975.06dp + -973.67dp + -972.29dp + -970.9dp + -969.51dp + -968.13dp + -966.74dp + -965.35dp + -963.97dp + -962.58dp + -961.19dp + -959.8dp + -958.42dp + -957.03dp + -955.64dp + -954.26dp + -952.87dp + -951.48dp + -950.1dp + -948.71dp + -947.32dp + -945.93dp + -944.55dp + -943.16dp + -941.77dp + -940.39dp + -939.0dp + -937.61dp + -936.23dp + -934.84dp + -933.45dp + -932.06dp + -930.68dp + -929.29dp + -927.9dp + -926.52dp + -925.13dp + -923.74dp + -922.36dp + -920.97dp + -919.58dp + -918.19dp + -916.81dp + -915.42dp + -914.03dp + -912.65dp + -911.26dp + -909.87dp + -908.49dp + -907.1dp + -905.71dp + -904.32dp + -902.94dp + -901.55dp + -900.16dp + -898.78dp + -897.39dp + -896.0dp + -894.62dp + -893.23dp + -891.84dp + -890.45dp + -889.07dp + -887.68dp + -886.29dp + -884.91dp + -883.52dp + -882.13dp + -880.75dp + -879.36dp + -877.97dp + -876.58dp + -875.2dp + -873.81dp + -872.42dp + -871.04dp + -869.65dp + -868.26dp + -866.88dp + -865.49dp + -864.1dp + -862.71dp + -861.33dp + -859.94dp + -858.55dp + -857.17dp + -855.78dp + -854.39dp + -853.0dp + -851.62dp + -850.23dp + -848.84dp + -847.46dp + -846.07dp + -844.68dp + -843.3dp + -841.91dp + -840.52dp + -839.13dp + -837.75dp + -836.36dp + -834.97dp + -833.59dp + -832.2dp + -830.81dp + -829.43dp + -828.04dp + -826.65dp + -825.26dp + -823.88dp + -822.49dp + -821.1dp + -819.72dp + -818.33dp + -816.94dp + -815.56dp + -814.17dp + -812.78dp + -811.39dp + -810.01dp + -808.62dp + -807.23dp + -805.85dp + -804.46dp + -803.07dp + -801.69dp + -800.3dp + -798.91dp + -797.52dp + -796.14dp + -794.75dp + -793.36dp + -791.98dp + -790.59dp + -789.2dp + -787.82dp + -786.43dp + -785.04dp + -783.65dp + -782.27dp + -780.88dp + -779.49dp + -778.11dp + -776.72dp + -775.33dp + -773.95dp + -772.56dp + -771.17dp + -769.78dp + -768.4dp + -767.01dp + -765.62dp + -764.24dp + -762.85dp + -761.46dp + -760.08dp + -758.69dp + -757.3dp + -755.91dp + -754.53dp + -753.14dp + -751.75dp + -750.37dp + -748.98dp + -747.59dp + -746.21dp + -744.82dp + -743.43dp + -742.04dp + -740.66dp + -739.27dp + -737.88dp + -736.5dp + -735.11dp + -733.72dp + -732.34dp + -730.95dp + -729.56dp + -728.17dp + -726.79dp + -725.4dp + -724.01dp + -722.63dp + -721.24dp + -719.85dp + -718.47dp + -717.08dp + -715.69dp + -714.3dp + -712.92dp + -711.53dp + -710.14dp + -708.76dp + -707.37dp + -705.98dp + -704.6dp + -703.21dp + -701.82dp + -700.44dp + -699.05dp + -697.66dp + -696.27dp + -694.89dp + -693.5dp + -692.11dp + -690.73dp + -689.34dp + -687.95dp + -686.57dp + -685.18dp + -683.79dp + -682.4dp + -681.02dp + -679.63dp + -678.24dp + -676.86dp + -675.47dp + -674.08dp + -672.7dp + -671.31dp + -669.92dp + -668.53dp + -667.15dp + -665.76dp + -664.37dp + -662.99dp + -661.6dp + -660.21dp + -658.83dp + -657.44dp + -656.05dp + -654.66dp + -653.28dp + -651.89dp + -650.5dp + -649.12dp + -647.73dp + -646.34dp + -644.96dp + -643.57dp + -642.18dp + -640.79dp + -639.41dp + -638.02dp + -636.63dp + -635.25dp + -633.86dp + -632.47dp + -631.09dp + -629.7dp + -628.31dp + -626.92dp + -625.54dp + -624.15dp + -622.76dp + -621.38dp + -619.99dp + -618.6dp + -617.22dp + -615.83dp + -614.44dp + -613.05dp + -611.67dp + -610.28dp + -608.89dp + -607.51dp + -606.12dp + -604.73dp + -603.35dp + -601.96dp + -600.57dp + -599.18dp + -597.8dp + -596.41dp + -595.02dp + -593.64dp + -592.25dp + -590.86dp + -589.48dp + -588.09dp + -586.7dp + -585.31dp + -583.93dp + -582.54dp + -581.15dp + -579.77dp + -578.38dp + -576.99dp + -575.61dp + -574.22dp + -572.83dp + -571.44dp + -570.06dp + -568.67dp + -567.28dp + -565.9dp + -564.51dp + -563.12dp + -561.74dp + -560.35dp + -558.96dp + -557.57dp + -556.19dp + -554.8dp + -553.41dp + -552.03dp + -550.64dp + -549.25dp + -547.87dp + -546.48dp + -545.09dp + -543.7dp + -542.32dp + -540.93dp + -539.54dp + -538.16dp + -536.77dp + -535.38dp + -534.0dp + -532.61dp + -531.22dp + -529.83dp + -528.45dp + -527.06dp + -525.67dp + -524.29dp + -522.9dp + -521.51dp + -520.13dp + -518.74dp + -517.35dp + -515.96dp + -514.58dp + -513.19dp + -511.8dp + -510.42dp + -509.03dp + -507.64dp + -506.25dp + -504.87dp + -503.48dp + -502.09dp + -500.71dp + -499.32dp + -497.93dp + -496.55dp + -495.16dp + -493.77dp + -492.38dp + -491.0dp + -489.61dp + -488.22dp + -486.84dp + -485.45dp + -484.06dp + -482.68dp + -481.29dp + -479.9dp + -478.51dp + -477.13dp + -475.74dp + -474.35dp + -472.97dp + -471.58dp + -470.19dp + -468.81dp + -467.42dp + -466.03dp + -464.64dp + -463.26dp + -461.87dp + -460.48dp + -459.1dp + -457.71dp + -456.32dp + -454.94dp + -453.55dp + -452.16dp + -450.77dp + -449.39dp + -448.0dp + -446.61dp + -445.23dp + -443.84dp + -442.45dp + -441.07dp + -439.68dp + -438.29dp + -436.91dp + -435.52dp + -434.13dp + -432.74dp + -431.36dp + -429.97dp + -428.58dp + -427.2dp + -425.81dp + -424.42dp + -423.04dp + -421.65dp + -420.26dp + -418.87dp + -417.49dp + -416.1dp + -414.71dp + -413.33dp + -411.94dp + -410.55dp + -409.17dp + -407.78dp + -406.39dp + -405.0dp + -403.62dp + -402.23dp + -400.84dp + -399.46dp + -398.07dp + -396.68dp + -395.3dp + -393.91dp + -392.52dp + -391.13dp + -389.75dp + -388.36dp + -386.97dp + -385.59dp + -384.2dp + -382.81dp + -381.43dp + -380.04dp + -378.65dp + -377.26dp + -375.88dp + -374.49dp + -373.1dp + -371.72dp + -370.33dp + -368.94dp + -367.56dp + -366.17dp + -364.78dp + -363.39dp + -362.01dp + -360.62dp + -359.23dp + -357.85dp + -356.46dp + -355.07dp + -353.69dp + -352.3dp + -350.91dp + -349.52dp + -348.14dp + -346.75dp + -345.36dp + -343.98dp + -342.59dp + -341.2dp + -339.81dp + -338.43dp + -337.04dp + -335.65dp + -334.27dp + -332.88dp + -331.49dp + -330.11dp + -328.72dp + -327.33dp + -325.94dp + -324.56dp + -323.17dp + -321.78dp + -320.4dp + -319.01dp + -317.62dp + -316.24dp + -314.85dp + -313.46dp + -312.07dp + -310.69dp + -309.3dp + -307.91dp + -306.53dp + -305.14dp + -303.75dp + -302.37dp + -300.98dp + -299.59dp + -298.2dp + -296.82dp + -295.43dp + -294.04dp + -292.66dp + -291.27dp + -289.88dp + -288.5dp + -287.11dp + -285.72dp + -284.33dp + -282.95dp + -281.56dp + -280.17dp + -278.79dp + -277.4dp + -276.01dp + -274.63dp + -273.24dp + -271.85dp + -270.46dp + -269.08dp + -267.69dp + -266.3dp + -264.92dp + -263.53dp + -262.14dp + -260.76dp + -259.37dp + -257.98dp + -256.6dp + -255.21dp + -253.82dp + -252.43dp + -251.05dp + -249.66dp + -248.27dp + -246.89dp + -245.5dp + -244.11dp + -242.72dp + -241.34dp + -239.95dp + -238.56dp + -237.18dp + -235.79dp + -234.4dp + -233.02dp + -231.63dp + -230.24dp + -228.85dp + -227.47dp + -226.08dp + -224.69dp + -223.31dp + -221.92dp + -220.53dp + -219.15dp + -217.76dp + -216.37dp + -214.99dp + -213.6dp + -212.21dp + -210.82dp + -209.44dp + -208.05dp + -206.66dp + -205.28dp + -203.89dp + -202.5dp + -201.12dp + -199.73dp + -198.34dp + -196.95dp + -195.57dp + -194.18dp + -192.79dp + -191.41dp + -190.02dp + -188.63dp + -187.25dp + -185.86dp + -184.47dp + -183.08dp + -181.7dp + -180.31dp + -178.92dp + -177.54dp + -176.15dp + -174.76dp + -173.38dp + -171.99dp + -170.6dp + -169.21dp + -167.83dp + -166.44dp + -165.05dp + -163.67dp + -162.28dp + -160.89dp + -159.5dp + -158.12dp + -156.73dp + -155.34dp + -153.96dp + -152.57dp + -151.18dp + -149.8dp + -148.41dp + -147.02dp + -145.63dp + -144.25dp + -142.86dp + -141.47dp + -140.09dp + -138.7dp + -137.31dp + -135.93dp + -134.54dp + -133.15dp + -131.77dp + -130.38dp + -128.99dp + -127.6dp + -126.22dp + -124.83dp + -123.44dp + -122.06dp + -120.67dp + -119.28dp + -117.89dp + -116.51dp + -115.12dp + -113.73dp + -112.35dp + -110.96dp + -109.57dp + -108.19dp + -106.8dp + -105.41dp + -104.03dp + -102.64dp + -101.25dp + -99.86dp + -98.48dp + -97.09dp + -95.7dp + -94.32dp + -92.93dp + -91.54dp + -90.16dp + -88.77dp + -87.38dp + -85.99dp + -84.61dp + -83.22dp + -81.83dp + -80.45dp + -79.06dp + -77.67dp + -76.28dp + -74.9dp + -73.51dp + -72.12dp + -70.74dp + -69.35dp + -67.96dp + -66.58dp + -65.19dp + -63.8dp + -62.41dp + -61.03dp + -59.64dp + -58.25dp + -56.87dp + -55.48dp + -54.09dp + -52.71dp + -51.32dp + -49.93dp + -48.55dp + -47.16dp + -45.77dp + -44.38dp + -43.0dp + -41.61dp + -40.22dp + -38.84dp + -37.45dp + -36.06dp + -34.67dp + -33.29dp + -31.9dp + -30.51dp + -29.13dp + -27.74dp + -26.35dp + -24.97dp + -23.58dp + -22.19dp + -20.8dp + -19.42dp + -18.03dp + -16.64dp + -15.26dp + -13.87dp + -12.48dp + -11.1dp + -9.71dp + -8.32dp + -6.94dp + -5.55dp + -4.16dp + -2.77dp + -1.39dp + 0.0dp + 1.39dp + 2.77dp + 4.16dp + 5.55dp + 6.94dp + 8.32dp + 9.71dp + 11.1dp + 12.48dp + 13.87dp + 15.26dp + 16.64dp + 18.03dp + 19.42dp + 20.8dp + 22.19dp + 23.58dp + 24.97dp + 26.35dp + 27.74dp + 29.13dp + 30.51dp + 31.9dp + 33.29dp + 34.67dp + 36.06dp + 37.45dp + 38.84dp + 40.22dp + 41.61dp + 43.0dp + 44.38dp + 45.77dp + 47.16dp + 48.55dp + 49.93dp + 51.32dp + 52.71dp + 54.09dp + 55.48dp + 56.87dp + 58.25dp + 59.64dp + 61.03dp + 62.41dp + 63.8dp + 65.19dp + 66.58dp + 67.96dp + 69.35dp + 70.74dp + 72.12dp + 73.51dp + 74.9dp + 76.28dp + 77.67dp + 79.06dp + 80.45dp + 81.83dp + 83.22dp + 84.61dp + 85.99dp + 87.38dp + 88.77dp + 90.16dp + 91.54dp + 92.93dp + 94.32dp + 95.7dp + 97.09dp + 98.48dp + 99.86dp + 101.25dp + 102.64dp + 104.03dp + 105.41dp + 106.8dp + 108.19dp + 109.57dp + 110.96dp + 112.35dp + 113.73dp + 115.12dp + 116.51dp + 117.89dp + 119.28dp + 120.67dp + 122.06dp + 123.44dp + 124.83dp + 126.22dp + 127.6dp + 128.99dp + 130.38dp + 131.77dp + 133.15dp + 134.54dp + 135.93dp + 137.31dp + 138.7dp + 140.09dp + 141.47dp + 142.86dp + 144.25dp + 145.63dp + 147.02dp + 148.41dp + 149.8dp + 151.18dp + 152.57dp + 153.96dp + 155.34dp + 156.73dp + 158.12dp + 159.5dp + 160.89dp + 162.28dp + 163.67dp + 165.05dp + 166.44dp + 167.83dp + 169.21dp + 170.6dp + 171.99dp + 173.38dp + 174.76dp + 176.15dp + 177.54dp + 178.92dp + 180.31dp + 181.7dp + 183.08dp + 184.47dp + 185.86dp + 187.25dp + 188.63dp + 190.02dp + 191.41dp + 192.79dp + 194.18dp + 195.57dp + 196.95dp + 198.34dp + 199.73dp + 201.12dp + 202.5dp + 203.89dp + 205.28dp + 206.66dp + 208.05dp + 209.44dp + 210.82dp + 212.21dp + 213.6dp + 214.99dp + 216.37dp + 217.76dp + 219.15dp + 220.53dp + 221.92dp + 223.31dp + 224.69dp + 226.08dp + 227.47dp + 228.85dp + 230.24dp + 231.63dp + 233.02dp + 234.4dp + 235.79dp + 237.18dp + 238.56dp + 239.95dp + 241.34dp + 242.72dp + 244.11dp + 245.5dp + 246.89dp + 248.27dp + 249.66dp + 251.05dp + 252.43dp + 253.82dp + 255.21dp + 256.6dp + 257.98dp + 259.37dp + 260.76dp + 262.14dp + 263.53dp + 264.92dp + 266.3dp + 267.69dp + 269.08dp + 270.46dp + 271.85dp + 273.24dp + 274.63dp + 276.01dp + 277.4dp + 278.79dp + 280.17dp + 281.56dp + 282.95dp + 284.33dp + 285.72dp + 287.11dp + 288.5dp + 289.88dp + 291.27dp + 292.66dp + 294.04dp + 295.43dp + 296.82dp + 298.2dp + 299.59dp + 300.98dp + 302.37dp + 303.75dp + 305.14dp + 306.53dp + 307.91dp + 309.3dp + 310.69dp + 312.07dp + 313.46dp + 314.85dp + 316.24dp + 317.62dp + 319.01dp + 320.4dp + 321.78dp + 323.17dp + 324.56dp + 325.94dp + 327.33dp + 328.72dp + 330.11dp + 331.49dp + 332.88dp + 334.27dp + 335.65dp + 337.04dp + 338.43dp + 339.81dp + 341.2dp + 342.59dp + 343.98dp + 345.36dp + 346.75dp + 348.14dp + 349.52dp + 350.91dp + 352.3dp + 353.69dp + 355.07dp + 356.46dp + 357.85dp + 359.23dp + 360.62dp + 362.01dp + 363.39dp + 364.78dp + 366.17dp + 367.56dp + 368.94dp + 370.33dp + 371.72dp + 373.1dp + 374.49dp + 375.88dp + 377.26dp + 378.65dp + 380.04dp + 381.43dp + 382.81dp + 384.2dp + 385.59dp + 386.97dp + 388.36dp + 389.75dp + 391.13dp + 392.52dp + 393.91dp + 395.3dp + 396.68dp + 398.07dp + 399.46dp + 400.84dp + 402.23dp + 403.62dp + 405.0dp + 406.39dp + 407.78dp + 409.17dp + 410.55dp + 411.94dp + 413.33dp + 414.71dp + 416.1dp + 417.49dp + 418.87dp + 420.26dp + 421.65dp + 423.04dp + 424.42dp + 425.81dp + 427.2dp + 428.58dp + 429.97dp + 431.36dp + 432.74dp + 434.13dp + 435.52dp + 436.91dp + 438.29dp + 439.68dp + 441.07dp + 442.45dp + 443.84dp + 445.23dp + 446.61dp + 448.0dp + 449.39dp + 450.77dp + 452.16dp + 453.55dp + 454.94dp + 456.32dp + 457.71dp + 459.1dp + 460.48dp + 461.87dp + 463.26dp + 464.64dp + 466.03dp + 467.42dp + 468.81dp + 470.19dp + 471.58dp + 472.97dp + 474.35dp + 475.74dp + 477.13dp + 478.51dp + 479.9dp + 481.29dp + 482.68dp + 484.06dp + 485.45dp + 486.84dp + 488.22dp + 489.61dp + 491.0dp + 492.38dp + 493.77dp + 495.16dp + 496.55dp + 497.93dp + 499.32dp + 500.71dp + 502.09dp + 503.48dp + 504.87dp + 506.25dp + 507.64dp + 509.03dp + 510.42dp + 511.8dp + 513.19dp + 514.58dp + 515.96dp + 517.35dp + 518.74dp + 520.13dp + 521.51dp + 522.9dp + 524.29dp + 525.67dp + 527.06dp + 528.45dp + 529.83dp + 531.22dp + 532.61dp + 534.0dp + 535.38dp + 536.77dp + 538.16dp + 539.54dp + 540.93dp + 542.32dp + 543.7dp + 545.09dp + 546.48dp + 547.87dp + 549.25dp + 550.64dp + 552.03dp + 553.41dp + 554.8dp + 556.19dp + 557.57dp + 558.96dp + 560.35dp + 561.74dp + 563.12dp + 564.51dp + 565.9dp + 567.28dp + 568.67dp + 570.06dp + 571.44dp + 572.83dp + 574.22dp + 575.61dp + 576.99dp + 578.38dp + 579.77dp + 581.15dp + 582.54dp + 583.93dp + 585.31dp + 586.7dp + 588.09dp + 589.48dp + 590.86dp + 592.25dp + 593.64dp + 595.02dp + 596.41dp + 597.8dp + 599.18dp + 600.57dp + 601.96dp + 603.35dp + 604.73dp + 606.12dp + 607.51dp + 608.89dp + 610.28dp + 611.67dp + 613.05dp + 614.44dp + 615.83dp + 617.22dp + 618.6dp + 619.99dp + 621.38dp + 622.76dp + 624.15dp + 625.54dp + 626.92dp + 628.31dp + 629.7dp + 631.09dp + 632.47dp + 633.86dp + 635.25dp + 636.63dp + 638.02dp + 639.41dp + 640.79dp + 642.18dp + 643.57dp + 644.96dp + 646.34dp + 647.73dp + 649.12dp + 650.5dp + 651.89dp + 653.28dp + 654.66dp + 656.05dp + 657.44dp + 658.83dp + 660.21dp + 661.6dp + 662.99dp + 664.37dp + 665.76dp + 667.15dp + 668.53dp + 669.92dp + 671.31dp + 672.7dp + 674.08dp + 675.47dp + 676.86dp + 678.24dp + 679.63dp + 681.02dp + 682.4dp + 683.79dp + 685.18dp + 686.57dp + 687.95dp + 689.34dp + 690.73dp + 692.11dp + 693.5dp + 694.89dp + 696.27dp + 697.66dp + 699.05dp + 700.44dp + 701.82dp + 703.21dp + 704.6dp + 705.98dp + 707.37dp + 708.76dp + 710.14dp + 711.53dp + 712.92dp + 714.3dp + 715.69dp + 717.08dp + 718.47dp + 719.85dp + 721.24dp + 722.63dp + 724.01dp + 725.4dp + 726.79dp + 728.17dp + 729.56dp + 730.95dp + 732.34dp + 733.72dp + 735.11dp + 736.5dp + 737.88dp + 739.27dp + 740.66dp + 742.04dp + 743.43dp + 744.82dp + 746.21dp + 747.59dp + 748.98dp + 750.37dp + 751.75dp + 753.14dp + 754.53dp + 755.91dp + 757.3dp + 758.69dp + 760.08dp + 761.46dp + 762.85dp + 764.24dp + 765.62dp + 767.01dp + 768.4dp + 769.78dp + 771.17dp + 772.56dp + 773.95dp + 775.33dp + 776.72dp + 778.11dp + 779.49dp + 780.88dp + 782.27dp + 783.65dp + 785.04dp + 786.43dp + 787.82dp + 789.2dp + 790.59dp + 791.98dp + 793.36dp + 794.75dp + 796.14dp + 797.52dp + 798.91dp + 800.3dp + 801.69dp + 803.07dp + 804.46dp + 805.85dp + 807.23dp + 808.62dp + 810.01dp + 811.39dp + 812.78dp + 814.17dp + 815.56dp + 816.94dp + 818.33dp + 819.72dp + 821.1dp + 822.49dp + 823.88dp + 825.26dp + 826.65dp + 828.04dp + 829.43dp + 830.81dp + 832.2dp + 833.59dp + 834.97dp + 836.36dp + 837.75dp + 839.13dp + 840.52dp + 841.91dp + 843.3dp + 844.68dp + 846.07dp + 847.46dp + 848.84dp + 850.23dp + 851.62dp + 853.0dp + 854.39dp + 855.78dp + 857.17dp + 858.55dp + 859.94dp + 861.33dp + 862.71dp + 864.1dp + 865.49dp + 866.88dp + 868.26dp + 869.65dp + 871.04dp + 872.42dp + 873.81dp + 875.2dp + 876.58dp + 877.97dp + 879.36dp + 880.75dp + 882.13dp + 883.52dp + 884.91dp + 886.29dp + 887.68dp + 889.07dp + 890.45dp + 891.84dp + 893.23dp + 894.62dp + 896.0dp + 897.39dp + 898.78dp + 900.16dp + 901.55dp + 902.94dp + 904.32dp + 905.71dp + 907.1dp + 908.49dp + 909.87dp + 911.26dp + 912.65dp + 914.03dp + 915.42dp + 916.81dp + 918.19dp + 919.58dp + 920.97dp + 922.36dp + 923.74dp + 925.13dp + 926.52dp + 927.9dp + 929.29dp + 930.68dp + 932.06dp + 933.45dp + 934.84dp + 936.23dp + 937.61dp + 939.0dp + 940.39dp + 941.77dp + 943.16dp + 944.55dp + 945.93dp + 947.32dp + 948.71dp + 950.1dp + 951.48dp + 952.87dp + 954.26dp + 955.64dp + 957.03dp + 958.42dp + 959.8dp + 961.19dp + 962.58dp + 963.97dp + 965.35dp + 966.74dp + 968.13dp + 969.51dp + 970.9dp + 972.29dp + 973.67dp + 975.06dp + 976.45dp + 977.84dp + 979.22dp + 980.61dp + 982.0dp + 983.38dp + 984.77dp + 986.16dp + 987.54dp + 988.93dp + 990.32dp + 991.71dp + 993.09dp + 994.48dp + 995.87dp + 997.25dp + 998.64dp + 1000.03dp + 1001.41dp + 1002.8dp + 1004.19dp + 1005.58dp + 1006.96dp + 1008.35dp + 1009.74dp + 1011.12dp + 1012.51dp + 1013.9dp + 1015.28dp + 1016.67dp + 1018.06dp + 1019.45dp + 1020.83dp + 1022.22dp + 1023.61dp + 1024.99dp + 1026.38dp + 1027.77dp + 1029.15dp + 1030.54dp + 1031.93dp + 1033.32dp + 1034.7dp + 1036.09dp + 1037.48dp + 1038.86dp + 1040.25dp + 1041.64dp + 1043.02dp + 1044.41dp + 1045.8dp + 1047.18dp + 1048.57dp + 1049.96dp + 1051.35dp + 1052.73dp + 1054.12dp + 1055.51dp + 1056.89dp + 1058.28dp + 1059.67dp + 1061.06dp + 1062.44dp + 1063.83dp + 1065.22dp + 1066.6dp + 1067.99dp + 1069.38dp + 1070.76dp + 1072.15dp + 1073.54dp + 1074.92dp + 1076.31dp + 1077.7dp + 1079.09dp + 1080.47dp + 1081.86dp + 1083.25dp + 1084.63dp + 1086.02dp + 1087.41dp + 1088.8dp + 1090.18dp + 1091.57dp + 1092.96dp + 1094.34dp + 1095.73dp + 1097.12dp + 1098.5dp + 1099.89dp + 1101.28dp + 1102.66dp + 1104.05dp + 1105.44dp + 1106.83dp + 1108.21dp + 1109.6dp + 1110.99dp + 1112.37dp + 1113.76dp + 1115.15dp + 1116.54dp + 1117.92dp + 1119.31dp + 1120.7dp + 1122.08dp + 1123.47dp + 1124.86dp + 1126.24dp + 1127.63dp + 1129.02dp + 1130.4dp + 1131.79dp + 1133.18dp + 1134.57dp + 1135.95dp + 1137.34dp + 1138.73dp + 1140.11dp + 1141.5dp + 1142.89dp + 1144.28dp + 1145.66dp + 1147.05dp + 1148.44dp + 1149.82dp + 1151.21dp + 1152.6dp + 1153.98dp + 1155.37dp + 1156.76dp + 1158.14dp + 1159.53dp + 1160.92dp + 1162.31dp + 1163.69dp + 1165.08dp + 1166.47dp + 1167.85dp + 1169.24dp + 1170.63dp + 1172.02dp + 1173.4dp + 1174.79dp + 1176.18dp + 1177.56dp + 1178.95dp + 1180.34dp + 1181.72dp + 1183.11dp + 1184.5dp + 1185.88dp + 1187.27dp + 1188.66dp + 1190.05dp + 1191.43dp + 1192.82dp + 1194.21dp + 1195.59dp + 1196.98dp + 1198.37dp + 1199.76dp + 1201.14dp + 1202.53dp + 1203.92dp + 1205.3dp + 1206.69dp + 1208.08dp + 1209.46dp + 1210.85dp + 1212.24dp + 1213.63dp + 1215.01dp + 1216.4dp + 1217.79dp + 1219.17dp + 1220.56dp + 1221.95dp + 1223.33dp + 1224.72dp + 1226.11dp + 1227.5dp + 1228.88dp + 1230.27dp + 1231.66dp + 1233.04dp + 1234.43dp + 1235.82dp + 1237.2dp + 1238.59dp + 1239.98dp + 1241.37dp + 1242.75dp + 1244.14dp + 1245.53dp + 1246.91dp + 1248.3dp + 1249.69dp + 1251.07dp + 1252.46dp + 1253.85dp + 1255.23dp + 1256.62dp + 1258.01dp + 1259.4dp + 1260.78dp + 1262.17dp + 1263.56dp + 1264.94dp + 1266.33dp + 1267.72dp + 1269.11dp + 1270.49dp + 1271.88dp + 1273.27dp + 1274.65dp + 1276.04dp + 1277.43dp + 1278.81dp + 1280.2dp + 1281.59dp + 1282.97dp + 1284.36dp + 1285.75dp + 1287.14dp + 1288.52dp + 1289.91dp + 1291.3dp + 1292.68dp + 1294.07dp + 1295.46dp + 1296.85dp + 1298.23dp + 1299.62dp + 1301.01dp + 1302.39dp + 1303.78dp + 1305.17dp + 1306.55dp + 1307.94dp + 1309.33dp + 1310.71dp + 1312.1dp + 1313.49dp + 1314.88dp + 1316.26dp + 1317.65dp + 1319.04dp + 1320.42dp + 1321.81dp + 1323.2dp + 1324.59dp + 1325.97dp + 1327.36dp + 1328.75dp + 1330.13dp + 1331.52dp + 1332.91dp + 1334.29dp + 1335.68dp + 1337.07dp + 1338.45dp + 1339.84dp + 1341.23dp + 1342.62dp + 1344.0dp + 1345.39dp + 1346.78dp + 1348.16dp + 1349.55dp + 1350.94dp + 1352.33dp + 1353.71dp + 1355.1dp + 1356.49dp + 1357.87dp + 1359.26dp + 1360.65dp + 1362.03dp + 1363.42dp + 1364.81dp + 1366.19dp + 1367.58dp + 1368.97dp + 1370.36dp + 1371.74dp + 1373.13dp + 1374.52dp + 1375.9dp + 1377.29dp + 1378.68dp + 1380.07dp + 1381.45dp + 1382.84dp + 1384.23dp + 1385.61dp + 1387.0dp + 1388.39dp + 1389.77dp + 1391.16dp + 1392.55dp + 1393.93dp + 1395.32dp + 1396.71dp + 1398.1dp + 1399.48dp + 1400.87dp + 1402.26dp + 1403.64dp + 1405.03dp + 1406.42dp + 1407.81dp + 1409.19dp + 1410.58dp + 1411.97dp + 1413.35dp + 1414.74dp + 1416.13dp + 1417.51dp + 1418.9dp + 1420.29dp + 1421.67dp + 1423.06dp + 1424.45dp + 1425.84dp + 1427.22dp + 1428.61dp + 1430.0dp + 1431.38dp + 1432.77dp + 1434.16dp + 1435.55dp + 1436.93dp + 1438.32dp + 1439.71dp + 1441.09dp + 1442.48dp + 1443.87dp + 1445.25dp + 1446.64dp + 1448.03dp + 1449.41dp + 1450.8dp + 1452.19dp + 1453.58dp + 1454.96dp + 1456.35dp + 1457.74dp + 1459.12dp + 1460.51dp + 1461.9dp + 1463.29dp + 1464.67dp + 1466.06dp + 1467.45dp + 1468.83dp + 1470.22dp + 1471.61dp + 1472.99dp + 1474.38dp + 1475.77dp + 1477.15dp + 1478.54dp + 1479.93dp + 1481.32dp + 1482.7dp + 1484.09dp + 1485.48dp + 1486.86dp + 1488.25dp + 1489.64dp + 1491.03dp + 1492.41dp + 1493.8dp + 1495.19dp + 1496.57dp + 1497.96dp + 1.39sp + 2.77sp + 4.16sp + 5.55sp + 6.94sp + 8.32sp + 9.71sp + 11.1sp + 12.48sp + 13.87sp + 15.26sp + 16.64sp + 18.03sp + 19.42sp + 20.8sp + 22.19sp + 23.58sp + 24.97sp + 26.35sp + 27.74sp + 29.13sp + 30.51sp + 31.9sp + 33.29sp + 34.67sp + 36.06sp + 37.45sp + 38.84sp + 40.22sp + 41.61sp + 43.0sp + 44.38sp + 45.77sp + 47.16sp + 48.55sp + 49.93sp + 51.32sp + 52.71sp + 54.09sp + 55.48sp + 56.87sp + 58.25sp + 59.64sp + 61.03sp + 62.41sp + 63.8sp + 65.19sp + 66.58sp + 67.96sp + 69.35sp + 70.74sp + 72.12sp + 73.51sp + 74.9sp + 76.28sp + 77.67sp + 79.06sp + 80.45sp + 81.83sp + 83.22sp + 84.61sp + 85.99sp + 87.38sp + 88.77sp + 90.16sp + 91.54sp + 92.93sp + 94.32sp + 95.7sp + 97.09sp + 98.48sp + 99.86sp + 101.25sp + 102.64sp + 104.03sp + 105.41sp + 106.8sp + 108.19sp + 109.57sp + 110.96sp + 112.35sp + 113.73sp + 115.12sp + 116.51sp + 117.89sp + 119.28sp + 120.67sp + 122.06sp + 123.44sp + 124.83sp + 126.22sp + 127.6sp + 128.99sp + 130.38sp + 131.77sp + 133.15sp + 134.54sp + 135.93sp + 137.31sp + 138.7sp + 140.09sp + 141.47sp + 142.86sp + 144.25sp + 145.63sp + 147.02sp + 148.41sp + 149.8sp + 151.18sp + 152.57sp + 153.96sp + 155.34sp + 156.73sp + 158.12sp + 159.5sp + 160.89sp + 162.28sp + 163.67sp + 165.05sp + 166.44sp + 167.83sp + 169.21sp + 170.6sp + 171.99sp + 173.38sp + 174.76sp + 176.15sp + 177.54sp + 178.92sp + 180.31sp + 181.7sp + 183.08sp + 184.47sp + 185.86sp + 187.25sp + 188.63sp + 190.02sp + 191.41sp + 192.79sp + 194.18sp + 195.57sp + 196.95sp + 198.34sp + 199.73sp + 201.12sp + 202.5sp + 203.89sp + 205.28sp + 206.66sp + 208.05sp + 209.44sp + 210.82sp + 212.21sp + 213.6sp + 214.99sp + 216.37sp + 217.76sp + 219.15sp + 220.53sp + 221.92sp + 223.31sp + 224.69sp + 226.08sp + 227.47sp + 228.85sp + 230.24sp + 231.63sp + 233.02sp + 234.4sp + 235.79sp + 237.18sp + 238.56sp + 239.95sp + 241.34sp + 242.72sp + 244.11sp + 245.5sp + 246.89sp + 248.27sp + 249.66sp + 251.05sp + 252.43sp + 253.82sp + 255.21sp + 256.6sp + 257.98sp + 259.37sp + 260.76sp + 262.14sp + 263.53sp + 264.92sp + 266.3sp + 267.69sp + 269.08sp + 270.46sp + 271.85sp + 273.24sp + 274.63sp + 276.01sp + 277.4sp + diff --git a/app/src/main/res/values-sw540dp/dimens.xml b/app/src/main/res/values-sw540dp/dimens.xml new file mode 100644 index 0000000..0f04af7 --- /dev/null +++ b/app/src/main/res/values-sw540dp/dimens.xml @@ -0,0 +1,2365 @@ + + + + -1555.2dp + -1553.76dp + -1552.32dp + -1550.88dp + -1549.44dp + -1548.0dp + -1546.56dp + -1545.12dp + -1543.68dp + -1542.24dp + -1540.8dp + -1539.36dp + -1537.92dp + -1536.48dp + -1535.04dp + -1533.6dp + -1532.16dp + -1530.72dp + -1529.28dp + -1527.84dp + -1526.4dp + -1524.96dp + -1523.52dp + -1522.08dp + -1520.64dp + -1519.2dp + -1517.76dp + -1516.32dp + -1514.88dp + -1513.44dp + -1512.0dp + -1510.56dp + -1509.12dp + -1507.68dp + -1506.24dp + -1504.8dp + -1503.36dp + -1501.92dp + -1500.48dp + -1499.04dp + -1497.6dp + -1496.16dp + -1494.72dp + -1493.28dp + -1491.84dp + -1490.4dp + -1488.96dp + -1487.52dp + -1486.08dp + -1484.64dp + -1483.2dp + -1481.76dp + -1480.32dp + -1478.88dp + -1477.44dp + -1476.0dp + -1474.56dp + -1473.12dp + -1471.68dp + -1470.24dp + -1468.8dp + -1467.36dp + -1465.92dp + -1464.48dp + -1463.04dp + -1461.6dp + -1460.16dp + -1458.72dp + -1457.28dp + -1455.84dp + -1454.4dp + -1452.96dp + -1451.52dp + -1450.08dp + -1448.64dp + -1447.2dp + -1445.76dp + -1444.32dp + -1442.88dp + -1441.44dp + -1440.0dp + -1438.56dp + -1437.12dp + -1435.68dp + -1434.24dp + -1432.8dp + -1431.36dp + -1429.92dp + -1428.48dp + -1427.04dp + -1425.6dp + -1424.16dp + -1422.72dp + -1421.28dp + -1419.84dp + -1418.4dp + -1416.96dp + -1415.52dp + -1414.08dp + -1412.64dp + -1411.2dp + -1409.76dp + -1408.32dp + -1406.88dp + -1405.44dp + -1404.0dp + -1402.56dp + -1401.12dp + -1399.68dp + -1398.24dp + -1396.8dp + -1395.36dp + -1393.92dp + -1392.48dp + -1391.04dp + -1389.6dp + -1388.16dp + -1386.72dp + -1385.28dp + -1383.84dp + -1382.4dp + -1380.96dp + -1379.52dp + -1378.08dp + -1376.64dp + -1375.2dp + -1373.76dp + -1372.32dp + -1370.88dp + -1369.44dp + -1368.0dp + -1366.56dp + -1365.12dp + -1363.68dp + -1362.24dp + -1360.8dp + -1359.36dp + -1357.92dp + -1356.48dp + -1355.04dp + -1353.6dp + -1352.16dp + -1350.72dp + -1349.28dp + -1347.84dp + -1346.4dp + -1344.96dp + -1343.52dp + -1342.08dp + -1340.64dp + -1339.2dp + -1337.76dp + -1336.32dp + -1334.88dp + -1333.44dp + -1332.0dp + -1330.56dp + -1329.12dp + -1327.68dp + -1326.24dp + -1324.8dp + -1323.36dp + -1321.92dp + -1320.48dp + -1319.04dp + -1317.6dp + -1316.16dp + -1314.72dp + -1313.28dp + -1311.84dp + -1310.4dp + -1308.96dp + -1307.52dp + -1306.08dp + -1304.64dp + -1303.2dp + -1301.76dp + -1300.32dp + -1298.88dp + -1297.44dp + -1296.0dp + -1294.56dp + -1293.12dp + -1291.68dp + -1290.24dp + -1288.8dp + -1287.36dp + -1285.92dp + -1284.48dp + -1283.04dp + -1281.6dp + -1280.16dp + -1278.72dp + -1277.28dp + -1275.84dp + -1274.4dp + -1272.96dp + -1271.52dp + -1270.08dp + -1268.64dp + -1267.2dp + -1265.76dp + -1264.32dp + -1262.88dp + -1261.44dp + -1260.0dp + -1258.56dp + -1257.12dp + -1255.68dp + -1254.24dp + -1252.8dp + -1251.36dp + -1249.92dp + -1248.48dp + -1247.04dp + -1245.6dp + -1244.16dp + -1242.72dp + -1241.28dp + -1239.84dp + -1238.4dp + -1236.96dp + -1235.52dp + -1234.08dp + -1232.64dp + -1231.2dp + -1229.76dp + -1228.32dp + -1226.88dp + -1225.44dp + -1224.0dp + -1222.56dp + -1221.12dp + -1219.68dp + -1218.24dp + -1216.8dp + -1215.36dp + -1213.92dp + -1212.48dp + -1211.04dp + -1209.6dp + -1208.16dp + -1206.72dp + -1205.28dp + -1203.84dp + -1202.4dp + -1200.96dp + -1199.52dp + -1198.08dp + -1196.64dp + -1195.2dp + -1193.76dp + -1192.32dp + -1190.88dp + -1189.44dp + -1188.0dp + -1186.56dp + -1185.12dp + -1183.68dp + -1182.24dp + -1180.8dp + -1179.36dp + -1177.92dp + -1176.48dp + -1175.04dp + -1173.6dp + -1172.16dp + -1170.72dp + -1169.28dp + -1167.84dp + -1166.4dp + -1164.96dp + -1163.52dp + -1162.08dp + -1160.64dp + -1159.2dp + -1157.76dp + -1156.32dp + -1154.88dp + -1153.44dp + -1152.0dp + -1150.56dp + -1149.12dp + -1147.68dp + -1146.24dp + -1144.8dp + -1143.36dp + -1141.92dp + -1140.48dp + -1139.04dp + -1137.6dp + -1136.16dp + -1134.72dp + -1133.28dp + -1131.84dp + -1130.4dp + -1128.96dp + -1127.52dp + -1126.08dp + -1124.64dp + -1123.2dp + -1121.76dp + -1120.32dp + -1118.88dp + -1117.44dp + -1116.0dp + -1114.56dp + -1113.12dp + -1111.68dp + -1110.24dp + -1108.8dp + -1107.36dp + -1105.92dp + -1104.48dp + -1103.04dp + -1101.6dp + -1100.16dp + -1098.72dp + -1097.28dp + -1095.84dp + -1094.4dp + -1092.96dp + -1091.52dp + -1090.08dp + -1088.64dp + -1087.2dp + -1085.76dp + -1084.32dp + -1082.88dp + -1081.44dp + -1080.0dp + -1078.56dp + -1077.12dp + -1075.68dp + -1074.24dp + -1072.8dp + -1071.36dp + -1069.92dp + -1068.48dp + -1067.04dp + -1065.6dp + -1064.16dp + -1062.72dp + -1061.28dp + -1059.84dp + -1058.4dp + -1056.96dp + -1055.52dp + -1054.08dp + -1052.64dp + -1051.2dp + -1049.76dp + -1048.32dp + -1046.88dp + -1045.44dp + -1044.0dp + -1042.56dp + -1041.12dp + -1039.68dp + -1038.24dp + -1036.8dp + -1035.36dp + -1033.92dp + -1032.48dp + -1031.04dp + -1029.6dp + -1028.16dp + -1026.72dp + -1025.28dp + -1023.84dp + -1022.4dp + -1020.96dp + -1019.52dp + -1018.08dp + -1016.64dp + -1015.2dp + -1013.76dp + -1012.32dp + -1010.88dp + -1009.44dp + -1008.0dp + -1006.56dp + -1005.12dp + -1003.68dp + -1002.24dp + -1000.8dp + -999.36dp + -997.92dp + -996.48dp + -995.04dp + -993.6dp + -992.16dp + -990.72dp + -989.28dp + -987.84dp + -986.4dp + -984.96dp + -983.52dp + -982.08dp + -980.64dp + -979.2dp + -977.76dp + -976.32dp + -974.88dp + -973.44dp + -972.0dp + -970.56dp + -969.12dp + -967.68dp + -966.24dp + -964.8dp + -963.36dp + -961.92dp + -960.48dp + -959.04dp + -957.6dp + -956.16dp + -954.72dp + -953.28dp + -951.84dp + -950.4dp + -948.96dp + -947.52dp + -946.08dp + -944.64dp + -943.2dp + -941.76dp + -940.32dp + -938.88dp + -937.44dp + -936.0dp + -934.56dp + -933.12dp + -931.68dp + -930.24dp + -928.8dp + -927.36dp + -925.92dp + -924.48dp + -923.04dp + -921.6dp + -920.16dp + -918.72dp + -917.28dp + -915.84dp + -914.4dp + -912.96dp + -911.52dp + -910.08dp + -908.64dp + -907.2dp + -905.76dp + -904.32dp + -902.88dp + -901.44dp + -900.0dp + -898.56dp + -897.12dp + -895.68dp + -894.24dp + -892.8dp + -891.36dp + -889.92dp + -888.48dp + -887.04dp + -885.6dp + -884.16dp + -882.72dp + -881.28dp + -879.84dp + -878.4dp + -876.96dp + -875.52dp + -874.08dp + -872.64dp + -871.2dp + -869.76dp + -868.32dp + -866.88dp + -865.44dp + -864.0dp + -862.56dp + -861.12dp + -859.68dp + -858.24dp + -856.8dp + -855.36dp + -853.92dp + -852.48dp + -851.04dp + -849.6dp + -848.16dp + -846.72dp + -845.28dp + -843.84dp + -842.4dp + -840.96dp + -839.52dp + -838.08dp + -836.64dp + -835.2dp + -833.76dp + -832.32dp + -830.88dp + -829.44dp + -828.0dp + -826.56dp + -825.12dp + -823.68dp + -822.24dp + -820.8dp + -819.36dp + -817.92dp + -816.48dp + -815.04dp + -813.6dp + -812.16dp + -810.72dp + -809.28dp + -807.84dp + -806.4dp + -804.96dp + -803.52dp + -802.08dp + -800.64dp + -799.2dp + -797.76dp + -796.32dp + -794.88dp + -793.44dp + -792.0dp + -790.56dp + -789.12dp + -787.68dp + -786.24dp + -784.8dp + -783.36dp + -781.92dp + -780.48dp + -779.04dp + -777.6dp + -776.16dp + -774.72dp + -773.28dp + -771.84dp + -770.4dp + -768.96dp + -767.52dp + -766.08dp + -764.64dp + -763.2dp + -761.76dp + -760.32dp + -758.88dp + -757.44dp + -756.0dp + -754.56dp + -753.12dp + -751.68dp + -750.24dp + -748.8dp + -747.36dp + -745.92dp + -744.48dp + -743.04dp + -741.6dp + -740.16dp + -738.72dp + -737.28dp + -735.84dp + -734.4dp + -732.96dp + -731.52dp + -730.08dp + -728.64dp + -727.2dp + -725.76dp + -724.32dp + -722.88dp + -721.44dp + -720.0dp + -718.56dp + -717.12dp + -715.68dp + -714.24dp + -712.8dp + -711.36dp + -709.92dp + -708.48dp + -707.04dp + -705.6dp + -704.16dp + -702.72dp + -701.28dp + -699.84dp + -698.4dp + -696.96dp + -695.52dp + -694.08dp + -692.64dp + -691.2dp + -689.76dp + -688.32dp + -686.88dp + -685.44dp + -684.0dp + -682.56dp + -681.12dp + -679.68dp + -678.24dp + -676.8dp + -675.36dp + -673.92dp + -672.48dp + -671.04dp + -669.6dp + -668.16dp + -666.72dp + -665.28dp + -663.84dp + -662.4dp + -660.96dp + -659.52dp + -658.08dp + -656.64dp + -655.2dp + -653.76dp + -652.32dp + -650.88dp + -649.44dp + -648.0dp + -646.56dp + -645.12dp + -643.68dp + -642.24dp + -640.8dp + -639.36dp + -637.92dp + -636.48dp + -635.04dp + -633.6dp + -632.16dp + -630.72dp + -629.28dp + -627.84dp + -626.4dp + -624.96dp + -623.52dp + -622.08dp + -620.64dp + -619.2dp + -617.76dp + -616.32dp + -614.88dp + -613.44dp + -612.0dp + -610.56dp + -609.12dp + -607.68dp + -606.24dp + -604.8dp + -603.36dp + -601.92dp + -600.48dp + -599.04dp + -597.6dp + -596.16dp + -594.72dp + -593.28dp + -591.84dp + -590.4dp + -588.96dp + -587.52dp + -586.08dp + -584.64dp + -583.2dp + -581.76dp + -580.32dp + -578.88dp + -577.44dp + -576.0dp + -574.56dp + -573.12dp + -571.68dp + -570.24dp + -568.8dp + -567.36dp + -565.92dp + -564.48dp + -563.04dp + -561.6dp + -560.16dp + -558.72dp + -557.28dp + -555.84dp + -554.4dp + -552.96dp + -551.52dp + -550.08dp + -548.64dp + -547.2dp + -545.76dp + -544.32dp + -542.88dp + -541.44dp + -540.0dp + -538.56dp + -537.12dp + -535.68dp + -534.24dp + -532.8dp + -531.36dp + -529.92dp + -528.48dp + -527.04dp + -525.6dp + -524.16dp + -522.72dp + -521.28dp + -519.84dp + -518.4dp + -516.96dp + -515.52dp + -514.08dp + -512.64dp + -511.2dp + -509.76dp + -508.32dp + -506.88dp + -505.44dp + -504.0dp + -502.56dp + -501.12dp + -499.68dp + -498.24dp + -496.8dp + -495.36dp + -493.92dp + -492.48dp + -491.04dp + -489.6dp + -488.16dp + -486.72dp + -485.28dp + -483.84dp + -482.4dp + -480.96dp + -479.52dp + -478.08dp + -476.64dp + -475.2dp + -473.76dp + -472.32dp + -470.88dp + -469.44dp + -468.0dp + -466.56dp + -465.12dp + -463.68dp + -462.24dp + -460.8dp + -459.36dp + -457.92dp + -456.48dp + -455.04dp + -453.6dp + -452.16dp + -450.72dp + -449.28dp + -447.84dp + -446.4dp + -444.96dp + -443.52dp + -442.08dp + -440.64dp + -439.2dp + -437.76dp + -436.32dp + -434.88dp + -433.44dp + -432.0dp + -430.56dp + -429.12dp + -427.68dp + -426.24dp + -424.8dp + -423.36dp + -421.92dp + -420.48dp + -419.04dp + -417.6dp + -416.16dp + -414.72dp + -413.28dp + -411.84dp + -410.4dp + -408.96dp + -407.52dp + -406.08dp + -404.64dp + -403.2dp + -401.76dp + -400.32dp + -398.88dp + -397.44dp + -396.0dp + -394.56dp + -393.12dp + -391.68dp + -390.24dp + -388.8dp + -387.36dp + -385.92dp + -384.48dp + -383.04dp + -381.6dp + -380.16dp + -378.72dp + -377.28dp + -375.84dp + -374.4dp + -372.96dp + -371.52dp + -370.08dp + -368.64dp + -367.2dp + -365.76dp + -364.32dp + -362.88dp + -361.44dp + -360.0dp + -358.56dp + -357.12dp + -355.68dp + -354.24dp + -352.8dp + -351.36dp + -349.92dp + -348.48dp + -347.04dp + -345.6dp + -344.16dp + -342.72dp + -341.28dp + -339.84dp + -338.4dp + -336.96dp + -335.52dp + -334.08dp + -332.64dp + -331.2dp + -329.76dp + -328.32dp + -326.88dp + -325.44dp + -324.0dp + -322.56dp + -321.12dp + -319.68dp + -318.24dp + -316.8dp + -315.36dp + -313.92dp + -312.48dp + -311.04dp + -309.6dp + -308.16dp + -306.72dp + -305.28dp + -303.84dp + -302.4dp + -300.96dp + -299.52dp + -298.08dp + -296.64dp + -295.2dp + -293.76dp + -292.32dp + -290.88dp + -289.44dp + -288.0dp + -286.56dp + -285.12dp + -283.68dp + -282.24dp + -280.8dp + -279.36dp + -277.92dp + -276.48dp + -275.04dp + -273.6dp + -272.16dp + -270.72dp + -269.28dp + -267.84dp + -266.4dp + -264.96dp + -263.52dp + -262.08dp + -260.64dp + -259.2dp + -257.76dp + -256.32dp + -254.88dp + -253.44dp + -252.0dp + -250.56dp + -249.12dp + -247.68dp + -246.24dp + -244.8dp + -243.36dp + -241.92dp + -240.48dp + -239.04dp + -237.6dp + -236.16dp + -234.72dp + -233.28dp + -231.84dp + -230.4dp + -228.96dp + -227.52dp + -226.08dp + -224.64dp + -223.2dp + -221.76dp + -220.32dp + -218.88dp + -217.44dp + -216.0dp + -214.56dp + -213.12dp + -211.68dp + -210.24dp + -208.8dp + -207.36dp + -205.92dp + -204.48dp + -203.04dp + -201.6dp + -200.16dp + -198.72dp + -197.28dp + -195.84dp + -194.4dp + -192.96dp + -191.52dp + -190.08dp + -188.64dp + -187.2dp + -185.76dp + -184.32dp + -182.88dp + -181.44dp + -180.0dp + -178.56dp + -177.12dp + -175.68dp + -174.24dp + -172.8dp + -171.36dp + -169.92dp + -168.48dp + -167.04dp + -165.6dp + -164.16dp + -162.72dp + -161.28dp + -159.84dp + -158.4dp + -156.96dp + -155.52dp + -154.08dp + -152.64dp + -151.2dp + -149.76dp + -148.32dp + -146.88dp + -145.44dp + -144.0dp + -142.56dp + -141.12dp + -139.68dp + -138.24dp + -136.8dp + -135.36dp + -133.92dp + -132.48dp + -131.04dp + -129.6dp + -128.16dp + -126.72dp + -125.28dp + -123.84dp + -122.4dp + -120.96dp + -119.52dp + -118.08dp + -116.64dp + -115.2dp + -113.76dp + -112.32dp + -110.88dp + -109.44dp + -108.0dp + -106.56dp + -105.12dp + -103.68dp + -102.24dp + -100.8dp + -99.36dp + -97.92dp + -96.48dp + -95.04dp + -93.6dp + -92.16dp + -90.72dp + -89.28dp + -87.84dp + -86.4dp + -84.96dp + -83.52dp + -82.08dp + -80.64dp + -79.2dp + -77.76dp + -76.32dp + -74.88dp + -73.44dp + -72.0dp + -70.56dp + -69.12dp + -67.68dp + -66.24dp + -64.8dp + -63.36dp + -61.92dp + -60.48dp + -59.04dp + -57.6dp + -56.16dp + -54.72dp + -53.28dp + -51.84dp + -50.4dp + -48.96dp + -47.52dp + -46.08dp + -44.64dp + -43.2dp + -41.76dp + -40.32dp + -38.88dp + -37.44dp + -36.0dp + -34.56dp + -33.12dp + -31.68dp + -30.24dp + -28.8dp + -27.36dp + -25.92dp + -24.48dp + -23.04dp + -21.6dp + -20.16dp + -18.72dp + -17.28dp + -15.84dp + -14.4dp + -12.96dp + -11.52dp + -10.08dp + -8.64dp + -7.2dp + -5.76dp + -4.32dp + -2.88dp + -1.44dp + 0.0dp + 1.44dp + 2.88dp + 4.32dp + 5.76dp + 7.2dp + 8.64dp + 10.08dp + 11.52dp + 12.96dp + 14.4dp + 15.84dp + 17.28dp + 18.72dp + 20.16dp + 21.6dp + 23.04dp + 24.48dp + 25.92dp + 27.36dp + 28.8dp + 30.24dp + 31.68dp + 33.12dp + 34.56dp + 36.0dp + 37.44dp + 38.88dp + 40.32dp + 41.76dp + 43.2dp + 44.64dp + 46.08dp + 47.52dp + 48.96dp + 50.4dp + 51.84dp + 53.28dp + 54.72dp + 56.16dp + 57.6dp + 59.04dp + 60.48dp + 61.92dp + 63.36dp + 64.8dp + 66.24dp + 67.68dp + 69.12dp + 70.56dp + 72.0dp + 73.44dp + 74.88dp + 76.32dp + 77.76dp + 79.2dp + 80.64dp + 82.08dp + 83.52dp + 84.96dp + 86.4dp + 87.84dp + 89.28dp + 90.72dp + 92.16dp + 93.6dp + 95.04dp + 96.48dp + 97.92dp + 99.36dp + 100.8dp + 102.24dp + 103.68dp + 105.12dp + 106.56dp + 108.0dp + 109.44dp + 110.88dp + 112.32dp + 113.76dp + 115.2dp + 116.64dp + 118.08dp + 119.52dp + 120.96dp + 122.4dp + 123.84dp + 125.28dp + 126.72dp + 128.16dp + 129.6dp + 131.04dp + 132.48dp + 133.92dp + 135.36dp + 136.8dp + 138.24dp + 139.68dp + 141.12dp + 142.56dp + 144.0dp + 145.44dp + 146.88dp + 148.32dp + 149.76dp + 151.2dp + 152.64dp + 154.08dp + 155.52dp + 156.96dp + 158.4dp + 159.84dp + 161.28dp + 162.72dp + 164.16dp + 165.6dp + 167.04dp + 168.48dp + 169.92dp + 171.36dp + 172.8dp + 174.24dp + 175.68dp + 177.12dp + 178.56dp + 180.0dp + 181.44dp + 182.88dp + 184.32dp + 185.76dp + 187.2dp + 188.64dp + 190.08dp + 191.52dp + 192.96dp + 194.4dp + 195.84dp + 197.28dp + 198.72dp + 200.16dp + 201.6dp + 203.04dp + 204.48dp + 205.92dp + 207.36dp + 208.8dp + 210.24dp + 211.68dp + 213.12dp + 214.56dp + 216.0dp + 217.44dp + 218.88dp + 220.32dp + 221.76dp + 223.2dp + 224.64dp + 226.08dp + 227.52dp + 228.96dp + 230.4dp + 231.84dp + 233.28dp + 234.72dp + 236.16dp + 237.6dp + 239.04dp + 240.48dp + 241.92dp + 243.36dp + 244.8dp + 246.24dp + 247.68dp + 249.12dp + 250.56dp + 252.0dp + 253.44dp + 254.88dp + 256.32dp + 257.76dp + 259.2dp + 260.64dp + 262.08dp + 263.52dp + 264.96dp + 266.4dp + 267.84dp + 269.28dp + 270.72dp + 272.16dp + 273.6dp + 275.04dp + 276.48dp + 277.92dp + 279.36dp + 280.8dp + 282.24dp + 283.68dp + 285.12dp + 286.56dp + 288.0dp + 289.44dp + 290.88dp + 292.32dp + 293.76dp + 295.2dp + 296.64dp + 298.08dp + 299.52dp + 300.96dp + 302.4dp + 303.84dp + 305.28dp + 306.72dp + 308.16dp + 309.6dp + 311.04dp + 312.48dp + 313.92dp + 315.36dp + 316.8dp + 318.24dp + 319.68dp + 321.12dp + 322.56dp + 324.0dp + 325.44dp + 326.88dp + 328.32dp + 329.76dp + 331.2dp + 332.64dp + 334.08dp + 335.52dp + 336.96dp + 338.4dp + 339.84dp + 341.28dp + 342.72dp + 344.16dp + 345.6dp + 347.04dp + 348.48dp + 349.92dp + 351.36dp + 352.8dp + 354.24dp + 355.68dp + 357.12dp + 358.56dp + 360.0dp + 361.44dp + 362.88dp + 364.32dp + 365.76dp + 367.2dp + 368.64dp + 370.08dp + 371.52dp + 372.96dp + 374.4dp + 375.84dp + 377.28dp + 378.72dp + 380.16dp + 381.6dp + 383.04dp + 384.48dp + 385.92dp + 387.36dp + 388.8dp + 390.24dp + 391.68dp + 393.12dp + 394.56dp + 396.0dp + 397.44dp + 398.88dp + 400.32dp + 401.76dp + 403.2dp + 404.64dp + 406.08dp + 407.52dp + 408.96dp + 410.4dp + 411.84dp + 413.28dp + 414.72dp + 416.16dp + 417.6dp + 419.04dp + 420.48dp + 421.92dp + 423.36dp + 424.8dp + 426.24dp + 427.68dp + 429.12dp + 430.56dp + 432.0dp + 433.44dp + 434.88dp + 436.32dp + 437.76dp + 439.2dp + 440.64dp + 442.08dp + 443.52dp + 444.96dp + 446.4dp + 447.84dp + 449.28dp + 450.72dp + 452.16dp + 453.6dp + 455.04dp + 456.48dp + 457.92dp + 459.36dp + 460.8dp + 462.24dp + 463.68dp + 465.12dp + 466.56dp + 468.0dp + 469.44dp + 470.88dp + 472.32dp + 473.76dp + 475.2dp + 476.64dp + 478.08dp + 479.52dp + 480.96dp + 482.4dp + 483.84dp + 485.28dp + 486.72dp + 488.16dp + 489.6dp + 491.04dp + 492.48dp + 493.92dp + 495.36dp + 496.8dp + 498.24dp + 499.68dp + 501.12dp + 502.56dp + 504.0dp + 505.44dp + 506.88dp + 508.32dp + 509.76dp + 511.2dp + 512.64dp + 514.08dp + 515.52dp + 516.96dp + 518.4dp + 519.84dp + 521.28dp + 522.72dp + 524.16dp + 525.6dp + 527.04dp + 528.48dp + 529.92dp + 531.36dp + 532.8dp + 534.24dp + 535.68dp + 537.12dp + 538.56dp + 540.0dp + 541.44dp + 542.88dp + 544.32dp + 545.76dp + 547.2dp + 548.64dp + 550.08dp + 551.52dp + 552.96dp + 554.4dp + 555.84dp + 557.28dp + 558.72dp + 560.16dp + 561.6dp + 563.04dp + 564.48dp + 565.92dp + 567.36dp + 568.8dp + 570.24dp + 571.68dp + 573.12dp + 574.56dp + 576.0dp + 577.44dp + 578.88dp + 580.32dp + 581.76dp + 583.2dp + 584.64dp + 586.08dp + 587.52dp + 588.96dp + 590.4dp + 591.84dp + 593.28dp + 594.72dp + 596.16dp + 597.6dp + 599.04dp + 600.48dp + 601.92dp + 603.36dp + 604.8dp + 606.24dp + 607.68dp + 609.12dp + 610.56dp + 612.0dp + 613.44dp + 614.88dp + 616.32dp + 617.76dp + 619.2dp + 620.64dp + 622.08dp + 623.52dp + 624.96dp + 626.4dp + 627.84dp + 629.28dp + 630.72dp + 632.16dp + 633.6dp + 635.04dp + 636.48dp + 637.92dp + 639.36dp + 640.8dp + 642.24dp + 643.68dp + 645.12dp + 646.56dp + 648.0dp + 649.44dp + 650.88dp + 652.32dp + 653.76dp + 655.2dp + 656.64dp + 658.08dp + 659.52dp + 660.96dp + 662.4dp + 663.84dp + 665.28dp + 666.72dp + 668.16dp + 669.6dp + 671.04dp + 672.48dp + 673.92dp + 675.36dp + 676.8dp + 678.24dp + 679.68dp + 681.12dp + 682.56dp + 684.0dp + 685.44dp + 686.88dp + 688.32dp + 689.76dp + 691.2dp + 692.64dp + 694.08dp + 695.52dp + 696.96dp + 698.4dp + 699.84dp + 701.28dp + 702.72dp + 704.16dp + 705.6dp + 707.04dp + 708.48dp + 709.92dp + 711.36dp + 712.8dp + 714.24dp + 715.68dp + 717.12dp + 718.56dp + 720.0dp + 721.44dp + 722.88dp + 724.32dp + 725.76dp + 727.2dp + 728.64dp + 730.08dp + 731.52dp + 732.96dp + 734.4dp + 735.84dp + 737.28dp + 738.72dp + 740.16dp + 741.6dp + 743.04dp + 744.48dp + 745.92dp + 747.36dp + 748.8dp + 750.24dp + 751.68dp + 753.12dp + 754.56dp + 756.0dp + 757.44dp + 758.88dp + 760.32dp + 761.76dp + 763.2dp + 764.64dp + 766.08dp + 767.52dp + 768.96dp + 770.4dp + 771.84dp + 773.28dp + 774.72dp + 776.16dp + 777.6dp + 779.04dp + 780.48dp + 781.92dp + 783.36dp + 784.8dp + 786.24dp + 787.68dp + 789.12dp + 790.56dp + 792.0dp + 793.44dp + 794.88dp + 796.32dp + 797.76dp + 799.2dp + 800.64dp + 802.08dp + 803.52dp + 804.96dp + 806.4dp + 807.84dp + 809.28dp + 810.72dp + 812.16dp + 813.6dp + 815.04dp + 816.48dp + 817.92dp + 819.36dp + 820.8dp + 822.24dp + 823.68dp + 825.12dp + 826.56dp + 828.0dp + 829.44dp + 830.88dp + 832.32dp + 833.76dp + 835.2dp + 836.64dp + 838.08dp + 839.52dp + 840.96dp + 842.4dp + 843.84dp + 845.28dp + 846.72dp + 848.16dp + 849.6dp + 851.04dp + 852.48dp + 853.92dp + 855.36dp + 856.8dp + 858.24dp + 859.68dp + 861.12dp + 862.56dp + 864.0dp + 865.44dp + 866.88dp + 868.32dp + 869.76dp + 871.2dp + 872.64dp + 874.08dp + 875.52dp + 876.96dp + 878.4dp + 879.84dp + 881.28dp + 882.72dp + 884.16dp + 885.6dp + 887.04dp + 888.48dp + 889.92dp + 891.36dp + 892.8dp + 894.24dp + 895.68dp + 897.12dp + 898.56dp + 900.0dp + 901.44dp + 902.88dp + 904.32dp + 905.76dp + 907.2dp + 908.64dp + 910.08dp + 911.52dp + 912.96dp + 914.4dp + 915.84dp + 917.28dp + 918.72dp + 920.16dp + 921.6dp + 923.04dp + 924.48dp + 925.92dp + 927.36dp + 928.8dp + 930.24dp + 931.68dp + 933.12dp + 934.56dp + 936.0dp + 937.44dp + 938.88dp + 940.32dp + 941.76dp + 943.2dp + 944.64dp + 946.08dp + 947.52dp + 948.96dp + 950.4dp + 951.84dp + 953.28dp + 954.72dp + 956.16dp + 957.6dp + 959.04dp + 960.48dp + 961.92dp + 963.36dp + 964.8dp + 966.24dp + 967.68dp + 969.12dp + 970.56dp + 972.0dp + 973.44dp + 974.88dp + 976.32dp + 977.76dp + 979.2dp + 980.64dp + 982.08dp + 983.52dp + 984.96dp + 986.4dp + 987.84dp + 989.28dp + 990.72dp + 992.16dp + 993.6dp + 995.04dp + 996.48dp + 997.92dp + 999.36dp + 1000.8dp + 1002.24dp + 1003.68dp + 1005.12dp + 1006.56dp + 1008.0dp + 1009.44dp + 1010.88dp + 1012.32dp + 1013.76dp + 1015.2dp + 1016.64dp + 1018.08dp + 1019.52dp + 1020.96dp + 1022.4dp + 1023.84dp + 1025.28dp + 1026.72dp + 1028.16dp + 1029.6dp + 1031.04dp + 1032.48dp + 1033.92dp + 1035.36dp + 1036.8dp + 1038.24dp + 1039.68dp + 1041.12dp + 1042.56dp + 1044.0dp + 1045.44dp + 1046.88dp + 1048.32dp + 1049.76dp + 1051.2dp + 1052.64dp + 1054.08dp + 1055.52dp + 1056.96dp + 1058.4dp + 1059.84dp + 1061.28dp + 1062.72dp + 1064.16dp + 1065.6dp + 1067.04dp + 1068.48dp + 1069.92dp + 1071.36dp + 1072.8dp + 1074.24dp + 1075.68dp + 1077.12dp + 1078.56dp + 1080.0dp + 1081.44dp + 1082.88dp + 1084.32dp + 1085.76dp + 1087.2dp + 1088.64dp + 1090.08dp + 1091.52dp + 1092.96dp + 1094.4dp + 1095.84dp + 1097.28dp + 1098.72dp + 1100.16dp + 1101.6dp + 1103.04dp + 1104.48dp + 1105.92dp + 1107.36dp + 1108.8dp + 1110.24dp + 1111.68dp + 1113.12dp + 1114.56dp + 1116.0dp + 1117.44dp + 1118.88dp + 1120.32dp + 1121.76dp + 1123.2dp + 1124.64dp + 1126.08dp + 1127.52dp + 1128.96dp + 1130.4dp + 1131.84dp + 1133.28dp + 1134.72dp + 1136.16dp + 1137.6dp + 1139.04dp + 1140.48dp + 1141.92dp + 1143.36dp + 1144.8dp + 1146.24dp + 1147.68dp + 1149.12dp + 1150.56dp + 1152.0dp + 1153.44dp + 1154.88dp + 1156.32dp + 1157.76dp + 1159.2dp + 1160.64dp + 1162.08dp + 1163.52dp + 1164.96dp + 1166.4dp + 1167.84dp + 1169.28dp + 1170.72dp + 1172.16dp + 1173.6dp + 1175.04dp + 1176.48dp + 1177.92dp + 1179.36dp + 1180.8dp + 1182.24dp + 1183.68dp + 1185.12dp + 1186.56dp + 1188.0dp + 1189.44dp + 1190.88dp + 1192.32dp + 1193.76dp + 1195.2dp + 1196.64dp + 1198.08dp + 1199.52dp + 1200.96dp + 1202.4dp + 1203.84dp + 1205.28dp + 1206.72dp + 1208.16dp + 1209.6dp + 1211.04dp + 1212.48dp + 1213.92dp + 1215.36dp + 1216.8dp + 1218.24dp + 1219.68dp + 1221.12dp + 1222.56dp + 1224.0dp + 1225.44dp + 1226.88dp + 1228.32dp + 1229.76dp + 1231.2dp + 1232.64dp + 1234.08dp + 1235.52dp + 1236.96dp + 1238.4dp + 1239.84dp + 1241.28dp + 1242.72dp + 1244.16dp + 1245.6dp + 1247.04dp + 1248.48dp + 1249.92dp + 1251.36dp + 1252.8dp + 1254.24dp + 1255.68dp + 1257.12dp + 1258.56dp + 1260.0dp + 1261.44dp + 1262.88dp + 1264.32dp + 1265.76dp + 1267.2dp + 1268.64dp + 1270.08dp + 1271.52dp + 1272.96dp + 1274.4dp + 1275.84dp + 1277.28dp + 1278.72dp + 1280.16dp + 1281.6dp + 1283.04dp + 1284.48dp + 1285.92dp + 1287.36dp + 1288.8dp + 1290.24dp + 1291.68dp + 1293.12dp + 1294.56dp + 1296.0dp + 1297.44dp + 1298.88dp + 1300.32dp + 1301.76dp + 1303.2dp + 1304.64dp + 1306.08dp + 1307.52dp + 1308.96dp + 1310.4dp + 1311.84dp + 1313.28dp + 1314.72dp + 1316.16dp + 1317.6dp + 1319.04dp + 1320.48dp + 1321.92dp + 1323.36dp + 1324.8dp + 1326.24dp + 1327.68dp + 1329.12dp + 1330.56dp + 1332.0dp + 1333.44dp + 1334.88dp + 1336.32dp + 1337.76dp + 1339.2dp + 1340.64dp + 1342.08dp + 1343.52dp + 1344.96dp + 1346.4dp + 1347.84dp + 1349.28dp + 1350.72dp + 1352.16dp + 1353.6dp + 1355.04dp + 1356.48dp + 1357.92dp + 1359.36dp + 1360.8dp + 1362.24dp + 1363.68dp + 1365.12dp + 1366.56dp + 1368.0dp + 1369.44dp + 1370.88dp + 1372.32dp + 1373.76dp + 1375.2dp + 1376.64dp + 1378.08dp + 1379.52dp + 1380.96dp + 1382.4dp + 1383.84dp + 1385.28dp + 1386.72dp + 1388.16dp + 1389.6dp + 1391.04dp + 1392.48dp + 1393.92dp + 1395.36dp + 1396.8dp + 1398.24dp + 1399.68dp + 1401.12dp + 1402.56dp + 1404.0dp + 1405.44dp + 1406.88dp + 1408.32dp + 1409.76dp + 1411.2dp + 1412.64dp + 1414.08dp + 1415.52dp + 1416.96dp + 1418.4dp + 1419.84dp + 1421.28dp + 1422.72dp + 1424.16dp + 1425.6dp + 1427.04dp + 1428.48dp + 1429.92dp + 1431.36dp + 1432.8dp + 1434.24dp + 1435.68dp + 1437.12dp + 1438.56dp + 1440.0dp + 1441.44dp + 1442.88dp + 1444.32dp + 1445.76dp + 1447.2dp + 1448.64dp + 1450.08dp + 1451.52dp + 1452.96dp + 1454.4dp + 1455.84dp + 1457.28dp + 1458.72dp + 1460.16dp + 1461.6dp + 1463.04dp + 1464.48dp + 1465.92dp + 1467.36dp + 1468.8dp + 1470.24dp + 1471.68dp + 1473.12dp + 1474.56dp + 1476.0dp + 1477.44dp + 1478.88dp + 1480.32dp + 1481.76dp + 1483.2dp + 1484.64dp + 1486.08dp + 1487.52dp + 1488.96dp + 1490.4dp + 1491.84dp + 1493.28dp + 1494.72dp + 1496.16dp + 1497.6dp + 1499.04dp + 1500.48dp + 1501.92dp + 1503.36dp + 1504.8dp + 1506.24dp + 1507.68dp + 1509.12dp + 1510.56dp + 1512.0dp + 1513.44dp + 1514.88dp + 1516.32dp + 1517.76dp + 1519.2dp + 1520.64dp + 1522.08dp + 1523.52dp + 1524.96dp + 1526.4dp + 1527.84dp + 1529.28dp + 1530.72dp + 1532.16dp + 1533.6dp + 1535.04dp + 1536.48dp + 1537.92dp + 1539.36dp + 1540.8dp + 1542.24dp + 1543.68dp + 1545.12dp + 1546.56dp + 1548.0dp + 1549.44dp + 1550.88dp + 1552.32dp + 1553.76dp + 1555.2dp + 1.44sp + 2.88sp + 4.32sp + 5.76sp + 7.2sp + 8.64sp + 10.08sp + 11.52sp + 12.96sp + 14.4sp + 15.84sp + 17.28sp + 18.72sp + 20.16sp + 21.6sp + 23.04sp + 24.48sp + 25.92sp + 27.36sp + 28.8sp + 30.24sp + 31.68sp + 33.12sp + 34.56sp + 36.0sp + 37.44sp + 38.88sp + 40.32sp + 41.76sp + 43.2sp + 44.64sp + 46.08sp + 47.52sp + 48.96sp + 50.4sp + 51.84sp + 53.28sp + 54.72sp + 56.16sp + 57.6sp + 59.04sp + 60.48sp + 61.92sp + 63.36sp + 64.8sp + 66.24sp + 67.68sp + 69.12sp + 70.56sp + 72.0sp + 73.44sp + 74.88sp + 76.32sp + 77.76sp + 79.2sp + 80.64sp + 82.08sp + 83.52sp + 84.96sp + 86.4sp + 87.84sp + 89.28sp + 90.72sp + 92.16sp + 93.6sp + 95.04sp + 96.48sp + 97.92sp + 99.36sp + 100.8sp + 102.24sp + 103.68sp + 105.12sp + 106.56sp + 108.0sp + 109.44sp + 110.88sp + 112.32sp + 113.76sp + 115.2sp + 116.64sp + 118.08sp + 119.52sp + 120.96sp + 122.4sp + 123.84sp + 125.28sp + 126.72sp + 128.16sp + 129.6sp + 131.04sp + 132.48sp + 133.92sp + 135.36sp + 136.8sp + 138.24sp + 139.68sp + 141.12sp + 142.56sp + 144.0sp + 145.44sp + 146.88sp + 148.32sp + 149.76sp + 151.2sp + 152.64sp + 154.08sp + 155.52sp + 156.96sp + 158.4sp + 159.84sp + 161.28sp + 162.72sp + 164.16sp + 165.6sp + 167.04sp + 168.48sp + 169.92sp + 171.36sp + 172.8sp + 174.24sp + 175.68sp + 177.12sp + 178.56sp + 180.0sp + 181.44sp + 182.88sp + 184.32sp + 185.76sp + 187.2sp + 188.64sp + 190.08sp + 191.52sp + 192.96sp + 194.4sp + 195.84sp + 197.28sp + 198.72sp + 200.16sp + 201.6sp + 203.04sp + 204.48sp + 205.92sp + 207.36sp + 208.8sp + 210.24sp + 211.68sp + 213.12sp + 214.56sp + 216.0sp + 217.44sp + 218.88sp + 220.32sp + 221.76sp + 223.2sp + 224.64sp + 226.08sp + 227.52sp + 228.96sp + 230.4sp + 231.84sp + 233.28sp + 234.72sp + 236.16sp + 237.6sp + 239.04sp + 240.48sp + 241.92sp + 243.36sp + 244.8sp + 246.24sp + 247.68sp + 249.12sp + 250.56sp + 252.0sp + 253.44sp + 254.88sp + 256.32sp + 257.76sp + 259.2sp + 260.64sp + 262.08sp + 263.52sp + 264.96sp + 266.4sp + 267.84sp + 269.28sp + 270.72sp + 272.16sp + 273.6sp + 275.04sp + 276.48sp + 277.92sp + 279.36sp + 280.8sp + 282.24sp + 283.68sp + 285.12sp + 286.56sp + 288.0sp + diff --git a/app/src/main/res/values-sw560dp/dimens.xml b/app/src/main/res/values-sw560dp/dimens.xml new file mode 100644 index 0000000..3a49e78 --- /dev/null +++ b/app/src/main/res/values-sw560dp/dimens.xml @@ -0,0 +1,2365 @@ + + + + -1612.44dp + -1610.95dp + -1609.45dp + -1607.96dp + -1606.47dp + -1604.98dp + -1603.48dp + -1601.99dp + -1600.5dp + -1599.0dp + -1597.51dp + -1596.02dp + -1594.52dp + -1593.03dp + -1591.54dp + -1590.05dp + -1588.55dp + -1587.06dp + -1585.57dp + -1584.07dp + -1582.58dp + -1581.09dp + -1579.59dp + -1578.1dp + -1576.61dp + -1575.12dp + -1573.62dp + -1572.13dp + -1570.64dp + -1569.14dp + -1567.65dp + -1566.16dp + -1564.66dp + -1563.17dp + -1561.68dp + -1560.19dp + -1558.69dp + -1557.2dp + -1555.71dp + -1554.21dp + -1552.72dp + -1551.23dp + -1549.73dp + -1548.24dp + -1546.75dp + -1545.26dp + -1543.76dp + -1542.27dp + -1540.78dp + -1539.28dp + -1537.79dp + -1536.3dp + -1534.8dp + -1533.31dp + -1531.82dp + -1530.33dp + -1528.83dp + -1527.34dp + -1525.85dp + -1524.35dp + -1522.86dp + -1521.37dp + -1519.87dp + -1518.38dp + -1516.89dp + -1515.4dp + -1513.9dp + -1512.41dp + -1510.92dp + -1509.42dp + -1507.93dp + -1506.44dp + -1504.94dp + -1503.45dp + -1501.96dp + -1500.47dp + -1498.97dp + -1497.48dp + -1495.99dp + -1494.49dp + -1493.0dp + -1491.51dp + -1490.01dp + -1488.52dp + -1487.03dp + -1485.54dp + -1484.04dp + -1482.55dp + -1481.06dp + -1479.56dp + -1478.07dp + -1476.58dp + -1475.08dp + -1473.59dp + -1472.1dp + -1470.61dp + -1469.11dp + -1467.62dp + -1466.13dp + -1464.63dp + -1463.14dp + -1461.65dp + -1460.15dp + -1458.66dp + -1457.17dp + -1455.68dp + -1454.18dp + -1452.69dp + -1451.2dp + -1449.7dp + -1448.21dp + -1446.72dp + -1445.22dp + -1443.73dp + -1442.24dp + -1440.75dp + -1439.25dp + -1437.76dp + -1436.27dp + -1434.77dp + -1433.28dp + -1431.79dp + -1430.29dp + -1428.8dp + -1427.31dp + -1425.82dp + -1424.32dp + -1422.83dp + -1421.34dp + -1419.84dp + -1418.35dp + -1416.86dp + -1415.36dp + -1413.87dp + -1412.38dp + -1410.88dp + -1409.39dp + -1407.9dp + -1406.41dp + -1404.91dp + -1403.42dp + -1401.93dp + -1400.43dp + -1398.94dp + -1397.45dp + -1395.96dp + -1394.46dp + -1392.97dp + -1391.48dp + -1389.98dp + -1388.49dp + -1387.0dp + -1385.5dp + -1384.01dp + -1382.52dp + -1381.03dp + -1379.53dp + -1378.04dp + -1376.55dp + -1375.05dp + -1373.56dp + -1372.07dp + -1370.57dp + -1369.08dp + -1367.59dp + -1366.1dp + -1364.6dp + -1363.11dp + -1361.62dp + -1360.12dp + -1358.63dp + -1357.14dp + -1355.64dp + -1354.15dp + -1352.66dp + -1351.17dp + -1349.67dp + -1348.18dp + -1346.69dp + -1345.19dp + -1343.7dp + -1342.21dp + -1340.71dp + -1339.22dp + -1337.73dp + -1336.24dp + -1334.74dp + -1333.25dp + -1331.76dp + -1330.26dp + -1328.77dp + -1327.28dp + -1325.78dp + -1324.29dp + -1322.8dp + -1321.31dp + -1319.81dp + -1318.32dp + -1316.83dp + -1315.33dp + -1313.84dp + -1312.35dp + -1310.85dp + -1309.36dp + -1307.87dp + -1306.38dp + -1304.88dp + -1303.39dp + -1301.9dp + -1300.4dp + -1298.91dp + -1297.42dp + -1295.92dp + -1294.43dp + -1292.94dp + -1291.45dp + -1289.95dp + -1288.46dp + -1286.97dp + -1285.47dp + -1283.98dp + -1282.49dp + -1280.99dp + -1279.5dp + -1278.01dp + -1276.52dp + -1275.02dp + -1273.53dp + -1272.04dp + -1270.54dp + -1269.05dp + -1267.56dp + -1266.06dp + -1264.57dp + -1263.08dp + -1261.59dp + -1260.09dp + -1258.6dp + -1257.11dp + -1255.61dp + -1254.12dp + -1252.63dp + -1251.13dp + -1249.64dp + -1248.15dp + -1246.66dp + -1245.16dp + -1243.67dp + -1242.18dp + -1240.68dp + -1239.19dp + -1237.7dp + -1236.2dp + -1234.71dp + -1233.22dp + -1231.73dp + -1230.23dp + -1228.74dp + -1227.25dp + -1225.75dp + -1224.26dp + -1222.77dp + -1221.27dp + -1219.78dp + -1218.29dp + -1216.8dp + -1215.3dp + -1213.81dp + -1212.32dp + -1210.82dp + -1209.33dp + -1207.84dp + -1206.34dp + -1204.85dp + -1203.36dp + -1201.87dp + -1200.37dp + -1198.88dp + -1197.39dp + -1195.89dp + -1194.4dp + -1192.91dp + -1191.41dp + -1189.92dp + -1188.43dp + -1186.94dp + -1185.44dp + -1183.95dp + -1182.46dp + -1180.96dp + -1179.47dp + -1177.98dp + -1176.48dp + -1174.99dp + -1173.5dp + -1172.01dp + -1170.51dp + -1169.02dp + -1167.53dp + -1166.03dp + -1164.54dp + -1163.05dp + -1161.55dp + -1160.06dp + -1158.57dp + -1157.08dp + -1155.58dp + -1154.09dp + -1152.6dp + -1151.1dp + -1149.61dp + -1148.12dp + -1146.62dp + -1145.13dp + -1143.64dp + -1142.14dp + -1140.65dp + -1139.16dp + -1137.67dp + -1136.17dp + -1134.68dp + -1133.19dp + -1131.69dp + -1130.2dp + -1128.71dp + -1127.22dp + -1125.72dp + -1124.23dp + -1122.74dp + -1121.24dp + -1119.75dp + -1118.26dp + -1116.76dp + -1115.27dp + -1113.78dp + -1112.29dp + -1110.79dp + -1109.3dp + -1107.81dp + -1106.31dp + -1104.82dp + -1103.33dp + -1101.83dp + -1100.34dp + -1098.85dp + -1097.36dp + -1095.86dp + -1094.37dp + -1092.88dp + -1091.38dp + -1089.89dp + -1088.4dp + -1086.9dp + -1085.41dp + -1083.92dp + -1082.43dp + -1080.93dp + -1079.44dp + -1077.95dp + -1076.45dp + -1074.96dp + -1073.47dp + -1071.97dp + -1070.48dp + -1068.99dp + -1067.5dp + -1066.0dp + -1064.51dp + -1063.02dp + -1061.52dp + -1060.03dp + -1058.54dp + -1057.04dp + -1055.55dp + -1054.06dp + -1052.57dp + -1051.07dp + -1049.58dp + -1048.09dp + -1046.59dp + -1045.1dp + -1043.61dp + -1042.11dp + -1040.62dp + -1039.13dp + -1037.63dp + -1036.14dp + -1034.65dp + -1033.16dp + -1031.66dp + -1030.17dp + -1028.68dp + -1027.18dp + -1025.69dp + -1024.2dp + -1022.71dp + -1021.21dp + -1019.72dp + -1018.23dp + -1016.73dp + -1015.24dp + -1013.75dp + -1012.25dp + -1010.76dp + -1009.27dp + -1007.78dp + -1006.28dp + -1004.79dp + -1003.3dp + -1001.8dp + -1000.31dp + -998.82dp + -997.32dp + -995.83dp + -994.34dp + -992.85dp + -991.35dp + -989.86dp + -988.37dp + -986.87dp + -985.38dp + -983.89dp + -982.39dp + -980.9dp + -979.41dp + -977.92dp + -976.42dp + -974.93dp + -973.44dp + -971.94dp + -970.45dp + -968.96dp + -967.46dp + -965.97dp + -964.48dp + -962.99dp + -961.49dp + -960.0dp + -958.51dp + -957.01dp + -955.52dp + -954.03dp + -952.53dp + -951.04dp + -949.55dp + -948.06dp + -946.56dp + -945.07dp + -943.58dp + -942.08dp + -940.59dp + -939.1dp + -937.6dp + -936.11dp + -934.62dp + -933.13dp + -931.63dp + -930.14dp + -928.65dp + -927.15dp + -925.66dp + -924.17dp + -922.67dp + -921.18dp + -919.69dp + -918.2dp + -916.7dp + -915.21dp + -913.72dp + -912.22dp + -910.73dp + -909.24dp + -907.74dp + -906.25dp + -904.76dp + -903.27dp + -901.77dp + -900.28dp + -898.79dp + -897.29dp + -895.8dp + -894.31dp + -892.81dp + -891.32dp + -889.83dp + -888.34dp + -886.84dp + -885.35dp + -883.86dp + -882.36dp + -880.87dp + -879.38dp + -877.88dp + -876.39dp + -874.9dp + -873.41dp + -871.91dp + -870.42dp + -868.93dp + -867.43dp + -865.94dp + -864.45dp + -862.95dp + -861.46dp + -859.97dp + -858.48dp + -856.98dp + -855.49dp + -854.0dp + -852.5dp + -851.01dp + -849.52dp + -848.02dp + -846.53dp + -845.04dp + -843.55dp + -842.05dp + -840.56dp + -839.07dp + -837.57dp + -836.08dp + -834.59dp + -833.09dp + -831.6dp + -830.11dp + -828.62dp + -827.12dp + -825.63dp + -824.14dp + -822.64dp + -821.15dp + -819.66dp + -818.16dp + -816.67dp + -815.18dp + -813.69dp + -812.19dp + -810.7dp + -809.21dp + -807.71dp + -806.22dp + -804.73dp + -803.23dp + -801.74dp + -800.25dp + -798.76dp + -797.26dp + -795.77dp + -794.28dp + -792.78dp + -791.29dp + -789.8dp + -788.3dp + -786.81dp + -785.32dp + -783.83dp + -782.33dp + -780.84dp + -779.35dp + -777.85dp + -776.36dp + -774.87dp + -773.37dp + -771.88dp + -770.39dp + -768.9dp + -767.4dp + -765.91dp + -764.42dp + -762.92dp + -761.43dp + -759.94dp + -758.44dp + -756.95dp + -755.46dp + -753.97dp + -752.47dp + -750.98dp + -749.49dp + -747.99dp + -746.5dp + -745.01dp + -743.51dp + -742.02dp + -740.53dp + -739.04dp + -737.54dp + -736.05dp + -734.56dp + -733.06dp + -731.57dp + -730.08dp + -728.58dp + -727.09dp + -725.6dp + -724.11dp + -722.61dp + -721.12dp + -719.63dp + -718.13dp + -716.64dp + -715.15dp + -713.65dp + -712.16dp + -710.67dp + -709.18dp + -707.68dp + -706.19dp + -704.7dp + -703.2dp + -701.71dp + -700.22dp + -698.72dp + -697.23dp + -695.74dp + -694.25dp + -692.75dp + -691.26dp + -689.77dp + -688.27dp + -686.78dp + -685.29dp + -683.79dp + -682.3dp + -680.81dp + -679.32dp + -677.82dp + -676.33dp + -674.84dp + -673.34dp + -671.85dp + -670.36dp + -668.86dp + -667.37dp + -665.88dp + -664.38dp + -662.89dp + -661.4dp + -659.91dp + -658.41dp + -656.92dp + -655.43dp + -653.93dp + -652.44dp + -650.95dp + -649.46dp + -647.96dp + -646.47dp + -644.98dp + -643.48dp + -641.99dp + -640.5dp + -639.0dp + -637.51dp + -636.02dp + -634.53dp + -633.03dp + -631.54dp + -630.05dp + -628.55dp + -627.06dp + -625.57dp + -624.07dp + -622.58dp + -621.09dp + -619.6dp + -618.1dp + -616.61dp + -615.12dp + -613.62dp + -612.13dp + -610.64dp + -609.14dp + -607.65dp + -606.16dp + -604.67dp + -603.17dp + -601.68dp + -600.19dp + -598.69dp + -597.2dp + -595.71dp + -594.21dp + -592.72dp + -591.23dp + -589.74dp + -588.24dp + -586.75dp + -585.26dp + -583.76dp + -582.27dp + -580.78dp + -579.28dp + -577.79dp + -576.3dp + -574.81dp + -573.31dp + -571.82dp + -570.33dp + -568.83dp + -567.34dp + -565.85dp + -564.35dp + -562.86dp + -561.37dp + -559.88dp + -558.38dp + -556.89dp + -555.4dp + -553.9dp + -552.41dp + -550.92dp + -549.42dp + -547.93dp + -546.44dp + -544.95dp + -543.45dp + -541.96dp + -540.47dp + -538.97dp + -537.48dp + -535.99dp + -534.49dp + -533.0dp + -531.51dp + -530.01dp + -528.52dp + -527.03dp + -525.54dp + -524.04dp + -522.55dp + -521.06dp + -519.56dp + -518.07dp + -516.58dp + -515.09dp + -513.59dp + -512.1dp + -510.61dp + -509.11dp + -507.62dp + -506.13dp + -504.63dp + -503.14dp + -501.65dp + -500.16dp + -498.66dp + -497.17dp + -495.68dp + -494.18dp + -492.69dp + -491.2dp + -489.7dp + -488.21dp + -486.72dp + -485.23dp + -483.73dp + -482.24dp + -480.75dp + -479.25dp + -477.76dp + -476.27dp + -474.77dp + -473.28dp + -471.79dp + -470.3dp + -468.8dp + -467.31dp + -465.82dp + -464.32dp + -462.83dp + -461.34dp + -459.84dp + -458.35dp + -456.86dp + -455.37dp + -453.87dp + -452.38dp + -450.89dp + -449.39dp + -447.9dp + -446.41dp + -444.91dp + -443.42dp + -441.93dp + -440.44dp + -438.94dp + -437.45dp + -435.96dp + -434.46dp + -432.97dp + -431.48dp + -429.98dp + -428.49dp + -427.0dp + -425.51dp + -424.01dp + -422.52dp + -421.03dp + -419.53dp + -418.04dp + -416.55dp + -415.05dp + -413.56dp + -412.07dp + -410.58dp + -409.08dp + -407.59dp + -406.1dp + -404.6dp + -403.11dp + -401.62dp + -400.12dp + -398.63dp + -397.14dp + -395.65dp + -394.15dp + -392.66dp + -391.17dp + -389.67dp + -388.18dp + -386.69dp + -385.19dp + -383.7dp + -382.21dp + -380.72dp + -379.22dp + -377.73dp + -376.24dp + -374.74dp + -373.25dp + -371.76dp + -370.26dp + -368.77dp + -367.28dp + -365.79dp + -364.29dp + -362.8dp + -361.31dp + -359.81dp + -358.32dp + -356.83dp + -355.33dp + -353.84dp + -352.35dp + -350.86dp + -349.36dp + -347.87dp + -346.38dp + -344.88dp + -343.39dp + -341.9dp + -340.4dp + -338.91dp + -337.42dp + -335.93dp + -334.43dp + -332.94dp + -331.45dp + -329.95dp + -328.46dp + -326.97dp + -325.47dp + -323.98dp + -322.49dp + -321.0dp + -319.5dp + -318.01dp + -316.52dp + -315.02dp + -313.53dp + -312.04dp + -310.54dp + -309.05dp + -307.56dp + -306.06dp + -304.57dp + -303.08dp + -301.59dp + -300.09dp + -298.6dp + -297.11dp + -295.61dp + -294.12dp + -292.63dp + -291.14dp + -289.64dp + -288.15dp + -286.66dp + -285.16dp + -283.67dp + -282.18dp + -280.68dp + -279.19dp + -277.7dp + -276.21dp + -274.71dp + -273.22dp + -271.73dp + -270.23dp + -268.74dp + -267.25dp + -265.75dp + -264.26dp + -262.77dp + -261.28dp + -259.78dp + -258.29dp + -256.8dp + -255.3dp + -253.81dp + -252.32dp + -250.82dp + -249.33dp + -247.84dp + -246.35dp + -244.85dp + -243.36dp + -241.87dp + -240.37dp + -238.88dp + -237.39dp + -235.89dp + -234.4dp + -232.91dp + -231.42dp + -229.92dp + -228.43dp + -226.94dp + -225.44dp + -223.95dp + -222.46dp + -220.96dp + -219.47dp + -217.98dp + -216.49dp + -214.99dp + -213.5dp + -212.01dp + -210.51dp + -209.02dp + -207.53dp + -206.03dp + -204.54dp + -203.05dp + -201.56dp + -200.06dp + -198.57dp + -197.08dp + -195.58dp + -194.09dp + -192.6dp + -191.1dp + -189.61dp + -188.12dp + -186.63dp + -185.13dp + -183.64dp + -182.15dp + -180.65dp + -179.16dp + -177.67dp + -176.17dp + -174.68dp + -173.19dp + -171.7dp + -170.2dp + -168.71dp + -167.22dp + -165.72dp + -164.23dp + -162.74dp + -161.24dp + -159.75dp + -158.26dp + -156.77dp + -155.27dp + -153.78dp + -152.29dp + -150.79dp + -149.3dp + -147.81dp + -146.31dp + -144.82dp + -143.33dp + -141.84dp + -140.34dp + -138.85dp + -137.36dp + -135.86dp + -134.37dp + -132.88dp + -131.38dp + -129.89dp + -128.4dp + -126.91dp + -125.41dp + -123.92dp + -122.43dp + -120.93dp + -119.44dp + -117.95dp + -116.45dp + -114.96dp + -113.47dp + -111.98dp + -110.48dp + -108.99dp + -107.5dp + -106.0dp + -104.51dp + -103.02dp + -101.52dp + -100.03dp + -98.54dp + -97.05dp + -95.55dp + -94.06dp + -92.57dp + -91.07dp + -89.58dp + -88.09dp + -86.59dp + -85.1dp + -83.61dp + -82.12dp + -80.62dp + -79.13dp + -77.64dp + -76.14dp + -74.65dp + -73.16dp + -71.66dp + -70.17dp + -68.68dp + -67.19dp + -65.69dp + -64.2dp + -62.71dp + -61.21dp + -59.72dp + -58.23dp + -56.73dp + -55.24dp + -53.75dp + -52.26dp + -50.76dp + -49.27dp + -47.78dp + -46.28dp + -44.79dp + -43.3dp + -41.8dp + -40.31dp + -38.82dp + -37.33dp + -35.83dp + -34.34dp + -32.85dp + -31.35dp + -29.86dp + -28.37dp + -26.87dp + -25.38dp + -23.89dp + -22.4dp + -20.9dp + -19.41dp + -17.92dp + -16.42dp + -14.93dp + -13.44dp + -11.94dp + -10.45dp + -8.96dp + -7.47dp + -5.97dp + -4.48dp + -2.99dp + -1.49dp + 0.0dp + 1.49dp + 2.99dp + 4.48dp + 5.97dp + 7.47dp + 8.96dp + 10.45dp + 11.94dp + 13.44dp + 14.93dp + 16.42dp + 17.92dp + 19.41dp + 20.9dp + 22.4dp + 23.89dp + 25.38dp + 26.87dp + 28.37dp + 29.86dp + 31.35dp + 32.85dp + 34.34dp + 35.83dp + 37.33dp + 38.82dp + 40.31dp + 41.8dp + 43.3dp + 44.79dp + 46.28dp + 47.78dp + 49.27dp + 50.76dp + 52.26dp + 53.75dp + 55.24dp + 56.73dp + 58.23dp + 59.72dp + 61.21dp + 62.71dp + 64.2dp + 65.69dp + 67.19dp + 68.68dp + 70.17dp + 71.66dp + 73.16dp + 74.65dp + 76.14dp + 77.64dp + 79.13dp + 80.62dp + 82.12dp + 83.61dp + 85.1dp + 86.59dp + 88.09dp + 89.58dp + 91.07dp + 92.57dp + 94.06dp + 95.55dp + 97.05dp + 98.54dp + 100.03dp + 101.52dp + 103.02dp + 104.51dp + 106.0dp + 107.5dp + 108.99dp + 110.48dp + 111.98dp + 113.47dp + 114.96dp + 116.45dp + 117.95dp + 119.44dp + 120.93dp + 122.43dp + 123.92dp + 125.41dp + 126.91dp + 128.4dp + 129.89dp + 131.38dp + 132.88dp + 134.37dp + 135.86dp + 137.36dp + 138.85dp + 140.34dp + 141.84dp + 143.33dp + 144.82dp + 146.31dp + 147.81dp + 149.3dp + 150.79dp + 152.29dp + 153.78dp + 155.27dp + 156.77dp + 158.26dp + 159.75dp + 161.24dp + 162.74dp + 164.23dp + 165.72dp + 167.22dp + 168.71dp + 170.2dp + 171.7dp + 173.19dp + 174.68dp + 176.17dp + 177.67dp + 179.16dp + 180.65dp + 182.15dp + 183.64dp + 185.13dp + 186.63dp + 188.12dp + 189.61dp + 191.1dp + 192.6dp + 194.09dp + 195.58dp + 197.08dp + 198.57dp + 200.06dp + 201.56dp + 203.05dp + 204.54dp + 206.03dp + 207.53dp + 209.02dp + 210.51dp + 212.01dp + 213.5dp + 214.99dp + 216.49dp + 217.98dp + 219.47dp + 220.96dp + 222.46dp + 223.95dp + 225.44dp + 226.94dp + 228.43dp + 229.92dp + 231.42dp + 232.91dp + 234.4dp + 235.89dp + 237.39dp + 238.88dp + 240.37dp + 241.87dp + 243.36dp + 244.85dp + 246.35dp + 247.84dp + 249.33dp + 250.82dp + 252.32dp + 253.81dp + 255.3dp + 256.8dp + 258.29dp + 259.78dp + 261.28dp + 262.77dp + 264.26dp + 265.75dp + 267.25dp + 268.74dp + 270.23dp + 271.73dp + 273.22dp + 274.71dp + 276.21dp + 277.7dp + 279.19dp + 280.68dp + 282.18dp + 283.67dp + 285.16dp + 286.66dp + 288.15dp + 289.64dp + 291.14dp + 292.63dp + 294.12dp + 295.61dp + 297.11dp + 298.6dp + 300.09dp + 301.59dp + 303.08dp + 304.57dp + 306.06dp + 307.56dp + 309.05dp + 310.54dp + 312.04dp + 313.53dp + 315.02dp + 316.52dp + 318.01dp + 319.5dp + 321.0dp + 322.49dp + 323.98dp + 325.47dp + 326.97dp + 328.46dp + 329.95dp + 331.45dp + 332.94dp + 334.43dp + 335.93dp + 337.42dp + 338.91dp + 340.4dp + 341.9dp + 343.39dp + 344.88dp + 346.38dp + 347.87dp + 349.36dp + 350.86dp + 352.35dp + 353.84dp + 355.33dp + 356.83dp + 358.32dp + 359.81dp + 361.31dp + 362.8dp + 364.29dp + 365.79dp + 367.28dp + 368.77dp + 370.26dp + 371.76dp + 373.25dp + 374.74dp + 376.24dp + 377.73dp + 379.22dp + 380.72dp + 382.21dp + 383.7dp + 385.19dp + 386.69dp + 388.18dp + 389.67dp + 391.17dp + 392.66dp + 394.15dp + 395.65dp + 397.14dp + 398.63dp + 400.12dp + 401.62dp + 403.11dp + 404.6dp + 406.1dp + 407.59dp + 409.08dp + 410.58dp + 412.07dp + 413.56dp + 415.05dp + 416.55dp + 418.04dp + 419.53dp + 421.03dp + 422.52dp + 424.01dp + 425.51dp + 427.0dp + 428.49dp + 429.98dp + 431.48dp + 432.97dp + 434.46dp + 435.96dp + 437.45dp + 438.94dp + 440.44dp + 441.93dp + 443.42dp + 444.91dp + 446.41dp + 447.9dp + 449.39dp + 450.89dp + 452.38dp + 453.87dp + 455.37dp + 456.86dp + 458.35dp + 459.84dp + 461.34dp + 462.83dp + 464.32dp + 465.82dp + 467.31dp + 468.8dp + 470.3dp + 471.79dp + 473.28dp + 474.77dp + 476.27dp + 477.76dp + 479.25dp + 480.75dp + 482.24dp + 483.73dp + 485.23dp + 486.72dp + 488.21dp + 489.7dp + 491.2dp + 492.69dp + 494.18dp + 495.68dp + 497.17dp + 498.66dp + 500.16dp + 501.65dp + 503.14dp + 504.63dp + 506.13dp + 507.62dp + 509.11dp + 510.61dp + 512.1dp + 513.59dp + 515.09dp + 516.58dp + 518.07dp + 519.56dp + 521.06dp + 522.55dp + 524.04dp + 525.54dp + 527.03dp + 528.52dp + 530.01dp + 531.51dp + 533.0dp + 534.49dp + 535.99dp + 537.48dp + 538.97dp + 540.47dp + 541.96dp + 543.45dp + 544.95dp + 546.44dp + 547.93dp + 549.42dp + 550.92dp + 552.41dp + 553.9dp + 555.4dp + 556.89dp + 558.38dp + 559.88dp + 561.37dp + 562.86dp + 564.35dp + 565.85dp + 567.34dp + 568.83dp + 570.33dp + 571.82dp + 573.31dp + 574.81dp + 576.3dp + 577.79dp + 579.28dp + 580.78dp + 582.27dp + 583.76dp + 585.26dp + 586.75dp + 588.24dp + 589.74dp + 591.23dp + 592.72dp + 594.21dp + 595.71dp + 597.2dp + 598.69dp + 600.19dp + 601.68dp + 603.17dp + 604.67dp + 606.16dp + 607.65dp + 609.14dp + 610.64dp + 612.13dp + 613.62dp + 615.12dp + 616.61dp + 618.1dp + 619.6dp + 621.09dp + 622.58dp + 624.07dp + 625.57dp + 627.06dp + 628.55dp + 630.05dp + 631.54dp + 633.03dp + 634.53dp + 636.02dp + 637.51dp + 639.0dp + 640.5dp + 641.99dp + 643.48dp + 644.98dp + 646.47dp + 647.96dp + 649.46dp + 650.95dp + 652.44dp + 653.93dp + 655.43dp + 656.92dp + 658.41dp + 659.91dp + 661.4dp + 662.89dp + 664.38dp + 665.88dp + 667.37dp + 668.86dp + 670.36dp + 671.85dp + 673.34dp + 674.84dp + 676.33dp + 677.82dp + 679.32dp + 680.81dp + 682.3dp + 683.79dp + 685.29dp + 686.78dp + 688.27dp + 689.77dp + 691.26dp + 692.75dp + 694.25dp + 695.74dp + 697.23dp + 698.72dp + 700.22dp + 701.71dp + 703.2dp + 704.7dp + 706.19dp + 707.68dp + 709.18dp + 710.67dp + 712.16dp + 713.65dp + 715.15dp + 716.64dp + 718.13dp + 719.63dp + 721.12dp + 722.61dp + 724.11dp + 725.6dp + 727.09dp + 728.58dp + 730.08dp + 731.57dp + 733.06dp + 734.56dp + 736.05dp + 737.54dp + 739.04dp + 740.53dp + 742.02dp + 743.51dp + 745.01dp + 746.5dp + 747.99dp + 749.49dp + 750.98dp + 752.47dp + 753.97dp + 755.46dp + 756.95dp + 758.44dp + 759.94dp + 761.43dp + 762.92dp + 764.42dp + 765.91dp + 767.4dp + 768.9dp + 770.39dp + 771.88dp + 773.37dp + 774.87dp + 776.36dp + 777.85dp + 779.35dp + 780.84dp + 782.33dp + 783.83dp + 785.32dp + 786.81dp + 788.3dp + 789.8dp + 791.29dp + 792.78dp + 794.28dp + 795.77dp + 797.26dp + 798.76dp + 800.25dp + 801.74dp + 803.23dp + 804.73dp + 806.22dp + 807.71dp + 809.21dp + 810.7dp + 812.19dp + 813.69dp + 815.18dp + 816.67dp + 818.16dp + 819.66dp + 821.15dp + 822.64dp + 824.14dp + 825.63dp + 827.12dp + 828.62dp + 830.11dp + 831.6dp + 833.09dp + 834.59dp + 836.08dp + 837.57dp + 839.07dp + 840.56dp + 842.05dp + 843.55dp + 845.04dp + 846.53dp + 848.02dp + 849.52dp + 851.01dp + 852.5dp + 854.0dp + 855.49dp + 856.98dp + 858.48dp + 859.97dp + 861.46dp + 862.95dp + 864.45dp + 865.94dp + 867.43dp + 868.93dp + 870.42dp + 871.91dp + 873.41dp + 874.9dp + 876.39dp + 877.88dp + 879.38dp + 880.87dp + 882.36dp + 883.86dp + 885.35dp + 886.84dp + 888.34dp + 889.83dp + 891.32dp + 892.81dp + 894.31dp + 895.8dp + 897.29dp + 898.79dp + 900.28dp + 901.77dp + 903.27dp + 904.76dp + 906.25dp + 907.74dp + 909.24dp + 910.73dp + 912.22dp + 913.72dp + 915.21dp + 916.7dp + 918.2dp + 919.69dp + 921.18dp + 922.67dp + 924.17dp + 925.66dp + 927.15dp + 928.65dp + 930.14dp + 931.63dp + 933.13dp + 934.62dp + 936.11dp + 937.6dp + 939.1dp + 940.59dp + 942.08dp + 943.58dp + 945.07dp + 946.56dp + 948.06dp + 949.55dp + 951.04dp + 952.53dp + 954.03dp + 955.52dp + 957.01dp + 958.51dp + 960.0dp + 961.49dp + 962.99dp + 964.48dp + 965.97dp + 967.46dp + 968.96dp + 970.45dp + 971.94dp + 973.44dp + 974.93dp + 976.42dp + 977.92dp + 979.41dp + 980.9dp + 982.39dp + 983.89dp + 985.38dp + 986.87dp + 988.37dp + 989.86dp + 991.35dp + 992.85dp + 994.34dp + 995.83dp + 997.32dp + 998.82dp + 1000.31dp + 1001.8dp + 1003.3dp + 1004.79dp + 1006.28dp + 1007.78dp + 1009.27dp + 1010.76dp + 1012.25dp + 1013.75dp + 1015.24dp + 1016.73dp + 1018.23dp + 1019.72dp + 1021.21dp + 1022.71dp + 1024.2dp + 1025.69dp + 1027.18dp + 1028.68dp + 1030.17dp + 1031.66dp + 1033.16dp + 1034.65dp + 1036.14dp + 1037.63dp + 1039.13dp + 1040.62dp + 1042.11dp + 1043.61dp + 1045.1dp + 1046.59dp + 1048.09dp + 1049.58dp + 1051.07dp + 1052.57dp + 1054.06dp + 1055.55dp + 1057.04dp + 1058.54dp + 1060.03dp + 1061.52dp + 1063.02dp + 1064.51dp + 1066.0dp + 1067.5dp + 1068.99dp + 1070.48dp + 1071.97dp + 1073.47dp + 1074.96dp + 1076.45dp + 1077.95dp + 1079.44dp + 1080.93dp + 1082.43dp + 1083.92dp + 1085.41dp + 1086.9dp + 1088.4dp + 1089.89dp + 1091.38dp + 1092.88dp + 1094.37dp + 1095.86dp + 1097.36dp + 1098.85dp + 1100.34dp + 1101.83dp + 1103.33dp + 1104.82dp + 1106.31dp + 1107.81dp + 1109.3dp + 1110.79dp + 1112.29dp + 1113.78dp + 1115.27dp + 1116.76dp + 1118.26dp + 1119.75dp + 1121.24dp + 1122.74dp + 1124.23dp + 1125.72dp + 1127.22dp + 1128.71dp + 1130.2dp + 1131.69dp + 1133.19dp + 1134.68dp + 1136.17dp + 1137.67dp + 1139.16dp + 1140.65dp + 1142.14dp + 1143.64dp + 1145.13dp + 1146.62dp + 1148.12dp + 1149.61dp + 1151.1dp + 1152.6dp + 1154.09dp + 1155.58dp + 1157.08dp + 1158.57dp + 1160.06dp + 1161.55dp + 1163.05dp + 1164.54dp + 1166.03dp + 1167.53dp + 1169.02dp + 1170.51dp + 1172.01dp + 1173.5dp + 1174.99dp + 1176.48dp + 1177.98dp + 1179.47dp + 1180.96dp + 1182.46dp + 1183.95dp + 1185.44dp + 1186.94dp + 1188.43dp + 1189.92dp + 1191.41dp + 1192.91dp + 1194.4dp + 1195.89dp + 1197.39dp + 1198.88dp + 1200.37dp + 1201.87dp + 1203.36dp + 1204.85dp + 1206.34dp + 1207.84dp + 1209.33dp + 1210.82dp + 1212.32dp + 1213.81dp + 1215.3dp + 1216.8dp + 1218.29dp + 1219.78dp + 1221.27dp + 1222.77dp + 1224.26dp + 1225.75dp + 1227.25dp + 1228.74dp + 1230.23dp + 1231.73dp + 1233.22dp + 1234.71dp + 1236.2dp + 1237.7dp + 1239.19dp + 1240.68dp + 1242.18dp + 1243.67dp + 1245.16dp + 1246.66dp + 1248.15dp + 1249.64dp + 1251.13dp + 1252.63dp + 1254.12dp + 1255.61dp + 1257.11dp + 1258.6dp + 1260.09dp + 1261.59dp + 1263.08dp + 1264.57dp + 1266.06dp + 1267.56dp + 1269.05dp + 1270.54dp + 1272.04dp + 1273.53dp + 1275.02dp + 1276.52dp + 1278.01dp + 1279.5dp + 1280.99dp + 1282.49dp + 1283.98dp + 1285.47dp + 1286.97dp + 1288.46dp + 1289.95dp + 1291.45dp + 1292.94dp + 1294.43dp + 1295.92dp + 1297.42dp + 1298.91dp + 1300.4dp + 1301.9dp + 1303.39dp + 1304.88dp + 1306.38dp + 1307.87dp + 1309.36dp + 1310.85dp + 1312.35dp + 1313.84dp + 1315.33dp + 1316.83dp + 1318.32dp + 1319.81dp + 1321.31dp + 1322.8dp + 1324.29dp + 1325.78dp + 1327.28dp + 1328.77dp + 1330.26dp + 1331.76dp + 1333.25dp + 1334.74dp + 1336.24dp + 1337.73dp + 1339.22dp + 1340.71dp + 1342.21dp + 1343.7dp + 1345.19dp + 1346.69dp + 1348.18dp + 1349.67dp + 1351.17dp + 1352.66dp + 1354.15dp + 1355.64dp + 1357.14dp + 1358.63dp + 1360.12dp + 1361.62dp + 1363.11dp + 1364.6dp + 1366.1dp + 1367.59dp + 1369.08dp + 1370.57dp + 1372.07dp + 1373.56dp + 1375.05dp + 1376.55dp + 1378.04dp + 1379.53dp + 1381.03dp + 1382.52dp + 1384.01dp + 1385.5dp + 1387.0dp + 1388.49dp + 1389.98dp + 1391.48dp + 1392.97dp + 1394.46dp + 1395.96dp + 1397.45dp + 1398.94dp + 1400.43dp + 1401.93dp + 1403.42dp + 1404.91dp + 1406.41dp + 1407.9dp + 1409.39dp + 1410.88dp + 1412.38dp + 1413.87dp + 1415.36dp + 1416.86dp + 1418.35dp + 1419.84dp + 1421.34dp + 1422.83dp + 1424.32dp + 1425.82dp + 1427.31dp + 1428.8dp + 1430.29dp + 1431.79dp + 1433.28dp + 1434.77dp + 1436.27dp + 1437.76dp + 1439.25dp + 1440.75dp + 1442.24dp + 1443.73dp + 1445.22dp + 1446.72dp + 1448.21dp + 1449.7dp + 1451.2dp + 1452.69dp + 1454.18dp + 1455.68dp + 1457.17dp + 1458.66dp + 1460.15dp + 1461.65dp + 1463.14dp + 1464.63dp + 1466.13dp + 1467.62dp + 1469.11dp + 1470.61dp + 1472.1dp + 1473.59dp + 1475.08dp + 1476.58dp + 1478.07dp + 1479.56dp + 1481.06dp + 1482.55dp + 1484.04dp + 1485.54dp + 1487.03dp + 1488.52dp + 1490.01dp + 1491.51dp + 1493.0dp + 1494.49dp + 1495.99dp + 1497.48dp + 1498.97dp + 1500.47dp + 1501.96dp + 1503.45dp + 1504.94dp + 1506.44dp + 1507.93dp + 1509.42dp + 1510.92dp + 1512.41dp + 1513.9dp + 1515.4dp + 1516.89dp + 1518.38dp + 1519.87dp + 1521.37dp + 1522.86dp + 1524.35dp + 1525.85dp + 1527.34dp + 1528.83dp + 1530.33dp + 1531.82dp + 1533.31dp + 1534.8dp + 1536.3dp + 1537.79dp + 1539.28dp + 1540.78dp + 1542.27dp + 1543.76dp + 1545.26dp + 1546.75dp + 1548.24dp + 1549.73dp + 1551.23dp + 1552.72dp + 1554.21dp + 1555.71dp + 1557.2dp + 1558.69dp + 1560.19dp + 1561.68dp + 1563.17dp + 1564.66dp + 1566.16dp + 1567.65dp + 1569.14dp + 1570.64dp + 1572.13dp + 1573.62dp + 1575.12dp + 1576.61dp + 1578.1dp + 1579.59dp + 1581.09dp + 1582.58dp + 1584.07dp + 1585.57dp + 1587.06dp + 1588.55dp + 1590.05dp + 1591.54dp + 1593.03dp + 1594.52dp + 1596.02dp + 1597.51dp + 1599.0dp + 1600.5dp + 1601.99dp + 1603.48dp + 1604.98dp + 1606.47dp + 1607.96dp + 1609.45dp + 1610.95dp + 1612.44dp + 1.49sp + 2.99sp + 4.48sp + 5.97sp + 7.47sp + 8.96sp + 10.45sp + 11.94sp + 13.44sp + 14.93sp + 16.42sp + 17.92sp + 19.41sp + 20.9sp + 22.4sp + 23.89sp + 25.38sp + 26.87sp + 28.37sp + 29.86sp + 31.35sp + 32.85sp + 34.34sp + 35.83sp + 37.33sp + 38.82sp + 40.31sp + 41.8sp + 43.3sp + 44.79sp + 46.28sp + 47.78sp + 49.27sp + 50.76sp + 52.26sp + 53.75sp + 55.24sp + 56.73sp + 58.23sp + 59.72sp + 61.21sp + 62.71sp + 64.2sp + 65.69sp + 67.19sp + 68.68sp + 70.17sp + 71.66sp + 73.16sp + 74.65sp + 76.14sp + 77.64sp + 79.13sp + 80.62sp + 82.12sp + 83.61sp + 85.1sp + 86.59sp + 88.09sp + 89.58sp + 91.07sp + 92.57sp + 94.06sp + 95.55sp + 97.05sp + 98.54sp + 100.03sp + 101.52sp + 103.02sp + 104.51sp + 106.0sp + 107.5sp + 108.99sp + 110.48sp + 111.98sp + 113.47sp + 114.96sp + 116.45sp + 117.95sp + 119.44sp + 120.93sp + 122.43sp + 123.92sp + 125.41sp + 126.91sp + 128.4sp + 129.89sp + 131.38sp + 132.88sp + 134.37sp + 135.86sp + 137.36sp + 138.85sp + 140.34sp + 141.84sp + 143.33sp + 144.82sp + 146.31sp + 147.81sp + 149.3sp + 150.79sp + 152.29sp + 153.78sp + 155.27sp + 156.77sp + 158.26sp + 159.75sp + 161.24sp + 162.74sp + 164.23sp + 165.72sp + 167.22sp + 168.71sp + 170.2sp + 171.7sp + 173.19sp + 174.68sp + 176.17sp + 177.67sp + 179.16sp + 180.65sp + 182.15sp + 183.64sp + 185.13sp + 186.63sp + 188.12sp + 189.61sp + 191.1sp + 192.6sp + 194.09sp + 195.58sp + 197.08sp + 198.57sp + 200.06sp + 201.56sp + 203.05sp + 204.54sp + 206.03sp + 207.53sp + 209.02sp + 210.51sp + 212.01sp + 213.5sp + 214.99sp + 216.49sp + 217.98sp + 219.47sp + 220.96sp + 222.46sp + 223.95sp + 225.44sp + 226.94sp + 228.43sp + 229.92sp + 231.42sp + 232.91sp + 234.4sp + 235.89sp + 237.39sp + 238.88sp + 240.37sp + 241.87sp + 243.36sp + 244.85sp + 246.35sp + 247.84sp + 249.33sp + 250.82sp + 252.32sp + 253.81sp + 255.3sp + 256.8sp + 258.29sp + 259.78sp + 261.28sp + 262.77sp + 264.26sp + 265.75sp + 267.25sp + 268.74sp + 270.23sp + 271.73sp + 273.22sp + 274.71sp + 276.21sp + 277.7sp + 279.19sp + 280.68sp + 282.18sp + 283.67sp + 285.16sp + 286.66sp + 288.15sp + 289.64sp + 291.14sp + 292.63sp + 294.12sp + 295.61sp + 297.11sp + 298.6sp + diff --git a/app/src/main/res/values-zh-rCN/strings_i18n.xml b/app/src/main/res/values-zh-rCN/strings_i18n.xml index f081be0..94dbb3f 100644 --- a/app/src/main/res/values-zh-rCN/strings_i18n.xml +++ b/app/src/main/res/values-zh-rCN/strings_i18n.xml @@ -126,6 +126,68 @@ 推荐皮肤 + + 给他/她发送一条消息 + 按住说话 + 正在录音... + 松开取消 + 识别中... + 语音识别失败 + 需要麦克风权限才能录音 + 播放语音 + 暂停语音 + 语音加载中 + 评论 + %1$d条评论 + 暂无评论 + 输入评论 + 回复 + 回复 @%1$s + 展开 + 收起 + 查看 %1$d 条回复 + 收起回复 + 查看更多 %1$d 条 + 刚刚 + %1$d分钟前 + %1$d小时前 + %1$d天前 + 匿名 + 评论发送失败 + 举报 + 去聊天 + + 点赞 + 聊天 + 您确定要删除吗? + 现有的对话历史聊天记录将会被清空。 + 删除历史聊天记录成功 + 删除历史聊天记录失败 + 再想一想 + 删除 + + 举报 + 提交 + 举报原因 + 选择内容 + 请至少选择原因/内容或填写描述 + 举报提交成功 + 举报提交失败 + + 色情和低俗 + 政治敏感 + 侮辱性 + 血腥暴力 + 自杀与自残 + 抄袭侵权行为 + 侵犯隐私权 + 虚假谣言 + 其他有害信息 + + 角色名称及描述 + 图片 + 声音 + 欢迎使用【key of love】键盘! 点击“复制”任意对话内容,然后“粘贴”并尝试使用键盘[人物角色]方式回复。 diff --git a/app/src/main/res/values/circle_dimens.xml b/app/src/main/res/values/circle_dimens.xml new file mode 100644 index 0000000..c9a25d8 --- /dev/null +++ b/app/src/main/res/values/circle_dimens.xml @@ -0,0 +1,13 @@ + + + + 56dp + + 100dp + + 200dp + + 8dp + + 8dp + diff --git a/app/src/main/res/values/colors.xml b/app/src/main/res/values/colors.xml index 0c1412f..96c34a9 100644 --- a/app/src/main/res/values/colors.xml +++ b/app/src/main/res/values/colors.xml @@ -16,6 +16,8 @@ #00FFFFFF + #80000000 + #D4221B19 #4D000000 #F2F6F7FB diff --git a/app/src/main/res/values/dimens.xml b/app/src/main/res/values/dimens.xml new file mode 100644 index 0000000..3a49e78 --- /dev/null +++ b/app/src/main/res/values/dimens.xml @@ -0,0 +1,2365 @@ + + + + -1612.44dp + -1610.95dp + -1609.45dp + -1607.96dp + -1606.47dp + -1604.98dp + -1603.48dp + -1601.99dp + -1600.5dp + -1599.0dp + -1597.51dp + -1596.02dp + -1594.52dp + -1593.03dp + -1591.54dp + -1590.05dp + -1588.55dp + -1587.06dp + -1585.57dp + -1584.07dp + -1582.58dp + -1581.09dp + -1579.59dp + -1578.1dp + -1576.61dp + -1575.12dp + -1573.62dp + -1572.13dp + -1570.64dp + -1569.14dp + -1567.65dp + -1566.16dp + -1564.66dp + -1563.17dp + -1561.68dp + -1560.19dp + -1558.69dp + -1557.2dp + -1555.71dp + -1554.21dp + -1552.72dp + -1551.23dp + -1549.73dp + -1548.24dp + -1546.75dp + -1545.26dp + -1543.76dp + -1542.27dp + -1540.78dp + -1539.28dp + -1537.79dp + -1536.3dp + -1534.8dp + -1533.31dp + -1531.82dp + -1530.33dp + -1528.83dp + -1527.34dp + -1525.85dp + -1524.35dp + -1522.86dp + -1521.37dp + -1519.87dp + -1518.38dp + -1516.89dp + -1515.4dp + -1513.9dp + -1512.41dp + -1510.92dp + -1509.42dp + -1507.93dp + -1506.44dp + -1504.94dp + -1503.45dp + -1501.96dp + -1500.47dp + -1498.97dp + -1497.48dp + -1495.99dp + -1494.49dp + -1493.0dp + -1491.51dp + -1490.01dp + -1488.52dp + -1487.03dp + -1485.54dp + -1484.04dp + -1482.55dp + -1481.06dp + -1479.56dp + -1478.07dp + -1476.58dp + -1475.08dp + -1473.59dp + -1472.1dp + -1470.61dp + -1469.11dp + -1467.62dp + -1466.13dp + -1464.63dp + -1463.14dp + -1461.65dp + -1460.15dp + -1458.66dp + -1457.17dp + -1455.68dp + -1454.18dp + -1452.69dp + -1451.2dp + -1449.7dp + -1448.21dp + -1446.72dp + -1445.22dp + -1443.73dp + -1442.24dp + -1440.75dp + -1439.25dp + -1437.76dp + -1436.27dp + -1434.77dp + -1433.28dp + -1431.79dp + -1430.29dp + -1428.8dp + -1427.31dp + -1425.82dp + -1424.32dp + -1422.83dp + -1421.34dp + -1419.84dp + -1418.35dp + -1416.86dp + -1415.36dp + -1413.87dp + -1412.38dp + -1410.88dp + -1409.39dp + -1407.9dp + -1406.41dp + -1404.91dp + -1403.42dp + -1401.93dp + -1400.43dp + -1398.94dp + -1397.45dp + -1395.96dp + -1394.46dp + -1392.97dp + -1391.48dp + -1389.98dp + -1388.49dp + -1387.0dp + -1385.5dp + -1384.01dp + -1382.52dp + -1381.03dp + -1379.53dp + -1378.04dp + -1376.55dp + -1375.05dp + -1373.56dp + -1372.07dp + -1370.57dp + -1369.08dp + -1367.59dp + -1366.1dp + -1364.6dp + -1363.11dp + -1361.62dp + -1360.12dp + -1358.63dp + -1357.14dp + -1355.64dp + -1354.15dp + -1352.66dp + -1351.17dp + -1349.67dp + -1348.18dp + -1346.69dp + -1345.19dp + -1343.7dp + -1342.21dp + -1340.71dp + -1339.22dp + -1337.73dp + -1336.24dp + -1334.74dp + -1333.25dp + -1331.76dp + -1330.26dp + -1328.77dp + -1327.28dp + -1325.78dp + -1324.29dp + -1322.8dp + -1321.31dp + -1319.81dp + -1318.32dp + -1316.83dp + -1315.33dp + -1313.84dp + -1312.35dp + -1310.85dp + -1309.36dp + -1307.87dp + -1306.38dp + -1304.88dp + -1303.39dp + -1301.9dp + -1300.4dp + -1298.91dp + -1297.42dp + -1295.92dp + -1294.43dp + -1292.94dp + -1291.45dp + -1289.95dp + -1288.46dp + -1286.97dp + -1285.47dp + -1283.98dp + -1282.49dp + -1280.99dp + -1279.5dp + -1278.01dp + -1276.52dp + -1275.02dp + -1273.53dp + -1272.04dp + -1270.54dp + -1269.05dp + -1267.56dp + -1266.06dp + -1264.57dp + -1263.08dp + -1261.59dp + -1260.09dp + -1258.6dp + -1257.11dp + -1255.61dp + -1254.12dp + -1252.63dp + -1251.13dp + -1249.64dp + -1248.15dp + -1246.66dp + -1245.16dp + -1243.67dp + -1242.18dp + -1240.68dp + -1239.19dp + -1237.7dp + -1236.2dp + -1234.71dp + -1233.22dp + -1231.73dp + -1230.23dp + -1228.74dp + -1227.25dp + -1225.75dp + -1224.26dp + -1222.77dp + -1221.27dp + -1219.78dp + -1218.29dp + -1216.8dp + -1215.3dp + -1213.81dp + -1212.32dp + -1210.82dp + -1209.33dp + -1207.84dp + -1206.34dp + -1204.85dp + -1203.36dp + -1201.87dp + -1200.37dp + -1198.88dp + -1197.39dp + -1195.89dp + -1194.4dp + -1192.91dp + -1191.41dp + -1189.92dp + -1188.43dp + -1186.94dp + -1185.44dp + -1183.95dp + -1182.46dp + -1180.96dp + -1179.47dp + -1177.98dp + -1176.48dp + -1174.99dp + -1173.5dp + -1172.01dp + -1170.51dp + -1169.02dp + -1167.53dp + -1166.03dp + -1164.54dp + -1163.05dp + -1161.55dp + -1160.06dp + -1158.57dp + -1157.08dp + -1155.58dp + -1154.09dp + -1152.6dp + -1151.1dp + -1149.61dp + -1148.12dp + -1146.62dp + -1145.13dp + -1143.64dp + -1142.14dp + -1140.65dp + -1139.16dp + -1137.67dp + -1136.17dp + -1134.68dp + -1133.19dp + -1131.69dp + -1130.2dp + -1128.71dp + -1127.22dp + -1125.72dp + -1124.23dp + -1122.74dp + -1121.24dp + -1119.75dp + -1118.26dp + -1116.76dp + -1115.27dp + -1113.78dp + -1112.29dp + -1110.79dp + -1109.3dp + -1107.81dp + -1106.31dp + -1104.82dp + -1103.33dp + -1101.83dp + -1100.34dp + -1098.85dp + -1097.36dp + -1095.86dp + -1094.37dp + -1092.88dp + -1091.38dp + -1089.89dp + -1088.4dp + -1086.9dp + -1085.41dp + -1083.92dp + -1082.43dp + -1080.93dp + -1079.44dp + -1077.95dp + -1076.45dp + -1074.96dp + -1073.47dp + -1071.97dp + -1070.48dp + -1068.99dp + -1067.5dp + -1066.0dp + -1064.51dp + -1063.02dp + -1061.52dp + -1060.03dp + -1058.54dp + -1057.04dp + -1055.55dp + -1054.06dp + -1052.57dp + -1051.07dp + -1049.58dp + -1048.09dp + -1046.59dp + -1045.1dp + -1043.61dp + -1042.11dp + -1040.62dp + -1039.13dp + -1037.63dp + -1036.14dp + -1034.65dp + -1033.16dp + -1031.66dp + -1030.17dp + -1028.68dp + -1027.18dp + -1025.69dp + -1024.2dp + -1022.71dp + -1021.21dp + -1019.72dp + -1018.23dp + -1016.73dp + -1015.24dp + -1013.75dp + -1012.25dp + -1010.76dp + -1009.27dp + -1007.78dp + -1006.28dp + -1004.79dp + -1003.3dp + -1001.8dp + -1000.31dp + -998.82dp + -997.32dp + -995.83dp + -994.34dp + -992.85dp + -991.35dp + -989.86dp + -988.37dp + -986.87dp + -985.38dp + -983.89dp + -982.39dp + -980.9dp + -979.41dp + -977.92dp + -976.42dp + -974.93dp + -973.44dp + -971.94dp + -970.45dp + -968.96dp + -967.46dp + -965.97dp + -964.48dp + -962.99dp + -961.49dp + -960.0dp + -958.51dp + -957.01dp + -955.52dp + -954.03dp + -952.53dp + -951.04dp + -949.55dp + -948.06dp + -946.56dp + -945.07dp + -943.58dp + -942.08dp + -940.59dp + -939.1dp + -937.6dp + -936.11dp + -934.62dp + -933.13dp + -931.63dp + -930.14dp + -928.65dp + -927.15dp + -925.66dp + -924.17dp + -922.67dp + -921.18dp + -919.69dp + -918.2dp + -916.7dp + -915.21dp + -913.72dp + -912.22dp + -910.73dp + -909.24dp + -907.74dp + -906.25dp + -904.76dp + -903.27dp + -901.77dp + -900.28dp + -898.79dp + -897.29dp + -895.8dp + -894.31dp + -892.81dp + -891.32dp + -889.83dp + -888.34dp + -886.84dp + -885.35dp + -883.86dp + -882.36dp + -880.87dp + -879.38dp + -877.88dp + -876.39dp + -874.9dp + -873.41dp + -871.91dp + -870.42dp + -868.93dp + -867.43dp + -865.94dp + -864.45dp + -862.95dp + -861.46dp + -859.97dp + -858.48dp + -856.98dp + -855.49dp + -854.0dp + -852.5dp + -851.01dp + -849.52dp + -848.02dp + -846.53dp + -845.04dp + -843.55dp + -842.05dp + -840.56dp + -839.07dp + -837.57dp + -836.08dp + -834.59dp + -833.09dp + -831.6dp + -830.11dp + -828.62dp + -827.12dp + -825.63dp + -824.14dp + -822.64dp + -821.15dp + -819.66dp + -818.16dp + -816.67dp + -815.18dp + -813.69dp + -812.19dp + -810.7dp + -809.21dp + -807.71dp + -806.22dp + -804.73dp + -803.23dp + -801.74dp + -800.25dp + -798.76dp + -797.26dp + -795.77dp + -794.28dp + -792.78dp + -791.29dp + -789.8dp + -788.3dp + -786.81dp + -785.32dp + -783.83dp + -782.33dp + -780.84dp + -779.35dp + -777.85dp + -776.36dp + -774.87dp + -773.37dp + -771.88dp + -770.39dp + -768.9dp + -767.4dp + -765.91dp + -764.42dp + -762.92dp + -761.43dp + -759.94dp + -758.44dp + -756.95dp + -755.46dp + -753.97dp + -752.47dp + -750.98dp + -749.49dp + -747.99dp + -746.5dp + -745.01dp + -743.51dp + -742.02dp + -740.53dp + -739.04dp + -737.54dp + -736.05dp + -734.56dp + -733.06dp + -731.57dp + -730.08dp + -728.58dp + -727.09dp + -725.6dp + -724.11dp + -722.61dp + -721.12dp + -719.63dp + -718.13dp + -716.64dp + -715.15dp + -713.65dp + -712.16dp + -710.67dp + -709.18dp + -707.68dp + -706.19dp + -704.7dp + -703.2dp + -701.71dp + -700.22dp + -698.72dp + -697.23dp + -695.74dp + -694.25dp + -692.75dp + -691.26dp + -689.77dp + -688.27dp + -686.78dp + -685.29dp + -683.79dp + -682.3dp + -680.81dp + -679.32dp + -677.82dp + -676.33dp + -674.84dp + -673.34dp + -671.85dp + -670.36dp + -668.86dp + -667.37dp + -665.88dp + -664.38dp + -662.89dp + -661.4dp + -659.91dp + -658.41dp + -656.92dp + -655.43dp + -653.93dp + -652.44dp + -650.95dp + -649.46dp + -647.96dp + -646.47dp + -644.98dp + -643.48dp + -641.99dp + -640.5dp + -639.0dp + -637.51dp + -636.02dp + -634.53dp + -633.03dp + -631.54dp + -630.05dp + -628.55dp + -627.06dp + -625.57dp + -624.07dp + -622.58dp + -621.09dp + -619.6dp + -618.1dp + -616.61dp + -615.12dp + -613.62dp + -612.13dp + -610.64dp + -609.14dp + -607.65dp + -606.16dp + -604.67dp + -603.17dp + -601.68dp + -600.19dp + -598.69dp + -597.2dp + -595.71dp + -594.21dp + -592.72dp + -591.23dp + -589.74dp + -588.24dp + -586.75dp + -585.26dp + -583.76dp + -582.27dp + -580.78dp + -579.28dp + -577.79dp + -576.3dp + -574.81dp + -573.31dp + -571.82dp + -570.33dp + -568.83dp + -567.34dp + -565.85dp + -564.35dp + -562.86dp + -561.37dp + -559.88dp + -558.38dp + -556.89dp + -555.4dp + -553.9dp + -552.41dp + -550.92dp + -549.42dp + -547.93dp + -546.44dp + -544.95dp + -543.45dp + -541.96dp + -540.47dp + -538.97dp + -537.48dp + -535.99dp + -534.49dp + -533.0dp + -531.51dp + -530.01dp + -528.52dp + -527.03dp + -525.54dp + -524.04dp + -522.55dp + -521.06dp + -519.56dp + -518.07dp + -516.58dp + -515.09dp + -513.59dp + -512.1dp + -510.61dp + -509.11dp + -507.62dp + -506.13dp + -504.63dp + -503.14dp + -501.65dp + -500.16dp + -498.66dp + -497.17dp + -495.68dp + -494.18dp + -492.69dp + -491.2dp + -489.7dp + -488.21dp + -486.72dp + -485.23dp + -483.73dp + -482.24dp + -480.75dp + -479.25dp + -477.76dp + -476.27dp + -474.77dp + -473.28dp + -471.79dp + -470.3dp + -468.8dp + -467.31dp + -465.82dp + -464.32dp + -462.83dp + -461.34dp + -459.84dp + -458.35dp + -456.86dp + -455.37dp + -453.87dp + -452.38dp + -450.89dp + -449.39dp + -447.9dp + -446.41dp + -444.91dp + -443.42dp + -441.93dp + -440.44dp + -438.94dp + -437.45dp + -435.96dp + -434.46dp + -432.97dp + -431.48dp + -429.98dp + -428.49dp + -427.0dp + -425.51dp + -424.01dp + -422.52dp + -421.03dp + -419.53dp + -418.04dp + -416.55dp + -415.05dp + -413.56dp + -412.07dp + -410.58dp + -409.08dp + -407.59dp + -406.1dp + -404.6dp + -403.11dp + -401.62dp + -400.12dp + -398.63dp + -397.14dp + -395.65dp + -394.15dp + -392.66dp + -391.17dp + -389.67dp + -388.18dp + -386.69dp + -385.19dp + -383.7dp + -382.21dp + -380.72dp + -379.22dp + -377.73dp + -376.24dp + -374.74dp + -373.25dp + -371.76dp + -370.26dp + -368.77dp + -367.28dp + -365.79dp + -364.29dp + -362.8dp + -361.31dp + -359.81dp + -358.32dp + -356.83dp + -355.33dp + -353.84dp + -352.35dp + -350.86dp + -349.36dp + -347.87dp + -346.38dp + -344.88dp + -343.39dp + -341.9dp + -340.4dp + -338.91dp + -337.42dp + -335.93dp + -334.43dp + -332.94dp + -331.45dp + -329.95dp + -328.46dp + -326.97dp + -325.47dp + -323.98dp + -322.49dp + -321.0dp + -319.5dp + -318.01dp + -316.52dp + -315.02dp + -313.53dp + -312.04dp + -310.54dp + -309.05dp + -307.56dp + -306.06dp + -304.57dp + -303.08dp + -301.59dp + -300.09dp + -298.6dp + -297.11dp + -295.61dp + -294.12dp + -292.63dp + -291.14dp + -289.64dp + -288.15dp + -286.66dp + -285.16dp + -283.67dp + -282.18dp + -280.68dp + -279.19dp + -277.7dp + -276.21dp + -274.71dp + -273.22dp + -271.73dp + -270.23dp + -268.74dp + -267.25dp + -265.75dp + -264.26dp + -262.77dp + -261.28dp + -259.78dp + -258.29dp + -256.8dp + -255.3dp + -253.81dp + -252.32dp + -250.82dp + -249.33dp + -247.84dp + -246.35dp + -244.85dp + -243.36dp + -241.87dp + -240.37dp + -238.88dp + -237.39dp + -235.89dp + -234.4dp + -232.91dp + -231.42dp + -229.92dp + -228.43dp + -226.94dp + -225.44dp + -223.95dp + -222.46dp + -220.96dp + -219.47dp + -217.98dp + -216.49dp + -214.99dp + -213.5dp + -212.01dp + -210.51dp + -209.02dp + -207.53dp + -206.03dp + -204.54dp + -203.05dp + -201.56dp + -200.06dp + -198.57dp + -197.08dp + -195.58dp + -194.09dp + -192.6dp + -191.1dp + -189.61dp + -188.12dp + -186.63dp + -185.13dp + -183.64dp + -182.15dp + -180.65dp + -179.16dp + -177.67dp + -176.17dp + -174.68dp + -173.19dp + -171.7dp + -170.2dp + -168.71dp + -167.22dp + -165.72dp + -164.23dp + -162.74dp + -161.24dp + -159.75dp + -158.26dp + -156.77dp + -155.27dp + -153.78dp + -152.29dp + -150.79dp + -149.3dp + -147.81dp + -146.31dp + -144.82dp + -143.33dp + -141.84dp + -140.34dp + -138.85dp + -137.36dp + -135.86dp + -134.37dp + -132.88dp + -131.38dp + -129.89dp + -128.4dp + -126.91dp + -125.41dp + -123.92dp + -122.43dp + -120.93dp + -119.44dp + -117.95dp + -116.45dp + -114.96dp + -113.47dp + -111.98dp + -110.48dp + -108.99dp + -107.5dp + -106.0dp + -104.51dp + -103.02dp + -101.52dp + -100.03dp + -98.54dp + -97.05dp + -95.55dp + -94.06dp + -92.57dp + -91.07dp + -89.58dp + -88.09dp + -86.59dp + -85.1dp + -83.61dp + -82.12dp + -80.62dp + -79.13dp + -77.64dp + -76.14dp + -74.65dp + -73.16dp + -71.66dp + -70.17dp + -68.68dp + -67.19dp + -65.69dp + -64.2dp + -62.71dp + -61.21dp + -59.72dp + -58.23dp + -56.73dp + -55.24dp + -53.75dp + -52.26dp + -50.76dp + -49.27dp + -47.78dp + -46.28dp + -44.79dp + -43.3dp + -41.8dp + -40.31dp + -38.82dp + -37.33dp + -35.83dp + -34.34dp + -32.85dp + -31.35dp + -29.86dp + -28.37dp + -26.87dp + -25.38dp + -23.89dp + -22.4dp + -20.9dp + -19.41dp + -17.92dp + -16.42dp + -14.93dp + -13.44dp + -11.94dp + -10.45dp + -8.96dp + -7.47dp + -5.97dp + -4.48dp + -2.99dp + -1.49dp + 0.0dp + 1.49dp + 2.99dp + 4.48dp + 5.97dp + 7.47dp + 8.96dp + 10.45dp + 11.94dp + 13.44dp + 14.93dp + 16.42dp + 17.92dp + 19.41dp + 20.9dp + 22.4dp + 23.89dp + 25.38dp + 26.87dp + 28.37dp + 29.86dp + 31.35dp + 32.85dp + 34.34dp + 35.83dp + 37.33dp + 38.82dp + 40.31dp + 41.8dp + 43.3dp + 44.79dp + 46.28dp + 47.78dp + 49.27dp + 50.76dp + 52.26dp + 53.75dp + 55.24dp + 56.73dp + 58.23dp + 59.72dp + 61.21dp + 62.71dp + 64.2dp + 65.69dp + 67.19dp + 68.68dp + 70.17dp + 71.66dp + 73.16dp + 74.65dp + 76.14dp + 77.64dp + 79.13dp + 80.62dp + 82.12dp + 83.61dp + 85.1dp + 86.59dp + 88.09dp + 89.58dp + 91.07dp + 92.57dp + 94.06dp + 95.55dp + 97.05dp + 98.54dp + 100.03dp + 101.52dp + 103.02dp + 104.51dp + 106.0dp + 107.5dp + 108.99dp + 110.48dp + 111.98dp + 113.47dp + 114.96dp + 116.45dp + 117.95dp + 119.44dp + 120.93dp + 122.43dp + 123.92dp + 125.41dp + 126.91dp + 128.4dp + 129.89dp + 131.38dp + 132.88dp + 134.37dp + 135.86dp + 137.36dp + 138.85dp + 140.34dp + 141.84dp + 143.33dp + 144.82dp + 146.31dp + 147.81dp + 149.3dp + 150.79dp + 152.29dp + 153.78dp + 155.27dp + 156.77dp + 158.26dp + 159.75dp + 161.24dp + 162.74dp + 164.23dp + 165.72dp + 167.22dp + 168.71dp + 170.2dp + 171.7dp + 173.19dp + 174.68dp + 176.17dp + 177.67dp + 179.16dp + 180.65dp + 182.15dp + 183.64dp + 185.13dp + 186.63dp + 188.12dp + 189.61dp + 191.1dp + 192.6dp + 194.09dp + 195.58dp + 197.08dp + 198.57dp + 200.06dp + 201.56dp + 203.05dp + 204.54dp + 206.03dp + 207.53dp + 209.02dp + 210.51dp + 212.01dp + 213.5dp + 214.99dp + 216.49dp + 217.98dp + 219.47dp + 220.96dp + 222.46dp + 223.95dp + 225.44dp + 226.94dp + 228.43dp + 229.92dp + 231.42dp + 232.91dp + 234.4dp + 235.89dp + 237.39dp + 238.88dp + 240.37dp + 241.87dp + 243.36dp + 244.85dp + 246.35dp + 247.84dp + 249.33dp + 250.82dp + 252.32dp + 253.81dp + 255.3dp + 256.8dp + 258.29dp + 259.78dp + 261.28dp + 262.77dp + 264.26dp + 265.75dp + 267.25dp + 268.74dp + 270.23dp + 271.73dp + 273.22dp + 274.71dp + 276.21dp + 277.7dp + 279.19dp + 280.68dp + 282.18dp + 283.67dp + 285.16dp + 286.66dp + 288.15dp + 289.64dp + 291.14dp + 292.63dp + 294.12dp + 295.61dp + 297.11dp + 298.6dp + 300.09dp + 301.59dp + 303.08dp + 304.57dp + 306.06dp + 307.56dp + 309.05dp + 310.54dp + 312.04dp + 313.53dp + 315.02dp + 316.52dp + 318.01dp + 319.5dp + 321.0dp + 322.49dp + 323.98dp + 325.47dp + 326.97dp + 328.46dp + 329.95dp + 331.45dp + 332.94dp + 334.43dp + 335.93dp + 337.42dp + 338.91dp + 340.4dp + 341.9dp + 343.39dp + 344.88dp + 346.38dp + 347.87dp + 349.36dp + 350.86dp + 352.35dp + 353.84dp + 355.33dp + 356.83dp + 358.32dp + 359.81dp + 361.31dp + 362.8dp + 364.29dp + 365.79dp + 367.28dp + 368.77dp + 370.26dp + 371.76dp + 373.25dp + 374.74dp + 376.24dp + 377.73dp + 379.22dp + 380.72dp + 382.21dp + 383.7dp + 385.19dp + 386.69dp + 388.18dp + 389.67dp + 391.17dp + 392.66dp + 394.15dp + 395.65dp + 397.14dp + 398.63dp + 400.12dp + 401.62dp + 403.11dp + 404.6dp + 406.1dp + 407.59dp + 409.08dp + 410.58dp + 412.07dp + 413.56dp + 415.05dp + 416.55dp + 418.04dp + 419.53dp + 421.03dp + 422.52dp + 424.01dp + 425.51dp + 427.0dp + 428.49dp + 429.98dp + 431.48dp + 432.97dp + 434.46dp + 435.96dp + 437.45dp + 438.94dp + 440.44dp + 441.93dp + 443.42dp + 444.91dp + 446.41dp + 447.9dp + 449.39dp + 450.89dp + 452.38dp + 453.87dp + 455.37dp + 456.86dp + 458.35dp + 459.84dp + 461.34dp + 462.83dp + 464.32dp + 465.82dp + 467.31dp + 468.8dp + 470.3dp + 471.79dp + 473.28dp + 474.77dp + 476.27dp + 477.76dp + 479.25dp + 480.75dp + 482.24dp + 483.73dp + 485.23dp + 486.72dp + 488.21dp + 489.7dp + 491.2dp + 492.69dp + 494.18dp + 495.68dp + 497.17dp + 498.66dp + 500.16dp + 501.65dp + 503.14dp + 504.63dp + 506.13dp + 507.62dp + 509.11dp + 510.61dp + 512.1dp + 513.59dp + 515.09dp + 516.58dp + 518.07dp + 519.56dp + 521.06dp + 522.55dp + 524.04dp + 525.54dp + 527.03dp + 528.52dp + 530.01dp + 531.51dp + 533.0dp + 534.49dp + 535.99dp + 537.48dp + 538.97dp + 540.47dp + 541.96dp + 543.45dp + 544.95dp + 546.44dp + 547.93dp + 549.42dp + 550.92dp + 552.41dp + 553.9dp + 555.4dp + 556.89dp + 558.38dp + 559.88dp + 561.37dp + 562.86dp + 564.35dp + 565.85dp + 567.34dp + 568.83dp + 570.33dp + 571.82dp + 573.31dp + 574.81dp + 576.3dp + 577.79dp + 579.28dp + 580.78dp + 582.27dp + 583.76dp + 585.26dp + 586.75dp + 588.24dp + 589.74dp + 591.23dp + 592.72dp + 594.21dp + 595.71dp + 597.2dp + 598.69dp + 600.19dp + 601.68dp + 603.17dp + 604.67dp + 606.16dp + 607.65dp + 609.14dp + 610.64dp + 612.13dp + 613.62dp + 615.12dp + 616.61dp + 618.1dp + 619.6dp + 621.09dp + 622.58dp + 624.07dp + 625.57dp + 627.06dp + 628.55dp + 630.05dp + 631.54dp + 633.03dp + 634.53dp + 636.02dp + 637.51dp + 639.0dp + 640.5dp + 641.99dp + 643.48dp + 644.98dp + 646.47dp + 647.96dp + 649.46dp + 650.95dp + 652.44dp + 653.93dp + 655.43dp + 656.92dp + 658.41dp + 659.91dp + 661.4dp + 662.89dp + 664.38dp + 665.88dp + 667.37dp + 668.86dp + 670.36dp + 671.85dp + 673.34dp + 674.84dp + 676.33dp + 677.82dp + 679.32dp + 680.81dp + 682.3dp + 683.79dp + 685.29dp + 686.78dp + 688.27dp + 689.77dp + 691.26dp + 692.75dp + 694.25dp + 695.74dp + 697.23dp + 698.72dp + 700.22dp + 701.71dp + 703.2dp + 704.7dp + 706.19dp + 707.68dp + 709.18dp + 710.67dp + 712.16dp + 713.65dp + 715.15dp + 716.64dp + 718.13dp + 719.63dp + 721.12dp + 722.61dp + 724.11dp + 725.6dp + 727.09dp + 728.58dp + 730.08dp + 731.57dp + 733.06dp + 734.56dp + 736.05dp + 737.54dp + 739.04dp + 740.53dp + 742.02dp + 743.51dp + 745.01dp + 746.5dp + 747.99dp + 749.49dp + 750.98dp + 752.47dp + 753.97dp + 755.46dp + 756.95dp + 758.44dp + 759.94dp + 761.43dp + 762.92dp + 764.42dp + 765.91dp + 767.4dp + 768.9dp + 770.39dp + 771.88dp + 773.37dp + 774.87dp + 776.36dp + 777.85dp + 779.35dp + 780.84dp + 782.33dp + 783.83dp + 785.32dp + 786.81dp + 788.3dp + 789.8dp + 791.29dp + 792.78dp + 794.28dp + 795.77dp + 797.26dp + 798.76dp + 800.25dp + 801.74dp + 803.23dp + 804.73dp + 806.22dp + 807.71dp + 809.21dp + 810.7dp + 812.19dp + 813.69dp + 815.18dp + 816.67dp + 818.16dp + 819.66dp + 821.15dp + 822.64dp + 824.14dp + 825.63dp + 827.12dp + 828.62dp + 830.11dp + 831.6dp + 833.09dp + 834.59dp + 836.08dp + 837.57dp + 839.07dp + 840.56dp + 842.05dp + 843.55dp + 845.04dp + 846.53dp + 848.02dp + 849.52dp + 851.01dp + 852.5dp + 854.0dp + 855.49dp + 856.98dp + 858.48dp + 859.97dp + 861.46dp + 862.95dp + 864.45dp + 865.94dp + 867.43dp + 868.93dp + 870.42dp + 871.91dp + 873.41dp + 874.9dp + 876.39dp + 877.88dp + 879.38dp + 880.87dp + 882.36dp + 883.86dp + 885.35dp + 886.84dp + 888.34dp + 889.83dp + 891.32dp + 892.81dp + 894.31dp + 895.8dp + 897.29dp + 898.79dp + 900.28dp + 901.77dp + 903.27dp + 904.76dp + 906.25dp + 907.74dp + 909.24dp + 910.73dp + 912.22dp + 913.72dp + 915.21dp + 916.7dp + 918.2dp + 919.69dp + 921.18dp + 922.67dp + 924.17dp + 925.66dp + 927.15dp + 928.65dp + 930.14dp + 931.63dp + 933.13dp + 934.62dp + 936.11dp + 937.6dp + 939.1dp + 940.59dp + 942.08dp + 943.58dp + 945.07dp + 946.56dp + 948.06dp + 949.55dp + 951.04dp + 952.53dp + 954.03dp + 955.52dp + 957.01dp + 958.51dp + 960.0dp + 961.49dp + 962.99dp + 964.48dp + 965.97dp + 967.46dp + 968.96dp + 970.45dp + 971.94dp + 973.44dp + 974.93dp + 976.42dp + 977.92dp + 979.41dp + 980.9dp + 982.39dp + 983.89dp + 985.38dp + 986.87dp + 988.37dp + 989.86dp + 991.35dp + 992.85dp + 994.34dp + 995.83dp + 997.32dp + 998.82dp + 1000.31dp + 1001.8dp + 1003.3dp + 1004.79dp + 1006.28dp + 1007.78dp + 1009.27dp + 1010.76dp + 1012.25dp + 1013.75dp + 1015.24dp + 1016.73dp + 1018.23dp + 1019.72dp + 1021.21dp + 1022.71dp + 1024.2dp + 1025.69dp + 1027.18dp + 1028.68dp + 1030.17dp + 1031.66dp + 1033.16dp + 1034.65dp + 1036.14dp + 1037.63dp + 1039.13dp + 1040.62dp + 1042.11dp + 1043.61dp + 1045.1dp + 1046.59dp + 1048.09dp + 1049.58dp + 1051.07dp + 1052.57dp + 1054.06dp + 1055.55dp + 1057.04dp + 1058.54dp + 1060.03dp + 1061.52dp + 1063.02dp + 1064.51dp + 1066.0dp + 1067.5dp + 1068.99dp + 1070.48dp + 1071.97dp + 1073.47dp + 1074.96dp + 1076.45dp + 1077.95dp + 1079.44dp + 1080.93dp + 1082.43dp + 1083.92dp + 1085.41dp + 1086.9dp + 1088.4dp + 1089.89dp + 1091.38dp + 1092.88dp + 1094.37dp + 1095.86dp + 1097.36dp + 1098.85dp + 1100.34dp + 1101.83dp + 1103.33dp + 1104.82dp + 1106.31dp + 1107.81dp + 1109.3dp + 1110.79dp + 1112.29dp + 1113.78dp + 1115.27dp + 1116.76dp + 1118.26dp + 1119.75dp + 1121.24dp + 1122.74dp + 1124.23dp + 1125.72dp + 1127.22dp + 1128.71dp + 1130.2dp + 1131.69dp + 1133.19dp + 1134.68dp + 1136.17dp + 1137.67dp + 1139.16dp + 1140.65dp + 1142.14dp + 1143.64dp + 1145.13dp + 1146.62dp + 1148.12dp + 1149.61dp + 1151.1dp + 1152.6dp + 1154.09dp + 1155.58dp + 1157.08dp + 1158.57dp + 1160.06dp + 1161.55dp + 1163.05dp + 1164.54dp + 1166.03dp + 1167.53dp + 1169.02dp + 1170.51dp + 1172.01dp + 1173.5dp + 1174.99dp + 1176.48dp + 1177.98dp + 1179.47dp + 1180.96dp + 1182.46dp + 1183.95dp + 1185.44dp + 1186.94dp + 1188.43dp + 1189.92dp + 1191.41dp + 1192.91dp + 1194.4dp + 1195.89dp + 1197.39dp + 1198.88dp + 1200.37dp + 1201.87dp + 1203.36dp + 1204.85dp + 1206.34dp + 1207.84dp + 1209.33dp + 1210.82dp + 1212.32dp + 1213.81dp + 1215.3dp + 1216.8dp + 1218.29dp + 1219.78dp + 1221.27dp + 1222.77dp + 1224.26dp + 1225.75dp + 1227.25dp + 1228.74dp + 1230.23dp + 1231.73dp + 1233.22dp + 1234.71dp + 1236.2dp + 1237.7dp + 1239.19dp + 1240.68dp + 1242.18dp + 1243.67dp + 1245.16dp + 1246.66dp + 1248.15dp + 1249.64dp + 1251.13dp + 1252.63dp + 1254.12dp + 1255.61dp + 1257.11dp + 1258.6dp + 1260.09dp + 1261.59dp + 1263.08dp + 1264.57dp + 1266.06dp + 1267.56dp + 1269.05dp + 1270.54dp + 1272.04dp + 1273.53dp + 1275.02dp + 1276.52dp + 1278.01dp + 1279.5dp + 1280.99dp + 1282.49dp + 1283.98dp + 1285.47dp + 1286.97dp + 1288.46dp + 1289.95dp + 1291.45dp + 1292.94dp + 1294.43dp + 1295.92dp + 1297.42dp + 1298.91dp + 1300.4dp + 1301.9dp + 1303.39dp + 1304.88dp + 1306.38dp + 1307.87dp + 1309.36dp + 1310.85dp + 1312.35dp + 1313.84dp + 1315.33dp + 1316.83dp + 1318.32dp + 1319.81dp + 1321.31dp + 1322.8dp + 1324.29dp + 1325.78dp + 1327.28dp + 1328.77dp + 1330.26dp + 1331.76dp + 1333.25dp + 1334.74dp + 1336.24dp + 1337.73dp + 1339.22dp + 1340.71dp + 1342.21dp + 1343.7dp + 1345.19dp + 1346.69dp + 1348.18dp + 1349.67dp + 1351.17dp + 1352.66dp + 1354.15dp + 1355.64dp + 1357.14dp + 1358.63dp + 1360.12dp + 1361.62dp + 1363.11dp + 1364.6dp + 1366.1dp + 1367.59dp + 1369.08dp + 1370.57dp + 1372.07dp + 1373.56dp + 1375.05dp + 1376.55dp + 1378.04dp + 1379.53dp + 1381.03dp + 1382.52dp + 1384.01dp + 1385.5dp + 1387.0dp + 1388.49dp + 1389.98dp + 1391.48dp + 1392.97dp + 1394.46dp + 1395.96dp + 1397.45dp + 1398.94dp + 1400.43dp + 1401.93dp + 1403.42dp + 1404.91dp + 1406.41dp + 1407.9dp + 1409.39dp + 1410.88dp + 1412.38dp + 1413.87dp + 1415.36dp + 1416.86dp + 1418.35dp + 1419.84dp + 1421.34dp + 1422.83dp + 1424.32dp + 1425.82dp + 1427.31dp + 1428.8dp + 1430.29dp + 1431.79dp + 1433.28dp + 1434.77dp + 1436.27dp + 1437.76dp + 1439.25dp + 1440.75dp + 1442.24dp + 1443.73dp + 1445.22dp + 1446.72dp + 1448.21dp + 1449.7dp + 1451.2dp + 1452.69dp + 1454.18dp + 1455.68dp + 1457.17dp + 1458.66dp + 1460.15dp + 1461.65dp + 1463.14dp + 1464.63dp + 1466.13dp + 1467.62dp + 1469.11dp + 1470.61dp + 1472.1dp + 1473.59dp + 1475.08dp + 1476.58dp + 1478.07dp + 1479.56dp + 1481.06dp + 1482.55dp + 1484.04dp + 1485.54dp + 1487.03dp + 1488.52dp + 1490.01dp + 1491.51dp + 1493.0dp + 1494.49dp + 1495.99dp + 1497.48dp + 1498.97dp + 1500.47dp + 1501.96dp + 1503.45dp + 1504.94dp + 1506.44dp + 1507.93dp + 1509.42dp + 1510.92dp + 1512.41dp + 1513.9dp + 1515.4dp + 1516.89dp + 1518.38dp + 1519.87dp + 1521.37dp + 1522.86dp + 1524.35dp + 1525.85dp + 1527.34dp + 1528.83dp + 1530.33dp + 1531.82dp + 1533.31dp + 1534.8dp + 1536.3dp + 1537.79dp + 1539.28dp + 1540.78dp + 1542.27dp + 1543.76dp + 1545.26dp + 1546.75dp + 1548.24dp + 1549.73dp + 1551.23dp + 1552.72dp + 1554.21dp + 1555.71dp + 1557.2dp + 1558.69dp + 1560.19dp + 1561.68dp + 1563.17dp + 1564.66dp + 1566.16dp + 1567.65dp + 1569.14dp + 1570.64dp + 1572.13dp + 1573.62dp + 1575.12dp + 1576.61dp + 1578.1dp + 1579.59dp + 1581.09dp + 1582.58dp + 1584.07dp + 1585.57dp + 1587.06dp + 1588.55dp + 1590.05dp + 1591.54dp + 1593.03dp + 1594.52dp + 1596.02dp + 1597.51dp + 1599.0dp + 1600.5dp + 1601.99dp + 1603.48dp + 1604.98dp + 1606.47dp + 1607.96dp + 1609.45dp + 1610.95dp + 1612.44dp + 1.49sp + 2.99sp + 4.48sp + 5.97sp + 7.47sp + 8.96sp + 10.45sp + 11.94sp + 13.44sp + 14.93sp + 16.42sp + 17.92sp + 19.41sp + 20.9sp + 22.4sp + 23.89sp + 25.38sp + 26.87sp + 28.37sp + 29.86sp + 31.35sp + 32.85sp + 34.34sp + 35.83sp + 37.33sp + 38.82sp + 40.31sp + 41.8sp + 43.3sp + 44.79sp + 46.28sp + 47.78sp + 49.27sp + 50.76sp + 52.26sp + 53.75sp + 55.24sp + 56.73sp + 58.23sp + 59.72sp + 61.21sp + 62.71sp + 64.2sp + 65.69sp + 67.19sp + 68.68sp + 70.17sp + 71.66sp + 73.16sp + 74.65sp + 76.14sp + 77.64sp + 79.13sp + 80.62sp + 82.12sp + 83.61sp + 85.1sp + 86.59sp + 88.09sp + 89.58sp + 91.07sp + 92.57sp + 94.06sp + 95.55sp + 97.05sp + 98.54sp + 100.03sp + 101.52sp + 103.02sp + 104.51sp + 106.0sp + 107.5sp + 108.99sp + 110.48sp + 111.98sp + 113.47sp + 114.96sp + 116.45sp + 117.95sp + 119.44sp + 120.93sp + 122.43sp + 123.92sp + 125.41sp + 126.91sp + 128.4sp + 129.89sp + 131.38sp + 132.88sp + 134.37sp + 135.86sp + 137.36sp + 138.85sp + 140.34sp + 141.84sp + 143.33sp + 144.82sp + 146.31sp + 147.81sp + 149.3sp + 150.79sp + 152.29sp + 153.78sp + 155.27sp + 156.77sp + 158.26sp + 159.75sp + 161.24sp + 162.74sp + 164.23sp + 165.72sp + 167.22sp + 168.71sp + 170.2sp + 171.7sp + 173.19sp + 174.68sp + 176.17sp + 177.67sp + 179.16sp + 180.65sp + 182.15sp + 183.64sp + 185.13sp + 186.63sp + 188.12sp + 189.61sp + 191.1sp + 192.6sp + 194.09sp + 195.58sp + 197.08sp + 198.57sp + 200.06sp + 201.56sp + 203.05sp + 204.54sp + 206.03sp + 207.53sp + 209.02sp + 210.51sp + 212.01sp + 213.5sp + 214.99sp + 216.49sp + 217.98sp + 219.47sp + 220.96sp + 222.46sp + 223.95sp + 225.44sp + 226.94sp + 228.43sp + 229.92sp + 231.42sp + 232.91sp + 234.4sp + 235.89sp + 237.39sp + 238.88sp + 240.37sp + 241.87sp + 243.36sp + 244.85sp + 246.35sp + 247.84sp + 249.33sp + 250.82sp + 252.32sp + 253.81sp + 255.3sp + 256.8sp + 258.29sp + 259.78sp + 261.28sp + 262.77sp + 264.26sp + 265.75sp + 267.25sp + 268.74sp + 270.23sp + 271.73sp + 273.22sp + 274.71sp + 276.21sp + 277.7sp + 279.19sp + 280.68sp + 282.18sp + 283.67sp + 285.16sp + 286.66sp + 288.15sp + 289.64sp + 291.14sp + 292.63sp + 294.12sp + 295.61sp + 297.11sp + 298.6sp + diff --git a/app/src/main/res/values/strings.xml b/app/src/main/res/values/strings.xml index 0ef625e..b2e6233 100644 --- a/app/src/main/res/values/strings.xml +++ b/app/src/main/res/values/strings.xml @@ -17,4 +17,7 @@ , . Enter + Send + 搜索 + diff --git a/app/src/main/res/values/strings_i18n.xml b/app/src/main/res/values/strings_i18n.xml index fa36c48..8b0161d 100644 --- a/app/src/main/res/values/strings_i18n.xml +++ b/app/src/main/res/values/strings_i18n.xml @@ -131,6 +131,67 @@ Recommended skins + + Send a message to him/her + Hold to talk + Listening... + Release to cancel + Transcribing... + Transcription failed + Microphone permission is required to record audio. + Play audio + Pause audio + Loading audio + Comments + %1$d comments + No comments yet + Write a comment + Reply + Reply @%1$s + Expand + Collapse + Show %1$d replies + Hide replies + Show %1$d more + Just now + %1$d minutes ago + %1$d hours ago + %1$d days ago + Anonymous + Failed to send comment + Report + Go chatting + + Thumbs Up + Chatting + Are you sure to delete? + The existing conversation history chat records will be cleared. + History chat records deletion successful + Failed to delete historical chat records + Think Again + Delete + + Report + Submit + Report reason + selection content + Please select a reason/content or enter a description + Report submitted + Report failed + + Pornographic and vulgar + Politically sensitive + Insult attacks + bloody violence + Suicide and self harm + Plagiarism infringement + Invasion of privacy + False rumor + Other harmful information + + Character Name and Description + Picture + Timbre Welcome to use the [key of love] keyboard! diff --git a/app/src/main/res/values/styles.xml b/app/src/main/res/values/styles.xml index 944c4df..62dc807 100644 --- a/app/src/main/res/values/styles.xml +++ b/app/src/main/res/values/styles.xml @@ -45,5 +45,27 @@ #1A000000 #1A000000 - + + + + + + + + diff --git a/app/src/main/res/xml/network_security_config.xml b/app/src/main/res/xml/network_security_config.xml index 424b4d6..d037e78 100644 --- a/app/src/main/res/xml/network_security_config.xml +++ b/app/src/main/res/xml/network_security_config.xml @@ -1,12 +1,9 @@ - + + - - - 192.168.2.21 -