diff --git a/.gitignore b/.gitignore new file mode 100644 index 0000000..10fa70b --- /dev/null +++ b/.gitignore @@ -0,0 +1,14 @@ +# Windows +[Dd]esktop.ini +Thumbs.db +$RECYCLE.BIN/ + +# macOS +.DS_Store +.fseventsd +.Spotlight-V100 +.TemporaryItems +.Trashes + +# Node.js +node_modules/ diff --git a/12.jpg b/12.jpg new file mode 100644 index 0000000..020c9f5 Binary files /dev/null and b/12.jpg differ diff --git a/LICENSE b/LICENSE new file mode 100644 index 0000000..7bb43b8 --- /dev/null +++ b/LICENSE @@ -0,0 +1,24 @@ +LICENSE - "MIT License" + +Copyright (c) 2016 by Tencent Cloud + +Permission is hereby granted, free of charge, to any person +obtaining a copy of this software and associated documentation +files (the "Software"), to deal in the Software without +restriction, including without limitation the rights to use, +copy, modify, merge, publish, distribute, sublicense, and/or sell +copies of the Software, and to permit persons to whom the +Software is furnished to do so, subject to the following +conditions: + +The above copyright notice and this permission notice shall be +included in all copies or substantial portions of the Software. + +THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, +EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES +OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND +NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT +HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, +WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING +FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR +OTHER DEALINGS IN THE SOFTWARE. \ No newline at end of file diff --git a/README.md b/README.md new file mode 100644 index 0000000..c80f234 --- /dev/null +++ b/README.md @@ -0,0 +1,49 @@ +# - +一个用来背单词每天打卡的微信小程序,还有词汇测试,包含多种词库 +后台由腾讯云wafer解决方案 +===================================== +![image](https://raw.githubusercontent.com/flymysql/WeChat-applets/master/12.jpg) + +## 源码简介 + +```tree +Demo +├── LICENSE +├── README.md +├── app.js +├── app.json +├── config.js +├── package.json +├── pages +│   ├── about +│   ├── audio_rest +│   ├── choice +│   ├── collect_test +│   ├── detail_word +│   ├── index +│   ├── job +│   ├── me +│   ├── my_word +│   ├── rank +│   ├── search +│   ├── study +│   ├── suggestion +│   └── test +├── utils +├── data +├── assets +├── images +└── vendor + └── qcloud-weapp-client-sdk/ +``` + +`app.js` 是小程序入口文件。 + +`app.json` 是小程序的微信配置,其中指定了本示例的两个页面,页面分别在 `pages/index/` 和 `pages/chat/` 目录下。 + +`config.js` 是我们小程序自己的业务配置。 + +`wafer2-client-sdk` 是[客户端 SDK](https://github.com/tencentyun/wafer2-client-sdk) + +仅供学习,转载请注明出处 +另外个人博客求一波友链 https://www.idealli.com diff --git a/app.js b/app.js new file mode 100644 index 0000000..9a2a926 --- /dev/null +++ b/app.js @@ -0,0 +1,193 @@ +//app.js + +var qcloud = require('./vendor/wafer2-client-sdk/index'); +var config = require('./config'); +var util = require('./utils/util.js') + +App({ + appData: { + appId: config.service.appId, + baseUrl: `${config.service.host}/weapp/`, + tunnelStatus: 'close',//统一管理唯一的信道连接的状态:connect、close、reconnecting、reconnect、error + friendsFightingRoom: undefined,//好友对战时创建的唯一房间名,作为好友匹配的标识 + }, + onLaunch(opt) { + this.appData.opt = opt + qcloud.setLoginUrl(config.service.loginUrl); //设置登录地址 + this.doLogin(); + }, + onShow(opt) { + this.storeUser_network(opt)//每次打开程序都启动存储用户关系表 + }, + doLogin() { //登录 + let that = this + util.showBusy('正在登录'); + qcloud.login({ + success(result) {//此处的result竟然不包含openid,所以res取缓存中的数据 + util.showSuccess('登录成功') + let res = wx.getStorageSync('user_info_F2C224D4-2BCE-4C64-AF9F-A6D872000D1A'); + if (that.userInfoReadyCallback) { + that.userInfoReadyCallback(res) + } + }, + fail(error) { + util.showModel('登录失败', error); + } + }); + }, + pageGetUserInfo(page, openIdReadyCallback) { //在page中获取用户信息 + const userInfo = wx.getStorageSync('user_info_F2C224D4-2BCE-4C64-AF9F-A6D872000D1A') + if (userInfo) { + page.setData({ + userInfo, + openId: userInfo.openId + }) + this.appData.openId = userInfo.openId + if (openIdReadyCallback) { + openIdReadyCallback(userInfo.openId) + } + } else { + this.userInfoReadyCallback = (userInfo) => { //获取用户信息后的回调函数 + page.setData({ //每个page都会自动存储userInfo和openId + userInfo, + openId: userInfo.openId + }) + if (openIdReadyCallback) { //如果设置了openid的回调函数,则调用回调 + openIdReadyCallback(userInfo.openId) + } + } + } + }, + //tunnel:由于一个小程序只能同时连接一个信道而且设计页面跳转后信道对象会销毁问题,所以将其放在app.js中统一管理 + tunnelCreate() {//创建一个新信道,并监听相关数据的变化 + const that = this + const tunnel = that.tunnel = new qcloud.Tunnel(config.service.tunnelUrl) //放在app对象下供全局使用 + tunnel.open() + tunnel.on('connect', () => {//监听信道连接 + console.info("tunnelStatus = 'connect'") + this.appData.tunnelStatus = 'connect' //改变信道状态为已连接 + if (that.tunnelConnectCallback) {//设置回调 + that.tunnelConnectCallback() + } + }) + tunnel.on('close', () => {//监听信道断开 + console.info("tunnelStatus = 'close'") + this.appData.tunnelStatus = 'close' //改变信道状态为已断开 + if (that.tunnelCloseCallback) {//设置回调 + that.tunnelCloseCallback() + } + }) + tunnel.on('reconnecting', () => {//监听信道重新链接 + console.info("tunnelStatus = 'reconnecting'") + this.appData.tunnelStatus = 'reconnecting' //改变信道状态为重新连接中 + if (that.tunnelReconnectingCallback) {//设置回调 + that.tunnelReconnectingCallback() + } + }) + tunnel.on('reconnect', () => {//监听信道重新连接成功 + console.info("tunnelStatus = 'reconnect'") + console.info('重连后的信道为:' + tunnel.socketUrl.slice(tunnel.socketUrl.indexOf('tunnelId=') + 9, tunnel.socketUrl.indexOf('&'))) + this.appData.tunnelStatus = 'reconnect' //改变信道状态为重新连接成功 + if (that.tunnelReconnectCallback) {//设置回调 + that.tunnelReconnectCallback() + } + }) + tunnel.on('error', () => {//监听信道发生错误 + console.info("tunnelStatus = 'error'") + this.appData.tunnelStatus = 'error' //改变信道状态为发生错误 + util.showSuccess('您已断线,请检查联网') + wx.navigateBack({ + url: '../entry/entry' + }) + if (that.tunnelErrorCallback) {//设置回调 + that.tunnelErrorCallback() + } + }) + tunnel.on('PING', () => {//PING-PONG机制:监听服务器PING + console.info("接收到PING") + tunnel.emit('PONG', {//给出回应 + openId: this.appData.openId + }) + console.info("发出了PONG") + }) + + }, + + /******************用户关系点击表操作******************/ + //注意1:所有从分享中启动的页面onLoad都添加: + /* + app.appData.fromClickId = opt.currentClickId + app.upDateUser_networkFromClickId = require('../../utils/upDateUser_networkFromClickId.js').upDateUser_networkFromClickId + wx.showShareMenu({ + withShareTicket: true + }) + */ + //注意2:所有分享页面路径都添加:?currentClickId=' + app.appData.currentClickId, + //注意3:所有分享页面的分享成功回调都添加: require('../../utils/upDateShareInfoToUser_network.js').upDateShareInfoToUser_network(app,that,res) + + storeUser_network(opt) { + const that = this + const userInfo = wx.getStorageSync('user_info_F2C224D4-2BCE-4C64-AF9F-A6D872000D1A') + if (userInfo) {//已缓存的用户数据直接用 + getGId(that, userInfo, opt) + } else { + this.userInfoReadyCallback = (userInfo) => { //获取用户信息后的回调函数 + getGId(that, userInfo, opt) + } + } + function getGId(that, userInfo, opt) { + //判断是否是从微信群内打开该程序的 + wx.getShareInfo({ + shareTicket: opt.shareTicket, + //含GId的情况 + success: (res) => { + qcloud.request({ + login: false, + data: { + appId: that.appData.appId, + openId: userInfo.openId, + encryptedData: res.encryptedData, + iv: res.iv + }, + url: `${that.appData.baseUrl}getGId`, + success: (res) => { + let GId = res.data.data + store(that, userInfo, opt, GId) + } + }) + }, + //不含GId的情况 + fail: function (res) { + store(that, userInfo, opt) + } + }) + } + function store(that, userInfo, opt, GId = '') { //参数内要写that:that作为一个对象不能凭空产生 + let data = { + //clickId:自动生成的数据, + fromClickId: that.appData.fromClickId ? that.appData.fromClickId : 0,//从哪个clickId那里打开的 + appId: that.appData.appId, + openId: userInfo.openId, + fromGId: GId, + scene: opt.scene, + //time:自动生成的数据, + //param_1:转发时才会更新当前clickId中的param_1数据 + } + //将数据存储到数据库点击表中,同时将得到的clickId放在全局变量供page分享时调用 + qcloud.request({ + login: false, + data, + url: `${that.appData.baseUrl}storeUser_network`, + success: (res) => { + let currentClickId = res.data.data + that.appData.currentClickId = currentClickId//设置当前新插入的clickId为全局fromClickId + let fromClickId = that.appData.fromClickId + if (that.upDateUser_networkFromClickId && fromClickId) {//存在fromClickId,则进行数据库更新 + that.upDateUser_networkFromClickId(that, currentClickId, fromClickId) + } + } + }); + } + }, + +}) \ No newline at end of file diff --git a/app.json b/app.json new file mode 100644 index 0000000..7ceb326 --- /dev/null +++ b/app.json @@ -0,0 +1,55 @@ +{ + "pages":[ + "pages/job/job", + "pages/study/study", + "pages/search/search", + "pages/detail-word/detail-word", + "pages/me/me", + "pages/choice/choice", + "pages/test/test", + "pages/collect_card/collect_card", + "pages/audio_test/audio_test", + "pages/about/about", + "pages/my_word/my_word", + "pages/suggestion/suggestion", + "pages/sql/sql", + + "pages/rank/rank" + + ], + + "window":{ + "backgroundTextStyle":"light", + "backgroundColor": "#fff", + "navigationBarBackgroundColor": "#fff", + "navigationBarTitleText": "小鸡单词", + "navigationBarTextStyle":"black" + } +, + "tabBar": { + "color": "#000", + "selectedColor": "#000", + "borderStyle": "white", + "backgroundColor": "#ffffff", + "list": [ + { + "pagePath": "pages/job/job", + "text": "首页", + "iconPath": "images/home2.png", + "selectedIconPath": "images/home.png" + }, + { + "pagePath": "pages/search/search", + "text": "查单词", + "iconPath": "images/search2.png", + "selectedIconPath": "images/search.png" + }, + { + "pagePath": "pages/me/me", + "text": "我的", + "iconPath": "images/ji.png", + "selectedIconPath": "images/ji2.png" + } + ] + } +} \ No newline at end of file diff --git a/app.wxss b/app.wxss new file mode 100644 index 0000000..5abe0ba --- /dev/null +++ b/app.wxss @@ -0,0 +1,14 @@ +/**app.wxss**/ + +page { + background-color: #EFEFF4; +} + +.container { + height: 100%; + display: flex; + flex-direction: column; + align-items: center; + justify-content: space-between; + box-sizing: border-box; +} diff --git a/assets/font/chalkboard.ttf b/assets/font/chalkboard.ttf new file mode 100644 index 0000000..b003b87 Binary files /dev/null and b/assets/font/chalkboard.ttf differ diff --git a/config.js b/config.js new file mode 100644 index 0000000..388ebf9 --- /dev/null +++ b/config.js @@ -0,0 +1,32 @@ +/** + * 小程序配置文件 + */ + +// 此处主机域名修改成腾讯云解决方案分配的域名 +var host = 'https://www.sinx2018.cn' //开发环境 + +var appId ='你的appid' + +var config = { + + // 下面的地址配合云端 Demo 工作 + service: { + appId, + + host, + + // 登录地址,用于建立会话 + loginUrl: `${host}/weapp/login`, + + // 测试的请求地址,用于测试会话 + requestUrl: `${host}/weapp/user`, + + // 测试的信道服务地址 + tunnelUrl: `${host}/weapp/tunnel`, + + // 上传图片接口 + uploadUrl: `${host}/weapp/upload` + } +} + +module.exports = config diff --git a/data/cet4.js b/data/cet4.js new file mode 100644 index 0000000..af0b86f --- /dev/null +++ b/data/cet4.js @@ -0,0 +1,2904 @@ + + +var word_list= +[ 'sincere', + 'mood', + 'static', + 'senator', + 'hobby', + 'lad', + 'equip', + 'frown', + 'fasten', + 'software', + 'stir', + 'distribution', + 'flexible', + 'solution', + 'panel', + 'ministry', + 'supreme', + 'describe', + 'limb', + 'circumstance', + 'core', + 'assistant', + 'mess', + 'minus', + 'statistic', + 'pregnant', + 'sector', + 'detection', + 'statue', + 'bride', + 'cycle', + 'saucer', + 'skillful', + 'civilization', + 'overhead', + 'clash', + 'grant', + 'bond', + 'staff', + 'intermediate', + 'guitar', + 'comprehensive', + 'presence', + 'appliance', + 'cushion', + 'emergency', + 'solve', + 'label', + 'slim', + 'status', + 'steady', + 'include', + 'resistance', + 'prime', + 'ambassador', + 'derive', + 'sponsor', + 'proportion', + 'mental', + 'punch', + 'result', + 'client', + 'steamer', + 'option', + 'dormitory', + 'attitude', + 'steep', + 'agency', + 'steer', + 'scandal', + 'definite', + 'cautious', + 'prayer', + 'nest', + 'domestic', + 'chest', + 'airline', + 'rebel', + 'satisfactory', + 'stem', + 'render', + 'object', + 'gardener', + 'shrink', + 'parade', + 'rumour', + 'rug', + 'establish', + 'primarily', + 'kindness', + 'breast', + 'sticky', + 'boost', + 'fund', + 'incredible', + 'abroad', + 'detective', + 'stiff', + 'stimulate', + 'fame', + 'consume', + 'accelerate', + 'lightning', + 'sting', + 'bound', + 'rouse', + 'cultivate', + 'material', + 'personnel', + 'display', + 'particle', + 'frog', + 'impression', + 'biology', + 'drunk', + 'barrier', + 'stock', + 'fisherman', + 'politician', + 'royal', + 'barber', + 'stocking', + 'delegate', + 'highlight', + 'depression', + 'signature', + 'atmosphere', + 'evaluate', + 'rescue', + 'personality', + 'latter', + 'parliament', + 'input', + 'partial', + 'loyalty', + 'calendar', + 'overlook', + 'debate', + 'stoop', + 'cube', + 'submerge', + 'credit', + 'surrounding', + 'stove', + 'submit', + 'carrier', + 'imply', + 'strain', + 'consist', + 'strap', + 'efficient', + 'accommodation、', + 'strategic', + 'layer', + 'exclaim', + 'representative', + 'forecast', + 'discipline', + 'neutral', + 'interpret', + 'knot', + 'desirable', + 'promote', + 'acceptance', + 'mayor', + 'equation', + 'routine', + 'ripe', + 'prove', + 'likewise', + 'chap', + 'explore', + 'overnight', + 'strategy', + 'straw', + 'bind', + 'stream', + 'bearing', + 'suppose', + 'access', + 'remain', + 'abstract', + 'stretch', + 'approximate', + 'striking', + 'abuse', + 'critic', + 'interpretation', + 'string', + 'illustrate', + 'helpful', + 'leak', + 'accountant', + 'crude', + 'product', + 'strip', + 'stripe', + 'communicate', + 'following', + 'hedge', + 'consumer', + 'emotional', + 'craft', + 'institute', + 'indispensable', + 'scheme', + 'scale', + 'replace', + 'bark', + 'gramme', + 'congress', + 'bump', + 'stroke', + 'ingredient', + 'arbitrary', + 'pinch', + 'exploit', + 'action', + 'ash', + 'rope', + 'bulk', + 'strengthen', + 'independent', + 'board', + 'recall', + 'studio', + 'grave', + 'eve', + 'formal', + 'absorb', + 'sensitive', + 'ability', + 'fairy', + 'talent', + 'comparison', + 'stuff', + 'brow', + 'infer', + 'invasion', + 'grand', + 'stress', + 'journalist', + 'supply', + 'penetrate', + 'subject', + 'pole', + 'raw', + 'embassy', + 'carpenter', + 'appropriate', + 'socialist', + 'protein', + 'enlarge', + 'inherit', + 'chemist', + 'conflict', + 'drain', + 'architecture', + 'charity', + 'entitle', + 'subsequent', + 'span', + 'pea', + 'instruct', + 'spite', + 'slender', + 'automobile', + 'behavior', + 'envy', + 'substance', + 'contest', + 'spit', + 'mutual', + 'dorm', + 'substantial', + 'meanwhile', + 'desire', + 'conviction', + 'interaction', + 'menu', + 'frustrate', + 'belief', + 'confusion', + 'civilize', + 'preface', + 'chemical', + 'horizontal', + 'invitation', + 'auto', + 'electric', + 'purse', + 'blank', + 'courtyard', + 'rural', + 'discourage', + 'reflection', + 'rainbow', + 'slide', + 'removal', + 'missing', + 'graph', + 'fortnight14', + 'disgust', + 'offense', + 'allow', + 'proportional', + 'devote', + 'empire', + 'microphone', + 'subtract', + 'pace', + 'gesture', + 'loop', + 'sheer', + 'cupboard', + 'sore', + 'raid', + 'lower', + 'comment', + 'distress', + 'publicity', + 'spin', + 'museum', + 'outstanding', + 'rack', + 'rent', + 'housing', + 'complain', + 'evidently', + 'lung', + 'deny', + 'ownership', + 'rid', + 'harness', + 'acknowledge', + 'passion', + 'genuine', + 'imaginary', + 'prompt', + 'invention', + 'lucky', + 'confidence', + 'suburb', + 'industrialize', + 'fearful', + 'intelligence', + 'childhood', + 'crush', + 'intention', + 'finding', + 'subway', + 'magnet', + 'defect', + 'attribute', + 'release', + 'succession', + 'chip', + 'similar', + 'maintain', + 'advertisement', + 'privilege', + 'dull', + 'provoke', + 'function', + 'substitute', + 'extreme', + 'orbit', + 'correspondent', + 'fashionable', + 'allowance', + 'component', + 'interrupt', + 'successive', + 'external', + 'somehow', + 'declaration', + 'distribute', + 'specialist', + 'rotate', + 'rod', + 'suck', + 'negative', + 'suffer', + 'sufficient', + 'court', + 'curl', + 'bureau', + 'moist', + 'relative', + 'suggestion', + 'restless', + 'delivery', + 'claim', + 'suicide', + 'dip', + 'profit', + 'lease', + 'disposal', + 'appeal', + 'cart', + 'stable', + 'married', + 'reckon', + 'practically', + 'reception', + 'jury', + 'glory', + 'mist', + 'congratulate', + 'sum', + 'execute', + 'essay', + 'route', + 'merit', + 'local', + 'compromise', + 'rally', + 'feather', + 'characterize', + 'explode', + 'aware', + 'grain', + 'kettle', + 'summarize', + 'faulty', + 'highly', + 'summary', + 'conservation', + 'summit', + 'reward', + 'available', + 'specialize', + 'structure', + 'resident', + 'boundary', + 'radical', + 'leading', + 'rag', + 'prescribe', + 'demonstrate', + 'manner', + 'sunrise', + 'construct', + 'railway', + 'opportunity', + 'lag', + 'fade', + 'sunset', + 'singular', + 'broom', + 'beneath', + 'recreation', + 'procession', + 'tackle', + 'combination', + 'hell', + 'proof', + 'resort', + 'recruit', + 'contrast', + 'sunshine', + 'introduction', + 'ancestor', + 'split', + 'painful', + 'superb', + 'interest', + 'noticeable', + 'graduate', + 'glance', + 'bloody', + 'fierce', + 'paragraph', + 'enquire', + 'preparation', + 'justice', + 'drip', + 'emit', + 'superficial', + 'recommendation', + 'sole', + 'folk', + 'rank', + 'motor', + 'airport', + 'enclose', + 'bounce', + 'occasion', + 'determine', + 'advisable', + 'permission', + 'statement', + 'award', + 'bold', + 'so-called', + 'superior', + 'sunlight', + 'alternative', + 'kingdom', + 'mobile', + 'damn', + 'storage', + 'supplement', + 'locate', + 'cabin', + 'majority', + 'receiver', + 'support', + 'Bible', + 'assign', + 'episode', + 'fatal', + 'pad', + 'excursion', + 'ignorant', + 'county', + 'condense', + 'heal', + 'asset', + 'involve', + 'rear', + 'hollow', + 'charter', + 'leadership', + 'shallow', + 'procedure', + 'impressive', + 'controversial', + 'curve', + 'spiritual', + 'astonish', + 'fold', + 'alert', + 'condition', + 'segment', + 'cabbage', + 'condemn', + 'mild', + 'surgery', + 'leisure', + 'accomplish', + 'plug', + 'presentation', + 'surplus', + 'cassette', + 'surround', + 'private', + 'bulb', + 'meaning', + 'annual', + 'expansion', + 'eliminate', + 'horn', + 'responsibility', + 'dam', + 'challenge', + 'alike', + 'phenomenon', + 'survey', + 'curtain', + 'household', + 'survival', + 'medal', + 'invest', + 'survive', + 'awkward', + 'synthetic', + 'manufacture', + 'curse', + 'suspect', + 'suspend', + 'tide', + 'crossing', + 'tour', + 'barely', + 'cope', + 'gap', + 'oppose', + 'deadline', + 'automatic', + 'joint', + 'surrender', + 'rude', + 'faint', + 'conference', + 'issue', + 'swallow', + 'interior', + 'calculator', + 'analyse', + 'hazard', + 'miracle', + 'sway', + 'editorial', + 'recognition', + 'librarian', + 'analysis', + 'kid', + 'partner', + 'swear', + 'center', + 'tidy', + 'passport', + 'swell', + 'link', + 'brave', + 'swift', + 'prohibit', + 'approve', + 'swing', + 'ideal', + 'arrest', + 'landscape', + 'represent', + 'audience', + 'switch', + 'sword', + 'spot', + 'symbol', + 'sanction', + 'bucket', + 'poetry', + 'fibre', + 'pension', + 'beggar', + 'illustration', + 'liable', + 'bunch', + 'management', + 'sympathize', + 'session', + 'delicious', + 'breeze', + 'imitate', + 'infant', + 'sympathy', + 'advantage', + 'considerable', + 'spur', + 'religious', + 'banner', + 'nylon', + 'exceedingly', + 'symptom', + 'pillar', + 'outcome', + 'journey', + 'forehead', + 'conscience', + 'precise', + 'cable', + 'screw', + 'gang', + 'favour', + 'constitute', + 'squeeze', + 'system', + 'culture', + 'missile', + 'cast', + 'Marxist', + 'prior', + 'dye', + 'graceful', + 'onion', + 'seal', + 'saint', + 'hesitate', + 'crawl', + 'contribute', + 'fascinating', + 'entertainment', + 'cigarette', + 'immense', + 'outer', + 'revolutionary', + 'fabric', + 'ridge', + 'mass', + 'competent', + 'conclusion', + 'bang', + 'curious', + 'pulse', + 'encounter', + 'concern', + 'preposition', + 'pond', + 'provision', + 'reinforce', + 'systematic(al)', + 'rail', + 'pat', + 'rational', + 'flee', + 'response', + 'executive', + 'tag', + 'means', + 'nephew', + 'motivate', + 'failure', + 'consistent', + 'nowhere', + 'sympathetic', + 'sketch', + 'calm', + 'tame', + 'cancel', + 'pray', + 'target', + 'camel', + 'technician', + 'setting', + 'technique', + 'tax', + 'emerge', + 'capable', + 'technology', + 'selfish', + 'definition', + 'per', + 'participate', + 'tedious', + 'anxious', + 'famine', + 'fundamental', + 'plural', + 'anticipate', + 'teenager', + 'compress', + 'pepper', + 'discharge', + 'telescope', + 'temper', + 'extensive', + 'amuse', + 'current', + 'mask', + 'musician', + 'temple', + 'decay', + 'criticism', + 'feedback', + 'accordance', + 'perceive', + 'scarcely', + 'clay', + 'intelligent', + 'conductor', + 'frequency', + 'attractive', + 'garlic', + 'temporary', + 'recognize', + 'puzzle', + 'elevator', + 'acquisition', + 'absolute', + 'frank', + 'hip', + 'polish', + 'democratic', + 'temptation', + 'disguise', + 'glue', + 'solemn', + 'tend', + 'ancient', + 'effective', + 'channel', + 'primitive', + 'consent', + 'organize', + 'drama', + 'miserable', + 'fur', + 'antique', + 'replacement', + 'inner', + 'clerk', + 'liquor', + 'presently', + 'gene', + 'security', + 'nerve', + 'greedy', + 'essential', + 'decorate', + 'excess', + 'compare', + 'command', + 'fuel', + 'plastic', + 'characteristic', + 'pressure', + 'nearby', + 'environment', + 'crime', + 'pigeon', + 'cement', + 'magnificent', + 'tendency', + 'investigate', + 'infinite', + 'painter', + 'tender', + 'legal', + 'moderate', + 'atomic', + 'anchor', + 'mystery', + 'associate', + 'reaction', + 'affect', + 'tense', + 'flour', + 'comedy', + 'directly', + 'collision', + 'absent', + 'critical', + 'paw', + 'crew', + 'congratulation', + 'interference', + 'flesh', + 'innocent', + 'excitement', + 'adult', + 'enhance', + 'arrival', + 'brief', + 'ambition', + 'outline', + 'aeroplane', + 'fertilizer', + 'tension', + 'petrol', + 'distinguish', + 'shortcoming', + 'propose', + 'former', + 'consumption', + 'terminal', + 'casual', + 'tough', + 'pursue', + 'unexpected', + 'governor', + 'oral', + 'territory', + 'mere', + 'gross', + 'tone', + 'indication', + 'concerning', + 'embrace', + 'numerous', + 'launch', + 'discount', + 'maintenance', + 'incline', + 'liberal', + 'lavatory', + 'marry', + 'constitution', + 'tolerate', + 'intellectual', + 'amateur', + 'mushroom', + 'millimetre', + 'mate', + 'elbow', + 'textile', + 'frame', + 'blend', + 'misunderstand', + 'lap', + 'notion', + 'hatred', + 'slippery', + 'durable', + 'inference', + 'employee', + 'sausage', + 'theme', + 'colleague', + 'dramatic', + 'patience', + 'spacecraft', + 'preserve', + 'import', + 'bankrupt', + 'cartoon', + 'alliance', + 'romantic', + 'barrel', + 'theoretical', + 'stack', + 'settle', + 'hopeful', + 'criminal', + 'insert', + 'specifically', + 'accuse', + 'reveal', + 'pack', + 'guilty', + 'payment', + 'offensive', + 'elect', + 'downward', + 'liquid', + 'clue', + 'jazz', + 'conjunction', + 'lord', + 'therapy', + 'cease', + 'variable', + 'identity', + 'obligation', + 'relativity', + 'consult', + 'anyway', + 'indirect', + 'agent', + 'scan', + 'lemon', + 'opponent', + 'climate', + 'addition', + 'architect', + 'integrate', + 'exterior', + 'thereby', + 'therefore', + 'handful', + 'loyal', + 'furthermore', + 'insurance', + 'category', + 'refine', + 'thick', + 'minority', + 'sorrow', + 'thinking', + 'quiz', + 'airplane', + 'thirsty', + 'objection', + 'platform', + 'merchant', + 'fertile', + 'particularly', + 'division', + 'crisis', + 'thorough', + 'forth', + 'observer', + 'retreat', + 'relevant', + 'precision', + 'admit', + 'jungle', + 'thoughtful', + 'apartment', + 'afterward', + 'entire', + 'carbon', + 'chamber', + 'realm', + 'ratio', + 'capture', + 'baseball', + 'boring', + 'crowd', + 'sample', + 'estate', + 'threat', + 'reliable', + 'constant', + 'sustain', + 'horsepower', + 'suspicion', + 'prospect', + 'conduct', + 'lawn', + 'transmit', + 'pollution', + 'slip', + 'influential', + 'handle', + 'threaten', + 'aircraft', + 'thrive', + 'harm', + 'similarly', + 'prominent', + 'signal', + 'encourage', + 'recession', + 'commitment', + 'monitor', + 'spark', + 'mug', + 'absence', + 'appreciate', + 'bean', + 'elastic', + 'presumably', + 'bargain', + 'significant', + 'throat', + 'extend', + 'comparable', + 'container', + 'chief', + 'instant', + 'thrust', + 'thumb', + 'honey', + 'enforce', + 'ease', + 'thunder', + 'livingroom', + 'monument', + 'assess', + 'panic', + 'blanket', + 'drift', + 'normally', + 'dismiss', + 'deputy', + 'acre', + 'contract', + 'anniversary', + 'mainland', + 'expose', + 'policy', + 'machinery', + 'exert', + 'collection', + 'gasoline', + 'dispose', + 'arouse', + 'rage', + 'inward', + 'series', + 'roast', + 'timber', + 'reluctant', + 'license', + 'upright', + 'author', + 'mission', + 'growth', + 'attack', + 'furnish', + 'pretend', + 'concentrate', + 'institution', + 'flat', + 'tissue', + 'delicate', + 'upper', + 'gram', + 'crown', + 'title', + 'convey', + 'mount', + 'toast', + 'tolerance', + 'amongst', + 'slice', + 'dairy', + 'consultant', + 'multiply', + 'naked', + 'centigrade', + 'measurement', + 'precaution', + 'allocate', + 'certificate', + 'agenda', + 'electronic', + 'alongside', + 'conventional', + 'topic', + 'renew', + 'torch', + 'clap', + 'conservative', + 'copyright', + 'establishment', + 'layout', + 'auxiliary', + 'major', + 'legislation', + 'moisture', + 'nationality', + 'foundation', + 'gulf', + 'assistance', + 'combat', + 'exhibit', + 'donation', + 'fragment', + 'reverse', + 'apply', + 'reform', + 'generally', + 'electron', + 'distinct...', + 'priority', + 'elementary', + 'towel', + 'opera', + 'digital', + 'artistic', + 'elderly', + 'crack', + 'evidence', + 'naturally', + 'mechanic', + 'trace', + 'expand', + 'laughter', + 'compass', + 'lean', + 'minister', + 'duration', + 'comprehension', + 'tractor', + 'tradition', + 'compete', + 'goodness', + 'tragedy', + 'offend', + 'instinct', + 'retire', + 'professional', + 'bullet', + 'trail', + 'prosperity', + 'pants', + 'minor', + 'shortage', + 'equality', + 'jealous', + 'dominate', + 'inspect', + 'generator', + 'lorry', + 'cue', + 'transfer', + 'farewell', + 'revenue', + 'transform', + 'hay', + 'advocate', + 'modify', + 'fantastic', + 'complicated', + 'historic', + 'specify', + 'translation', + 'prosperous', + 'baggage', + 'pour', + 'transmission', + 'obtain', + 'enthusiasm', + 'equivalent', + 'assemble', + 'slope', + 'secondary', + 'assume', + 'awful', + 'process', + 'lick', + 'overcome', + 'motion', + 'crucial', + 'priest', + 'transparent', + 'illegal', + 'fancy', + 'conscious', + 'transport', + 'contemporary', + 'chill', + 'breadth', + 'flood', + 'species', + 'necessity', + 'scare', + 'scientific', + 'transportation', + 'regardless', + 'create', + 'diagram', + 'valid', + 'copper', + 'estimate', + 'carriage', + 'mat', + 'cashier', + 'sensible', + 'faithful', + 'trap', + 'intensity', + 'remedy', + 'hearing', + 'decent', + 'historical', + 'confine', + 'gymnasium', + 'academy', + 'definitely', + 'recorder', + 'sour', + 'fruitful', + 'expectation', + 'disappear', + 'trash', + 'bleed', + 'carrot', + 'tray', + 'realistic', + 'retain', + 'fortunately', + 'comb', + 'reference', + 'treatment', + 'powerful', + 'positive', + 'owing', + 'appoint', + 'artificial', + 'project', + 'treaty', + 'emphasis', + 'select', + 'tremble', + 'attraction', + 'abundant', + 'faith', + 'mathematical', + 'navy', + 'tremendous', + 'dominant', + 'proposal', + 'magnetic', + 'harden', + 'trend', + 'elaborate', + 'bat', + 'triangle', + 'literary', + 'jail', + 'design', + 'script', + '', + 'saddle', + 'lest', + 'creep', + 'afford', + 'trial', + 'inn', + 'choke', + 'dental', + 'council', + 'portion', + 'lodge', + 'troop', + 'vague', + 'tropical', + 'coil', + 'benefit', + 'troublesome', + 'female', + 'pose', + 'truly', + 'peculiar', + 'export', + 'resume', + 'portrait', + 'utter', + 'bacteria', + 'idle', + 'pledge', + 'exchange', + 'emotion', + 'harsh', + 'exposure', + 'saving', + 'reasonable', + 'trumpet', + 'applause', + 'nonsense', + 'fantasy', + 'usage', + 'finance', + 'exaggerate', + 'trunk', + 'grocer', + 'cruise', + 'initial', + 'railroad', + 'tube', + 'attain', + 'devise', + 'density', + 'tune', + 'source', + 'shrug', + 'daylight', + 'tunnel', + 'site', + 'turbine', + 'handy', + 'background', + 'tutor', + 'sauce', + 'combine', + 'pill', + 'bay', + 'ceremony', + 'formula', + 'reservior', + 'delete', + 'pump', + 'backward', + 'twist', + 'range', + 'niece', + 'protest', + 'centimetre', + 'predict', + 'acquaintance', + 'learning', + 'spider', + 'counsel', + 'commit', + 'typewriter', + 'sin', + 'sow', + 'companion', + 'destination', + 'typical', + 'corresponding', + 'donkey', + 'frontier', + 'outlook', + 'typist', + 'apart', + 'additional', + 'consequence', + 'nevertheless', + 'dirt', + 'lobby', + 'occasional', + 'doubtful', + 'committee', + 'tyre', + 'ugly', + 'parallel', + 'cooperate', + 'appetite', + 'impose', + 'invade', + 'controversy', + 'confident', + 'nursery', + 'fraction', + 'cabinet', + 'amid...', + 'manufacturer', + 'independence', + 'academic', + 'evolve', + 'exception', + 'dictation', + 'profession', + 'authority', + 'deposit', + 'enquiry', + 'differ', + 'argument', + 'memorial', + 'faculty', + 'dim', + 'moreover', + 'earnest', + 'heroic', + 'umbrella', + 'orchestra', + 'arithmetic', + 'basically', + 'battery', + 'heel', + 'oblige', + 'convict', + 'respond', + 'cite', + 'discard', + 'grab', + 'deceive', + 'senior', + 'modest', + 'continuous', + 'comprise', + 'revolt', + 'expense', + 'campus', + 'mold', + 'insure', + 'cash', + 'virtue', + 'violent', + 'react', + 'odd', + 'diverse', + 'manual', + 'uncover', + 'ban', + 'confront', + 'undergo', + 'journal', + 'emperor', + 'undergraduate', + 'circular', + 'dictate', + 'inform', + 'underground', + 'hook', + 'underline', + 'male', + 'proceed', + 'hydrogen', + 'force', + 'fog', + 'fluid', + 'drill', + 'understanding', + 'nitrogen', + 'commission', + 'jaw', + 'undertake', + 'salary', + 'skilled', + 'assembly', + 'merry', + 'undo', + 'undoubtedly', + 'globe', + 'uneasy', + 'precious', + 'mosquito', + 'petroleum', + 'favourable', + 'sightseeing', + 'economic', + 'multiple', + 'poverty', + 'rely', + 'effort', + 'accumulate', + 'cheat', + 'humorous', + 'rare', + 'rival', + 'echo', + 'investment', + 'collapse', + 'corridor', + 'despite', + 'pit', + 'counter', + 'balcony', + 'diplomatic', + 'cigar', + 'bathe', + 'conquer', + 'inflation', + 'thermometer', + 'worthwhile', + 'scenery', + 'terror', + 'average', + 'democracy', + 'slap', + 'obstacle', + 'occur', + 'nuisance', + 'significance', + 'up-to-date', + 'justify...', + 'neglect', + 'membership', + 'union', + 'roller', + 'formation', + 'punctual', + 'relieve', + 'candy', + 'spokesman', + 'employer', + 'unique', + 'mathematics', + 'herd', + 'cheerful', + 'advertise', + 'reflexion', + 'unite', + 'secure', + 'mineral', + 'universal', + 'lane', + 'beloved', + 'adapt', + 'mislead', + 'drag', + 'flash', + 'immigrant', + 'remarkable', + 'increasingly', + 'indoor', + 'palm', + 'exclusive', + 'namely', + 'universe', + 'burst', + 'preferable', + 'filter', + 'anyhow', + 'score', + 'qualify', + 'global', + 'heave', + 'unless', + 'excessive', + 'marine', + 'behalf', + 'advanced', + 'soda', + 'unlike', + 'adjust', + 'unload', + 'leader', + 'spelling', + 'accordingly', + 'anxiety', + 'ridiculous', + 'unusual', + 'scholarship', + 'divorce', + 'headquarters', + 'commerce', + 'torture', + 'fashion', + 'incident', + 'upset', + 'underneath', + 'recover', + 'theory', + 'evolution', + 'myth', + 'trim', + 'mud', + 'unfortunately', + 'relate', + 'extraordinary', + 'debt', + 'urge', + 'urgent', + 'qualification', + 'satellite', + 'publication', + 'cliff', + 'restrain', + 'commander', + 'carpet', + 'peer', + 'highway', + 'breed', + 'ensure', + 'requirement', + 'attempt', + 'flock', + 'largely', + 'restraint', + 'focus', + 'protective', + 'utility', + 'jet', + 'coordinate', + 'restore', + 'receipt', + 'contrary', + 'christian', + 'hardware', + 'bloom', + 'dragon', + 'specimen', + 'chew', + 'utmost', + 'original', + 'religion', + 'communication', + 'beyond', + 'vacant', + 'conclude', + 'restrict', + 'respectively', + 'fairly', + 'sailor', + 'remark', + 'assure', + 'balance', + 'campaign', + 'psychological', + 'contradiction', + 'dose', + 'vacation', + 'immediately', + 'vacuum', + 'ore', + 'clause', + 'cattle', + 'barn', + 'laser', + 'initiative', + 'compel', + 'basis', + 'contact', + 'guarantee', + 'semiconductor', + 'rib', + 'obvious', + 'geometry', + 'butcher', + 'triumph', + 'maid', + 'eyesight', + 'interview', + 'vain', + 'paste', + 'soak', + 'exceed', + 'boom', + 'item', + 'hammer', + 'metric', + 'jar', + 'resource', + 'compose', + 'military', + 'package', + 'van', + 'besides', + 'injection', + 'laboratory', + 'vanish', + 'experimental', + 'mysterious', + 'sake', + 'keen', + 'vapour', + 'haste', + 'magic', + 'poisonous', + 'aid', + 'coach', + 'decrease', + 'relief', + 'continual', + 'slight', + 'stare', + 'grace', + 'band', + 'mechanical', + 'considerate', + 'ditch', + 'ignorance', + 'balloon', + 'brake', + 'data', + 'bake', + 'gear', + 'patient', + 'altitude', + 'inquiry', + 'implement', + 'remind', + 'pint', + 'engine', + 'bid', + 'scout', + 'mould', + 'avenue', + 'instance', + 'career', + 'fountain', + 'format', + 'correspond', + 'clarify', + 'mercy', + 'expression', + 'exact', + 'decade', + 'dimension', + 'vision', + 'unity', + 'vigorous', + 'via', + 'skim', + 'severe', + 'conquest', + 'improve', + 'variety', + 'election', + 'expert', + 'dive', + 'various', + 'rifle', + 'stake', + 'corporation', + 'vary', + 'eagle', + 'figure', + 'vast', + 'simplify', + 'instead', + 'shell', + 'drawer', + 'quote', + 'depress', + 'schedule', + 'limitation', + 'disturb', + 'cancer', + 'accord', + 'industrial', + 'preference', + 'screen', + 'error', + 'gratitude', + 'slam', + 'evil', + 'accent', + 'imagination', + 'elsewhere', + 'champion', + 'framework', + 'social', + 'endure', + 'gradual', + 'sleeve', + 'concession', + 'vehicle', + 'register', + 'apology', + 'luggage', + 'desperate', + 'billion', + 'venture', + 'queue', + 'aside', + 'reflect', + 'beneficial', + 'repeatedly', + 'kindergarten', + 'verify', + 'reduction', + 'version', + 'implication', + 'accustomed', + 'helicopter', + 'normal', + 'shiver', + 'stadium', + 'grasp', + 'economy', + 'rotten', + 'dash', + 'recently', + 'concept', + 'rigid', + 'entertain', + 'vertical', + 'vessel', + 'evident', + 'apologize', + 'scholar', + 'costly', + 'veteran', + 'glimpse', + 'finally', + 'approval', + 'judgement', + 'regulation', + 'cord', + 'powder', + 'improvement', + 'remote', + 'provide', + 'rub', + 'fiction', + 'occurrence', + 'adopt', + 'navigation', + 'adventure', + 'float', + 'dynamic', + 'vibrate', + 'indifferent', + 'plot', + 'horror', + 'fatigue', + 'consideration', + 'vice', + 'notebook', + 'chop', + 'respect', + 'admission', + 'disease', + 'ignore', + 'infect', + 'confirm', + 'harbour', + 'concrete', + 'organic', + 'phase', + 'previous', + 'helpless', + 'amaze', + 'despair', + 'victim', + 'possibility', + 'video', + 'viewpoint', + 'erect', + 'obey', + 'rarely', + 'vinegar', + 'approach', + 'violate', + 'distinction', + 'holy', + 'philosophy', + 'golf', + 'outward', + 'section', + 'penalty', + 'dump', + 'internal', + 'installation', + 'charge', + 'criticize', + 'disorder', + 'rocket', + 'dessert', + 'dispute', + 'butterfly', + 'circuit', + 'frequent', + 'depart', + 'lens', + 'sigh', + 'violence', + 'reserve', + 'aluminium', + 'hence', + 'pine', + 'opening', + 'acid', + 'hen', + 'giant', + 'crystal', + 'operational', + 'racial', + 'construction', + 'planet', + 'image', + 'blade', + 'physicist', + 'sack', + 'behave', + 'organism', + 'shortly', + 'interval', + 'violet', + 'draught', + 'appointment', + 'meantime', + 'murder', + 'violin', + 'perspective', + 'laundry', + 'virtual', + 'virtually', + 'calculate', + 'confess', + 'appearance', + 'virus', + 'ambulance', + 'liberty', + 'consequently', + 'insist', + 'solar', + 'flourish', + 'correspondence', + 'pronoun', + 'property', + 'shave', + 'selection', + 'limited', + 'enormous', + 'impact', + 'visible', + 'conceal', + 'earthquake', + 'curriculum', + 'feature', + 'loaf', + 'stain', + 'demand', + 'media', + 'comparative', + 'massive', + 'ultimate', + 'extent', + 'employment', + 'medium', + 'urban', + 'engineering', + 'marvelous', + 'event', + 'resolve', + 'avoid', + 'respective', + 'boast', + 'sew', + 'indicate', + 'govern', + 'visual', + 'utilize', + 'chase', + 'prevail', + 'pillow', + 'packet', + 'heap', + 'variation', + 'primary', + 'dense', + 'outside', + 'owe', + 'interfere', + 'burden', + 'scatter', + 'starve', + 'simplicity', + 'bare', + 'compound', + 'orderly', + 'resolution', + 'learned', + 'shelter', + 'reporter', + 'profile', + 'shed', + 'necessarily', + 'vitamin', + 'reproduce', + 'grateful', + 'convenience', + 'vivid', + 'outset', + 'deserve', + 'assignment', + 'principal', + 'enable', + 'refrigerator', + 'keyboard', + 'poison', + 'mill', + 'electrical', + 'install', + 'output', + 'ally', + 'vocabulary', + 'athlete', + 'honourable', + 'brass', + 'merely', + 'engage', + 'sphere', + 'purple', + 'volcano', + 'decline', + 'classic', + 'stale', + 'liberate', + 'standpoint', + 'activity', + 'volt', + 'arrange', + 'canal', + 'device', + 'voltage', + 'angle', + 'volume', + 'voluntary', + 'rhythm', + 'bore', + 'marriage', + 'bet', + 'spade', + 'official', + 'beast', + 'drum', + 'crash', + 'boot', + 'charm', + 'literature', + 'handbag', + 'volunteer', + 'oval', + 'glorious', + 'inspire', + 'protection', + 'argue', + 'cop', + 'given', + 'chapter', + 'likely', + 'omit', + 'adequate', + 'departure', + 'according', + 'shift', + 'sophisticated', + 'damp', + 'fry', + 'extension', + 'instruction', + 'assumption', + 'potential', + 'permanent', + 'quit', + 'region', + 'overseas', + 'vote', + 'furnace', + 'wagon', + 'agriculture', + 'oven', + 'waist', + 'editor', + 'republican', + 'factor', + 'hint', + 'waken', + 'plunge', + 'applicable', + 'wander', + 'luxury', + 'loosen', + 'readily', + 'devil', + 'border', + 'warmth', + 'creative', + 'waterproof', + 'cargo', + 'complaint', + 'explosion', + 'economical', + 'progressive', + 'residence', + 'resemble', + 'perception', + 'annoy', + 'whichever', + 'whereas', + 'rob', + 'recommend', + 'pitch', + 'perform', + 'connect', + 'pilot', + 'vital', + 'scold', + 'intense', + 'horrible', + 'edition', + 'speculate', + 'mechanism', + 'dumb', + 'handwriting', + 'educate', + 'landlord', + 'glove', + 'scope', + 'recovery', + 'weaken', + 'refusal', + 'wealth', + 'overall', + 'reputation', + 'ending', + 'spill', + 'character', + 'notify', + 'pollute', + 'persist', + 'principle', + 'peak', + 'margin', + 'regarding', + 'repetition', + 'spectacular', + 'humour', + 'achievement', + 'salad', + 'fare', + 'flame', + 'convention', + 'network', + 'reservation', + 'ribbon', + 'plentiful', + 'classify', + 'weapon', + 'dissolve', + 'splendid', + 'scarce', + 'politics', + 'alphabet', + 'performance', + 'clumsy', + 'ax', + 'wealthy', + 'detect', + 'physician', + 'guy', + 'administration', + 'emphasize', + 'frost', + 'contribution', + 'weave', + 'crane', + 'muscle', + 'admire', + 'exclude', + 'inquire', + 'dialect', + 'weed', + 'accident', + 'Negro', + 'identify', + 'instrument', + 'scratch', + 'dependent', + 'moral', + 'individual', + 'loan', + 'divide', + 'chin', + 'shield', + 'minimum', + 'lump', + 'loose', + 'scissors', + 'diameter', + 'soar', + 'molecule', + 'gaze', + 'relationship', + 'reality', + 'risk', + 'fee', + 'mature', + 'provided', + 'curiosity', + 'organ', + 'grind', + 'harmony', + 'lamb', + 'column', + 'weekly', + 'riot', + 'being', + 'plus', + 'nightmare', + 'budget', + 'chart', + 'porter', + 'dusk', + 'somewhat', + 'weep', + 'weld', + 'competition', + 'gallon', + 'convert', + 'publish', + 'market', + 'kneel', + 'postpone', + 'liter', + 'click', + 'logical', + 'convince', + 'headline', + 'disaster', + 'welfare', + 'pierce', + 'ankle', + 'radiation', + 'origin', + 'well-known', + 'exhaust', + 'hardship', + 'bubble', + 'intimate', + 'defeat', + 'bacon', + 'creature', + 'optional', + 'probable', + 'fuss', + 'wax', + 'nucleus', + 'financial', + 'sequence', + 'concede', + 'brand', + 'junior', + 'whale', + 'whatsoever', + 'relax', + 'fireman', + 'crust', + 'observation', + 'mention', + 'guideline', + 'insight', + 'nuclear', + 'seminar', + 'colony', + 'jeans', + 'deliberate', + 'catalog', + 'salesman', + 'liver', + 'inevitable', + 'deck', + 'arrangement', + 'forbid', + 'account', + 'operator', + 'whilst', + 'lid', + 'humble', + 'descend', + 'furniture', + 'aggressive', + 'footstep', + 'invent', + 'plantation', + 'accurate', + 'mankind', + 'log', + 'pessimistic', + 'neighbourhood', + 'glow', + 'injure', + 'objective', + 'alter', + 'electricity', + 'apparent', + 'arrow', + 'occupy', + 'hunt', + 'poll', + 'grape', + 'capacity', + 'refresh', + 'guidance', + 'ounce', + 'applicant', + 'ashamed', + 'draft', + 'whip', + 'philosopher', + 'greenhouse', + 'competitive', + 'destruction', + 'application', + 'impatient', + 'logic', + 'negotiate', + 'germ', + 'whisper', + 'withdraw', + 'aspect', + 'require', + 'beam', + 'smash', + 'responsible', + 'accompany', + 'affection', + 'detail', + 'commercial', + 'efficiency', + 'organization', + 'whistle', + 'injury', + 'refugee', + 'embarrass', + 'inhabitant', + 'province', + 'collective', + 'ruin', + 'resist', + 'genius', + 'quotation', + 'hut', + 'community', + 'isolate', + 'whoever', + 'snap', + 'ache', + 'optical', + 'alarm', + 'wholly', + 'semester', + 'impress', + 'fate', + 'resistant', + 'maximum', + 'wicked', + 'possess', + 'widen', + 'widespread', + 'active', + 'beard', + 'classification', + 'postage', + 'widow', + 'accidental', + 'happen', + 'element', + 'era', + 'arise', + 'poem', + 'explosive', + 'width', + 'grammar', + 'wisdom', + 'insult', + 'freight', + 'physical', + 'conversely', + 'wit', + 'location', + 'hostile', + 'reject', + 'purchase', + 'jewel', + 'determination', + 'preliminary', + 'withstand', + 'insect', + 'civil', + 'scrape', + 'blast', + 'witness', + 'melt', + 'scream', + 'hopeless', + 'wolf', + 'sacrifice', + 'forge', + 'lover', + 'connection', + 'possession', + 'wool', + 'identical', + 'preceding', + 'workshop', + 'entry', + 'digest', + 'rate', + 'define', + 'fulfill', + 'generous', + 'owner', + 'passive', + 'chaos', + 'workman', + 'motive', + 'attract', + 'revise', + 'senate', + 'observe', + 'alcohol', + 'settlement', + 'radar', + 'gum', + 'worm', + 'grip', + 'optimistic', + 'nature', + 'brilliant', + 'worldwide', + 'inferior', + 'audio', + 'circulate', + 'abandon', + 'assist', + 'pattern', + 'index', + 'worship', + 'fleet', + 'mixture', + 'currency', + 'outlet', + 'facility', + 'attorney', + 'regulate', + 'intend', + 'brick', + 'measure', + 'claw', + 'rat', + 'feasible', + 'parcel', + 'worthless', + 'leap', + 'horizon', + 'socialism', + 'influence', + 'document', + 'worthy', + 'dot', + 'heading', + 'naval', + 'oxygen', + 'roar', + 'fluent', + 'poet', + 'gym', + 'resign', + 'wrap', + 'sexual', + 'endless', + 'occupation', + 'extra', + 'intensive', + 'candidate', + 'wreck', + 'aboard', + 'festival', + 'single', + 'federal', + 'microscope', + 'classical', + 'attach', + 'zone', + 'deaf', + 'spoil', + 'wrist', + 'accuracy', + 'invisible', + 'association', + 'writer', + 'writing', + 'X-ray', + 'civilian', + 'gaol', + 'hire', + 'confuse', + 'garbage', + 'overtake', + 'gravity', + 'yawn', + 'sideways', + 'bundle', + 'leather', + 'concentration', + 'portable', + 'elegant', + 'spray', + 'yearly', + 'funeral', + 'acute', + 'ghost', + 'halt', + 'complex', + 'coarse', + 'patch', + 'favourite', + 'rust', + 'await', + 'acquire', + 'prejudice', + 'yield', + 'bolt', + 'generate', + 'gallery', + 'existence', + 'percentage', + 'specific', + 'youngster', + 'act', + 'address', + 'advance', + 'age', + 'aim', + 'air', + 'appear', + 'arm', + 'article', + 'atom', + 'attend', + 'bad', + 'badly', + 'bar', + 'battle', + 'bear', + 'belt', + 'block', + 'blue', + 'body', + 'book', + 'boss', + 'bother', + 'bow', + 'box', + 'branch', + 'bridge', + 'button', + 'can', + 'capital', + 'catch', + 'celebrate', + 'cell', + 'chair', + 'change', + 'cheap', + 'china', + 'class', + 'coat', + 'code', + 'coin', + 'collect', + 'company', + 'composition', + 'concert', + 'content', + 'correct', + 'course', + 'crop', + 'custom', + 'daily', + 'deal', + 'deed', + 'degree', + 'deliver', + 'description', + 'desert', + 'duty', + 'edge', + 'employ', + 'even', + 'exit', + 'express', + 'fail', + 'fair', + 'familiar', + 'fan', + 'file', + 'film', + 'fine', + 'fire', + 'firm', + 'flow', + 'fly', + 'garage', + 'general', + 'gift', + 'goal', + 'golden', + 'hand', + 'handsome', + 'head', + 'hear', + 'heavy', + 'hero', + 'hide', + 'hit', + 'hot', + 'house', + 'ice', + 'immediate', + 'industry', + 'iron', + 'kill', + 'last', + 'lead', + 'letter', + 'library', + 'lift', + 'live', + 'lonely', + 'long', + 'lot', + 'mad', + 'mark', + 'master', + 'match', + 'mean', + 'might', + 'mine', + 'minute', + 'mirror', + 'moon', + 'next', + 'novel', + 'nurse', + 'order', + 'paper', + 'park', + 'part', + 'period', + 'permit', + 'piece', + 'pipe', + 'plain', + 'plane', + 'plant', + 'plate', + 'play', + 'please', + 'pool', + 'post', + 'pound', + 'power', + 'present', + 'president', + 'press', + 'pretty', + 'pride', + 'prize', + 'program', + 'pronounce', + 'pupil', + 'race', + 'rapid', + 'reason', + 'receive', + 'refer', + 'rest', + 'revolution', + 'role', + 'room', + 'rough', + 'row', + 'rush', + 'safe', + 'sandwich', + 'satisfaction', + 'save', + 'school', + 'season', + 'sentence', + 'share', + 'sharp', + 'shoot', + 'shoulder', + 'silence', + 'skirt', + 'society', + 'soil', + 'sort', + 'sound', + 'spare', + 'spring', + 'stage', + 'stamp', + 'stomach', + 'student', + 'succeed', + 'suggest', + 'suit', + 'sunny', + 'table', + 'tank', + 'tap', + 'tear', + 'tell', + 'terrible', + 'ticket', + 'tip', + 'tired', + 'tower', + 'treasure', + 'treat', + 'try', + 'uniform', + 'unit', + 'value', + 'voyage', + 'wage', + 'want', + 'water', + 'well', + 'wind', + 'world', + 'wound', + 'abundance', + 'accommodate', + 'aerial', + 'aisle', + 'ambitious', + 'applaud', + 'appraisal', + 'auction', + 'aviation', + 'bachelor', + 'baffle', + 'ballet', + 'beforehand', + 'blockade', + 'breakthrough', + 'briefcase', + 'brutal', + 'calorie', + 'casualty', + 'census', + 'chronic', + 'chronological', + 'cling', + 'cognitive', + 'commonplace', + 'compensate', + 'concise', + 'conform', + 'consequent', + 'console', + 'continuity', + 'cooperative', + 'corporate', + 'costume', + 'courtesy', + 'coverage', + 'creation', + 'cumulative', + 'deadly', + 'decisive', + 'defiance', + 'deficiency', + 'destructive', + 'diligent', + 'disastrous', + 'distract', + 'divine', + 'dock', + 'donate', + 'endurance', + 'energetic', + 'enrich', + 'enthusiastic', + 'erosion', + 'eternal', + 'ethnic', + 'expedition', + 'fake', + 'fitting', + 'flaw', + 'foster', + 'grim', + 'guidepost', + 'heighten', + 'heir', + 'heritage', + 'hum', + 'humanity', + 'hurricane', + 'iceberg', + 'identification', + 'ignition', + 'illusion', + 'imaginative', + 'imitation', + 'imperative', + 'indicative', + 'induce', + 'inland', + 'instrumental', + 'interact', + 'invariably', + 'irrigation', + 'likelihood', + 'literacy', + 'locality', + 'lounge', + 'memoir', + 'memorize', + 'monetary', + 'monopoly', + 'morality', + 'muscular', + 'notwithstanding', + 'nurture', + 'nutritious', + 'olive', + 'optimum', + 'paperback', + 'pedestrian', + 'permissible', + 'pest', + 'physiological', + 'plague', + 'preach', + 'premature', + 'prescription', + 'prestige', + 'prevalent', + 'productive', + 'productivity', + 'profess', + 'profitable', + 'profound', + 'prophecy', + 'prospective', + 'pumpkin', + 'purity', + 'pursuit', + 'quest', + 'random', + 'rap', + 'recite', + 'reconcile', + 'recycle', + 'referee', + 'relay', + 'repertoire', + 'residential', + 'reunion', + 'revelation', + 'revenge', + 'revolve', + 'scrutiny', + 'seemingly', + 'silicon', + 'slogan', + 'smuggle', + 'snack', + 'solitary', + 'stability', + 'stationary', + 'stereo', + 'stern', + 'subjective', + 'subordinate', + 'sue', + 'telecommunication', + 'thereafter', + 'tile', + 'timely', + 'token', + 'tolerant', + 'toll', + 'tract', + 'transient', + 'transition', + 'tuition', + 'unemployment', + 'unify', + 'upbringing', + 'versus', + 'vicious', + 'vigor', + 'vita', + 'vocal', + 'vulnerable', + 'wallet', + 'wardrobe', + 'warfare', + 'wrinkle' + ] + + +module.exports = { + wordList: word_list +} diff --git a/data/cet4_import.js b/data/cet4_import.js new file mode 100644 index 0000000..5839eb2 --- /dev/null +++ b/data/cet4_import.js @@ -0,0 +1,692 @@ +var word_list = +['alter', + 'burst', + 'dispose', + 'blast', + 'consume', + 'split', + 'spit', + 'spill', + 'slip', + 'slide', + 'bacteria', + 'breed', + 'budget', + 'candidate', + 'campus', + 'liberal', + 'transform', + 'transmit', + 'transplant', + 'transport', + 'shift', + 'vary', + 'vanish', + 'swallow', + 'suspicion', + 'suspicious', + 'mild', + 'tender', + 'nuisance', + 'insignificant', + 'accelerate', + 'absolute', + 'boundary', + 'brake', + 'catalog', + 'vague', + 'vain', + 'extinct', + 'extraordinary', + 'extreme', + 'agent', + 'alcohol', + 'appeal', + 'appreciate', + 'approve', + 'stimulate', + 'acquire', + 'accomplish', + 'network', + 'tide', + 'tidy', + 'trace', + 'torture', + 'wander', + 'wax', + 'weave', + 'preserve', + 'abuse', + 'academic', + 'academy', + 'battery', + 'barrier', + 'cargo', + 'career', + 'vessel', + 'vertical', + 'oblige', + 'obscure', + 'extent', + 'exterior', + 'external', + 'petrol', + 'petroleum', + 'delay', + 'decay', + 'decent', + 'route', + 'ruin', + 'sake', + 'satellite', + 'scale', + 'temple', + 'tedious', + 'tend', + 'tendency', + 'ultimate', + 'undergo', + 'abundant', + 'adopt', + 'adapt', + 'bachelor', + 'casual', + 'trap', + 'vacant', + 'vacuum', + 'oral', + 'optics', + 'organ', + 'excess', + 'expel', + 'expend', + 'expenditure', + 'expense', + 'expensive', + 'expand', + 'expansion', + 'private', + 'individual', + 'personal', + 'personnel', + 'thePacificOcean', + 'theAtlanticOcean', + 'theArcticOcean', + 'theAntarcticOcean', + 'grant', + 'grand', + 'invade', + 'acid', + 'acknowledge', + 'balcony', + 'calculate', + 'calendar', + 'optimistic', + 'optional', + 'outstanding', + 'export', + 'import', + 'impose', + 'religion', + 'religious', + 'victim', + 'video', + 'videotape', + 'offend', + 'bother', + 'interfere', + 'internal', + 'beforehand', + 'racial', + 'radiation', + 'radical', + 'range', + 'wonder', + 'isolate', + 'issue', + 'hollow', + 'hook', + 'adequate', + 'adhere', + 'ban', + 'capture', + 'valid', + 'valley', + 'consistent', + 'continuous', + 'continual', + 'explode', + 'exploit', + 'explore', + 'explosion', + 'explosive', + 'remote', + 'removal', + 'render', + 'precaution', + 'idle', + 'identify', + 'identify', + 'poverty', + 'resistant', + 'resolve', + 'barrel', + 'bargain', + 'coarse', + 'coach', + 'code', + 'coil', + 'adult', + 'advertise', + 'advertisement', + 'agency', + 'focus', + 'forbid', + 'debate', + 'debt', + 'decade', + 'enclose', + 'encounter', + 'globe', + 'global', + 'scan', + 'scandal', + 'significance', + 'subsequent', + 'virtue', + 'virtual', + 'orient', + 'portion', + 'target', + 'portable', + 'decline', + 'illusion', + 'likelihood', + 'stripe', + 'emphasize', + 'emotion', + 'emotional', + 'awful', + 'awkward', + 'clue', + 'collision', + 'device', + 'devise', + 'inevitable', + 'naval', + 'navigation', + 'necessity', + 'previous', + 'provision', + 'pursue', + 'stale', + 'substitute', + 'deserve', + 'discrimination', + 'professional', + 'secure', + 'security', + 'scratch', + 'talent', + 'insurance', + 'insure', + 'nevertheless', + 'neutral', + 'spot', + 'spray', + 'medium', + 'media', + 'auxiliary', + 'automatic', + 'compete', + 'competent', + 'competition', + 'distribute', + 'disturb', + 'infer', + 'integrate', + 'moist', + 'moisture', + 'promote', + 'region', + 'register', + 'stable', + 'sophisticated', + 'splendid', + 'cancel', + 'variable', + 'prospect', + 'prosperity', + 'aspect', + 'cope', + 'core', + 'maintain', + 'mainland', + 'discipline', + 'domestic', + 'constant', + 'cliff', + 'authority', + 'audio', + 'attitude', + 'community', + 'commit', + 'comment', + 'distinguish', + 'distress', + 'facility', + 'faculty', + 'mixture', + 'mood', + 'moral', + 'prominent', + 'substance', + 'substantial', + 'prompt', + 'vivid', + 'vocabulary', + 'venture', + 'version', + 'waist', + 'weld', + 'yawn', + 'yield', + 'zone', + 'strategy', + 'strategic', + 'tense', + 'tension', + 'avenue', + 'available', + 'comparable', + 'comparative', + 'dash', + 'data', + 'dive', + 'diverse', + 'entitle', + 'regulate', + 'release', + 'exaggerate', + 'evil', + 'shrink', + 'subtract', + 'suburb', + 'subway', + 'survey', + 'wealthy', + 'adjust', + 'attach', + 'profit', + 'profitable', + 'slope', + 'reinforce', + 'reject', + 'fatal', + 'fate', + 'humble', + 'illegal', + 'award', + 'aware', + 'column', + 'comedy', + 'dumb', + 'dump', + 'deaf', + 'decorate', + 'principal', + 'principle', + 'prior', + 'priority', + 'prohibit', + 'remarkable', + 'remedy', + 'repetition', + 'vain', + 'undertake', + 'unique', + 'obstacle', + 'odd', + 'omit', + 'opponent', + 'opportunity', + 'orchestra', + 'semester', + 'semiconductor', + 'seminar', + 'terminal', + 'territory', + 'approximate', + 'arbitrary', + 'architect', + 'architecture', + 'biology', + 'geography', + 'geology', + 'geometry', + 'arichmetic', + 'algebra', + 'entertainment', + 'enthusiasm', + 'entry', + 'enviroment', + 'episode', + 'equation', + 'restrain', + 'restraint', + 'resume', + 'severe', + 'sexual', + 'simplicity', + 'simplify', + 'sorrow', + 'stuff', + 'temporary', + 'temptation', + 'terror', + 'thrust', + 'treaty', + 'arise', + 'arouse', + 'burden', + 'bureau', + 'marveous', + 'massive', + 'mature', + 'maximum', + 'minimum', + 'nonsense', + 'nuclear', + 'nucleus', + 'retail', + 'retain', + 'restrict', + 'sponsor', + 'spur', + 'triumph', + 'tuition', + 'twist', + 'undergraduate', + 'universal', + 'universe', + 'viaprep.', + 'vibrate', + 'virus', + 'voluntary', + 'volunteer', + 'vote', + 'wagon', + 'appoint', + 'approach', + 'appropriate', + 'bunch', + 'bundle', + 'ceremony', + 'chaos', + 'discount', + 'display', + 'equivalent', + 'erect', + 'fax', + 'ferfile', + 'fertilizer', + 'grateful', + 'gratitude', + 'horror', + 'horrible', + 'Internet', + 'interpret', + 'interpretation', + 'jungle', + 'knot', + 'leak', + 'lean', + 'leap', + 'modify', + 'nylon', + 'onion', + 'powder', + 'applicable', + 'applicant', + 'breadth', + 'conservation', + 'conservative', + 'parallel', + 'passion', + 'passive', + 'pat', + 'peak', + 'phenomenon', + 'reluctant', + 'rely', + 'relevant', + 'reliable', + 'relief', + 'reputation', + 'rescue', + 'triangle', + 'sequence', + 'shallow', + 'shivervi', + 'shrug', + 'signature', + 'sincere', + 'utilify', + 'utilise', + 'utter', + 'variation', + 'vehicle', + 'applause', + 'appliance', + 'consent', + 'conquer', + 'defect', + 'delicate', + 'evolve', + 'evolution', + 'frown', + 'frustrate', + 'guarantee', + 'guilty', + 'jealous', + 'jeans', + 'liquor', + 'literlitre', + 'modest', + 'molecule', + 'orbit', + 'participate', + 'particle', + 'particularly', + 'respond', + 'response', + 'sensible', + 'sensitive', + 'tremble', + 'tremendous', + 'trend', + 'trial', + 'apparent', + 'appetite', + 'deposit', + 'deputy', + 'derive', + 'descend', + 'missile', + 'mission', + 'mist', + 'noticeable', + 'notify', + 'notion', + 'resemble', + 'reveal', + 'revenue', + 'shelter', + 'shield', + 'vital', + 'vitally', + 'urban', + 'urge', + 'urgent', + 'usage', + 'violence', + 'violent', + 'violet', + 'weed', + 'welfare', + 'whatsoever', + 'whereasconj.', + 'essential', + 'estimate', + 'uate', + 'exceed', + 'exceedingly', + 'exclaim', + 'exclude', + 'exclusive', + 'excursion', + 'flash', + 'flee', + 'flexible', + 'flock', + 'hardware', + 'harmony', + 'haste', + 'hatred', + 'incident', + 'index', + 'infant', + 'infect', + 'inferior', + 'infinite', + 'ingredient', + 'inhabitant', + 'jail', + 'jam', + 'jewel', + 'joint', + 'junior', + 'laser', + 'launch', + 'luxury', + 'magnet', + 'male', + 'female', + 'manual', + 'manufacture', + 'marine', + 'mutual', + 'naked', + 'negative', + 'neglect', + 'origin', + 'oval', + 'outset', + 'presumably', + 'prevail', + 'quit', + 'quotation', + 'recreation', + 'recruit', + 'rival', + 'shuttle', + 'skim', + 'sketch', + 'slender', + 'theme', + 'textile', + 'tropical', + 'kneel', + 'label', + 'merchant', + 'mere', + 'nuisance', + 'numerrous', + 'parade', + 'pants[pl.]', + 'partial', + 'passport', + 'prescribe', + 'primitive', + 'ridge', + 'ridiculous', + 'ridid', + 'withstand', + 'witness', + 'withdraw', + 'slippery', + 'smash', + 'snap', + 'software', + 'solar', + 'lynar', + 'submerge', + 'submit', + 'timber', + 'tissue', + 'title', + 'tone', + 'drift', + 'drip', + 'durable', + 'duration', + 'dusk', + 'leather', + 'legislation', + 'leisure', + 'loose', + 'loosen', + 'tarnest', + 'earthquake', + 'echo', + 'elaborate', + 'elastic', + 'elbow', + 'electron', + 'volcano', + 'volume', + 'fatigue', + 'faulty', + 'favorable', + 'favorite', + 'gallery', + 'gallon', + 'gap', + 'garbage', + 'gaze', + 'gear', + 'gene', + 'lestconj.', + 'liable', + 'liberal', + 'liberty', + 'licencelicense', + 'moisture', + 'motivate', + 'motive', + 'generate', + 'genius', + 'genuine', + 'gasoline', + 'germ', + 'gesture', + 'giant', + 'glimpse', + 'glory', + 'glorious', + 'golf', + 'hydrogen', + 'oxygen', + 'hostile', + 'household', + 'hook', + 'holy', + 'hint', + 'hestiate', + 'highlight', + 'hence', + 'herd', +] +module.exports = { + wordList: word_list +} \ No newline at end of file diff --git a/data/cet4_t.js b/data/cet4_t.js new file mode 100644 index 0000000..62a5b7b --- /dev/null +++ b/data/cet4_t.js @@ -0,0 +1,423 @@ +var translate = + ['处理', + + + '增长', + '技术', + '理论', + + '经济', + + '实证研究综述', + + '帐户', + '经济', + + '个人', + + '产品', + '率()', + + '创建', + + '下降', + '哈尔达', + '广告', + + '能力', + + 'professionala', + '点', + '趋向', + + '视图', + + '主张', + '量', + + '社区;', + '关心', + + '环境', + '因子', + '情报', + '可能', + '广告', + '返回', + '社会', + + '后果', + '药物', + '专家', + + '延伸', + + '产业', + '道德', + + + '行动', + '成人', + + '志向', + '竞争', + '容量', + '详情', + + '证据', + '演化', + '基金', + '通货膨胀', + '本地', + '保持', + '管理', + '生产率', + '生存', + + '宇宙', + + '学习', + + + '广告', + '影响', + '效益', + + '辩论', + '直', + '元件', + '必要', + + '识别', + '打算', + '投资', + '合理', + '责任', + '机会', + '个性', + '私人的', + + '改变', + '适当', + + '繁荣', + + '结合', + + '公司', + '企业', + '联邦', + '加油站', + '高度', + '问题', + + '组织同一雇主', + '原理', + '项目', + '认识-ISE', + '具体', + '结构体', + + '物质', + '趋势', + + '活动', + '优点', + '方面', + '态度', + '平衡', + + '特性', + + '要求', + '评论', + + '构成', + '合同', + + '创意', + '文化', + '历史', + '解释', + + '方式', + '质量;', + '获得', + '强大', + '预测', + '风险', + + '机器人', + '转移', + '种类', + + '办法', + '论据', + '承担', + '蓝图', + '气候', + '竞争的', + '复杂', + '概念', + '迷惑', + '危急', + '原油', + '出现', + '雇员', + '存在', + '革新', + '访谈', + '涉及', + '日志', + '链接', + + '表现', + + '运动', + '明显', + '性能', + '政策', + '可能性', + '压力', + '属性', + '展望', + + '涉及', + + '资源', + '资源', + '自杀', + + '访问', + '获得', + '适应', + '额外', + '激进', + '业余', + '分析', + '应用', + '出现', + '假设', + '保证', + '权威', + '避免', + '偏压', + + '简要', + + '现金', + '挑战', + + '委员会', + '冲突', + + '考虑', + '不变', + + '消费', + '联系', + '惯例', + '说服', + '宇宙', + '数据', + '定义', + '交货', + '演示', + '拒绝', + '数字', + '学科', + '区别', + '教育', + '有效', + '电子', + '重点', + '启用', + '错误', + '建立', + '程度', + '焦点', + '功能', + '基本的', + '基因', + '天才', + '巨人', + 'HUMO', + + '意义', + '改善', + '独立', + '影响', + + '直觉', + '意向', + '发明', + '项目', + '机制', + '观察', + '奇', + '得罪', + '反对', + '面板', + '现象', + '物理', + '潜在', + + '延长', + '心理', + '反映', + '相关', + '备注', + + '需求', + '响应', + 'rsponse', + '负责任的', + '革命', + '抢', + '规模', + '安全', + '现场', + + '状态', + '股票', + '强调', + '足够', + '调查', + '同情', + '威胁', + '失业', + '投票', + + + '国外', + '上诉', + '俘虏', + + '基础设施', + '溢价', + + '辞职', + '跨度', + + '标题', + '不太可能', + + '放弃', + '确认', + '加成', + '广告', + '援助', + + '骚扰', + '明显的', + '欣赏', + + '人为', + '组装', + '属性', + + '基础', + '出价', + + + '事业', + '仪式', + '字符', + '商业', + + '承诺', + '商品', + '比较', + '比较', + '补偿', + '进行', + + '会议', + '置信度', + '面对', + '对比', + '常规', + '刑事', + + '危机', + '评论家', + '当前', + + '周期', + + '定义', + '剥夺', + '派生', + '值得', + '设备', + '减少', + '消失', + '丢弃', + '容易', + '高效', + '雇主', + '有权', + '估计', + + '行政人员', + + '费用', + '出口', + '外部', + '吸引', + '时尚', + '致命', + '闪', + + '禁止', + '正式', + '形成', + '前任的', + + '毛', + + + '保证', + + '幸福', + '有害', + '因此', + '说明', + '意味着', + '表明', + '必然', + '损伤', + '知识分子', + + '智能', + '内部', + '证明', + '标签', + '制造', + '修改', + '垄断', + '大多', + '忽略', + '网络', + '不过', + '概念', + '核', + 'offspringsing。', + '起源', + '步伐', + '痛苦', + '政治', + '具有', + '贫穷', + '特权', + '利润', + + '促进', + '比例', + '追求', + '激进', + ] + +module.exports = { + wordList:translate +} \ No newline at end of file diff --git a/data/cet6.js b/data/cet6.js new file mode 100644 index 0000000..a63419c --- /dev/null +++ b/data/cet6.js @@ -0,0 +1,3102 @@ +var word_list = [ + 'initially', + 'makeup', + + 'rmost', + 'optimum', + 'block', + 'damn', + 'outeintegral', + 'composition', + 'value', + 'dignity', + 'grunt', + 'abide', + + 'composer', + 'slave', + + 'resultant', + 'consequent', + 'hike', + 'action', + 'trade', + 'deal', + 'lease', + 'charter', + + 'headquarters', + 'executive', + 'main', + 'overall', + + 'conceit', + 'ultraviolet', + + 'descendant', + 'endow', + 'datum', + 'qualification', + + 'bourgeois', + 'woodpecker', + + 'bump', + 'crash', + + 'way', + 'superb', + + 'ornament', + 'decorative', + + 'ornamental', + 'mount', + 'shipment', + 'can', + + 'array', + 'diversion', + + 'convert', + 'transition', + 'torque', + 'workshop', + + 'patent', + 'clutch', + + 'nest', + 'coin', + + 'noted', + 'watchful', + + 'inject', + 'storage', + + 'position', + 'metropolitan', + + 'principally', + 'stalk', + + 'preside', + 'eject', + + 'bamboo', + 'jewellery', + + 'wrinkle', + 'axial', + + 'axis', + 'ambient', + + 'anniversary', + 'peripheral', + + 'perimeter()', + 'anybody', + + 'responsible', + 'consequence', + 'category', + 'species', + + 'hearty', + 'neutron', + + 'intermediate', + 'proton', + 'qualitative', + 'fabricate', + + 'fabrication', + 'volunteer', + 'rebuke', + 'indicative', + 'instructor', + + 'denote', + + 'designate', + 'colonial', + + 'vocation', + 'notable', + + 'merit', + 'weaver', + + 'brace', + 'check', + + 'symptom', + 'regime', + + 'second', + 'bearing', + + 'politics', + 'platform', + + 'confirmation', + 'testify', + 'audience', + 'correctly', + + 'positive', + 'normalization', + 'sign', + 'conqueror', + + 'controversy', + 'suppress', + + 'gust', + 'clinic', + + 'diagnose', + 'sincerity', + + 'cherish', + 'detective', + 'underline', + 'grind', + + 'discount', + 'literally', + + 'illuminate', + 'summon', + 'marsh', + 'entertainment', + + 'hindrance', + 'hose', + + 'sofa', + 'tensile', + + 'warfare', + 'battle', + + 'predominant', + 'unfold', + 'cling', + 'viscous', + + 'coherent', + 'album', + + 'glue', + 'cement', + + 'adhere', + 'strip', + + 'further', + 'multiplication', + + 'liability', + 'shipbuilding', + 'grasshopper', + 'wink', + + 'mint', + 'hollow', + + 'hymn', + 'glorify', + + 'fore', + 'therein', + + 'overseas', + 'ashore', + + 'outside', + 'brand', + + 'alongside', + 'Roam', + + 'over', + 'reproduction', + + 'operation', + 'freight', + + 'specification', + 'disastrous', + + 'locomotive', + 'lunar', + + 'dome', + 'cylinder', + + 'undertake', + 'primitive', + 'prototype', + 'vowel', + + 'satisfactorily', + 'nucleus', + + 'marshal', + 'subscription', + 'prophet', + 'prophecy', + + 'prediction', + 'preset', + + 'beforehand', + 'budget', + + 'foresee', + 'prevention', + + 'tulip', + 'intonation', + + 'cosmic', + 'cosmos', + + 'overlap', + 'excuse', + + 'senseless', + 'amusement', + 'torpedo', + 'margin', + + 'roundabout', + 'kidnap', + 'guilt', + 'shadowy', + + 'avail', + 'ambitious', + + 'significant', + 'validity', + + 'availability', + 'finite', + + 'magnet', + 'profitable', + 'advantageous', + 'courteous', + 'bead', + 'commonsense', + 'conservative', + 'liable', + 'yacht', + 'uranium', + + 'tanker', + 'postal', + + 'superiority', + 'elbow', + + 'paper', + 'cutter', + + 'net', + 'head', + + 'tug', + 'hook', + + 'formulate', + 'sniff', + + 'courageous', + 'emigrate', + 'perpetual', + 'everlasting', + 'periodic', + 'stiffness', + + 'comply', + 'bound', + + 'salute', + 'cater', + + 'press', + 'printer', + + 'harbour', + 'eternal', + 'tempt', + 'cite', + + 'ignite', + 'derivation', + + 'banker', + 'obscure', + + 'inasmuch', + 'through', + + 'observation', + 'consciousness', + + 'cross', + 'refrain', + + 'restrain', + 'singular', + + 'house', + 'obligation', + + 'formerly', + 'desert', + + 'transmission', + 'veil', + + 'forsake', + 'displace', + + 'displacement', + 'garment', + + 'colonist', + 'Islam', + + 'instrumental', + 'evenly', + + 'wardrobe', + 'compatible', + + 'stitch', + 'concert', + + 'chop', + 'baby', + + 'troop', + 'episode', + + 'cluster', + 'generalization', + + 'burglar', + 'amateur', + + 'Jesus', + 'metallurgy', + + 'fort', + 'prescription', + + 'postulate', + 'wag', + + 'cradle', + 'oxide', + + 'waver', + 'domestic', + + 'oxidize', + 'banquet', + + 'foster', + 'anode', + + 'balcony', + 'scope', + + 'proverb', + 'cloak', + + 'prolong', + 'sharply', + + 'pickle', + 'squash', + + 'retard', + 'squeeze', + + 'dentist', + 'overwhelming', + + 'opium', + 'overwhelm', + + 'deposit', + 'velocity', + + 'compression', + 'patrol', + + 'circulation', + 'scholarship', + + 'cruise', + 'option', + + 'cigar', + 'cock', + + 'quest', + 'melody', + + 'radiant', + 'gorgeous', + + 'overhang', + 'narration', + + 'propaganda', + 'warrant', + + 'console', + 'declaration', + + 'sequence', + 'nun', + + 'embroidery', + 'eloquence', + + 'requisite', + 'pacific', + + 'survival', + 'flush', + + 'wind', + 'formal', + + 'directory', + 'constituent', + + 'scarlet', + 'regenerative', + + 'religion', + 'appreciation', + + 'novelty', + 'psychology', + + 'bridegroom', + 'zinc', + + 'novel', + 'jean', + + 'crab', + 'gradient', + + 'subscript', + 'evil', + + 'sideways', + 'collaborate', + + 'vicious', + 'team', + + 'coefficient', + 'wedge', + + 'calibration', + 'cautious', + + 'paragraph', + 'caution', + + 'suitcase', + 'decimal', + + 'puppy', + 'footpath', + + 'closet', + 'pamphlet', + + 'disappearance', + 'recreation', + + 'slack', + 'consumption', + + 'consumer', + 'token', + + 'depression', + 'forward', + + 'ivory', + 'onward', + + 'orientation', + 'defy', + + 'southwards', + 'northward', + + 'yearn', + 'hail', + + 'pilgrim', + 'spice', + + 'fragrant', + 'analogy', + + 'incense', + 'uniformly', + + 'resemblance', + 'correlation', + + 'interact', + 'coincide', + + 'inversely', + 'striking', + + 'qualify', + 'reciprocal', + + 'devotion', + 'microscopic', + + 'realistic', + 'distinctly', + + 'linear', + 'bacon', + + 'apparent', + 'gossip', + + 'ramble', + 'shower', + + 'priority', + 'decline', + + 'precede', + 'descent', + + 'subordinate', + 'slim', + + 'taper', + 'petty', + + 'inferior', + 'nice', + + 'filament', + 'bacterium', + + 'systematically', + 'lace', + + 'spectrum', + 'drama', + + 'germ', + 'theatre', + + 'comedy', + 'quench', + + 'tape', + 'assault', + + 'usage', + 'extinguish', + + 'absorption', + 'intake', + + 'substantial', + 'physically', + + 'luncheon', + 'body()', + + 'ignorance', + 'insignificant', + + 'doubtless', + 'iinfinitely', + + 'ndefinite', + 'unlimited', + + 'infinite()', + 'incapable', + + 'fearless', + 'unique', + + 'innumerable', + 'faultless', + + 'inorganic', + 'foreign', + + 'ruthless', + 'nought', + + 'filthsnail', + + 'compliment', + 'question', + + 'hum', + 'literal()', + + 'illiterate', + 'stationery', + + 'plague', + 'situated', + + 'graze()', + 'latitude', + + 'softness', + 'commission', + + 'locality', + 'vitamin', + + 'stern', + 'idealism', + + 'unpaid', + 'Venus', + + 'bachelor', + 'mast', + + 'violation', + 'towards', + + 'enclosure', + 'catalogue', + + 'violate', + 'subtle', + + 'plead', + 'microprocessor', + + 'calculus', + 'awful', + + 'atom', + 'microwave', + + 'negligible', + 'majesty', + + 'gleam', + 'endanger', + + 'prestige', + 'peril', + + 'crisis', + 'dismiss', + + 'fro', + 'mesh', + + 'web', + 'network', + + 'trifle', + 'crooked', + + 'stubborn', + 'completion', + + 'hull', + 'diplomatic', + + 'strange', + 'alien', + + 'distort', + 'twist', + + 'ile', + 'twatt()', + + 'elliptical', + 'haul', + + 'hip', + 'devour', + + 'retirement', + 'drawback', + + 'inference', + 'rational', + + 'propulsion', + 'propel', + + 'recommendation', + 'overthrow', + + 'impulse', + 'presumably', + + 'gather', + 'shove()', + + 'solidarity', + 'regiment', + + 'bandit', + 'lever', + + 'overtake', + 'nose()', + + 'bald', + 'projector', + + 'poll', + 'dizzy', + + 'steal', + 'misery', + + 'torment', + 'thrash', + + 'dominant', + 'dominate', + + 'statistics', + 'identical', + + 'likeness', + 'even', + + 'homogeneous', + 'notify', + + 'simultaneous', + 'advertise', + + 'coordinate', + 'popularity', + + 'accessory', + 'whilstconj.', + + 'correspondence', + 'currency', + + 'entry', + 'inflation', + + 'ordinarily', + 'customary', + + 'resignation', + 'hydrocarbon', + + 'blacksmith', + 'skip', + + 'ferrous', + 'hop()', + + 'regulate', + 'modulate()', + + 'overlook', + 'settlement()', + + 'adjoin', + 'mishief', + + 'questionnaire', + 'Catholic', + + 'sweetness', + 'theme', + + 'accord', + 'nominate', + + 'dessert', + 'finance', + + 'astronomy', + 'embody', + + 'nourish', + 'enhance', + + 'elevate()', + 'raise', + + 'introduce()', + 'peculiarity', + + 'purify()', + 'individual', + + 'essential', + 'bore', + + 'flee', + 'earthenware', + + 'outlaw', + 'wade', + + 'probe', + 'expedition', + + 'charcoal', + 'plain', + + 'greed', + 'negotiate', + + 'pedal', + 'moss', + + 'thereof', + 'trivial', + + 'detail', + 'concern', + + 'what', + 'miniature', + + 'hurt', + 'deformation', + + 'deform', + 'replace', + + 'scrap', + 'plastic', + + 'shorthand', + 'garlic', + + + 'fringe', + 'perish', + + 'scout', + 'random', + + 'laundry', + 'hiss', + + 'loosely', + 'rip', + + 'rear', + 'speculate', + + 'smuggle', + 'confidence', + + 'velvet', + 'treasurer', + + 'exposition', + 'observe', + + 'preach', + 'momentary', + + 'instantaneous', + 'couch', + + 'slumber', + 'numerical', + + 'buffalo', + 'rinse', + + 'hydraulic', + 'harp', + + 'watery', + 'reckon', + + 'wrestle', + 'terminology', + + 'proficient', + 'proficiency', + + 'erect', + 'manuscript', + + 'input', + 'dependant', + + 'grant', + 'handbook', + + 'miser', + 'adoption', + + 'trolley', + 'oath', + + 'vow', + 'wholesome', + + 'revenue', + 'indoor', + + 'pledge', + 'moderately', + + 'fitness', + 'vision', + + 'fitting', + 'snob', + + 'occurrence', + 'snobbish', + + 'influence', + 'attendant', + + 'municipal', + 'automate', + + 'conform', + 'divert', + + 'specialize', + 'hazard', + + 'standardize', + 'distinguish', + + 'lengthen', + 'evaporate', + + 'shame', + 'resign', + + 'freshen', + 'perfect', + + 'ventilate', + 'infect', + + 'soften', + 'blaze', + + 'acquaint', + 'facilitate', + + 'lubricate', + 'paralyse', + + 'subdue', + 'sorrowful', + + 'suit', + 'subject', + + 'confront', + 'insulate', + + 'bend', + 'deafen', + + 'integrate', + 'tiresome', + + 'moor', + 'terrify', + + 'alternate', + 'minimize', + + 'mingle', + 'interconnect', + + 'reconcile', + 'enrich', + + 'degrade', + 'embarrass', + + 'oblige', + 'decay', + + 'contrast', + 'mature', + + 'tangle', + 'ice', + + 'overload', + 'develop', + + 'sweeten', + 'nourishment', + + 'thicken', + 'experimentation', + + 'jog', + 'virtual', + + 'establish', + 'baffle', + + 'engage', + 'execution', + + 'vector', + 'quartz', + + 'pantry', + 'whitewash', + + 'experimentally', + 'limestone', + + 'graphite', + 'humidity', + + 'verse', + 'handout', + + 'unemployment', + 'disgrace', + + 'residual', + 'remainder', + + 'stiff', + 'excel', + + 'hide', + 'ecology', + + 'vital', + 'producer', + + 'productive', + 'hoist', + + 'productivity', + 'deliberately', + + 'kidney', + 'censor', + + 'shrine', + 'mystery', + + 'deliberate', + 'profound', + + 'trench', + 'editorial', + + 'photography', + 'sociology', + + 'conceive', + 'divine', + + 'reject', + 'serpent', + + 'maid', + 'maiden', + + 'extravagant', + 'scorch', + + 'context', + 'Heaven', + + 'counsel', + 'trader', + + 'tradesman', + 'dealer', + + 'merchandise', + 'blue', + + 'ware', + 'shark', + + 'goodness', + 'gravel', + + 'underwear', + 'sardine', + + 'cancel', + 'tone', + + 'gap', + 'scan', + + 'sift', + 'uproar', + + 'stroll', + 'choice', + + 'triangular', + 'prose', + + 'emission', + 'tolerant', + + 'mute', + 'commodity', + + 'routine', + 'deem', + + 'recognition', + 'merciful', + + 'awake', + 'undertaking', + + 'identification', + 'personnel', + + 'pitch', + 'hostage', + + 'humanity', + 'thermal', + + 'tropic', + 'personality', + + 'tropical', + 'concession', + + 'combustion', + 'flock', + + 'whisker', + 'conviction', + + 'certainty', + 'deficiency', + + 'quantify', + 'deficient', + + 'positively', + 'claim', + + 'scarcity', + 'late', + + 'flaw', + 'extract', + + 'induce', + 'crank', + + 'dissipate', + 'persuasion', + + 'expel', + 'spherical', + + 'Jupiter', + 'sight', + + 'mistress', + 'plea', + + 'mosque', + 'petition', + + 'cleanliness', + 'global', + + 'rap', + 'inclination', + + 'rash', + 'admiration', + + 'bronze', + 'slit', + + 'industrious', + 'section', + + 'agreeable', + 'hardy', + + 'compulsory', + 'denounce', + + 'segment', + 'mighty', + + 'constraint', + 'pious', + + 'lobby', + 'consistent', + + 'thoughtless', + 'predecessor', + + 'visa', + 'migrate', + + 'gracious', + 'modesty', + + 'pertinent', + 'siren', + + 'utensil', + 'maple', + + 'kilowatt', + 'follower', + + 'apt', + 'garage', + + 'motel', + 'pant', + + 'hitherto', + 'jack', + + 'motorway', + 'sitting-room', + + 'barometer', + 'scratch', + + 'count', + 'message', + + 'enlighten', + 'implore', + + 'knight', + 'subsequently', + + 'marvel', + 'cheat', + + 'periodical', + 'currently', + + 'universally', + 'raisin', + + 'bushel', + 'fracture', + + 'bankrupt', + 'persecute', + + 'incline', + 'tack', + + 'destructive', + 'flask', + + 'terrace', + 'tranquil', + + 'civilian', + 'equation', + + 'commonplace', + 'equilibrium', + + 'frequency', + 'bleach', + + 'barren', + 'float', + + 'flake', + 'adjacent', + + 'deflection', + 'cape', + + 'clash', + 'prejudice', + + 'collide', + 'ingredient', + + 'shell', + 'battery', + + 'foam', + 'limp', + + 'bypass', + 'ascend', + + 'dispatch', + 'stagger', + + 'hover', + 'range', + + 'faction', + 'clap', + + 'drainage', + 'reptile', + + 'ohm', + 'hostess', + + 'overhear', + 'waitress', + + 'feminine', + 'blouse', + + 'goddess', + 'coward', + + 'radiator', + 'strive', + + 'mess', + 'distortion', + + 'Saturn', + 'shorten', + + 'milky', + 'peer', + + 'wrench', + 'nickel', + + 'wring', + 'junior', + + 'annually', + 'practicable', + + 'capability', + 'basin', + + 'interior', + 'tickle', + + 'incredible', + 'difficult', + + 'refugee', + 'antarctic', + + 'pumpkin', + 'polar', + + 'masculine', + 'endurance', + + 'baron', + 'intent', + + 'pasture', + 'sodium', + + 'end', + 'oyster', + + 'skyscraper', + 'magician', + + 'module', + 'feel', + + 'ambiguous', + 'destiny', + + 'doom', + 'proposition', + + 'bid', + 'decidedly', + + 'destine', + 'formulation', + + 'explicit', + 'classic', + + 'sensible', + 'promptly', + + 'brightness', + 'deposition', + + 'sensitivity', + 'enchant', + + 'representation', + 'confidential', + + 'nursery', + 'fascinate', + + 'superstition', + 'perplex', + + 'stray', + 'bewilder', + + 'hurl', + 'pore', + + 'jerk', + 'fuss', + + 'snap', + 'offensive', + + 'ally', + 'cartoon', + + 'threshold', + 'vine', + + 'charm', + 'expire', + + 'fair', + 'bull', + + 'wharf', + 'circus', + + 'ass', + 'filter', + + 'propeller', + 'spiral', + + 'nut', + 'oval', + + 'Roman', + 'video', + + 'thesis', + 'reed', + 'forum', + 'box', + + 'hug', + 'leakage', + + 'stairway', + 'bridle', + + 'monopoly', + 'exile', + + 'streamline', + 'flux', + + 'willow', + 'track', + + 'rascal', + 'otherwise', + + 'prevalent', + 'gramophone', + + 'province', + 'vicinity', + + 'consul', + 'grove', + + 'retail', + 'fission', + + 'flexible', + 'prey', + + 'inspiration', + 'martyr', + + 'neighbouring', + 'grin', + + 'expect', + 'blush', + + 'attachment', + 'ripple', + + 'quantitative', + 'junction', + + 'allied', + 'mitten', + + 'chestnut', + 'solar', + + 'exceptional', + 'impose', + + 'utilization', + 'stereo', + + 'cubic', + 'legislation', + + 'historian', + 'historic', + + 'mechanics', + 'intellect', + + 'ideally', + 'abstract', + + 'slang', + 'courtesy', + + 'ion', + 'excursion', + + 'twilight', + 'prism', + + 'grim', + 'troublesome', + + 'similarity', + 'flank', + + 'analogue', + 'optimism', + + 'sophisticated', + 'comprehend', + + 'straightforward', + 'idleness', + + 'wasteful', + 'flight', + + 'dust', + 'violent', + + 'rapture', + 'furious', + + 'shabby', + 'satisfaction', + + 'fury', + 'rapidity', + + 'snack', + 'pants', + + 'bitterness', + 'wither', + + 'parade', + 'fastener', + + 'clasp', + 'stammer', + + 'panic', + 'spatial', + + 'terrorist', + 'suspicious', + + 'fantastic', + 'shady', + + 'pneumatic', + 'questionable', + + 'aerial', + 'gnaw', + + 'peacock', + 'portable', + + 'void', + 'adjustable', + + 'longing', + 'frightful', + + 'grateful', + 'formidable', + + 'dreadful', + 'likelihood()', + + 'possibility', + 'particular', + + 'monstrous', + 'appreciable', + + 'respectable', + 'whereby', + + 'shameful', + 'ponder', + + 'comparable', + 'exploration', + + 'discern', + 'inaugurate', + + 'generosity', + 'initiate', + + 'fell()', + 'commence', + + 'carry', + 'reclaim', + + 'evolution', + 'unlock', + + 'start', + 'sheriff', + + 'sovereign', + 'reel', + + 'monarch', + 'mob', + + 'bugle', + 'decisive', + + 'extinct', + 'polymer', + + 'govern', + 'hurricane', + + 'winding', + 'sting', + + 'curly', + 'gigantic', + + 'repel', + 'uphold', + + 'exemplify', + 'rectangle', + + 'reside', + 'administration', + + 'induction', + 'Christ', + + 'second-hand', + 'dwell', + + 'symposium', + 'whoeverpro', + + 'rectify', + 'vein', + + 'competitor', + 'competitive', + + 'contend', + 'alert', + + 'warning', + 'whale', + + 'selection', + 'literary', + + 'thorough', + 'refinery', + + 'finely', + 'vigorous', + + 'fright', + 'dismay', + + 'astonishment', + 'empirical', + + 'support', + 'longitude', + + 'economics', + 'notwithstanding', + + 'prohibition', + 'perfection', + + 'shortcut', + 'prudent', + + 'inlet', + 'compact', + + 'tightly', + 'barely', + + 'metallic', + 'interpret', + + 'tuna', + 'untie', + + 'henceforth', + 'tackle', + + 'presentation', + 'dissolve()', + + 'mustard', + 'tuberculosis', + + 'version', + 'incorporate', + + 'construction', + 'yeast', + + 'abbreviation', + 'tutor', + + 'thrifty', + 'disillusion', + + 'economically', + 'horn', + + 'interview', + 'reef', + + 'receiver', + 'coke', + + 'doctrine', + 'intercourse', + + 'symphony', + 'degradation', + + 'soy', + 'parachute', + + 'oar', + 'discourse', + + 'ginger', + 'inspector', + + 'architect', + 'reserve', + + 'splash', + 'challenge', + + 'clip', + 'enterprise', + + 'theory', + 'firmness', + + 'diminish', + 'resolute', + + 'lessen', + 'sturdy', + + 'steady', + 'stability', + + 'persistence', + 'shrill', + + 'persevere', + 'hypothesis', + + 'bridge', + 'insistent', + + 'rate', + 'sham', + + 'clamp', + 'presume', + + 'fake', + 'beetle', + + 'clip', + 'heater', + + 'sandwich', + 'deepen', + + 'homely', + 'heighten', + + 'fowl', + 'line', + + 'poultry', + 'stillness', + + 'lodging', + 'succession', + + 'successor', + 'craft', + + 'quarterly', + 'souvenir', + + 'documentary', + 'disorder', + + 'scheme', + 'complaint', + + 'marginal', + 'forthcoming', + + 'terminal', + 'extreme', + + 'geometrical', + 'polarity', + + 'bazaar', + 'guitar', + + 'gathering', + 'irritate', + + 'set', + 'timely', + + 'drastic', + 'radical', + + 'Christian', + 'energetic', + + 'elemental', + 'mechanism', + + 'severe', + 'dynamic', + + 'ultimate', + 'witty', + + 'muscular', + 'fence', + + 'ingenious', + 'fellowship', + + 'ingenuity', + 'ham', + + 'framework', + 'Mars', + + 'stall', + 'piston', + + 'tact', + 'vigour', + + 'mixer', + 'bribe', + + 'engagement', + 'response', + + 'cloudy', + 'wield', + + 'badge', + 'modification', + + 'corrupt', + 'environmental', + + 'locust', + 'fossil', + + 'wasp', + 'pregnant', + + 'desolate', + 'glider', + + 'royalty', + 'slide', + + 'illusion', + 'pulley', + + 'correlate', + 'ruby', + + 'granite', + 'outcome', + + 'walnut', + 'hit', + + 'arc', + 'transverse', + + 'exclamation', + 'traverse', + + 'harmonious', + 'monk', + + 'bed', + 'synthesis', + + 'cooperative', + 'applause', + + 'hinge', + 'applaud', + + 'proper', + 'pal', + + 'composite', + 'romantic', + + 'hospitality', + 'howl', + + 'hurrahint.', + 'log', + + 'aerospace', + 'pedestrian', + + 'hesitate', + 'move', + + 'pest', + 'turtle', + + 'strait', + 'seaport', + + 'custom', + 'surplus', + + 'cable', + 'excess', + + 'overestimate', + 'orchard', + + 'pirate', + 'peel', + + 'seaside', + 'stone', + + 'excessively', + 'slap', + + 'boiler', + 'define', + + 'inland', + 'regulation', + + 'salmon', + 'provision', + + 'roller', + 'replacement', + + 'valuable', + 'spacious', + + 'silicon', + 'radial', + + 'regularity', + 'amplitude', + + 'photoelectric', + 'orchestra', + + 'optical', + 'blast', + + 'shrub', + 'pipe', + + 'irrigation', + 'coffin', + + 'inertia', + 'bureaucracy', + + 'monster', + 'obstinate', + + 'client', + 'inherent', + + 'fixture', + 'pluck', + + 'agitation', + 'antique', + + 'skeleton', + 'thigh', + + 'constitute', + 'cereal', + + 'assessment', + 'hound', + + 'tribute', + 'gutter', + + 'number', + 'arch', + + 'commonwealth', + 'impartial', + + 'vault', + 'duke', + + 'consolidate', + 'rooster', + + 'mercury', + 'studio', + + 'convention', + 'implement', + + 'earnings', + 'combat', + + 'impart', + 'workpiece', + + 'energize', + 'reveal', + + 'flavour', + 'dove', + + 'insulator', + 'plateau', + + 'vaccinate', + 'tower', + + 'elevation', + 'lofty', + + 'intervene', + 'lattice', + + 'olive', + 'dry', + + 'perception', + 'Thanksgiving', + + 'sentiment', + 'sensation', + + 'outline', + 'conception', + + 'notion', + 'chill', + + 'summary', + 'generalize', + + 'mend', + 'impress', + + 'by-product', + 'complication', + + 'duplicate', + 'satellite', + + 'complexity', + 'appendix', + + 'extra', + 'emerge', + + 'charge', + 'coach', + + 'incidentally', + 'obedience', + + 'negative', + 'maintenance', + + 'corrosion', + 'veto', + + 'erosion', + 'denial', + + 'subsidiary', + 'Buddhism', + + 'answer', + 'dedicate', + + 'obedient', + 'pineapple', + + 'flatter', + 'seam', + + 'landscape', + 'windmill', + + 'abundance', + 'indignation', + + 'plump', + 'molecular', + + 'shatter', + 'limb', + + 'offset', + 'fraction', + + 'analytic', + 'distract', + + 'installment', + 'split', + + 'detach', + 'interface', + + 'partition', + 'relay', + + 'diverge', + 'litter', + + 'abolish', + 'gangster', + + 'fly', + 'indulge', + + 'herd', + 'extraordinarily', + + 'aviation', + 'pattern', + + 'imitation', + 'reproduce', + + 'magnify', + 'handicap', + + 'hamper', + 'estate', + + 'handy', + 'reactor', + + 'blunder', + 'mirror', + + 'offence', + 'echo', + + 'contrary', + 'contradict', + + 'propagation', + 'propagate', + + 'decree', + 'toss', + + 'flannel', + 'valve', + + 'originate', + 'spokesman', + + 'outlet', + 'incidence', + + 'generate', + 'flame', + + 'invoice', + 'detector', + + 'luminous', + 'exert', + + 'beam', + 'motive', + + 'dynamo', + 'rattle', + + 'dioxide', + 'offspring', + + 'bait', + 'youngster', + + 'whereasconj.', + 'malice', + + 'subsequent', + 'nightmare', + + 'spite', + 'yoke', + + 'deprive', + 'mountainous', + + 'windy', + 'versatile', + + 'stew', + 'mop', + + 'halve', + 'provoke', + + 'symmetry', + 'symmetrical', + + 'resent', + 'assert', + + 'affirm', + 'shortage', + + 'alignment', + 'jealousy', + + 'cuckoo', + 'gamble', + + 'jam', + 'ferry', + + 'solo', + 'linger', + + 'distinct', + 'dictator', + + 'fighter', + 'champion', + + 'insight', + 'jelly', + + 'tease', + 'cavity', + + 'grease', + 'disturbance', + + 'mobilize', + 'kinetic', + + 'location', + 'theorem', + + 'subscribe', + 'orient', + + 'summit', + 'pressure', + + 'sculpture', + 'capacitance', + + 'electronics', + 'electrode', + + 'capacitor', + 'electrician', + + 'telex', + 'first-rate', + + 'kindle', + 'basement', + + 'geology', + 'mortgage', + + 'geographical', + 'hostile', + + 'magistrate', + 'underestimate', + + 'whisper', + 'murmur', + + 'enroll', + 'burner', + + 'equivalent', + 'morality', + + 'clatter', + 'triumphant', + + 'theft', + 'attendance', + + 'between', + 'cartridge', + + 'yolk', + 'detain', + + 'algebra', + 'simplicity', + + 'fill', + 'attorney', + + 'simple', + 'deputy', + + 'jug', + 'delegate', + + 'representative', + 'massacre', + + 'gorilla', + 'embassy', + + 'magnitude', + 'ambassador', + + 'stride', + 'mansion', + + 'continental', + 'multitude', + + 'barley', + 'infinity', + + 'steak', + 'butt', + + 'largely', + 'prairie', + + 'widely', + 'smash', + + 'sneeze', + 'lighter', + + 'snore', + 'thresh', + + 'forge', + 'passport', + + 'inaccessible', + 'latent', + + 'frustrate', + 'frail', + + 'fragile', + 'catalyst', + + 'crisp', + 'promotion', + + 'reckless', + 'follow', + + 'vulgar', + 'overflow', + + 'massive', + 'smart', + + 'harsh', + 'thereafter', + + 'jungle', + 'prick', + + 'porcelain', + 'initial', + + 'magnetism', + 'glossary', + + 'vocabulary', + 'sheer', + + 'stem', + 'perpendicular', + + 'poke', + 'author', + + 'lipstick', + 'innovation', + + 'stainless', + 'initiative', + + 'puff', + 'infectious', + + 'shipwreck', + 'romance', + + 'report', + 'herald', + + 'circular', + 'leaflet', + + 'sensor', + 'missionary', + + 'convey', + 'pierce', + + 'penetration', + 'antenna', + + 'penalty', + 'transaction', + + 'virgin', + 'exclusive', + + 'notorious', + 'scandal', + + 'specimen', + 'extraction', + + 'equator', + 'adore', + + 'worship', + 'punch', + + 'gear', + 'strife', + + 'bug', + 'persist', + + 'proceeding', + 'acknowledge', + + 'breakfast', + 'shoulder', + + 'dine', + 'offer', + + 'length', + 'membership', + + 'systematic', + 'integrity', + + 'kit', + 'commend', + + 'muse', + 'meditate', + + 'hushint.', + 'repeal', + + 'brood', + 'immerse', + + 'lathe', + 'row', + + 'mock', + 'supersonic', + + 'reign', + 'ultrasonic', + + 'resident', + 'nickname', + + 'surpass', + 'waggon', + + 'spectacle', + 'haunt', + + 'visit', + 'frequent', + + 'shovel', + 'toad', + + 'diesel', + 'horizon', + + 'errand', + 'ascertain', + + 'groove', + 'tactics', + + 'grassy', + 'herb', + + 'manipulate', + 'cruelty', + + 'warehouse', + 'hatch', + + 'participate', + 'participant', + + 'napkin', + 'senator', + + 'reference', + 'spectator', + + 'parameter', + 'recipe', + + 'assumption', + 'rule', + + 'substance', + 'friction', + + 'sermon', + 'absent', + + 'awkward', + 'wretched', + + 'disagreement', + 'immortal', + + 'misfortune', + 'incompatible', + + 'stuffy', + 'instability', + + 'incomplete', + 'improper', + + 'dissatisfaction', + 'irrespective', + + 'opaque', + 'inevitably', + + 'watertight', + 'undesirable', + + 'inaccurate', + 'unreasonable', + + 'absurd', + 'irregularity', + + 'unfit', + 'uncertain', + + 'impurity', + 'disregard', + + 'inadequate', + 'invariably', + + 'uneasy', + 'mammal', + + 'supplement', + 'complement', + + 'compensation', + 'barge', + + 'humanitarian', + 'icy', + + 'invalid', + 'objective', + + 'fluctuation', + 'villa', + + 'strength', + 'characterize', + + 'fluctuate', + 'signify', + + 'ward', + 'manifest', + + 'seemingly', + 'norm', + + 'superficial', + 'heading', + + 'criterion', + 'discrimination', + + 'advocate', + 'transform', + + 'alteration', + 'reason', + + 'loosen', + 'program', + + 'fall', + 'edit', + + 'rim', + 'hearth', + + 'verge', + 'fireplace', + + 'patron', + 'diploma', + + 'indispensable', + 'sullen', + + 'breakdown', + 'essence', + + 'bandage', + 'captive', + + 'reverse', + 'deviation', + + 'arctic', + 'tragic', + + 'grief', + 'firework', + + 'wrath', + 'storm', + + 'woe', + 'vengeance', + + 'tyrant', + 'grumble', + + 'tyranny', + 'assurance', + + 'panther', + 'fuse', + + 'leopard', + 'reservation', + + 'announce', + 'safeguard', + + 'fortress', + 'preservation', + + 'mint', + 'saturation', + + 'mist', + 'chip', + + 'siege', + 'baseball', + + 'inclusive', + 'scar', + + 'embrace', + 'radius', + + 'tar', + 'trigger', + + 'hemisphere', + 'blind', + + 'liner', + 'millionaire', + + 'shutter', + 'white', + + 'lily', + 'bank', + + 'idiot', + 'blond', + + 'bestow', + 'subdivide', + + 'tabulate', + 'dock', + + 'straighten', + 'flatten', + + 'ascribe', + 'except', + + 'entitle', + 'haughty', + + 'ballet', + 'foul', + + 'assassinate', + 'burial', + + 'luxurious', + 'patriot', + + 'patriotic', + 'dwarf', + + 'alasint.', + 'stout', + + 'pathetic', + 'Egyptian', + + 'shouldaux.', + 'oughtaux', + + 'referee', +'scripture', + + 'pendulum', +'gross', + +'outbreak', +'heave', + + 'shuttle', + 'pop', + + 'market', + 'lining', + + 'mild', + 'rigorous', + + 'climax', + 'shrimp', + + 'panel', + 'peak', + + 'epoch', + 'drain', + + 'cane', + 'switch', + + 'immigrate', + 'expenditure', + + 'board', + 'lump', + + 'disperse', + 'elapse', + + 'deviate', + 'hoarse', + + 'clearing', + 'pose', + + 'eclipse', + 'quiver', + + 'shade', + 'unanimous', + + 'constitution', + 'pier', + + 'spill', + 'span', + + 'perch', + 'flutter', + + 'frock', + 'clown', + + 'resume', + 'pace', + + 'pope', + 'axle', + + 'lounge', + 'chord', + + 'realization', + 'pyjamas', + + 'measurement', + 'elegant', + + 'refreshment', + 'bishop', + + 'ticket', + 'software', + + 'hard', + 'kernel', + + 'gesture', + 'insert', + + 'situation', + 'wisdom', + + 'growl', + 'buzz', + + 'shaft', + 'breed', + + 'ear', + 'dean', + + 'sink', + 'fertile', + + 'ranch', + 'versus', + + 'grope', + 'pedlar', + + 'squat', + 'scrub', + + 'rally', + 'tread', + + 'fling', + 'crack', + + 'escort', + 'slander', + + 'swell', + 'menace', + + 'tramp', + 'suicide', + + 'tighten', + 'jingle', + + 'trample', + 'thrill', + + 'fret', + 'tilt', + + 'revolve', + 'deflect', + + 'rotate', + 'repay', + + 'compensate', + 'hoe', + + 'default', + 'scoff', + + 'infer', + 'retort', + + 'broaden', + 'chorus', + + 'decompose', + 'beware', + + 'grab', + 'riot', + + 'entreat', + 'urge', + + 'supervise', + 'shrug', + + 'concentrate', + 'revive', + + 'terminate', + 'dazzle', + + 'transplant', + 'peck', + + 'xerox', + 'trot', + +'solidify', + 'ridicule', + + 'sneer', + 'boycott', + + 'chatter', + 'plunder', + + 'endeavor', + 'scramble', + + 'flap', + 'credit', + + 'tow', + 'clockwise', + + 'slaughter', + 'headlong', + + 'counter', + 'melancholy', + + 'eastward', + 'bulletin', + + 'Moslem', + 'allowancen', + +] +module.exports = { + wordList: word_list +} \ No newline at end of file diff --git a/data/cet6_import.js b/data/cet6_import.js new file mode 100644 index 0000000..c124f7b --- /dev/null +++ b/data/cet6_import.js @@ -0,0 +1,422 @@ +var word_list=[ + + 'hospitality', + 'pastime', + 'revenue', + 'routine', + 'scorn', + 'shortage', + 'smash', + 'stability', + 'stack', + 'standard', + 'surface', + 'temperament', + 'threshold', + 'tolerance', + 'transaction', + 'trend', + 'transition', + 'variation', + 'warehouse', + 'way', + 'access', + 'accommodation', + 'acknowledgement', + 'pattern', + 'penalty', + 'pension', + 'personality', + 'pledge', + 'position', + 'predecessor', + 'premise', + 'prescription', + 'preservation', + 'prestige', + 'priority', + 'prestige', + 'prospect', + 'rate', + 'ration', + 'reflection', + 'recession', + 'reputation', + 'reservation', + 'illusion', + 'ingredient', + 'insight', + 'inspection', + 'instinct', + 'integrity', + 'intuition', + 'lease', + 'legislation', + 'limitation', + 'loyalty', + 'luxury', + 'manifestation', + 'mechanism', + 'minority', + 'misfortune', + 'morality', + 'notion', + 'obligation', + 'occasion', + 'opponent', + 'ornament', + 'admiration', + 'advocate', + 'allowance', + 'ambition', + 'analogy', + 'anticipation', + 'appreciation', + 'array', + 'assurance', + 'blame', + 'blunder', + 'budget', + 'capability', + 'cash', + 'circulation', + 'commitment', + 'compensation', + 'consideration', + 'distinction', + 'emergency', + 'encouragement', + 'essence', + 'estimate', + 'expenditure', + 'extinctionn', + 'fashion', + 'flaw', + 'fortune', + 'fraction', + 'fuse', + 'guarantee', + 'guilt', + 'harmony', + + + 'abnormal', + 'absurd', + 'abundant', + 'acute', + 'aggressive', + 'ambiguous', + 'ambitious', + 'appropriate', + 'authentic', + 'average', + 'barren', + 'bound', + 'chronic', + 'commentary', + 'compact', + 'competitive', + 'compulsory', + 'confidential', + 'conservative', + 'consistent', + 'conspicuous', + 'crucial', + 'current', + 'decent', + 'delicate', + 'destructive', + 'economic', + 'elegant', + 'embarrassing', + 'energetic', + 'equivalent', + 'eternal', + 'exclusive', + 'extinct', + 'fake', + 'fatal', + 'feasible', + 'feeble', + 'gloomy', + 'greasy', + 'identical', + 'imaginative', + 'inaccessible', + 'inadequate', + 'incredible', + 'indifference', + 'indignant', + 'infectious', + 'inferior', + 'inferior', + 'inherent', + 'inspirational', + 'intent', + 'intricate', + 'Intrinsic', + 'irreplaceable', + 'literal', + 'massive', + 'merciful', + 'mobile', + 'naive', + 'negligible', + 'notorious', + 'obedient', + 'obscure', + 'optimistic', + 'original', + 'pathetic', + 'persistent', + 'potential', + 'prevalent', + 'primitive', + 'proficient', + 'profound', + 'prominent', + 'prompt', + 'raw', + 'relevant', + 'respectable', + 'rewarding', + 'rough', + 'rude', + 'sensitive', + 'sheer', + 'shrewd', + 'stationary', + 'subordinate', + 'subtle', + 'superficial', + 'suspicious', + 'tedious', + 'trivial', + 'turbulent', + 'underlying', + 'versatile', + 'vivid', + 'void', + 'vulnerable', + 'worth', + + + 'abandon', + 'acknowledge', + 'acquaint', + 'acquire', + 'afford', + 'allege', + 'alternate', + 'anticipate', + 'applaud', + 'ascend', + 'ascribe', + 'assemble', + 'assign', + 'attribute', + 'base', + 'bewilder', + 'breed', + 'cling', + 'coincide', + 'collaborate', + 'collide', + 'commence', + 'compensate', + 'complement', + 'comply', + 'conceive', + 'concern', + 'condense', + 'conflict', + 'conform', + 'confront', + 'conserve', + 'consolidate', + 'convey', + 'crash', + 'cruise', + 'dazzle', + 'deceive', + 'decline', + 'dedicate', + 'defend', + 'defy', + 'deny', + 'deprive', + 'derive', + 'descend', + 'descend', + 'deserve', + 'deviate', + 'disguise', + 'dominate', + 'drain', + 'duplicate', + 'eliminate', + 'endure', + 'enhance', + 'enroll', + 'evoke', + 'immerse', + 'impose', + 'induce', + 'indulge', + 'intend', + 'interpret', + 'jeopardize', + 'linger', + 'locate', + 'magnify', + 'mean', + 'mingle', + 'minimize', + 'monitor', + 'neglect', + 'occupy', + 'oppress', + 'originate', + 'overlap', + 'overwhelm', + 'parade', + 'permeate', + 'prescribe', + 'preside', + 'prolong', + 'promise', + 'propel', + 'protest', + 'provoke', + 'radiate', + 'reconcile', + 'refresh', + 'refute', + 'remain', + 'repel', + 'rescue', + 'resign', + 'resort', + 'resume', + 'revenge', + 'scan', + 'scrape', + 'scratch', + 'shrink', + 'standardize', + 'steer', + 'strengthen', + 'stretch', + 'subscribe', + 'suck()', + 'suppress', + 'sustain', + 'tackle', + 'tempt', + 'terminate', + 'transmit', + 'verify', + 'view', + 'wreck', + + + 'deliberately', + 'deliberately', + 'exclusively', + 'explicitly', + 'forcibly', + 'formerly', + 'increasingly', + 'inevitably', + 'intentionally', + 'optimistically', + 'outwardly', + 'presumably', + 'simultaneously', + 'somewhat', + 'spontaneously', + 'startlingly', + 'triumphantly', + 'unexpectedly', + 'virtually', + + + 'adhereto', + 'afterall', + 'atrandom', + 'breakout', + 'breakup', + 'butfor', + 'byfar', + 'bynomeans', + 'catchon', + 'catchupwith', + 'collidewith', + 'comeupwith', + 'commenton', + 'contraryto', + 'contributeto', + 'copewith', + 'cutshort', + 'doawaywith', + 'docreditto', + 'dueto', + 'goinfor', + 'gooff', + 'hangbyathread', + 'heappraiseupon', + 'inaccordancewith', + 'inbetween', + 'incaseof', + 'inhonourof', + 'inresponseto', + 'intermsof', + 'inthat', + 'inthevicinityof', + 'keepoff', + 'layoff', + 'letalone', + 'lookinto', + 'lookon', + 'losenotime', + 'makesenseofsth.', + 'ofnoavail', + 'onfile', + 'onnoaccount', + 'onthedecline', + 'outofstock', + 'providedthat', + 'pullup', + 'putaway', + 'regardlessof', + 'resultin', + 'seeto', + 'showto', + 'standfor', + 'takeon', + 'takeover', + 'taketo', + 'talkinto', + 'thatis', + 'turnin', + 'turnout', + 'turnto', + 'wardoff', + 'withreferenceto', + 'workout', + 'worthoneswhile', + 'abbreviation', + 'abolish', + 'absent', + 'absorption', + 'abstract', + 'absurd', + 'abundance', + 'accessory', + 'accord', + 'acknowledge', + +] +module.exports = { + wordList: word_list +} \ No newline at end of file diff --git a/data/kaoyan.js b/data/kaoyan.js new file mode 100644 index 0000000..ef3f160 --- /dev/null +++ b/data/kaoyan.js @@ -0,0 +1,5691 @@ +var word_list=[ + 'assault', + 'steamer', + + 'principal', + 'pendulum', + + 'consumption', + 'reliable', + + 'argument', + 'butter', + + 'score', + 'sham', + + 'rise', + 'cable', + + 'signal', + 'palm', + + 'man', + 'mercy', + + 'sniff', + 'medical', + + 'critical', + 'rice', + + 'extensive', + 'over', + + 'tolerance', + 'agent', + + 'denote', + 'slight', + + 'fierce', + 'lively', + + 'idiot', + 'surpass', + + 'regarding', + 'thigh', + + 'claim', + 'welcome', + + 'surge', + 'back', + + 'railroad', + 'impact', + + 'coordinate', + 'ounce', + + 'renovate', + 'policy', + + 'efficiency', + 'refresh', + + 'attempt', + 'slum', + + 'gown', + 'disclose', + + 'material', + 'wheel', + + 'cotton', + 'border', + + 'minor', + 'tension', + + 'magistrate', + 'evolve', + + 'idea', + 'spectacle', + + 'whale', + 'cashier', + + 'fall', + 'blow', + + 'prosecute', + 'setback', + + 'comparison', + 'auction', + + 'translation', + 'flare', + + 'valuable', + 'feasible', + + 'feeling', + 'path', + + 'market', + 'wretched', + + 'formidable', + 'father', + + 'peaceful', + 'stop', + + 'antenna', + 'want', + + 'Saturday', + 'judge', + + 'suggestion', + 'cottage', + + 'outline', + 'warehouse', + + 'billion', + 'fault', + + 'canal', + 'angel', + + 'ecology', + 'peace', + + 'eliminate', + 'ceiling', + + 'clarify', + 'no', + + + + 'calculate', + 'massacre', + + 'china', + 'integrity', + + 'input', + 'ash', + + 'kidney', + 'clue', + + 'tribe', + 'riddle', + + 'wood', + 'simply', + + 'formulate', + 'reach', + + 'royal', + 'hound', + + 'ordinary', + 'trim', + + 'ant', + 'guilt', + + 'leave', + 'abdomen', + + 'toilet', + 'youth', + + 'woman', + 'metal', + + 'legal', + 'allocate', + + 'rear', + 'provision', + + 'operate', + 'decline', + + 'sociable', + 'better', + + 'prevalent', + 'mark', + + 'interval', + 'calm', + + 'mislead', + 'register', + + 'affection', + 'duty', + + 'legitimate', + 'magnificent', + + 'security', + 'liable', + + 'sometimes', + 'detector', + + 'thief', + 'level', + + 'skirt', + 'key', + + 'pump', + 'versus', + + 'joint', + 'scream', + + 'solution', + 'cucumber', + + 'slender', + 'suspend', + + 'translate', + 'shoe', + + 'theory', + 'invade', + + 'drift', + 'relish', + + 'paper', + 'mosaic', + + 'diameter', + 'flexible', + + 'submarine', + 'during', + + 'cocaine', + 'merge', + + 'active', + 'breadth', + + 'plate', + 'room', + + 'philosophy', + 'weekday', + + 'call', + 'perceive', + + 'destiny', + 'lion', + + 'pollution', + 'acre', + + 'labor', + 'deliver', + + 'machinery', + 'pub', + + 'entail', + 'seed', + + 'twist', + 'realise', + + 'from', + 'sarcastic', + + + 'bury', + 'science', + 'deviate', + 'gang', + 'acute', + 'Alter', + 'minimize', + 'dismay', + 'modernization', + 'individual', + 'priest', + 'agriculture', + 'spring', + 'counsel', + 'enlighten', + 'gentle', + 'seminar', + 'inch', + 'pipe', + 'grocer', + 'performance', + 'abstract', + 'civilization', + 'exemplify', + 'vocation', + 'six', + 'dealer', + 'breed', + 'item', + 'radiant', + 'production', + 'satisfaction', + 'intensive', + 'habitat', + 'effect', + 'connection', + 'rather', + 'medieval', + 'ladder', + 'timid', + 'suspicion', + 'seek', + 'wing', + + 'TV', + 'amateur', + 'devote', + 'mingle', + 'government', + 'romance', + 'appointment', + 'accord', + 'enclose', + 'mind', + 'row', + 'missing', + 'urgent', + 'shelter', + 'orient', + 'circle', + 'have', + 'sleep', + 'plateau', + 'kite', + 'fast', + + 'surround', + 'slipper', + 'tomato', + 'criminal', + 'ritual', + 'kin', + 'absorb', + 'poet', + 'pyramid', + 'knife', + 'array', + 'bet', + 'defend', + 'mountain', + + 'bell', + + 'wooden', + 'apparent', + 'thunder', + 'supplement', + 'troop', + 'reduce', + 'pioneer', + 'state', + 'dial', + + 'suburb', + 'complain', + 'plunge', + 'week', + 'racket', + 'queen', + 'maths', + + 'just', + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + 'infant', + 'norm', + + 'peninsula', + 'soul', + + 'secret', + 'faculty', + + 'league', + 'replacement', + + 'count', + 'congress', + + 'impose', + 'hinder', + + 'gesture', + 'backward', + + 'importance', + 'cup', + + 'memorial', + 'lay', + + 'conform', + 'chat', + + 'centigrade', + 'supermarket', + + 'dangerous', + 'according', + 'to', + + 'instrumental', + 'reject', + + 'chair', + 'loaf', + + 'amplifier', + 'outfit', + + 'glitter', + 'test', + + 'fluctuate', + 'wound', + + 'actual', + 'Alloy', + + 'dragon', + 'waterproof', + + 'pattern', + 'immediate', + + 'wish', + 'respect', + + 'fun', + 'beat', + + 'meat', + 'health', + + 'capacity', + 'management', + + 'fringe', + 'clutch', + + 'projector', + 'salesman', + + 'daily', + 'stem', + + 'marble', + 'cruel', + + 'triumph', + 'dump', + + 'diffuse', + 'restless', + + 'index', + 'such', + + 'farewell', + 'strain', + + 'agenda', + 'almost', + + 'watch', + 'pregnant', + + 'maneuver', + 'conversation', + + 'stationary', + 'scale', + + 'knob', + 'notorious', + + 'exposure', + 'far', + + 'central', + 'camera', + + 'undergo', + 'reproach', + + 'meet', + 'liver', + + 'finite', + 'amend', + + 'blueprint', + 'goodby', + + 'loud', + 'overtime', + + 'insurance', + 'vicious', + + 'merely', + 'donkey', + + 'each', + 'dialect', + + 'somehow', + 'moist', + + 'mischief', + 'multiple', + + 'parent', + 'forum', + + 'outlet', + 'globe', + + 'bud', + 'uneasy', + + 'metropolitan', + 'lab', + + 'famine', + 'mug', + + 'itself', + 'action', + + 'expansion', + 'handwriting', + + 'analysis', + 'deck', + + 'homogeneous', + 'warn', + + 'association', + 'secondary', + + 'formula', + 'nylon', + + 'rank', + 'postcard', + + 'difficult', + 'society', + + 'meanwhile', + 'aircraft', + + 'contrary', + 'uproar', + + 'violin', + 'persuade', + + 'indifferent', + 'tail', + + 'weight', + 'daylight', + + 'wage', + 'consistent', + + 'hay', + 'family', + + 'upset', + 'manipulate', + + 'variable', + 'crime', + + 'melon', + 'upward', + + 'allege', + 'illegal', + + 'swan', + 'invite', + + 'whirl', + 'resolution', + + 'favor', + 'shady', + + 'damage', + 'spread', + + 'shepherd', + 'noble', + + 'dome', + 'torch', + + 'they', + 'radar', + + 'whether', + 'assume', + + 'proportion', + 'significance', + + 'excess', + 'excessive', + + 'eighteen', + 'recede', + + 'postman', + 'remarkable', + + 'opening', + 'skeptical', + + 'revenue', + 'fail', + + 'thousand', + 'vanity', + + 'catalog', + 'rib', + + 'silicon', + 'odds', + + 'arrow', + 'cope', + + 'stick', + 'implication', + + 'documentary', + 'vague', + + 'hover', + 'nonsense', + + 'charter', + 'different', + + 'entry', + 'hunt', + + + 'instance', + 'framework', + 'fourteen', + 'investment', + 'combine', + 'your', + 'intricate', + 'razor', + 'ruby', + 'library', + 'judgement', + 'conduct', + 'designate', + 'violence', + 'linen', + 'discount', + 'next', + 'casual', + 'associate', + 'leak', + 'automatic', + 'commend', + 'kingdom', + 'breakdown', + 'loosen', + 'nurture', + 'dorm', + 'private', + 'barely', + 'defy', + 'education', + 'panel', + 'reservoir', + 'wool', + 'arrogant', + 'realm', + 'Friday', + 'waterfall', + 'architecture', + 'deposit', + 'inclusive', + 'cure', + 'compassion', + 'coincidence', + 'until', + 'citizen', + 'Sunday', + 'population', + 'wedding', + 'describe', + 'occasional', + 'underlying', + 'patent', + 'interim', + 'reclaim', + 'ascend', + 'clap', + 'fame', + 'queer', + 'paperback', + 'revive', + 'engineer', + 'tolerate', + 'conclusion', + 'preserve', + 'ticket', + 'ride', + 'reed', + 'client', + 'smile', + 'quota', + 'Easter', + 'throat', + 'arouse', + 'ancestor', + + 'if', + + 'prosperous', + 'cream', + 'electron', + 'budget', + 'illuminate', + 'discuss', + 'pursuit', + 'gas', + 'wink', + 'opinion', + 'shrewd', + 'handbook', + 'evacuate', + 'fright', + + 'comedy', + 'land', + 'endure', + 'henceforth', + 'pleasure', + 'response', + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + 'communication', + 'magnify', + + 'form', + 'graceful', + + 'controversy', + 'analyse', + + 'innumerable', + 'artificial', + + 'obedience', + 'privacy', + + 'jet', + 'tub', + + 'flavor', + 'feedback', + + 'conjunction', + 'salad', + + 'awful', + 'property', + + 'mutual', + 'upper', + + 'silly', + 'bound', + + 'domain', + 'cool', + + 'name', + 'overwhelming', + + 'publication', + 'savage', + + 'transplant', + 'linguistic', + + 'in', + 'nobody', + + 'cloth', + 'punctual', + + 'ruin', + 'elapse', + + 'poultry', + 'tariff', + + 'reign', + 'hence', + + 'convention', + 'underline', + + 'intelligent', + 'wreath', + + 'around', + 'concert', + + 'eleven', + 'flee', + + 'useful', + 'focus', + + 'dubious', + 'body', + + 'absent', + 'plantation', + + 'vice', + 'safety', + + 'drop', + 'loan', + + 'otherwise', + 'dental', + + 'bind', + 'orderly', + + 'legend', + 'confuse', + + 'sky', + 'prior', + + 'eligible', + 'essential', + + 'narrative', + 'transform', + + 'tile', + 'specific', + + 'nose', + 'basement', + + 'entertain', + 'along', + + 'experience', + 'capital', + + 'stress', + 'monotonous', + + 'fill', + 'union', + + 'hardly', + 'lamb', + + 'bundle', + 'miniature', + + 'mill', + 'coherent', + + 'heave', + 'fan', + + 'gay', + 'dawn', + + 'statistical', + 'offend', + + 'fence', + 'flight', + + + 'grand', + 'tank', + 'prisoner', + 'withhold', + 'whenever', + 'retort', + 'equipment', + 'hearing', + 'confusion', + 'early', + 'so', + 'short', + 'tooth', + 'affluent', + 'clause', + 'breach', + 'character', + 'bonus', + 'heritage', + 'hook', + 'above', + 'joy', + 'salary', + 'semiconductor', + 'hungry', + 'horsepower', + 'guarantee', + 'obtain', + 'complete', + 'tea', + 'shrug', + 'retail', + + 'shirt', + 'duck', + 'model', + 'continual', + 'straightforward', + 'middle', + 'painting', + 'cop', + 'extent', + 'book', + 'wherever', + 'finger', + 'grief', + 'myself', + 'content', + 'lightning', + 'retire', + 'bottom', + 'numerical', + 'main', + 'canvas', + 'small', + 'solar', + 'regime', + 'fate', + 'shuttle', + 'temporary', + 'census', + 'really', + 'find', + 'rail', + 'assure', + 'track', + 'pale', + 'outcome', + 'year', + 'horizontal', + 'obstacle', + 'majesty', + 'trade', + 'screw', + 'dynamic', + 'tackle', + 'dwelling', + 'certainly', + 'acceptance', + 'verify', + 'bath', + 'package', + 'oak', + 'brow', + 'cupboard', + 'record', + 'instant', + 'root', + 'ore', + 'helmet', + 'cathedral', + 'who', + 'graduate', + 'mistress', + 'possibly', + 'brick', + 'directory', + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + 'intersection', + 'king', + + 'half', + 'discharge', + + 'overseas', + 'pretext', + + 'jargon', + 'calorie', + + 'scare', + 'depend', + + 'thin', + 'design', + + 'sample', + 'modest', + + 'reinforce', + 'notify', + + 'pen', + 'near', + + 'stain', + 'whichever', + + 'cafeteria', + 'cosy', + + 'tan', + 'dedicate', + + 'lately', + 'penny', + + 'radioactive', + 'logic', + + 'gravity', + 'injury', + + 'ban', + 'carbohydrate', + + 'sphere', + 'luggage', + + 'exist', + 'addict', + + 'new', + 'minister', + + 'tax', + 'evolution', + + 'see', + 'fiber', + + 'listen', + 'end', + + 'chemistry', + 'where', + + 'ministry', + 'negative', + + 'stack', + 'scold', + + 'coupon', + 'ankle', + + 'green', + 'foolish', + + 'deserve', + 'victim', + + 'resume', + 'always', + + 'cigaret', + 'sail', + + 'wicked', + 'owing', + + 'troublesome', + 'abound', + + 'powder', + 'parallel', + + 'dessert', + 'cattle', + + 'worse', + 'practically', + + 'testimony', + 'cord', + + 'interact', + 'spontaneous', + + 'distribute', + 'harness', + + 'conservative', + 'sailor', + + 'hello', + 'harassment', + + 'quiz', + 'relative', + + 'commonwealth', + 'finance', + + 'toe', + 'soda', + + 'eight', + 'consideration', + + 'hijack', + 'nap', + + 'renaissance', + 'rotten', + + 'pop', + 'mask', + + 'delegate', + 'airline', + + + 'collar', + 'the', + 'headache', + 'entity', + 'impart', + + 'manager', + 'dignity', + 'quarrel', + 'account', + 'raise', + 'melt', + 'artist', + 'tie', + + 'nominal', + 'quit', + 'plane', + 'undo', + 'absolute', + 'boot', + 'confidence', + 'editor', + 'receive', + 'passport', + 'dinner', + 'colonial', + 'obvious', + 'resign', + 'hysterical', + 'everyday', + 'excitement', + 'personal', + + 'TRUE', + 'fit', + + 'please', + 'possibility', + 'enter', + 'dictate', + 'outskirts', + 'cheap', + 'overflow', + 'fabricate', + 'measure', + 'natural', + 'watt', + 'presently', + 'screen', + 'hear', + 'fisherman', + 'perhaps', + 'intend', + 'cabin', + 'operator', + 'axis', + 'expense', + 'straight', + 'concrete', + 'basketball', + 'sudden', + 'airport', + 'cock', + 'general', + 'shield', + 'costume', + 'headline', + 'grown-up', + 'constituent', + 'piano', + 'probe', + 'lecture', + 'hose', + 'meal', + 'rumor', + 'snap', + 'psychology', + 'moisture', + 'gradual', + + 'critic', + + 'branch', + 'easy', + 'harm', + + 'harvest', + 'divorce', + 'successful', + 'appear', + 'lake', + 'telescope', + 'brim', + 'foot', + 'conference', + 'fire', + 'boast', + 'mortal', + 'childhood', + 'panorama', + 'galaxy', + 'take', + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + 'treasure', + 'ten', + + 'eve', + 'virtual', + + 'ink', + 'experimental', + + 'prescribe', + 'subscribe', + + 'box', + 'mean', + + 'interface', + 'violate', + + 'net', + 'stadium', + + 'expel', + 'clothe', + + 'reptile', + 'bar', + + 'nickel', + 'socialism', + + 'circular', + 'knee', + + 'rake', + 'thick', + + 'beast', + 'celebrity', + + 'bull', + 'final', + + 'tram', + 'diary', + + 'creative', + 'blind', + + 'access', + 'financial', + + 'altogether', + 'bug', + + 'reference', + 'primitive', + + 'prosperity', + 'brandy', + + 'rectangle', + 'recognize', + + 'concern', + 'climb', + + 'residence', + 'gallon', + + 'invaluable', + 'prejudice', + + 'heroic', + 'could', + + 'equality', + 'strip', + + 'elsewhere', + 'force', + + 'setting', + 'poem', + + 'garden', + 'mist', + + 'tire', + 'sorry', + + 'corn', + 'inlet', + + 'sector', + 'participate', + + 'hop', + 'impatient', + + 'genius', + 'factory', + + 'line', + 'idle', + + 'thumb', + 'leisure', + + 'develop', + 'manual', + + 'patron', + 'shiver', + + 'loyal', + 'semester', + + 'kneel', + 'much', + + 'spear', + 'future', + + 'homework', + 'squeeze', + + 'anxious', + 'nothing', + + 'edit', + 'whereas', + + 'gather', + 'lead', + + 'seat', + 'gene', + + 'neck', + 'typist', + + 'housewife', + 'pharmacy', + + 'utilizegreenhouse', + + 'happen', + 'circumference', + + 'biscuit', + 'prototype', + + 'mercury', + 'pave', + + 'expenditure', + 'detach', + + 'notable', + 'animal', + + 'outset', + 'aluminum', + + 'anxiety', + 'people', + + 'intact', + 'triangle', + + 'pit', + 'tour', + + 'trousers', + 'dine', + + 'lift', + 'attitude', + + 'report', + 'voluntary', + + 'studio', + 'oppress', + + 'shatter', + 'trouble', + + 'steady', + 'baby', + + 'surprise', + 'goat', + + 'believe', + 'scarce', + + 'sell', + 'fine', + + 'radio', + 'territory', + + 'grow', + 'thorough', + + 'quantify', + 'best', + + 'prophet', + 'Christmas', + + 'inside', + 'misery', + + 'waiter', + 'signify', + + 'bump', + 'intention', + + 'sympathy', + 'cheque', + + 'assurance', + 'freedom', + + 'defeat', + 'value', + + 'minority', + 'free', + + 'beforehand', + 'longitude', + + 'medium', + 'periodical', + + 'handkerchief', + 'religion', + + 'appreciate', + 'alternative', + + 'on', + 'disregard', + + 'remnant', + 'gymnasium', + + 'terrible', + 'irrigate', + + 'familiar', + 'scholar', + + 'proficiency', + 'beam', + + 'rash', + 'adjacent', + + 'glue', + 'gloomy', + + 'despise', + 'robot', + + 'soon', + 'plural', + + 'recall', + 'shallow', + + 'personality', + 'wardrobe', + + 'knowledge', + 'Alike', + + 'panic', + 'consecutive', + + 'innocent', + 'numb', + + 'those', + 'sin', + + 'arrest', + 'plug', + + 'switch', + 'prescription', + + 'river', + 'undertake', + + 'stable', + 'keen', + + 'subtle', + 'assistance', + + 'oxide', + 'handsome', + + 'eastern', + 'kilo', + + 'engagement', + 'marvelous', + + 'sponge', + 'erase', + + 'annual', + 'apt', + + 'treason', + 'auditorium', + + 'trifle', + 'rebel', + + 'satisfy', + 'puff', + + 'friction', + 'successor', + + 'opera', + 'pierce', + + 'drive', + 'assignment', + + 'underestimate', + 'cradle', + + 'steep', + 'navigation', + + 'tomb', + 'maybe', + + 'tribute', + 'engine', + + 'jewelry', + 'splendid', + + 'must', + 'Christian', + + 'award', + 'express', + + 'cripple', + 'density', + + 'ignorance', + 'ponder', + + 'assert', + 'bend', + + 'phase', + 'tongue', + + 'psychiatry', + 'deficiency', + + 'influence', + 'tractor', + + 'sway', + 'latent', + + 'sorrow', + 'prince', + + 'monkey', + 'pinch', + + 'laptop', + 'presence', + + 'lag', + 'refute', + + 'forehead', + 'shed', + + 'underlie', + 'vary', + + 'foster', + 'subordinate', + + 'specialist', + 'plentiful', + + 'exceed', + 'breast', + + 'random', + 'nail', + + 'comprise', + 'ship', + + 'tiger', + 'tired', + + 'literature', + 'commission', + + 'gender', + 'field', + + 'army', + 'pause', + + 'stoop', + 'erect', + + 'building', + 'feed', + + 'coal', + 'sacrifice', + 'delete', + 'brace', + 'necessary', + 'welfare', + 'generate', + 'delicate', + 'inject', + 'require', + 'lemon', + 'succeed', + 'sale', + 'ultimate', + 'jury', + 'poison', + 'power', + 'deliberate', + 'seem', + 'vulnerable', + 'restrain', + 'passion', + 'pillow', + 'scarcely', + 'dare', + 'postpone', + 'disaster', + 'allowance', + 'portable', + 'duration', + 'similar', + 'sacred', + 'somebody', + 'textbook', + 'ocean', + 'chemical', + 'opaque', + 'November', + 'pickup', + 'audio', + 'stubborn', + 'coat', + 'improvement', + 'owe', + 'become', + 'potato', + 'background', + 'passive', + 'revelation', + 'elastic', + 'percent', + 'us', + 'concede', + 'precedent', + 'helpful', + 'bee', + 'collection', + 'hole', + 'bosom', + 'grin', + 'venture', + 'instead', + 'handy', + 'break', + 'locomotive', + 'modern', + 'liberate', + 'pilot', + 'repeat', + 'hang', + 'innovation', + 'palace', + 'advise', + 'layman', + 'eminent', + 'recovery', + 'strive', + 'ballet', + 'rod', + 'expand', + 'wise', + 'fifteen', + 'coffee', + 'element', + 'angle', + 'cricket', + 'found', + 'wheat', + 'reserve', + 'restrict', + 'frustrate', + 'Alien', + 'past', + 'companion', + 'craft', + 'decide', + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + 'withstand', + 'reading', + 'cushion', + 'cereal', + + 'later', + 'corridor', + + 'sideways', + 'drink', + + 'nut', + 'sing', + + 'reckon', + 'derive', + + 'overnight', + 'substance', + + 'contemplate', + 'credit', + + 'rouse', + 'object', + + 'grammar', + 'Alert', + + 'disposition', + 'strength', + + 'insist', + 'emphasize', + + 'pea', + 'nation', + + 'plus', + 'several', + + 'sculpture', + 'zinc', + + 'season', + 'reader', + + 'west', + 'string', + + 'pole', + 'ending', + + 'fairy', + 'tonight', + + 'velocity', + 'hobby', + + 'replace', + 'method', + + 'yellow', + 'why', + + 'work', + 'beneath', + + 'deer', + 'visible', + + 'everywhere', + 'worldwide', + + 'humiliate', + 'independent', + + 'encourage', + 'increase', + + 'outward', + 'inventory', + + 'forest', + 'cough', + + 'foremost', + 'cohesive', + + 'bureau', + 'depart', + + 'distant', + 'magnet', + + 'outside', + 'crucial', + + 'beware', + 'scar', + + 'afternoon', + 'chocolate', + + 'support', + 'twelve', + + 'file', + 'consist', + + 'official', + 'doubt', + + 'simplicity', + 'smell', + + 'soil', + 'note', + + 'medal', + 'silver', + + 'clean', + 'bulb', + + 'close', + 'purple', + + 'rubber', + 'motion', + + 'republic', + 'database', + + 'hair', + 'complaint', + + 'dialog', + 'social', + + 'organize', + 'clay', + 'perspective', + 'cultivate', + 'arbitrary', + 'child', + + 'freight', + 'age', + + 'lend', + 'golf', + + 'reason', + 'confirm', + + 'silent', + 'timber', + + 'conscientious', + 'insult', + + 'married', + 'patient', + + 'may', + 'horn', + + 'ambassador', + 'zero', + + 'advance', + 'murmur', + + 'declaration', + 'right', + + 'term', + 'disguise', + + 'flash', + 'scatter', + + 'bear', + 'mere', + + 'prevent', + 'logical', + + 'coalition', + 'brutal', + + 'well-known', + 'prolong', + + 'throne', + 'rob', + + 'drawer', + 'offer', + + 'send', + 'pronounce', + + 'worthy', + 'expend', + + 'memory', + 'facility', + + 'mutter', + 'introduce', + + 'curriculum', + 'fear', + + 'copy', + 'captain', + + 'garlic', + 'starve', + + 'shampoo', + 'jug', + + 'when', + 'superior', + + 'shabby', + 'quiver', + + 'bacon', + 'emit', + + 'enquire', + 'zebra', + + 'escalate', + 'hostess', + + 'coach', + 'route', + + 'bank', + 'skillful', + + 'chop', + 'dig', + + 'accustomed', + 'Aisle', + + 'delicious', + 'frame', + + 'remote', + 'delay', + + 'wall', + 'stroll', + + 'away', + 'cloak', + + 'hammer', + 'fertile', + + 'submit', + 'viewpoint', + + 'hoist', + 'compress', + + 'correspondence', + 'transparent', + + 'diagnose', + 'although', + + 'composition', + 'barn', + + 'sharp', + 'wealthy', + + 'fat', + + 'profile', + + 'lack', + 'heroine', + + 'comply', + 'pair', + + 'cook', + 'abroad', + + 'anyone', + 'beside', + + 'dive', + 'destructive', + + 'insert', + 'overhead', + + 'acid', + 'fantastic', + + 'cap', + 'celebrate', + + 'attach', + 'select', + + 'fore', + 'discovery', + + 'genuine', + 'gracious', + + 'contact', + 'moment', + + 'tame', + 'honey', + + 'jazz', + 'bake', + + 'disease', + 'perplex', + + 'fixture', + 'basic', + + 'prize', + 'only', + + 'bewilder', + 'approximate', + + 'deem', + 'industrialize', + + 'benefit', + 'preclude', + + 'relieve', + 'morality', + + 'impetus', + 'pasture', + + 'garage', + 'heavy', + + 'browse', + 'bankrupt', + + 'identity', + 'resent', + + 'quantity', + 'rent', + + 'sincere', + 'spend', + + 'characteristic', + 'formation', + + 'promising', + 'incorporate', + + 'saw', + 'productivity', + + 'inference', + 'watch', + + 'satisfactory', + 'rigorous', + + 'persevere', + 'infrastructure', + + 'refine', + 'synthesis', + + 'roast', + 'descent', + + 'crystal', + 'aggressive', + + 'insure', + 'scientist', + + 'uncle', + 'aspect', + + 'historical', + 'bore', + + 'speech', + 'police', + + 'goods', + 'shave', + + 'reveal', + 'confidential', + + 'refreshment', + 'lawyer', + + 'usual', + 'exit', + + 'midst', + 'button', + + 'rectify', + 'eye', + 'two', + + 'plain', + 'comfortable', + 'view', + 'spy', + 'today', + 'accessory', + 'lumber', + 'enjoy', + 'he', + 'compensate', + + 'lest', + 'technician', + 'equator', + + 'survival', + 'light', + 'suppress', + 'front', + 'cling', + 'accurate', + 'overwhelm', + 'membership', + 'accordingly', + 'lamp', + 'anywhere', + 'royalty', + 'group', + 'phrase', + 'cheer', + 'apart', + 'nerve', + 'island', + 'aeroplane', + 'investigate', + 'fearful', + 'adjust', + 'flow', + 'nationality', + 'display', + 'hot', + 'rain', + 'pride', + 'therapy', + 'limp', + 'editorial', + 'miserable', + 'purpose', + 'desirable', + 'county', + 'conventional', + 'aspire', + 'adapt', + 'fireman', + 'litter', + 'yield', + 'groan', + 'slim', + 'brilliant', + 'fertilizer', + 'borrow', + 'optimistic', + 'monthly', + 'kit', + 'imperial', + 'perfect', + 'plan', + 'formal', + 'block', + 'decent', + 'jaw', + + 'sly', + 'guideline', + 'shut', + 'spoon', + 'gross', + 'harsh', + 'belt', + 'secure', + 'gulf', + 'enlarge', + 'nowhere', + 'premise', + 'enforce', + 'evoke', + 'mental', + 'tone', + 'ambitious', + 'both', + 'assembly', + 'shout', + 'east', + 'cycle', + 'upstairs', + 'durable', + 'precede', + 'diamond', + 'sociology', + 'depict', + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + 'nervous', + + 'poster', + + 'coil', + + 'speculate', + + 'microphone', + + 'physics', + + 'rainbow', + + 'nevertheless', + + 'pan', + + 'vacuum', + 'software', + + 'spoil', + 'contend', + + 'hasty', + 'physician', + + 'swear', + 'difficulty', + + 'layoff', + 'terminal', + + 'hurl', + 'aware', + + 'geography', + 'incredible', + + 'moon', + 'very', + + 'to', + 'calcium', + + 'speak', + 'biology', + + 'initiative', + 'grope', + + 'overlook', + 'function', + + 'bad', + 'ear', + + 'criterion', + 'cast', + + 'subtract', + 'distance', + + 'park', + 'brisk', + + 'chance', + 'preparation', + + 'number', + 'creature', + + 'hostage', + 'pour', + + 'gold', + 'sophomore', + + 'metric', + 'reality', + + 'admission', + 'misfortune', + + 'forever', + 'lease', + + 'launch', + 'heel', + + 'electric', + 'gossip', + + 'applaud', + 'scientific', + + 'worthwhile', + 'reassure', + + 'drown', + 'oxygen', + + 'January', + 'prospective', + + 'attain', + 'athlete', + + 'rally', + 'manage', + + 'divert', + 'plaster', + + 'crowd', + 'acclaim', + + 'pessimistic', + 'repertoire', + + 'yet', + 'detain', + + 'decision', + 'crust', + + 'perfection', + 'weekend', + + 'marital', + 'compete', + + 'scholarship', + 'elevate', + 'correct', + 'blame', + + 'pink', + 'gut', + + 'step', + 'corrupt', + + 'death', + 'change', + + 'jolly', + 'startle', + + 'paw', + 'yell', + + 'analytic', + 'nursery', + + 'institution', + 'mother', + + 'rape', + 'voice', + + 'occur', + 'talk', + + 'renew', + 'undoubtedly', + + 'statute', + 'surface', + + 'even', + 'local', + + 'reconcile', + 'fuse', + + 'preceding', + 'departure', + + 'whose', + 'overturn', + + 'frighten', + 'May', + + 'snowstorm', + 'donate', + + 'cinema', + 'gear', + + 'worship', + 'distinct', + + 'singular', + 'communism', + + 'forward', + 'vein', + + 'draft', + 'feature', + + 'pad', + 'distinction', + + 'diligent', + 'stability', + + 'wander', + 'sprout', + + 'extract', + 'visual', + + 'hardware', + 'thirteen', + + 'scramble', + 'aesthetic', + + 'gain', + 'article', + + 'layer', + 'football', + + 'consultant', + 'young', + + 'locker', + 'chase', + + 'you', + 'tight', + + 'smog', + 'secretary', + + 'push', + 'sequence', + + 'lane', + 'beg', + + 'ebb', + 'vertical', + + 'wind', + 'purse', + + 'dwarf', + 'serve', + + 'since', + 'broad', + + 'thrift', + 'mayor', + + 'vinegar', + 'explosive', + + 'mobile', + 'invitation', + + 'sensitive', + 'Negro', + + 'physiological', + 'civilize', + + 'executive', + 'kitchen', + + 'dislike', + 'partly', + 'petition', + + 'diet', + 'howl', + 'chew', + 'recipe', + 'orthodox', + 'spot', + 'heroin', + 'stranger', + 'cut', + 'fox', + 'buffet', + 'pig', + 'administer', + 'collide', + 'white', + 'composite', + 'understand', + 'praise', + 'matter', + 'differentiate', + 'infrared', + 'sex', + 'embassy', + 'session', + 'plight', + 'abolish', + 'team', + 'alliance', + 'lick', + 'desert', + 'truth', + 'dip', + 'incident', + 'fountain', + 'invisible', + 'applicable', + 'tangle', + 'carriage', + 'furthermore', + 'girl', + 'inflation', + 'inform', + 'complication', + 'wrist', + 'here', + 'besides', + 'cart', + 'tray', + 'cement', + 'robust', + + 'phenomenon', + + 'smuggle', + + 'Allow', + + 'limitation', + 'batch', + + 'digest', + + + 'trait', + 'consensus', + 'perpetual', + 'Catholic', + 'hell', + 'naval', + 'hatred', + 'seaside', + 'decay', + 'friendship', + 'afterward', + 'catastrophe', + 'estimate', + 'rule', + 'jog', + 'tower', + 'physicist', + 'shame', + 'adult', + 'shipment', + 'favorite', + 'herd', + 'attend', + 'finally', + 'relation', + 'noisy', + 'legislation', + 'being', + 'racial', + 'evident', + 'discipline', + 'lean', + 'fume', + 'department', + 'opportunity', + 'ever', + 'refrain', + 'divide', + 'fish', + 'difference', + 'swim', + 'surgery', + 'bureaucracy', + 'creep', + 'for', + 'personnel', + 'beach', + 'avail', + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + 'adventure', + + 'garbage', + + 'deduce', + + 'steward', + + 'tunnel', + + 'magazine', + + 'overlap', + + 'monarch', + + 'summer', + + 'bread', + 'conscious', + + 'compensation', + 'soft', + + 'off', + 'aural', + + 'adjoin', + 'naughty', + + 'fraction', + 'concise', + + 'lifetime', + 'penalty', + + 'cabbage', + 'sprinkle', + + 'alphabet', + 'school', + + 'dirty', + 'huddle', + + 'discrepancy', + 'world', + + 'landlady', + 'suite', + + 'surgeon', + 'musician', + + 'breath', + 'portion', + + 'puppet', + 'vision', + + 'typical', + 'garment', + + 'pilgrim', + 'universe', + + 'competition', + 'tick', + + 'seize', + 'instinct', + + 'application', + 'glass', + + 'extension', + 'condition', + + 'competent', + 'deal', + + 'journalist', + 'commodity', + + 'learning', + 'lever', + + 'ultraviolet', + 'brush', + + 'nature', + 'standpoint', + + 'solemn', + 'carrier', + + 'car', + 'surrender', + + 'distill', + 'solitary', + + 'rhythm', + 'drawing', + + 'lip', + 'wife', + + 'splash', + 'incur', + + 'appetite', + 'diversion', + + 'liability', + 'transient', + + 'advocate', + 'spaceship', + + 'widespread', + 'combination', + + 'company', + 'deteriorate', + + 'but', + 'offspring', + + 'feather', + 'culture', + + 'temperature', + 'unexpected', + + 'pistol', + 'position', + + 'tropical', + 'succession', + + 'despatch', + 'feast', + + 'thing', + 'hour', + + 'bus', + 'tug', + + 'show', + 'nutrition', + + 'elaborateeyesight', + + 'abide', + 'bed', + + 'total', + 'moss', + + 'teacher', + 'interfere', + + 'napkin', + 'incline', + + 'threshold', + 'literacy', + + 'treat', + 'volleyball', + + 'uncover', + 'infer', + + 'canteen', + 'anguish', + + 'while', + 'haste', + + 'irritate', + 'blaze', + + 'anonymous', + 'ornament', + + 'kidnap', + 'accept', + + 'witch', + 'strange', + + 'underground', + 'delight', + + 'race', + 'triple', + + 'funny', + 'before', + + 'maintenance', + 'write', + + 'deed', + 'Bible', + + 'finding', + 'flag', + + 'cover', + 'hawk', + + 'nightmare', + 'unite', + + 'spill', + 'live', + + 'damp', + 'trademark', + + 'weekly', + 'wrap', + + 'blur', + 'forthcoming', + + 'ozone', + 'anybody', + + 'respective', + 'enough', + + 'process', + 'doom', + + 'heal', + 'indignation', + + 'employ', + 'round', + + 'battle', + 'indication', + + 'debate', + 'mud', + + 'compose', + 'good', + + 'upgrade', + 'brand', + + 'capsule', + 'truck', + + 'partner', + 'spite', + + 'warmth', + 'fairly', + + 'pepper', + 'domestic', + + 'recover', + 'chin', + + 'shoulder', + 'beloved', + + 'female', + 'consequently', + + 'entrepreneur', + 'what', + + 'litre', + 'under', + + 'save', + 'mount', + + 'base', + 'southern', + + 'conclude', + 'compare', + + 'definition', + 'urban', + + 'vote', + 'ruthless', + + 'masculine', + 'distort', + + 'equation', + 'poll', + + 'dot', + 'custom', + + 'channel', + 'inhabit', + + 'tiresome', + 'agree', + + 'exception', + 'grain', + + 'simplify', + 'limit', + + 'present', + 'pavement', + + 'compel', + 'classmate', + + 'anyhow', + 'quiet', + + 'principle', + 'tobacco', + + 'reward', + 'great', + + 'revolve', + 'abnormal', + + 'dollar', + 'glad', + + 'sketch', + 'shift', + + 'lie', + 'usually', + + 'brave', + 'downstairs', + + 'dominant', + 'controversial', + + 'hundred', + 'toxic', + + 'regular', + 'explain', + + 'humanity', + 'milk', + + 'drum', + 'scope', + + 'month', + 'kill', + + 'rescue', + 'choke', + + 'ethnic', + 'bruise', + + 'intrigue', + 'resistant', + + 'envisage', + 'ill', + + 'sufficient', + 'human', + + 'expire', + 'proceed', + + 'cloudy', + 'sting', + + 'highland', + 'elbow', + + 'dictionary', + 'millimeter', + + 'average', + 'up', + + 'convenience', + 'intercourse', + + 'pay', + 'greeting', + + 'same', + 'charm', + + 'haul', + 'cruise', + + 'hate', + 'counterpart', + + 'ambition', + 'dear', + + 'exam', + 'humidity', + + 'three', + 'order', + + 'sport', + + 'condense', + 'war', + 'carpenter', + 'symphony', + 'stock', + 'consult', + 'auto', + 'recite', + 'chip', + 'band', + 'audit', + 'wallet', + 'escape', + 'convince', + 'so-called', + 'struggle', + 'propaganda', + 'condemn', + 'sword', + 'numerous', + 'agony', + 'heap', + 'orphan', + 'twin', + 'interview', + + 'awake', + 'cliff', + 'classification', + + 'post', + 'commence', + + 'plead', + 'real', + 'soap', + 'twice', + 'paradigm', + 'guard', + 'delivery', + 'illness', + 'last', + 'characterize', + 'menu', + 'verge', + 'accuracy', + 'glimpse', + 'part', + 'isolate', + 'piston', + 'curl', + 'sleeve', + 'ensure', + 'yes', + 'overpass', + + 'slit', + + 'isle', + + 'interpret', + + 'sensible', + + + 'bullet', + + 'humor', + + 'fold', + 'lounge', + 'addition', + 'something', + 'frost', + 'god', + 'imaginary', + 'pure', + 'appendix', + 'tag', + 'colony', + 'flour', + 'housing', + + 'mammal', + + 'deceive', + 'mild', + 'terrify', + 'fulfill', + 'attract', + 'ninety', + 'painful', + + 'tilt', + + 'grease', + 'protein', + 'shade', + 'mend', + + 'entitle', + 'coke', + 'dream', + + 'classic', + 'rocket', + 'susceptible', + + 'common', + 'excellent', + 'pronoun', + 'patience', + 'assist', + 'entertainment', + 'continent', + 'theoretical', + 'injure', + 'instruction', + 'adverb', + 'flock', + 'gap', + 'substitute', + + + + + + + + + + + + + + + + + + + + + + + + + + 'permit', + + 'ton', + + 'involve', + + 'rational', + + 'shrink', + + 'equivalent', + + 'notion', + + 'clarity', + + 'aggravate', + + 'destruction', + 'second', + + 'industrial', + 'chronic', + + 'saturate', + 'exterior', + + 'drawback', + 'moral', + + 'breakfast', + 'touch', + + 'conversion', + 'boss', + + 'volt', + 'load', + + 'prudent', + 'foundation', + + 'shoot', + 'span', + + 'accommodation', + 'colonel', + + 'skull', + 'blend', + + 'consume', + 'holder', + + 'despair', + 'mystery', + + 'unless', + 'often', + + 'chess', + 'receipt', + + 'congratulate', + 'weak', + + 'flaw', + 'fair', + + 'chairman', + 'autonomy', + + 'shock', + 'remember', + + 'actor', + 'tidy', + + 'rejoice', + 'encounter', + + 'ox', + 'study', + + 'me', + 'glide', + + 'prosper', + 'rarely', + + 'denial', + 'patrol', + + 'syndrome', + 'niece', + + 'religious', + 'more', + + 'eager', + 'noticeable', + + 'hurricane', + 'hint', + + 'overcoat', + 'fund', + + 'afford', + 'fatigue', + + 'induce', + 'less', + + 'meeting', + 'analogue', + + 'sophisticated', + 'sweat', + + 'point', + 'cent', + + 'risk', + 'liberty', + + 'device', + 'communicate', + + 'everything', + 'person', + + 'overthrow', + 'pathetic', + + 'fuss', + 'language', + + 'stove', + 'amiable', + + 'chorus', + 'balloon', + + 'pleasant', + 'do', + + 'Monday', + 'render', + + 'bandage', + 'visa', + + 'once', + 'might', + + 'furious', + 'comprehensive', + + 'ashore', + 'guilty', + + 'concept', + 'some', + + 'statue', + 'inhale', + + 'auxiliary', + 'problem', + + 'zigzag', + 'upon', + + 'student', + 'these', + + 'somewhat', + 'professor', + + 'chest', + 'intimidate', + + 'defect', + 'glance', + + 'enclosure', + 'luxury', + + 'stuff', + 'certificate', + + 'space', + 'strife', + + 'speciality', + 'sue', + + 'door', + 'negligible', + + 'overcome', + 'bitter', + + 'fortunate', + 'civil', + + 'neglect', + 'recur', + + 'landlord', + 'furniture', + + 'violent', + 'a', + + 'utmost', + 'voyage', + + 'kiss', + 'unemployment', + + 'historic', + 'intrude', + + 'oral', + 'resist', + + 'hope', + 'tanker', + + 'narrow', + 'pencil', + + 'about', + 'remove', + + 'federal', + 'badge', + + 'scorn', + 'hat', + + 'laundry', + 'embrace', + + 'directly', + 'flourish', + + 'merit', + 'dean', + + 'credential', + 'adequate', + + 'journal', + 'paddle', + + 'margin', + 'forecast', + + 'practise', + 'primary', + + 'skilled', + 'height', + + 'erosion', + 'attendant', + + 'seemingly', + 'activity', + + 'organization', + 'expedition', + + 'music', + 'nearby', + + 'publish', + + 'friend', + 'learn', + 'noun', + + 'agreement', + 'letter', + 'graphic', + 'stage', + 'sigh', + 'grieve', + 'eighty', + 'parliament', + 'cordial', + 'discover', + 'obstruct', + 'silk', + + 'peel', + 'dumb', + + 'grip', + 'refusal', + 'their', + 'specification', + 'expression', + 'remind', + 'apply', + 'patch', + 'golden', + 'honor', + 'resemble', + 'muscular', + 'ignite', + 'sneeze', + 'siren', + 'snatch', + 'pool', + 'technology', + 'interesting', + 'component', + 'amount', + 'dread', + 'fetch', + 'bold', + 'bald', + 'disastrous', + 'map', + 'jump', + 'wax', + + 'terror', + 'certify', + + 'frank', + 'merchant', + 'stumble', + 'knit', + 'shelf', + 'magic', + + 'though', + + 'scandal', + + + 'endow', + 'echo', + 'breathe', + 'blunt', + 'systematic', + 'unfold', + 'competitive', + 'extend', + 'sustain', + 'throughout', + 'freeze', + 'doorway', + 'internal', + 'water', + 'sun', + 'adopt', + 'evaporate', + 'win', + 'straw', + 'pursue', + 'tissue', + + 'autumn', + 'sometime', + + 'intelligible', + 'terrific', + 'rush', + 'flood', + 'outing', + 'campus', + 'gaze', + 'used', + 'cautious', + 'worth', + 'reasonable', + 'sunset', + 'vivid', + 'author', + 'handicap', + 'winter', + 'intuition', + 'clinic', + + 'enormous', + 'pledge', + 'kick', + 'brother', + 'despite', + 'soluble', + 'resident', + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + 'tuck', + 'exclude', + 'lavatory', + + 'college', + + 'revolution', + + 'porter', + + 'learned', + + 'mile', + + 'range', + + 'law', + 'trend', + + 'evidence', + 'disposal', + + 'minute', + 'subject', + + 'captive', + 'life', + + 'geology', + 'conceive', + + 'gamble', + 'clerk', + + 'embody', + 'recycle', + + 'crash', + 'scheme', + + 'corrode', + 'undergraduate', + + 'scissors', + 'pack', + + 'juice', + 'fragment', + + 'majority', + 'our', + + 'odor', + 'suitable', + + 'elite', + 'cancel', + + 'overall', + 'negotiate', + + 'persecute', + 'onto', + + 'drought', + 'engineering', + + 'cancer', + 'ready', + + 'sponsor', + 'Also', + + 'violet', + 'century', + + 'I', + 'confine', + + 'warrant', + 'customary', + + 'commit', + 'lens', + + 'preferable', + 'community', + + 'exquisite', + 'lover', + + 'zoo', + 'mass', + + 'considerable', + 'drama', + + 'streamline', + 'spider', + + 'yard', + 'game', + + 'summary', + 'charge', + + 'kindergarten', + 'academy', + + 'arch', + 'steer', + + 'nod', + 'overhear', + + 'beverage', + 'tow', + + 'brain', + 'digital', + + 'hire', + 'coordinate', + + 'military', + 'propel', + + 'suspect', + 'noon', + + 'boy', + 'wholesome', + + 'independence', + 'rose', + 'nineteen', + 'surplus', + 'someone', + 'occurrence', + + 'millionaire', + 'attendance', + + 'president', + 'bridge', + + 'cylinder', + 'opponent', + + 'repetition', + 'crack', + + 'emphasis', + 'taxi', + + 'by', + 'marine', + + 'none', + + 'annoy', + + 'purchase', + 'eagle', + + 'civilian', + 'spit', + + 'discriminate', + 'infinite', + + 'pillar', + 'stun', + + 'rack', + 'fifty', + + 'invasion', + 'inherent', + + 'appearance', + 'aloud', + + 'cigar', + 'exaggerate', + + 'art', + 'static', + + 'unanimous', + 'ignorant', + + 'tend', + 'criticize', + + 'FALSE', + 'bit', + + 'code', + 'help', + + 'destination', + 'prose', + + 'slice', + 'skate', + + 'leading', + 'ingredient', + + 'ugly', + 'tap', + + 'huge', + 'living-room', + + 'cake', + 'quartz', + + 'energy', + 'clockwise', + + 'shilling', + 'integrate', + + 'illusion', + 'dark', + + 'occupation', + 'horrible', + + 'confront', + 'wrinkle', + + 'meditate', + 'comb', + + 'fraud', + 'sense', + + 'hedge', + 'daytime', + + 'picture', + 'legacy', + + 'disgust', + 'spouse', + + 'leadership', + 'tentative', + + 'preside', + 'rotary', + + 'die', + 'bother', + + 'storey', + 'astonish', + + 'thus', + 'symptom', + + 'irony', + 'thrust', + + 'readily', + 'extinguish', + + 'technical', + 'waste', + + 'dimension', + + 'suicide', + + 'veil', + 'beyond', + + 'demonstrate', + 'category', + 'virus', + 'mould', + + 'junior', + 'humid', + + 'dead', + 'class', + + 'steal', + 'lapse', + + 'cherry', + 'barren', + + 'fist', + 'egg', + + 'gun', + 'cyberspace', + + 'figure', + + 'synthetic', + + 'thermometer', + 'exert', + + 'requirement', + 'audience', + + 'prone', + 'verse', + + 'afraid', + 'color', + + 'notebook', + 'sake', + + 'exciting', + 'opt', + + 'exempt', + 'eyebrow', + + 'seldom', + 'edition', + + 'squirrel', + 'soup', + + 'construct', + 'flap', + + 'willing', + 'temptation', + + 'aerial', + 'courage', + + 'sweep', + 'able', + + 'summit', + 'ice', + + 'clash', + 'detail', + + 'daughter', + 'ingenious', + + 'stagger', + 'repay', + + 'salute', + 'honest', + + 'explosion', + 'determine', + + 'strawberry', + 'bat', + + 'housework', + 'dependent', + + 'turnover', + 'sunrise', + + 'wrong', + 'relay', + + 'sew', + 'bow', + + 'drill', + 'umbrella', + + 'republican', + 'banquet', + + 'reckless', + 'office', + + 'inertia', + 'degenerate', + + 'of', + 'foul', + + 'lap', + 'core', + + 'failure', + 'compute', + + 'impression', + 'relief', + + 'previous', + 'smooth', + + 'slow', + 'lose', + + 'revolutionary', + 'practical', + + 'loyalty', + 'knock', + + 'too', + 'grass', + 'trial', + + 'original', + + 'minimum', + 'barber', + + 'descendant', + 'elevator', + 'preference', + 'aside', + + 'butterfly', + 'million', + + 'shop', + 'courtyard', + + 'match', + 'protect', + + 'single', + 'supersonic', + + 'darling', + 'nearly', + + 'business', + 'wine', + + 'peach', + + 'generous', + + 'complicated', + 'fireplace', + + 'assassinate', + 'X-ray', + + 'obsession', + 'wagon', + + 'leather', + 'incidence', + + 'puzzle', + 'belly', + + 'passage', + 'tropic', + + 'benign', + 'bubble', + + 'recipient', + 'meantime', + + 'begin', + 'alone', + + 'hollow', + 'construction', + + 'possess', + 'own', + + 'grape', + 'lantern', + + 'imperative', + 'already', + + 'cease', + 'compartment', + + 'dam', + 'bachelor', + + 'catch', + 'dirt', + + 'mechanic', + 'and', + + 'agency', + 'corporation', + + 'lame', + 'bicycle', + + 'ease', + 'imply', + + 'oil', + 'joke', + + 'productive', + 'sauce', + + 'loose', + 'swing', + + 'lubricate', + 'jealous', + + 'draw', + 'telegram', + + 'dilute', + 'board', + + 'purify', + 'dusk', + + 'reverse', + 'sturdy', + + 'ventilate', + 'kind', + + 'crew', + 'bearing', + + 'rifle', + 'escort', + + 'speed', + 'zoom', + + 'momentum', + 'other', + + 'air-conditioning', + 'expect', + + 'nasty', + 'waken', + + 'ignore', + 'wild', + + 'pamphlet', + 'standard', + + 'horror', + + 'stereotype', + + 'stone', + 'direction', + + 'particle', + 'weave', + + 'status', + 'fundamental', + + 'spur', + 'highly', + + 'approve', + 'oneself', + + 'stride', + 'gate', + + 'prestige', + 'appoint', + + 'September', + 'dove', + + 'stall', + 'frown', + + 'give', + + 'hi', + + 'hinge', + 'paint', + + 'chamber', + 'testify', + + 'phone', + 'abrupt', + + 'province', + 'unity', + + 'story', + 'region', + + 'radiate', + 'ratio', + + 'healthy', + 'sight', + + 'pope', + 'pass', + + 'mock', + 'maintain', + + 'inferior', + 'blanket', + + 'neat', + 'paste', + + 'revenge', + 'workshop', + + 'centimetre', + 'bone', + + 'spirit', + 'guess', + + 'horizon', + 'March', + + 'e-mail', + 'inevitable', + + 'accommodate', + 'devil', + + 'dance', + 'success', + + 'discourage', + 'stretch', + + 'organism', + 'portrait', + + 'comment', + 'quality', + + 'specimen', + 'saddle', + + 'farther', + 'hemisphere', + + 'deduct', + 'adverse', + + 'calendar', + 'precaution', + + 'rubbish', + 'lad', + + 'talent', + 'molecule', + + 'cheek', + 'occasion', + + 'sentence', + 'commemorate', + + 'flesh', + 'will', + + 'keyboard', + 'miss', + + 'utter', + 'snack', + + 'judicial', + 'plot', + + 'moderate', + 'research', + + 'teach', + 'approval', + + 'crude', + 'texture', + + 'visitor', + 'special', + 'hide', + + 'hardship', + 'act', + 'hug', + 'rate', + 'big', + 'marry', + 'compass', + 'claw', + 'exact', + 'side', + 'salvation', + 'identical', + 'mood', + + 'structure', + 'filter', + + 'training', + 'born', + 'turbulent', + 'shake', + 'via', + 'posture', + 'onion', + + 'conflict', + + 'herb', + + 'limb', + + 'October', + + 'stake', + + 'detective', + + 'ambulance', + + 'intrinsic', + 'token', + 'wipe', + 'tent', + 'necessitate', + 'swift', + 'vanish', + 'profitable', + 'within', + 'ferry', + 'cheese', + 'mourn', + + 'assistant', + 'court', + 'cry', + 'pity', + 'handful', + 'slippery', + 'politics', + 'valid', + 'locate', + 'quarterly', + 'bin', + 'flu', + 'observation', + 'contrive', + 'ward', + + 'illustration', + 'economic', + 'hand', + 'grant', + 'battery', + 'convert', + 'cemetery', + 'ability', + 'declare', + 'manifest', + 'epoch', + 'quote', + 'threaten', + 'sunshine', + 'segment', + 'analogy', + 'son', + 'refuge', + 'juvenile', + 'heir', + + 'December', + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + 'conservation', + 'vigorous', + 'national', + + 'madame', + + 'questionnaire', + 'precise', + 'column', + + 'fossil', + 'foam', + 'party', + 'compatible', + 'navy', + 'mature', + 'muscle', + 'invalid', + 'promote', + 'thesis', + 'debt', + 'quite', + 'presumably', + 'well', + 'rest', + 'edge', + 'window', + 'raid', + 'everyone', + 'barrel', + 'survive', + 'specify', + + + 'intelligence', + 'electricity', + 'energetic', + 'dull', + 'tall', + 'clock', + 'first', + 'fell', + 'intellectual', + 'whatever', + + 'this', + 'responsible', + 'clothes', + 'outrage', + 'liquid', + 'hypocrisy', + 'okay', + 'location', + 'constant', + 'weed', + 'dish', + + 'downward', + + 'transaction', + 'strap', + 'shot', + 'embarrass', + 'wisdom', + 'anniversary', + 'swell', + 'graph', + 'strategy', + 'orchestra', + 'blast', + 'congratulation', + 'blossom', + 'north', + 'hamper', + + 'resort', + 'destroy', + 'prominent', + 'eat', + 'oath', + 'earth', + 'petroleum', + 'drunk', + 'spin', + 'hydrogen', + 'cater', + + + + + + + 'cafe', + 'initial', + 'radical', + 'road', + 'continue', + 'toward', + + 'institute', + 'toll', + + 'absence', + 'exclaim', + 'stripe', + 'extreme', + 'output', + 'endeavor', + 'member', + 'amuse', + 'cow', + 'corner', + 'acquaint', + 'hesitate', + 'discourse', + 'initiate', + 'treaty', + 'possession', + 'junction', + 'whip', + 'external', + 'disperse', + 'parcel', + 'drain', + 'reform', + 'neutral', + 'countryside', + 'assemble', + 'thought', + 'manuscript', + 'pill', + 'responsibility', + 'least', + 'director', + 'particular', + 'generalize', + 'she', + 'dynasty', + 'movement', + 'clergy', + 'volcano', + 'impossible', + + + + + + + + + + + + + + + + + + + + + + + + + + + + + 'parachute', + + 'memo', + + 'obedient', + + 'miracle', + + 'fabulous', + + 'fracture', + + 'profit', + + 'pigeon', + + 'soccer', + + 'contest', + + 'guidance', + + 'fool', + 'funeral', + + 'conquest', + 'pose', + + 'swallow', + 'capable', + + 'predecessor', + 'address', + + 'chart', + 'avenue', + + 'crop', + 'eventually', + + 'cargo', + 'junk', + + 'slot', + 'persuasion', + + 'stab', + 'dissipate', + + 'weapon', + 'modify', + + 'superb', + 'deep', + + 'his', + 'shove', + + 'effective', + 'rip', + + 'indoor', + 'germ', + + 'dismiss', + 'master', + + 'implement', + 'separate', + + 'messenger', + 'reap', + + 'nourish', + 'tumour', + + 'strenuous', + 'which', + + 'sweater', + 'amplify', + + 'slogan', + 'striking', + + 'sink', + 'compulsory', + + 'finish', + 'then', + + 'star', + 'wear', + + 'interior', + 'chill', + + 'economy', + 'staircase', + + 'be', + 'goose', + + 'whole', + 'project', + + 'tempt', + 'artery', + + 'herself', + 'conspiracy', + + 'banana', + 'yearly', + + 'economical', + 'large', + + 'repression', + 'port', + + 'famous', + 'fruitful', + + 'uniform', + 'pulse', + + 'heaven', + 'taste', + + 'All', + 'hopeful', + + 'frog', + 'compact', + + 'job', + 'embark', + + 'revise', + 'rap', + + 'bronze', + 'superiority', + + 'commonplace', + 'complement', + + 'spectator', + 'giggle', + + 'reliance', + 'ball', + + 'immerse', + 'console', + + 'solve', + 'colleague', + + 'strong', + 'stool', + + 'pastimebathroom', + + 'widow', + 'wholly', + + 'excursion', + 'sneak', + + 'self', + 'bay', + + 'behind', + 'rim', + + 'humorous', + 'never', + + 'oriental', + 'extinct', + + 'recognition', + 'pear', + + 'brook', + 'transport', + + 'broom', + 'video', + + 'counter', + 'greet', + + 'reporter', + 'northwest', + + 'consent', + 'cab', + + 'bully', + 'illiterate', + + 'bomb', + 'tradition', + + 'gum', + 'lump', + + 'travel', + 'cherish', + + 'arrange', + 'night', + + 'regard', + 'metaphor', + + 'missile', + 'thank', + + 'relevant', + 'fortune', + + 'tear', + 'collect', + + 'peer', + 'equip', + + 'mutton', + 'punish', + + 'preach', + 'forge', + + 'build', + 'costly', + + 'suffice', + 'downtown', + + 'shadow', + 'typewriter', + + 'cosmic', + 'ours', + + 'lateral', + 'wait', + + 'floor', + 'panda', + + 'trunk', + 'cite', + + 'revolt', + 'emperor', + + 'anything', + 'decorate', + + 'coward', + 'timely', + + 'accompany', + 'surname', + + 'illustrate', + 'advisable', + 'into', + 'damn', + 'piece', + + 'menace', + + 'climax', + 'erroneous', + + 'camel', + 'habit', + + 'soldier', + 'appeal', + + 'compliment', + 'dramatic', + + 'dilemma', + 'cave', + + 'grey', + 'ray', + + 'vacation', + 'reduction', + + 'outbreak', + 'without', + + 'senatorreputation', + + 'persist', + + 'recent', + + 'stationery', + 'cheat', + + 'glow', + 'amaze', + + 'teenager', + 'mostly', + + 'nine', + 'pail', + + 'them', + 'radius', + + 'curious', + 'should', + + 'tempo', + 'cat', + + 'trench', + 'morning', + + 'skim', + 'proud', + + 'cluster', + 'rot', + + 'postage', + 'undermine', + + 'vessel', + 'provided', + + 'confess', + 'deputy', + + 'giant', + 'peasant', + + 'hospitality', + 'inhibit', + + 'prey', + 'either', + + 'sea', + 'area', + + 'democratic', + 'bizarre', + + 'period', + 'romantic', + + 'distinguish', + 'lunch', + + 'reflection', + 'minus', + + 'still', + 'storm', + + 'blackmail', + 'out', + + 'vegetable', + 'ceremony', + + 'van', + 'loom', + + 'underneath', + 'sum', + + 'internet', + 'literally', + + 'anchor', + 'Tuesday', + + 'novelty', + 'husband', + + 'recorder', + 'practitioner', + + 'differ', + 'halt', + + 'image', + 'eclipse', + + 'carpet', + 'probability', + + 'bush', + 'somewhere', + + 'verbal', + 'equal', + + 'historian', + 'network', + + 'conviction', + 'lofty', + 'leap', + + 'text', + 'epidemic', + 'constrain', + 'harbor', + 'him', + 'comrade', + 'exhibit', + 'voltage', + 'deceit', + 'crab', + 'packet', + 'distract', + 'rope', + 'sole', + 'unload', + 'repair', + 'theft', + 'integral', + 'manner', + + 'balcony', + 'qualification', + 'remark', + 'spray', + 'toy', + 'imagination', + 'operational', + 'fiction', + 'installation', + 'rough', + 'fond', + 'naked', + 'beginning', + 'locality', + 'origin', + 'whistle', + 'not', + 'retrospect', + 'use', + 'statesman', + 'regulation', + 'dim', + 'accelerate', + 'environment', + 'contribute', + 'outstanding', + 'inspiration', + 'various', + 'bark', + 'especially', + 'grade', + 'host', + + 'price', + + 'sad', + + 'trash', + + 'brittle', + + 'gently', + + 'tedious', + + 'prevail', + + 'booth', + 'circulate', + 'abuse', + 'supper', + + 'list', + + 'cartoon', + 'square', + 'scarf', + + 'moan', + 'correspondent', + 'atmosphere', + 'gratitude', + 'silence', + 'preposition', + 'prayer', + 'liberal', + 'web', + 'vain', + 'lot', + 'offset', + 'sightseeing', + 'impress', + 'machine', + 'limited', + 'ache', + 'country', + 'pest', + 'namely', + 'magnetic', + 'hurt', + 'throw', + 'script', + 'assimilate', + 'likely', + + 'motor', + 'veto', + 'customer', + 'agreeable', + 'fork', + 'probable', + 'dividend', + 'weather', + 'valley', + 'tenant', + 'brass', + 'lid', + 'chief', + 'peculiar', + + + + + + + + + + + + + + + + + + + + + + + + + + + + + 'curiosity', + 'skin', + 'top', + 'stamp', + 'conscience', + 'among', + + 'linear', + + 'hum', + + 'evil', + 'latter', + 'length', + 'asleep', + 'whom', + + 'salt', + 'soak', + 'articulate', + 'Thursday', + 'execute', + 'inherit', + 'attractive', + 'context', + 'jewel', + 'description', + 'combat', + 'comic', + 'happy', + 'threat', + 'vast', + 'roll', + 'saucer', + 'advertise', + 'rag', + 'heading', + 'burn', + 'blank', + 'dense', + 'prefer', + 'reciprocal', + 'leaf', + 'mysterious', + 'pork', + 'accumulate', + 'ourselves', + 'chaos', + 'erupt', + 'invert', + 'brake', + 'issue', + + + + + + + 'feel', + + 'vocabulary', + 'tutor', + 'enhance', + 'merry', + 'transfer', + 'trivial', + 'stupid', + 'hero', + 'inhabitant', + 'climate', + 'carry', + 'rigid', + 'doze', + 'procession', + 'insect', + 'badly', + 'honorable', + 'bargain', + 'motivate', + 'mix', + 'wake', + 'outer', + 'safeguard', + + 'crisis', + + 'enthusiasm', + 'depress', + 'time', + 'product', + 'quilt', + 'sir', + + 'flame', + 'specialize', + 'submerge', + 'mobilize', + 'clip', + 'clear', + 'result', + 'bill', + 'clone', + 'stiff', + + 'plumber', + 'bright', + 'representative', + 'advice', + 'dairy', + 'levy', + 'writing', +] +module.exports = { + wordList: word_list +} \ No newline at end of file diff --git a/data/kaoyan_import.js b/data/kaoyan_import.js new file mode 100644 index 0000000..a4324af --- /dev/null +++ b/data/kaoyan_import.js @@ -0,0 +1,982 @@ +var word_list= +['process', + + + 'growth', + 'technology', + 'theory', + + 'economy', + + 'behavio', + + 'account', + 'economic', + + 'individual', + + 'product', + 'rate()', + + 'create', + + 'decline', + 'harda', + 'ad', + + 'ability', + + 'professionala', + 'spot', + 'tend', + + 'view', + + 'advocate', + 'amount', + + 'community;', + 'concern', + + 'environment', + 'factor', + 'intelligence', + 'likely', + 'ad', + 'return', + 'social', + + 'consequence', + 'drug', + 'expert', + + 'extend', + + 'industrial', + 'moral', + + + 'action', + 'adult', + + 'ambition', + 'competition', + 'capacity', + 'detail', + + 'evidence', + 'evolution', + 'fund', + 'inflation', + 'local', + 'maintain', + 'management', + 'productivity', + 'survive', + + 'universe', + + 'learn', + + + 'advertising', + 'affect', + 'benefit', + + 'debate', + 'directly', + 'element', + 'essential', + + 'identify', + 'intend', + 'investment', + 'reasonable', + 'responsibility', + 'opportunity', + 'personality', + 'private', + + 'alter', + 'appropriate', + + 'boom', + + 'combine', + + 'corporation', + 'enterprise', + 'federal', + 'gas', + 'highly', + 'issue', + + 'organization-isation', + 'principle', + 'project', + 'recognize-ise', + 'specific', + 'structure', + + 'substance', + 'trend', + + 'activity', + 'advantage', + 'aspect', + 'attitude', + 'balance', + + 'characteristic', + + 'claim', + 'comment', + + 'constitute', + 'contract', + + 'creative', + 'culture', + 'historical', + 'interpret', + + 'manner', + 'mass;', + 'obtain', + 'powerful', + 'predict', + 'risk', + + 'robot', + 'shift', + 'species', + + 'approach', + 'argument', + 'assume', + 'blueprint', + 'climate', + 'competitive', + 'complex', + 'concept', + 'confuse', + 'critical', + 'crude', + 'emerge', + 'employee', + 'existence', + 'innovation', + 'interview', + 'involve', + 'journal', + 'link', + + 'manifest', + + 'motion', + 'obvious', + 'performance', + 'policy', + 'possibility', + 'pressure', + 'property', + 'prospect', + + 'relate', + + 'resource', + 'source', + 'suicide', + + 'access', + 'acquire', + 'adapt', + 'additional', + 'aggressive', + 'amateur', + 'analysis', + 'apply', + 'arise', + 'assumption', + 'assure', + 'authority', + 'avoid', + 'bias', + + 'brief', + + 'cash', + 'challenge', + + 'committee', + 'conflict', + + 'consideration', + 'constant', + + 'consumption', + 'contact', + 'convention', + 'convince', + 'cosmic', + 'data', + 'definition', + 'delivery', + 'demonstrate', + 'deny', + 'digital', + 'discipline', + 'distinction', + 'educate', + 'effective', + 'electronic', + 'emphasis', + 'enable', + 'error', + 'establish', + 'extent', + 'focus', + 'function', + 'fundamental', + 'gene', + 'genius', + 'giant', + 'humo', + + 'implication', + 'improvement', + 'independent', + 'influence', + + 'instinct', + 'intention', + 'invention', + 'item', + 'mechanism', + 'observation', + 'odd', + 'offend', + 'oppose', + 'panel', + 'phenomenon', + 'physical', + 'potential', + + 'prolong', + 'psychological', + 'reflect', + 'relevant', + 'remark', + + 'requirement', + 'respond', + 'rsponse', + 'responsible', + 'revolution', + 'rob', + 'scale', + 'secure', + 'site', + + 'status', + 'stock', + 'stress', + 'sufficient', + 'survey', + 'sympathy', + 'threaten', + 'unemployment', + 'vote', + + + 'abroad', + 'appeal', + 'captive', + + 'infrastructure', + 'premium', + + 'resign', + 'span', + + 'title', + 'unlikely', + + 'abandon', + 'acknowledge', + 'addition', + 'advertisement', + 'aid', + + 'annoy', + 'apparent', + 'appreciate', + + 'artificial', + 'assemble', + 'attribute', + + 'basis', + 'bid', + + + 'career', + 'ceremony', + 'character', + 'commercial', + + 'commit', + 'commodity', + 'comparative', + 'comparison', + 'compensation', + 'conduct', + + 'conference', + 'confidence', + 'confront', + 'contrast', + 'conventional', + 'criminal', + + 'crisis', + 'critic', + 'current', + + 'cycle', + + 'define', + 'deprive', + 'derive', + 'deserve', + 'device', + 'diminish', + 'disappear', + 'discard', + 'easily', + 'efficient', + 'employer', + 'entitle', + 'estimate', + + 'executive', + + 'expense', + 'export', + 'external', + 'fascinate', + 'fashion', + 'fatal', + 'flash', + + 'forbid', + 'formal', + 'formation', + 'former', + + 'gross', + + + 'guarantee', + + 'happiness', + 'harmful', + 'hence', + 'illustrate', + 'imply', + 'indicate', + 'inevitable', + 'injure', + 'intellectual', + + 'intelligent', + 'internal', + 'justify', + 'label', + 'manufacture', + 'modify', + 'monopoly', + 'mostly', + 'neglect', + 'network', + 'nevertheless', + 'notion', + 'nuclear', + 'offspringsing.', + 'originate', + 'pace', + 'painful', + 'politics', + 'possess', + 'poverty', + 'privilege', + 'profit', + + 'promote', + 'proportion', + 'pursue', + 'radical', + + 'range', + + 'rarely', + 'reality', + 'register', + 'regulate', + 'reject', + + 'remarkable', + 'replace', + 'represent', + 'restriction', + 'reveal', + 'reward', + 'rival', + + + 'scatter', + 'security', + 'skilled', + 'storage', + 'strive', + 'style', + + 'surplus', + + 'surround', + 'survival', + 'target', + + 'tendency', + 'trace', + + 'tradition', + 'transform', + 'union', + 'utility', + 'valid', + 'visible', + 'wisdom', + 'worthwhile', + + 'abuse', + 'acquisition', + 'activate', + 'alternative', + + 'anticipate', + 'assess', + 'assign', + 'assignment', + 'associate', + + + + 'attain', + 'ban', + 'bind', + 'budget', + + + 'candidate', + 'casual', + 'census', + 'chemical', + + 'circumstance', + 'colleague', + 'compel', + 'complaint', + 'compose', + 'comprehension', + 'conclusion', + 'confusion', + 'congress', + 'connection', + 'considerate', + 'contend', + 'context', + 'contrary', + + 'contribute', + 'counsel', + + 'crucial', + 'decrease', + 'democratic', + 'dependent', + 'dispute', + 'disregard', + + 'distort', + + 'distract', + 'diverse', + 'draft', + 'drift', + 'economics', + 'efficiency', + 'endanger', + 'endure', + 'enlarge', + 'enlighten', + 'enormous', + 'ensure', + 'equip', + 'equivalent', + + 'essay', + 'establishment', + 'evolve', + 'exceed', + 'excess', + 'extreme', + + 'fade', + 'failure', + 'fiction', + 'flourish', + 'folk', + + 'forecast', + 'formulate', + 'generate', + 'geology', + 'global', + 'grant', + + 'gravity', + 'handle', + + 'harm', + 'helpful', + 'hesitate', + 'highlight', + + 'hospitality', + 'ideal', + + 'immigrant', + 'immune', + 'impact', + 'import', + 'impose', + 'inferior', + + 'inform', + + 'inquiry', + 'instance', + 'instant', + + 'instrument', + 'insurance', + 'interact', + 'irritate', + 'keen', + 'legislation', + 'leisure', + 'liability', + 'logical', + 'mankind', + 'mathematical', + 'military', + + 'mode', + 'moreover', + 'motive', + 'multitude', + 'novel', + 'a', + 'oblige', + 'opponent', + 'optimistic', + 'organic', + 'output', + 'phase', + 'pollution', + 'precise', + 'prejudice', + + 'presence', + 'primary', + 'prompt', + + + 'proof', + 'propose', + 'proposition', + 'outlook', + 'prosperity', + 'provision', + 'random', + 'rare', + 'readily', + 'reckon', + 'recovery', + 'reference', + 'reform', + + 'region', + 'regret', + 'relieve', + 'religion', + 'resist', + 'revolve', + 'schedule', + + 'screen', + + 'select', + + 'sensitive', + 'significance', + 'slip', + 'solution', + 'somewhat', + 'spite', + 'stake', + + 'standardize-ise', + 'steer.', + 'strategy', + 'stream', + + 'substantial', + 'trail', + 'transition', + 'transmit', + 'transport', + + 'trial', + 'typical', + 'underlie', + 'unexpected', + 'unfortunately', + 'unknown', + 'unlike', + 'prep', + 'unusual', + 'urgent', + 'vain', + 'verify', + 'viapre', + 'violence', + 'whereas', + + 'abide', + 'absorb', + 'abundant', + 'accelerate', + 'accomplish', + 'accordingly', + 'accuracy', + 'accuse', + 'adopt', + 'advisable', + 'affiliate', + + 'alcohol', + 'alternate', + + 'ambitious', + 'ample', + 'annual', + + 'application', + 'arbitrary', + 'atistic', + 'assert', + 'attach', + 'automobile', + 'aware', + 'awkward', + 'background', + 'balloon', + + 'barely', + 'behalf', + 'besidesprep', + 'ad', + 'bound', + 'brake', + 'bulk', + 'capable', + 'caution', + 'cease', + 'channel', + 'chop', + 'classify', + 'cluster', + + 'coincidence', + 'commerce', + 'communicate', + + 'comparable', + 'compensate', + 'compete', + 'complicated', + 'concentrate', + + 'confer', + 'confess', + 'confine', + + 'confirm', + 'conform', + 'consentvi', + 'conservative', + + 'consistent', + 'contemporary', + + 'contestn', + 'contradict', + 'contribution', + 'convenience', + 'costly', + 'crack', + + 'criticism', + 'criticizeise', + 'deem', + 'definite', + 'democracy', + 'dependence', + 'desirable', + 'diet', + 'dignity', + 'disaster', + 'disgrace', + + 'disperse', + 'display', + 'distinct', + 'distinguish', + 'diversion', + 'dominate', + 'doom', + 'doubtful', + 'drag', + + 'dramatic', + 'elegant', + 'eliminate', + 'elite', + 'embrace', + 'encounter', + 'engine', + 'enhance', + 'enrich', + 'envy', + 'epidemic', + + 'exaggerate', + 'exceedingly', + 'exceptional', + 'excessive', + 'exhaust', + + 'expand', + 'expose', + 'faulty', + 'feature', + + 'female', + 'fertile', + 'fierce', + 'file', + + 'finance', + + 'flexible', + 'fluctuate', + 'forthad', + 'foundation', + 'frame', + 'frontier', + 'frustrate', + 'furious', + 'furthermore', + 'glimpse', + 'globe', + 'gradual', + 'hardship', + 'hasten', + 'hemisphere', + 'host', + 'household', + + 'humble', + + 'ignorant', + 'illegal', + 'impression', + 'incorporate', + 'indicative', + 'indifferent', + 'initial', + 'initiate', + 'initiative', + 'inject', + 'injury', + 'inpu', + 'instructor', + 'intense', + 'intensive', + 'interfere', + 'interval', + 'invent', + 'invest', + 'isolate', + 'jam', + 'kindness', + 'knot', + + 'laughter', + 'leading', + 'likewise', + 'limitation', + 'loan', + 'lum', + 'magnitude', + 'maintenance', + 'manipulate', + 'migrate', + 'mild', + 'monetary', + 'mood', + 'multiple', + + 'municipal', + 'myth', + 'necessity', + 'nerve', + 'objective', + 'occupation', + 'optional', + 'orient', + + 'orientation', + 'original', + + 'overcome', + 'overlook', + 'overseas', + 'overwhelming', + 'owing', + 'parallel', + 'paralyz', + 'partial', + 'participant', + 'passport', + 'perceive', + 'percentage', + 'perplex', + 'persist', + 'personnel', + 'philosopher', + 'plausible', + 'pop', + 'portion', + 'pose', + 'practically', + 'precede', + 'prescribe', + 'procedure', + 'productive', + 'profound', + 'puzzle', + 'qualify', + 'questionable', + 'quote', + 'rage', + 'rational', + 'raw', + 'rectify', + 'reinforce', + 'relationship', + 'reliable', + 'relief', + 'remote', + 'render', + 'renew', + 'resent', + 'reserve', + 'resort', + + 'restrict', + 'resume', + 'retire', + 'retreat', + 'revenue', + 'reverse', + + + 'routine', + + 'rude', + 'sacrifice', + 'scope', + 'senior', + 'sensation', + 'series', + 'severe', + 'shortly', + 'shrink', + 'simplify', + 'sketch', + + 'split', + 'squeeze', + + 'stationary', + 'stimulate', + 'stumble', + 'submit', + 'substitute', + + 'subtle', + 'suggestion', + 'superior', + + 'surpass', + 'suspicious', + 'sustain', + 'symbol', + 'tax', + + 'teenager', + 'tempt', + 'thorough', + 'thrive', + 'timely', + 'trait', + 'transfe', + 'triumph', + + + 'undergo', + 'undertake', + 'unique', + 'universal', + 'urge', + 'validity', + 'vanish', + 'vary', + 'vehicle', + 'virtual', + 'virtue', + 'virus', + 'vital', + 'volcano', + 'volume', + 'witness', + 'worthy', + 'velocity', + 'yield', +] +module.exports = { + wordList: word_list +} \ No newline at end of file diff --git a/data/vocabulary.js b/data/vocabulary.js new file mode 100644 index 0000000..cde6829 --- /dev/null +++ b/data/vocabulary.js @@ -0,0 +1,12354 @@ + +var word_list = + ['abacus', +'abandon', +'abase', +'abate', +'abbey', +'abbreviate', +'abbreviation', +'abdicate', +'abdomen', +'abdominal', +'abduct', +'aberrant', +'abhor', +'abiding', +'ability', +'abject', +'ablaze', +'able', +'ably', +'abnormal', +'abnormality', +'aboard', +'abode', +'abolish', +'abolition', +'abominable', +'aboriginal', +'abort', +'abound', +'about', +'above', +'aboveboard', +'abrasive', +'abreast', +'abridge', +'abroad', +'abrupt', +'abruptly', +'absence', +'absent', +'absentee', +'absent-minded', +'absolute', +'absolutely', +'absolve', +'absorb', +'absorption', +'abstain', +'abstention', +'abstinence', +'abstract', +'absurd', +'abundance', +'abundant', +'abuse', +'abusive', +'abyss', +'academic', +'academician', +'academy', +'accede', +'accelerate', +'accent', +'accentuate', +'accept', +'acceptable', +'acceptance', +'access', +'accessible', +'accession', +'accessory', +'accident', +'acclaim', +'accommodate', +'accommodation', +'accompaniment', +'accompanist', +'accompany', +'accomplice', +'accomplish', +'accomplished', +'accomplishment', +'accord', +'accordance', +'according', +'accordingly', +'accordion', +'account', +'accountable', +'accountancy', +'accountant', +'accredit', +'accrue', +'accumulate', +'accuracy', +'accurate', +'accusation', +'accuse', +'accustom', +'ace', +'ache', +'achieve', +'achievement', +'acid', +'acknowledge', +'acknowledgement', +'acoustics', +'acquaint', +'acquaintance', +'acquiesce', +'acquire', +'acquisition', +'acquit', +'acquittal', +'acre', +'acrimony', +'acrobat', +'acronym', +'across', +'act', +'acting', +'action', +'activate', +'active', +'activist', +'activity', +'actor', +'actress', +'actual', +'actuality', +'actually', +'acumen', +'acupuncture', +'acute', +'ad', +'adamant', +'adapt', +'adaptable', +'adaptation', +'adapter', +'adaptor', +'add', +'addict', +'addiction', +'addictive', +'addition', +'additional', +'additionally', +'additive', +'address', +'adept', +'adequate', +'adhere', +'adherence', +'adhesive', +'adjacent', +'adjective', +'adjoin', +'adjourn', +'adjudicate', +'adjunct', +'adjust', +'adjustment', +'administer', +'administration', +'administrative', +'administrator', +'admirable', +'admiral', +'admiration', +'admire', +'admissible', +'admission', +'admit', +'admittedly', +'admonish', +'ado', +'adolescent', +'adopt', +'adoption', +'adore', +'adorn', +'adrift', +'adroit', +'adult', +'adulterate', +'adultery', +'adulthood', +'advance', +'advanced', +'advantage', +'advantageous', +'advent', +'adventure', +'adventurism', +'adventurist', +'adventurous', +'adverb', +'adverbial', +'adversary', +'adverse', +'adversity', +'advertise', +'advertisement', +'advertising', +'advice', +'advisable', +'advise', +'adviser', +'advisor', +'advisory', +'advocacy', +'advocate', +'aerial', +'aerobatics', +'aerobics', +'aerodynamics', +'aeronautics', +'aeroplane', +'aerosol', +'aerospace', +'aesthetics', +'affable', +'affair', +'affect', +'affection', +'affectionate', +'affiliate', +'affinity', +'affirm', +'affirmative', +'affix', +'afflict', +'affluent', +'afford', +'afield', +'afloat', +'afoot', +'afraid', +'afresh', +'Africa', +'African', +'after', +'aftereffect', +'aftermath', +'afternoon', +'again', +'against', +'age', +'aged', +'agency', +'agenda', +'agent', +'aggravate', +'aggregate', +'aggression', +'aggressive', +'aggressor', +'aggrieved', +'agile', +'agitate', +'agitation', +'agnostic', +'ago', +'agonizing', +'agony', +'agree', +'agreeable', +'agreement', +'agricultural', +'agriculture', +'aground', +'ahead', +'aid', +'ailing', +'ailment', +'aim', +'aimless', +'air', +'airbase', +'airborne', +'air-conditioned', +'aircraft', +'airfield', +'airforce', +'airily', +'airlift', +'airline', +'airliner', +'airmail', +'airport', +'airstrip', +'airtight', +'airway', +'airy', +'aisle', +'ajar', +'alarm', +'alas', +'album', +'alchemy', +'alcohol', +'alcoholic', +'alcoholism', +'ale', +'alert', +'alga', +'algebra', +'alias', +'alibi', +'alien', +'alienate', +'align', +'alike', +'alimony', +'alive', +'alkali', +'all', +'Allah', +'allay', +'allege', +'allegedly', +'allegiance', +'allegory', +'allergic', +'allergy', +'alleviate', +'alley', +'alliance', +'alligator', +'allocate', +'allocation', +'allot', +'allow', +'allowance', +'alloy', +'allure', +'allusion', +'ally', +'almanac', +'almighty', +'almond', +'almost', +'alms', +'alone', +'along', +'alongside', +'aloof', +'aloud', +'alphabet', +'alphabetical', +'already', +'also', +'altar', +'alter', +'alteration', +'alternate', +'alternative', +'although', +'altitude', +'altogether', +'aluminium', +'aluminum', +'alumna', +'alumnus', +'always', +'am', +'amalgamate', +'amass', +'amateur', +'amaze', +'amazing', +'ambassador', +'amber', +'ambience', +'ambiguity', +'ambiguous', +'ambition', +'ambitious', +'ambivalent', +'ambulance', +'ambush', +'amenable', +'amend', +'amendment', +'amenity', +'America', +'American', +'amiable', +'amicable', +'amid', +'amidst', +'amiss', +'ammeter', +'ammonia', +'ammunition', +'amnesia', +'amnesty', +'among', +'amongst', +'amoral', +'amount', +'ampere', +'amphibian', +'amphibious', +'ample', +'amplifier', +'amplify', +'amuse', +'amusement', +'anaemia', +'anaesthesia', +'anaesthetic', +'anaesthetize', +'anagram', +'anal', +'analogue', +'analogy', +'analyse', +'analysis', +'analytical', +'analyze', +'anarchic', +'anarchist', +'anarchy', +'anatomy', +'ancestor', +'ancestral', +'ancestry', +'anchor', +'anchorage', +'anchorman', +'ancient', +'and', +'anecdote', +'anemia', +'anesthesia', +'anesthetic', +'anesthetize', +'anew', +'angel', +'anger', +'angle', +'angrily', +'angry', +'anguish', +'angular', +'animal', +'animate', +'animation', +'animosity', +'ankle', +'annals', +'annex', +'annihilate', +'anniversary', +'announce', +'announcement', +'announcer', +'annoyance', +'annual', +'annuity', +'annul', +'anode', +'anomaly', +'anonymity', +'anonymous', +'another', +'answer', +'ant', +'antagonism', +'antagonist', +'antagonize', +'antarctic', +'antecedent', +'antelope', +'antenna', +'anthem', +'anthology', +'anthropology', +'antibiotic', +'antibody', +'antic', +'anticipate', +'anticipation', +'antidote', +'antilogarithm', +'antipathy', +'antique', +'antiquity', +'antiseptic', +'antler', +'antonym', +'anus', +'anxiety', +'anxious', +'anxiously', +'any', +'anybody', +'anyhow', +'anymore', +'anyone', +'anything', +'anyway', +'anywhere', +'apace', +'apart', +'apartheid', +'apartment', +'apathy', +'ape', +'aperture', +'apex', +'apiece', +'apologetic', +'apologize', +'apology', +'apoplexy', +'apostrophe', +'appalling', +'apparatus', +'apparel', +'apparent', +'apparently', +'appeal', +'appealing', +'appear', +'appearance', +'appease', +'append', +'appendicitis', +'appendix', +'appetite', +'applaud', +'applause', +'apple', +'appliance', +'applicable', +'applicant', +'application', +'apply', +'appoint', +'appointee', +'appointment', +'apposite', +'appraisal', +'appraise', +'appreciable', +'appreciate', +'appreciation', +'appreciative', +'apprehend', +'apprehension', +'apprentice', +'approach', +'appropriate', +'approval', +'approve', +'approximate', +'apricot', +'April', +'apron', +'apt', +'aptitude', +'aquarium', +'aquatic', +'Arabia', +'Arabian', +'Arabic', +'arbiter', +'arbitrary', +'arbitrate', +'arc', +'arcade', +'arch', +'archaeologist', +'archaeology', +'archaic', +'archbishop', +'archer', +'archetype', +'archipelago', +'architect', +'architecture', +'archive', +'archway', +'arctic', +'ardent', +'ardor', +'ardour', +'arduous', +'are', +'area', +'arena', +'argue', +'argument', +'argumentative', +'arid', +'arise', +'aristocracy', +'aristocrat', +'aristocratic', +'arithmetic', +'ark', +'arm', +'armada', +'armament', +'armchair', +'armor', +'armour', +'armoury', +'armpit', +'army', +'aroma', +'aromatic', +'around', +'arouse', +'arrange', +'arrangement', +'array', +'arrears', +'arrest', +'arrival', +'arrive', +'arrogance', +'arrogant', +'arrow', +'arsenal', +'arson', +'art', +'artefact', +'artery', +'artful', +'arthritis', +'article', +'articulate', +'artifact', +'artifice', +'artificial', +'artillery', +'artisan', +'artist', +'artistic', +'as', +'ascend', +'ascendant', +'ascent', +'ascertain', +'ascetic', +'ascribe', +'ash', +'ashamed', +'ashore', +'ashtray', +'Asia', +'Asian', +'aside', +'ask', +'asleep', +'aspect', +'asphalt', +'aspiration', +'aspire', +'aspirin', +'ass', +'assail', +'assailant', +'assassin', +'assassinate', +'assault', +'assemble', +'assembly', +'assent', +'assert', +'assertion', +'assertive', +'assess', +'assessment', +'asset', +'assiduous', +'assign', +'assignment', +'assimilate', +'assist', +'assistance', +'assistant', +'associate', +'association', +'assorted', +'assortment', +'assume', +'assumption', +'assurance', +'assure', +'assuredly', +'asterisk', +'asthma', +'astonish', +'astonishment', +'astound', +'astral', +'astray', +'astrology', +'astronaut', +'astronomer', +'astronomical', +'astronomy', +'astrophysics', +'asylum', +'asymmetric', +'athlete', +'athletic', +'athletics', +'Atlantic', +'atlas', +'atmosphere', +'atmospheric', +'atom', +'atomic', +'atrocious', +'atrocity', +'attach', +'attache', +'attachment', +'attack', +'attain', +'attempt', +'attend', +'attendance', +'attendant', +'attention', +'attentive', +'attest', +'attic', +'attitude', +'attorney', +'attract', +'attraction', +'attractive', +'attrition', +'auction', +'auctioneer', +'audacious', +'audible', +'audience', +'audio', +'audiovisuals', +'audit', +'audition', +'auditor', +'auditorium', +'augment', +'august', +'August', +'aunt', +'aura', +'aural', +'auspicious', +'austere', +'austerity', +'Australian', +'authentic', +'author', +'authorise', +'authoritarian', +'authoritative', +'authority', +'authorize', +'autobiographical', +'autobiography', +'autocrat', +'autocratic', +'autograph', +'automate', +'automatic', +'automation', +'automobile', +'autonomous', +'autonomy', +'autopsy', +'autumn', +'auxiliary', +'availability', +'available', +'avalanche', +'avenge', +'avenue', +'average', +'aversion', +'avert', +'aviation', +'avid', +'avoid', +'await', +'awake', +'awaken', +'award', +'aware', +'away', +'awe', +'awesome', +'awful', +'awfully', +'awkward', +'awkwardly', +'ax', +'axe', +'axiom', +'axis', +'axle', +'babble', +'baby', +'baby-sit', +'bachelor', +'back', +'backbiting', +'backbone', +'backbreaking', +'backdate', +'backdrop', +'backfire', +'background', +'backhand', +'backside', +'backup', +'backward', +'backwards', +'backwater', +'backyard', +'bacon', +'bacteria', +'bad', +'badge', +'badly', +'badminton', +'bad-tempered', +'baffle', +'bag', +'baggage', +'baggy', +'bail', +'bait', +'bake', +'baker', +'bakery', +'balance', +'balcony', +'bald', +'bale', +'baleful', +'balk', +'ball', +'ballad', +'ballast', +'ballerina', +'ballet', +'ballistics', +'balloon', +'ballot', +'balm', +'balmy', +'balustrade', +'bamboo', +'ban', +'banal', +'banana', +'band', +'bandage', +'bandit', +'bandwagon', +'bane', +'bang', +'banish', +'banister', +'banjo', +'bank', +'banker', +'banking', +'bankrupt', +'bankruptcy', +'banner', +'banquet', +'banter', +'baptism', +'baptize', +'bar', +'barbarian', +'barbaric', +'barbarous', +'barbecue', +'barber', +'bare', +'barely', +'bargain', +'barge', +'baritone', +'barley', +'barn', +'barometer', +'baron', +'baroque', +'barracks', +'barrage', +'barrel', +'barren', +'barricade', +'barrier', +'barrister', +'barrow', +'barter', +'base', +'baseball', +'basement', +'bash', +'bashful', +'basic', +'basically', +'basin', +'basis', +'bask', +'basket', +'basketball', +'bass', +'bastard', +'bastion', +'bat', +'batch', +'bath', +'bathe', +'bathroom', +'baton', +'battalion', +'batter', +'battery', +'battle', +'battlefield', +'bawl', +'bay', +'bayonet', +'bazaar', +'be', +'beach', +'beacon', +'bead', +'beak', +'beaker', +'beam', +'bean', +'beard', +'bearing', +'beast', +'beastly', +'beat', +'beating', +'beautiful', +'beautify', +'beauty', +'because', +'beckon', +'become', +'bed', +'bedding', +'bedroom', +'bedtime', +'bee', +'beef', +'beeper', +'beer', +'beet', +'beetle', +'befall', +'befit', +'before', +'beforehand', +'beg', +'beggar', +'begin', +'beginner', +'beginning', +'begrudge', +'beguile', +'behalf', +'behave', +'behavior', +'behaviour', +'behead', +'behind', +'beige', +'being', +'belie', +'belief', +'believe', +'bell', +'bellow', +'belly', +'belong', +'belongings', +'beloved', +'below', +'belt', +'bemoan', +'bemused', +'bench', +'benchmark', +'bend', +'beneath', +'benediction', +'beneficial', +'beneficiary', +'benefit', +'benevolence', +'benevolent', +'benign', +'bequeath', +'bequest', +'bereaved', +'berry', +'berth', +'beset', +'beside', +'besides', +'besiege', +'best', +'bestow', +'bet', +'betray', +'better', +'between', +'beverage', +'beware', +'bewilder', +'bewitch', +'beyond', +'bias', +'Bible', +'bibliography', +'bicker', +'bicycle', +'bid', +'big', +'bigot', +'bike', +'bikini', +'bilateral', +'bile', +'bilingual', +'bill', +'billiards', +'billion', +'billow', +'bin', +'binary', +'bind', +'binder', +'binding', +'binge', +'bingo', +'binoculars', +'biochemistry', +'biographical', +'biography', +'biological', +'biologist', +'biology', +'biotechnology', +'bipartisan', +'birch', +'bird', +'birth', +'birthday', +'birthplace', +'birthrate', +'biscuit', +'bisect', +'bishop', +'bit', +'bite', +'bitter', +'bitterly', +'bizarre', +'black', +'blackboard', +'blacken', +'blackmail', +'blackout', +'blacksmith', +'bladder', +'blade', +'blame', +'blanch', +'bland', +'blank', +'blanket', +'blare', +'blast', +'blatant', +'blaze', +'bleach', +'bleak', +'bleat', +'bleed', +'bleep', +'blemish', +'blend', +'bless', +'blessed', +'blessing', +'blind', +'blink', +'bliss', +'blister', +'blitz', +'blizzard', +'blob', +'block', +'blockade', +'blond', +'blonde', +'blood', +'bloody', +'bloom', +'blossom', +'blot', +'blotter', +'blouse', +'blue', +'blueprint', +'blues', +'blunder', +'blunt', +'blur', +'blurt', +'blush', +'board', +'boardroom', +'boast', +'boat', +'bobsleigh', +'bodily', +'body', +'bodyguard', +'bog', +'boggle', +'bogus', +'boil', +'boiler', +'boisterous', +'bold', +'boldness', +'bolt', +'bomb', +'bombard', +'bomber', +'bombshell', +'bond', +'bondage', +'bone', +'bonfire', +'bonnet', +'bonus', +'bony', +'boo', +'booby', +'book', +'bookcase', +'bookish', +'bookkeeping', +'booklet', +'bookmark', +'bookseller', +'bookshelf', +'bookshop', +'bookstall', +'bookstore', +'boom', +'boon', +'boost', +'boot', +'booth', +'bootleg', +'booze', +'border', +'borderline', +'bore', +'bored', +'boredom', +'boring', +'born', +'borough', +'borrow', +'bosom', +'boss', +'bossy', +'botanical', +'botanist', +'botany', +'both', +'bother', +'bottle', +'bottleneck', +'bottom', +'bough', +'boulevard', +'bounce', +'boundary', +'bountiful', +'bounty', +'bouquet', +'bourgeois', +'bourgeoisie', +'bout', +'boutique', +'bow', +'bowels', +'bowl', +'bowler', +'bowling', +'boxer', +'boxing', +'boy', +'boycott', +'boyfriend', +'bra', +'brace', +'bracelet', +'bracket', +'brag', +'braid', +'brain', +'brainless', +'brainstorming', +'brainwash', +'brake', +'branch', +'brand', +'brandy', +'brash', +'brass', +'bravado', +'brave', +'bravery', +'Brazilian', +'breach', +'bread', +'breadth', +'break', +'breakfast', +'breakthrough', +'breast', +'breath', +'breathe', +'breathless', +'breathtaking', +'breed', +'breeze', +'brevity', +'brew', +'brewery', +'bribe', +'bribery', +'brick', +'bridal', +'bride', +'bridegroom', +'bridge', +'bridle', +'brief', +'briefcase', +'briefing', +'briefly', +'brigade', +'bright', +'brighten', +'brilliance', +'brilliant', +'brim', +'bring', +'brink', +'brisk', +'bristle', +'British', +'Briton', +'brittle', +'broad', +'broadcast', +'broaden', +'broccoli', +'brochure', +'broke', +'broken', +'broker', +'brokerage', +'bronchitis', +'bronze', +'brooch', +'brood', +'brook', +'broom', +'brothel', +'brother', +'brotherhood', +'brother-in-law', +'brotherly', +'brow', +'brown', +'browse', +'browser', +'bruise', +'brunch', +'brunette', +'brunt', +'brush', +'brusque', +'brutal', +'brute', +'brutish', +'bubble', +'buck', +'bucket', +'buckle', +'bud', +'Buddha', +'Buddhism', +'Buddhist', +'buddy', +'budge', +'budget', +'buff', +'buffalo', +'buffer', +'bug', +'buggy', +'bugle', +'build', +'builder', +'building', +'bulb', +'bulge', +'bulk', +'bulky', +'bull', +'bulldozer', +'bullet', +'bulletin', +'bullheaded', +'bullish', +'bully', +'bum', +'bump', +'bumper', +'bun', +'bunch', +'bundle', +'bungalow', +'bunk', +'bunker', +'buoy', +'buoyancy', +'burden', +'burdensome', +'bureau', +'bureaucracy', +'bureaucrat', +'burglar', +'burglary', +'burial', +'burn', +'burrow', +'burst', +'bury', +'bus', +'bush', +'bushel', +'bushy', +'business', +'businessman', +'bustle', +'busy', +'but', +'butcher', +'butler', +'butter', +'butterfly', +'buttock', +'button', +'buy', +'buzz', +'by', +'bye', +'bypass', +'by-product', +'byte', +'cab', +'cabaret', +'cabbage', +'cabin', +'cabinet', +'cable', +'cache', +'cackle', +'cactus', +'CAD', +'cadet', +'cadre', +'cafe', +'cafeteria', +'cage', +'cajole', +'cake', +'calamity', +'calcium', +'calculate', +'calculating', +'calculation', +'calculator', +'calculus', +'calendar', +'calf', +'caliber', +'calibre', +'call', +'calligraphy', +'callous', +'callow', +'calm', +'calorie', +'camel', +'cameo', +'camera', +'camouflage', +'camp', +'campaign', +'campus', +'can', +'Canadian', +'canal', +'canary', +'cancel', +'cancer', +'candid', +'candidate', +'candle', +'candy', +'cane', +'canine', +'cannery', +'cannibal', +'cannon', +'canny', +'canoe', +'canon', +'canopy', +'canteen', +'canter', +'Cantonese', +'canvas', +'canvass', +'canyon', +'cap', +'capability', +'capable', +'capacity', +'cape', +'capillary', +'capital', +'capitalism', +'capitalist', +'capitalize', +'capitulate', +'caprice', +'capricious', +'capsize', +'capsule', +'captain', +'caption', +'captivate', +'captive', +'captivity', +'capture', +'car', +'carat', +'caravan', +'carbohydrate', +'carbon', +'carcase', +'carcass', +'card', +'cardboard', +'cardiac', +'cardigan', +'cardinal', +'care', +'career', +'carefree', +'careful', +'carefully', +'careless', +'caress', +'caretaker', +'cargo', +'caricature', +'carnage', +'carnal', +'carnation', +'carnival', +'carnivore', +'carol', +'carp', +'carpenter', +'carpet', +'carriage', +'carrier', +'carrot', +'carry', +'cart', +'carton', +'cartoon', +'cartridge', +'carve', +'cascade', +'case', +'cash', +'cashier', +'cashmere', +'casino', +'cask', +'cassette', +'cast', +'caste', +'castle', +'casual', +'casualty', +'cat', +'catalog', +'catalogue', +'catalyst', +'cataract', +'catastrophe', +'catcall', +'catch', +'catchword', +'catchy', +'categorical', +'categorize', +'category', +'cater', +'caterpillar', +'cathedral', +'cathode', +'Catholicism', +'cattle', +'catwalk', +'cauliflower', +'causal', +'cause', +'caution', +'cautious', +'cavalry', +'cave', +'cavern', +'caviar', +'cavity', +'cease', +'cedar', +'cede', +'ceiling', +'celebrate', +'celebrated', +'celebration', +'celebrity', +'celery', +'celestial', +'cell', +'cellar', +'cello', +'cellular', +'celluloid', +'Celsius', +'cement', +'cemetery', +'censor', +'censorious', +'censorship', +'censure', +'census', +'cent', +'centenary', +'center', +'centigrade', +'centimeter', +'centimetre', +'central', +'centralize', +'centre', +'centrist', +'century', +'ceramic', +'cereal', +'cerebral', +'ceremonial', +'ceremonious', +'ceremony', +'certain', +'certainly', +'certainty', +'certificate', +'certify', +'certitude', +'cesspit', +'chain', +'chair', +'chairman', +'chalet', +'chalk', +'challenge', +'challenging', +'chamber', +'champagne', +'champion', +'championship', +'chance', +'chancellor', +'change', +'changeable', +'channel', +'chant', +'chaos', +'chaotic', +'chap', +'chapel', +'chaplain', +'chapter', +'character', +'characteristic', +'characterize', +'charcoal', +'charge', +'chargeable', +'chariot', +'charisma', +'charismatic', +'charitable', +'charity', +'charming', +'chart', +'charter', +'chartered', +'charwoman', +'chase', +'chasm', +'chaste', +'chastity', +'chat', +'chatter', +'chatterbox', +'chauffeur', +'chauvinism', +'cheap', +'cheat', +'check', +'checkout', +'checkpoint', +'cheek', +'cheer', +'cheerful', +'cheese', +'chef', +'chemical', +'chemist', +'chemistry', +'cheque', +'cherish', +'cherry', +'chess', +'chest', +'chestnut', +'chew', +'chic', +'chick', +'chicken', +'chief', +'chiefly', +'chieftain', +'child', +'childhood', +'childish', +'chill', +'chilli', +'chilly', +'chime', +'chimney', +'chimpanzee', +'chin', +'china', +'Chinese', +'chip', +'chirp', +'chisel', +'chivalry', +'chloroplast', +'chocolate', +'choice', +'choir', +'choke', +'cholera', +'cholesterol', +'choose', +'chop', +'choppy', +'chopsticks', +'choral', +'chord', +'chore', +'choreography', +'chorus', +'Christ', +'christen', +'Christian', +'Christianity', +'Christmas', +'chrome', +'chromosome', +'chronic', +'chronicle', +'chronological', +'chronology', +'chrysanthemum', +'chubby', +'chuck', +'chuckle', +'chum', +'chunk', +'church', +'churchyard', +'churlish', +'churn', +'cider', +'cigar', +'cigarette', +'cinder', +'cinema', +'circle', +'circuit', +'circular', +'circulate', +'circulation', +'circumference', +'circumstance', +'circumstantial', +'circumvent', +'circus', +'cite', +'citizen', +'citizenship', +'city', +'civic', +'civil', +'civilian', +'civilisation', +'civilise', +'civilization', +'civilize', +'clad', +'claim', +'claimant', +'clam', +'clamber', +'clamor', +'clamour', +'clamp', +'clan', +'clandestine', +'clang', +'clap', +'clarify', +'clarity', +'clash', +'clasp', +'class', +'classic', +'classical', +'classification', +'classified', +'classify', +'classmate', +'classroom', +'clatter', +'clause', +'claustrophobia', +'claw', +'clay', +'clean', +'cleaner', +'cleanse', +'clear', +'clearance', +'clearway', +'cleavage', +'cleave', +'clench', +'clergy', +'clergyman', +'clerk', +'clever', +'cliche', +'click', +'client', +'cliff', +'climactic', +'climate', +'climax', +'climb', +'clinch', +'cling', +'clinic', +'clinical', +'clip', +'cloak', +'clock', +'clockwise', +'clog', +'clone', +'close', +'closely', +'closet', +'closure', +'clot', +'cloth', +'clothes', +'clothing', +'cloud', +'cloudy', +'clout', +'clown', +'club', +'clue', +'clump', +'clumsy', +'cluster', +'clutch', +'clutter', +'coach', +'coal', +'coalition', +'coarse', +'coast', +'coastal', +'coastline', +'coat', +'coax', +'cobble', +'cobbler', +'cobra', +'cobweb', +'cocaine', +'cock', +'cockroach', +'cocktail', +'cocky', +'cocoa', +'coconut', +'cod', +'coddle', +'code', +'co-ed', +'coefficient', +'coerce', +'coercion', +'coexist', +'coffee', +'coffin', +'cog', +'cognitive', +'coherent', +'cohesive', +'coil', +'coin', +'coinage', +'coincide', +'coincidence', +'coke', +'cola', +'cold', +'collaborate', +'collaboration', +'collapse', +'collar', +'collate', +'colleague', +'collect', +'collection', +'collective', +'collector', +'college', +'collegiate', +'collide', +'collision', +'collude', +'collusion', +'colon', +'colonel', +'colonial', +'colonialist', +'colonize', +'colony', +'color', +'colossal', +'colossus', +'colour', +'colourful', +'colourless', +'colt', +'column', +'columnist', +'coma', +'comb', +'combat', +'combatant', +'combination', +'combine', +'combustible', +'combustion', +'come', +'comedian', +'comedy', +'comet', +'comfort', +'comfortable', +'comic', +'comma', +'command', +'commandant', +'commander', +'commandment', +'commemorate', +'commence', +'commend', +'commendation', +'commensurate', +'comment', +'commentary', +'commentate', +'commentator', +'commerce', +'commission', +'commissioner', +'commit', +'commitment', +'committed', +'committee', +'commodity', +'common', +'commonplace', +'commonwealth', +'commune', +'communicable', +'communicate', +'communication', +'communicative', +'communion', +'communique', +'communism', +'communist', +'community', +'commute', +'compact', +'companion', +'companionship', +'company', +'comparable', +'comparative', +'comparatively', +'compare', +'comparison', +'compartment', +'compass', +'compassion', +'compassionate', +'compatible', +'compatriot', +'compel', +'compensate', +'compensation', +'compete', +'competence', +'competent', +'competition', +'competitive', +'competitor', +'compile', +'complacency', +'complacent', +'complain', +'complaint', +'complement', +'complementary', +'complete', +'completely', +'complex', +'complexion', +'complexity', +'compliance', +'complicate', +'complicated', +'complicity', +'compliment', +'complimentary', +'comply', +'component', +'compose', +'composer', +'composite', +'composition', +'composure', +'compound', +'comprehend', +'comprehensible', +'comprehension', +'comprehensive', +'compress', +'compressor', +'comprise', +'compromise', +'compulsion', +'compulsory', +'compunction', +'compute', +'computer', +'comrade', +'con', +'conceal', +'concede', +'conceit', +'conceited', +'conceivable', +'conceive', +'concentrate', +'concentration', +'concentric', +'concept', +'conception', +'conceptual', +'concern', +'concerning', +'concert', +'concerto', +'concession', +'conciliate', +'concise', +'conclude', +'conclusion', +'conclusive', +'concord', +'concrete', +'concubine', +'concur', +'condemn', +'condense', +'condescend', +'condition', +'conditional', +'conditioner', +'condolence', +'condom', +'conducive', +'conduct', +'conductor', +'cone', +'confection', +'confederacy', +'confederate', +'confer', +'conference', +'confess', +'confession', +'confetti', +'confidant', +'confide', +'confidence', +'confident', +'confidential', +'configuration', +'confine', +'confinement', +'confirm', +'confirmation', +'confiscate', +'conflate', +'conflict', +'conform', +'conformity', +'confront', +'confrontation', +'confuse', +'confusion', +'congenial', +'congenital', +'congested', +'congestion', +'congratulate', +'congratulation', +'congregate', +'congregation', +'congress', +'congressman', +'congruence', +'congruency', +'congruent', +'conical', +'conifer', +'coniferous', +'conjecture', +'conjunction', +'conjure', +'connect', +'connection', +'connexion', +'connoisseur', +'connotation', +'connote', +'conquer', +'conqueror', +'conquest', +'conscience', +'conscientious', +'conscientiously', +'conscious', +'consciousness', +'conscript', +'consecrate', +'consecutive', +'consensus', +'consent', +'consequence', +'consequent', +'consequently', +'conservation', +'conservatism', +'conservative', +'conserve', +'consider', +'considerable', +'considerate', +'consideration', +'considering', +'consign', +'consignment', +'consist', +'consistency', +'consistent', +'console', +'consolidate', +'consonant', +'consortium', +'conspicuous', +'conspiracy', +'conspire', +'constable', +'constancy', +'constant', +'constantly', +'constellation', +'constituency', +'constituent', +'constitute', +'constitution', +'constitutional', +'constrain', +'constraint', +'construct', +'construction', +'constructive', +'consul', +'consulate', +'consult', +'consultant', +'consultation', +'consume', +'consumer', +'consummate', +'consumption', +'contact', +'contagious', +'contain', +'container', +'containerization', +'contaminate', +'contemplate', +'contemporary', +'contempt', +'contemptuous', +'contend', +'content', +'contented', +'contention', +'contest', +'contestant', +'context', +'continent', +'continental', +'contingency', +'continual', +'continue', +'continuity', +'continuous', +'continuum', +'contort', +'contour', +'contraception', +'contraceptive', +'contract', +'contraction', +'contractor', +'contradict', +'contradiction', +'contradictory', +'contrary', +'contrast', +'contribute', +'contribution', +'contributor', +'contrive', +'control', +'controversial', +'controversy', +'conurbation', +'convene', +'convenience', +'convenient', +'convention', +'conventional', +'converge', +'conversant', +'conversation', +'converse', +'conversion', +'convert', +'convertible', +'convex', +'convey', +'convict', +'conviction', +'convince', +'convincing', +'convoy', +'convulse', +'cook', +'cooker', +'cookery', +'cookie', +'cool', +'cooler', +'coop', +'cooperate', +'cooperation', +'cooperative', +'coordinate', +'cop', +'cope', +'copier', +'copper', +'copy', +'copyright', +'coral', +'cord', +'cordial', +'corduroy', +'core', +'cork', +'cornea', +'corner', +'cornerstone', +'cornet', +'corollary', +'coronation', +'coroner', +'corporal', +'corporate', +'corporation', +'corps', +'corpse', +'corpulent', +'corpus', +'correct', +'correction', +'correlate', +'correspond', +'correspondence', +'correspondent', +'corridor', +'corroborate', +'corrode', +'corrosion', +'corrugated', +'corrupt', +'corruption', +'cosmetic', +'cosmic', +'cosmopolitan', +'cosmos', +'cost', +'costly', +'costume', +'cosy', +'cot', +'cottage', +'cotton', +'couch', +'cough', +'could', +'council', +'counsel', +'counsellor', +'count', +'countable', +'countenance', +'counter', +'counteract', +'counterattack', +'counterbalance', +'counterfeit', +'counterpart', +'countess', +'countless', +'country', +'countryside', +'county', +'coup', +'couple', +'coupon', +'courage', +'courageous', +'courier', +'course', +'court', +'courteous', +'courtesy', +'courtship', +'courtyard', +'cousin', +'covenant', +'cover', +'coverage', +'covert', +'covet', +'cow', +'coward', +'cowardice', +'cowardly', +'cowboy', +'coy', +'cozy', +'crab', +'crack', +'cracker', +'crackle', +'cradle', +'craft', +'craftsman', +'crafty', +'crag', +'cram', +'cramp', +'crane', +'cranky', +'crap', +'crash', +'crate', +'crater', +'crave', +'craven', +'crawl', +'crayon', +'craze', +'crazy', +'creak', +'cream', +'creamy', +'crease', +'create', +'creation', +'creative', +'creativity', +'creator', +'creature', +'credibility', +'credible', +'credit', +'creditor', +'credulous', +'creed', +'creek', +'creep', +'cremate', +'crematorium', +'creole', +'crescent', +'crest', +'crew', +'crib', +'crime', +'criminal', +'crimson', +'cringe', +'crinkle', +'cripple', +'crisis', +'crisp', +'criterion', +'critic', +'critical', +'criticise', +'criticism', +'criticize', +'critique', +'croak', +'crockery', +'crocodile', +'crook', +'crooked', +'crop', +'cross', +'crossbow', +'crosscheck', +'cross-examine', +'crossing', +'crossword', +'crotch', +'crouch', +'crow', +'crowd', +'crown', +'crucial', +'crucify', +'crude', +'cruel', +'cruelty', +'cruise', +'cruiser', +'crumb', +'crumble', +'crunch', +'crusade', +'crush', +'crust', +'crutch', +'crux', +'cry', +'crypt', +'cryptic', +'crystal', +'cub', +'cube', +'cubic', +'cuckoo', +'cucumber', +'cuddle', +'cudgel', +'cue', +'cuff', +'cuisine', +'culminate', +'culprit', +'cult', +'cultivate', +'cultivated', +'cultural', +'culture', +'cumbersome', +'cumulative', +'cunning', +'cup', +'cupboard', +'curable', +'curator', +'curb', +'curd', +'cure', +'curfew', +'curiosity', +'curious', +'curl', +'currency', +'current', +'currently', +'curriculum', +'curry', +'curse', +'cursed', +'cursive', +'cursor', +'cursory', +'curt', +'curtail', +'curtain', +'curve', +'cushion', +'custard', +'custody', +'custom', +'customary', +'customer', +'cut', +'cute', +'cutlery', +'cyberspace', +'cycle', +'cyclical', +'cyclist', +'cyclone', +'cylinder', +'cynic', +'cynical', +'cynicism', +'dab', +'Dacron', +'dad', +'daddy', +'daffodil', +'daft', +'dagger', +'daily', +'dainty', +'dairy', +'dais', +'daisy', +'dam', +'damage', +'damn', +'damned', +'dampen', +'damper', +'damsel', +'dance', +'dancer', +'dandelion', +'danger', +'dangerous', +'dangle', +'Danish', +'dank', +'dapper', +'dappled', +'dare', +'daredevil', +'daring', +'dark', +'darken', +'darkness', +'darling', +'darn', +'dash', +'data', +'database', +'date', +'dated', +'daughter', +'daughter-in-law', +'daunt', +'dauntless', +'dawdle', +'dawn', +'day', +'daybreak', +'daydream', +'daylight', +'daytime', +'daze', +'dazzle', +'deacon', +'dead', +'deaden', +'deadline', +'deadlock', +'deadly', +'deadweight', +'deaf', +'deafen', +'dealer', +'dealing', +'dean', +'dear', +'death', +'deathly', +'debacle', +'debase', +'debate', +'debilitate', +'debit', +'debris', +'debt', +'debtor', +'debug', +'debut', +'decade', +'decadent', +'decay', +'decease', +'deceased', +'deceit', +'deceitful', +'deceive', +'decelerate', +'December', +'decency', +'decent', +'deception', +'deceptive', +'decibel', +'decide', +'decidedly', +'decimal', +'decimate', +'decipher', +'decision', +'decisive', +'deck', +'deckhand', +'declaim', +'declaration', +'declare', +'decline', +'decode', +'decompose', +'decor', +'decorate', +'decoration', +'decorative', +'decorous', +'decorum', +'decoy', +'decrease', +'decree', +'decry', +'dedicate', +'deduce', +'deduct', +'deductible', +'deduction', +'deed', +'deem', +'deep', +'deepen', +'deeply', +'deer', +'deface', +'defame', +'default', +'defeat', +'defence', +'defend', +'defendant', +'defender', +'defense', +'defensible', +'defensive', +'defer', +'defiance', +'defiant', +'deficiency', +'deficient', +'deficit', +'define', +'definite', +'definitely', +'definition', +'definitive', +'deflate', +'deflect', +'defoliate', +'deform', +'defraud', +'defrost', +'deft', +'defunct', +'defuse', +'defy', +'degenerate', +'degrade', +'degree', +'dehydrate', +'deify', +'deity', +'delay', +'delegate', +'delegation', +'delete', +'deli', +'deliberate', +'deliberately', +'deliberation', +'delicacy', +'delicate', +'delicatessen', +'delicious', +'delight', +'delightful', +'delimit', +'delineate', +'delinquency', +'delinquent', +'delirious', +'deliver', +'deliverance', +'deliverer', +'delivery', +'delta', +'delude', +'deluge', +'delusion', +'deluxe', +'delve', +'demagog', +'demagogue', +'demagoguery', +'demagogy', +'demand', +'demanding', +'demean', +'demeanor', +'demeanour', +'demented', +'demerit', +'demo', +'demobilize', +'democracy', +'democrat', +'democratic', +'demography', +'demolish', +'demon', +'demonic', +'demonstrable', +'demonstrate', +'demonstration', +'demonstrative', +'demoralize', +'demote', +'den', +'denial', +'denim', +'denizen', +'denominate', +'denomination', +'denominator', +'denote', +'denounce', +'dense', +'densely', +'density', +'dent', +'dental', +'dentist', +'dentistry', +'deny', +'deodorant', +'depart', +'department', +'departure', +'depend', +'dependant', +'dependence', +'dependent', +'depict', +'deplete', +'deplore', +'deploy', +'depopulate', +'deport', +'depose', +'deposit', +'deposition', +'depository', +'depot', +'deprecate', +'depreciate', +'depreciation', +'depress', +'depressed', +'depressing', +'depression', +'deprive', +'depth', +'deputation', +'deputy', +'derail', +'Derby', +'derelict', +'deride', +'derision', +'derivation', +'derivative', +'derive', +'derogatory', +'derrick', +'descend', +'descendant', +'descent', +'describe', +'description', +'descriptive', +'desegregate', +'deserve', +'desiccate', +'design', +'designate', +'designation', +'designer', +'desirable', +'desire', +'desirous', +'desk', +'desktop', +'desolate', +'desolation', +'despair', +'despatch', +'desperate', +'desperately', +'desperation', +'despicable', +'despise', +'despite', +'despoil', +'despot', +'despotism', +'dessert', +'destination', +'destine', +'destined', +'destiny', +'destitute', +'destroy', +'destroyer', +'destruction', +'destructive', +'detach', +'detachable', +'detached', +'detachment', +'detail', +'detain', +'detect', +'detective', +'detector', +'detention', +'deter', +'detergent', +'deteriorate', +'determination', +'determine', +'determiner', +'deterrent', +'detest', +'detonate', +'detour', +'detract', +'detriment', +'detrimental', +'devastate', +'develop', +'development', +'deviant', +'deviate', +'deviation', +'device', +'devil', +'devilish', +'devious', +'devise', +'devoid', +'devolve', +'devote', +'devotion', +'devour', +'devout', +'dew', +'dewdrop', +'dexterity', +'diabetes', +'diagnose', +'diagnosis', +'diagnostic', +'diagonal', +'diagram', +'dial', +'dialect', +'dialectic', +'dialog', +'dialogue', +'diameter', +'diametrically', +'diamond', +'diarrhea', +'diary', +'dice', +'dichotomy', +'dictate', +'dictation', +'dictator', +'dictatorship', +'diction', +'dictionary', +'dictum', +'didactic', +'diddle', +'die', +'diehard', +'diesel', +'diet', +'dietary', +'dietitian', +'differ', +'difference', +'different', +'differentiate', +'difficult', +'difficulty', +'diffidence', +'diffident', +'diffuse', +'dig', +'digest', +'digestible', +'digestion', +'digestive', +'digit', +'digital', +'dignified', +'dignify', +'dignitary', +'dignity', +'digress', +'dike', +'dilapidated', +'dilate', +'dilemma', +'dilettante', +'diligence', +'diligent', +'dilute', +'dim', +'dime', +'dimension', +'dimensional', +'diminish', +'dimple', +'dine', +'diner', +'dinghy', +'dingy', +'dining', +'dinner', +'dinosaur', +'diocese', +'diode', +'dioxide', +'dip', +'diphthong', +'diploma', +'diplomacy', +'diplomat', +'diplomatic', +'dipper', +'dire', +'direction', +'directive', +'directly', +'director', +'directory', +'dirt', +'dirty', +'disability', +'disable', +'disadvantage', +'disadvantaged', +'disadvantageous', +'disagree', +'disagreeable', +'disagreement', +'disappear', +'disappoint', +'disappointing', +'disappointment', +'disapproval', +'disapprove', +'disarm', +'disarmament', +'disarray', +'disassociate', +'disaster', +'disastrous', +'disavow', +'disband', +'disbelief', +'disbelieve', +'disc', +'discard', +'discern', +'discernible', +'discerning', +'discharge', +'disciple', +'disciplinary', +'discipline', +'disclaim', +'disclose', +'disclosure', +'disco', +'disconcert', +'discontent', +'discord', +'discount', +'discourage', +'discourse', +'discover', +'discovery', +'discredit', +'discreet', +'discrepancy', +'discrete', +'discretion', +'discriminate', +'discrimination', +'discus', +'discuss', +'discussion', +'disdain', +'disdainful', +'disease', +'disembark', +'disenchant', +'disentangle', +'disfavor', +'disfavour', +'disgrace', +'disgraceful', +'disguise', +'disgust', +'disgusting', +'dish', +'dishonest', +'dishonor', +'dishonorable', +'dishonour', +'dishonourable', +'dishwasher', +'disillusion', +'disinfect', +'disinfectant', +'disintegrate', +'disintegration', +'disinterested', +'disjointed', +'disjunctive', +'disk', +'dislike', +'dislocate', +'dislodge', +'disloyal', +'dismal', +'dismantle', +'dismay', +'dismiss', +'dismissal', +'disobedience', +'disobey', +'disorder', +'disparate', +'disparity', +'dispatch', +'dispel', +'dispensable', +'dispensary', +'dispensation', +'dispense', +'disperse', +'dispirited', +'displace', +'displacement', +'display', +'displease', +'displeasure', +'disposable', +'disposal', +'dispose', +'disposed', +'disposition', +'disprove', +'dispute', +'disqualify', +'disregard', +'disrepute', +'disrespect', +'disrupt', +'dissatisfaction', +'dissatisfy', +'dissect', +'disseminate', +'dissension', +'dissent', +'dissertation', +'disservice', +'dissident', +'dissimilar', +'dissipated', +'dissociate', +'dissolute', +'dissolution', +'dissolve', +'dissonance', +'dissuade', +'distance', +'distant', +'distaste', +'distil', +'distillation', +'distinct', +'distinction', +'distinctive', +'distinguish', +'distinguishable', +'distinguished', +'distort', +'distract', +'distraction', +'distraught', +'distress', +'distribute', +'distribution', +'district', +'distrust', +'disturb', +'disturbance', +'disunite', +'disuse', +'ditch', +'dither', +'ditto', +'ditty', +'dive', +'diver', +'diverge', +'divergent', +'diverse', +'diversify', +'diversion', +'diversity', +'divert', +'divide', +'dividend', +'divine', +'divinity', +'divisible', +'division', +'divisive', +'divorce', +'divulge', +'dizzy', +'do', +'docile', +'dock', +'dockyard', +'doctor', +'doctorate', +'doctrine', +'document', +'documentary', +'dodge', +'dog', +'dog-eared', +'dogged', +'dogma', +'dogmatic', +'dog-tired', +'do-it-yourself', +'doldrums', +'dole', +'doleful', +'doll', +'dollar', +'dollop', +'dolphin', +'domain', +'dome', +'domestic', +'domesticate', +'domesticity', +'domicile', +'dominant', +'dominate', +'domineer', +'domineering', +'dominion', +'domino', +'don', +'donate', +'donation', +'donator', +'done', +'donkey', +'donor', +'donut', +'doodle', +'doom', +'doomed', +'doomsday', +'door', +'doorstep', +'doorway', +'dope', +'dormant', +'dormitory', +'dosage', +'dose', +'dossier', +'dot', +'dote', +'doting', +'double', +'doubt', +'doubtful', +'doubtless', +'dough', +'dove', +'dowager', +'down', +'down-and-out', +'downcast', +'downfall', +'downgrade', +'downhearted', +'downhill', +'downpour', +'downright', +'downstairs', +'downstream', +'downtime', +'downtown', +'downward', +'dowry', +'doze', +'dozen', +'drab', +'draft', +'draftsman', +'drafty', +'drag', +'dragon', +'dragonfly', +'drain', +'drainage', +'drama', +'dramatic', +'dramatist', +'dramatize', +'drape', +'drapery', +'drastic', +'draught', +'draughtsman', +'draughty', +'draw', +'drawback', +'drawer', +'drawing', +'drawl', +'dread', +'dreadful', +'dream', +'dreary', +'dredge', +'dregs', +'drench', +'dress', +'dressing', +'dressy', +'dribble', +'drift', +'drill', +'drink', +'drip', +'dripping', +'drive', +'drive-in', +'driver', +'drizzle', +'drone', +'drool', +'droop', +'drop', +'drought', +'drown', +'drowse', +'drowsy', +'drug', +'druggist', +'drugstore', +'drum', +'drummer', +'drumstick', +'drunk', +'drunkard', +'drunken', +'dry', +'dry-clean', +'dryer', +'dryly', +'dual', +'dub', +'dubious', +'duchess', +'duchy', +'duckling', +'duct', +'due', +'duel', +'duet', +'duff', +'duke', +'dull', +'duly', +'dumb', +'dumbfound', +'dumfound', +'dummy', +'dump', +'dumpling', +'dumpy', +'dunce', +'dune', +'dung', +'dungeon', +'duo', +'dupe', +'duplicate', +'duplicity', +'durable', +'duration', +'during', +'dusk', +'dusky', +'dust', +'dustbin', +'duster', +'dustman', +'dustpan', +'dusty', +'Dutch', +'dutiful', +'duty', +'duty-free', +'dwarf', +'dwell', +'dweller', +'dwelling', +'dwindle', +'dye', +'dyke', +'dynamic', +'dynamics', +'dynamism', +'dynamite', +'dynamo', +'dynasty', +'each', +'eager', +'eagerness', +'eagle', +'ear', +'earache', +'eardrum', +'earl', +'early', +'earmark', +'earn', +'earnest', +'earnings', +'earphone', +'earplug', +'earring', +'earth', +'earthen', +'earthenware', +'earthly', +'earthquake', +'earthwork', +'earthy', +'ease', +'easel', +'easily', +'east', +'Easter', +'eastern', +'eastward', +'easy', +'easygoing', +'eat', +'eaves', +'eavesdrop', +'ebb', +'ebony', +'eccentric', +'eccentricity', +'echo', +'eclectic', +'eclipse', +'ecological', +'ecologist', +'ecology', +'economic', +'economical', +'economics', +'economist', +'economize', +'economy', +'ecosystem', +'ecstasy', +'ecstatic', +'eczema', +'eddy', +'edge', +'edgy', +'edible', +'edict', +'edifice', +'edit', +'edition', +'editor', +'editorial', +'educate', +'education', +'educational', +'educationist', +'educator', +'eerie', +'efface', +'effect', +'effective', +'effeminate', +'efficacy', +'efficiency', +'efficient', +'effluent', +'effort', +'effusive', +'egalitarian', +'egg', +'eggplant', +'ego', +'egocentric', +'egoism', +'egoist', +'egotism', +'eh', +'eight', +'eighteen', +'eighteenth', +'eighth', +'eightieth', +'eighty', +'either', +'ejaculate', +'eject', +'elaborate', +'elapse', +'elastic', +'elasticity', +'elated', +'elbow', +'elder', +'elderly', +'eldest', +'elect', +'election', +'elector', +'electorate', +'electric', +'electrical', +'electrician', +'electricity', +'electrify', +'electrocute', +'electrode', +'electromagnet', +'electron', +'electronic', +'electronics', +'electroplate', +'electroscope', +'electrostatic', +'elegance', +'elegant', +'element', +'elemental', +'elementary', +'elephant', +'elevate', +'elevation', +'elevator', +'eleven', +'eleventh', +'elf', +'elicit', +'eligible', +'eliminate', +'elimination', +'elite', +'ellipse', +'elliptical', +'elm', +'elope', +'eloquence', +'eloquent', +'else', +'elsewhere', +'elucidate', +'elude', +'elusive', +'emaciated', +'e-mail', +'emanate', +'emancipate', +'embankment', +'embargo', +'embark', +'embarrass', +'embarrassing', +'embarrassment', +'embassy', +'embattled', +'embed', +'embellish', +'embezzle', +'emblem', +'embody', +'emboss', +'embrace', +'embroider', +'embroidery', +'embroil', +'embryo', +'emend', +'emerald', +'emerge', +'emergence', +'emergency', +'emergent', +'emigrant', +'emigrate', +'emigration', +'eminence', +'eminent', +'emir', +'emissary', +'emission', +'emit', +'emotion', +'emotional', +'emotive', +'empathy', +'emperor', +'emphasis', +'emphasize', +'emphatic', +'empire', +'empirical', +'empiricism', +'employ', +'employe', +'employee', +'employer', +'employment', +'empower', +'empress', +'empty', +'emulate', +'enable', +'enact', +'enamel', +'encampment', +'encase', +'enchant', +'encircle', +'enclave', +'enclose', +'enclosure', +'encompass', +'encore', +'encounter', +'encourage', +'encouragement', +'encroach', +'encumber', +'encyclopaedia', +'encyclopedia', +'end', +'endanger', +'endeavor', +'endeavour', +'endemic', +'ending', +'endless', +'endorse', +'endow', +'endurable', +'endurance', +'endure', +'endways', +'enemy', +'energetic', +'energize', +'energy', +'enfeeble', +'enforce', +'engage', +'engaged', +'engagement', +'engender', +'engine', +'engineer', +'engineering', +'English', +'Englishman', +'Englishwoman', +'engrave', +'engross', +'engulf', +'enhance', +'enigma', +'enigmatic', +'enjoy', +'enjoyable', +'enjoyment', +'enlarge', +'enlargement', +'enlighten', +'enlist', +'enliven', +'enmity', +'ennoble', +'enormity', +'enormous', +'enough', +'enquire', +'enquiry', +'enrage', +'enrich', +'enrol', +'ensconce', +'ensemble', +'enshrine', +'ensign', +'enslave', +'ensue', +'ensure', +'entail', +'entangle', +'enter', +'enterprise', +'entertain', +'entertainer', +'entertaining', +'entertainment', +'enthral', +'enthrall', +'enthrone', +'enthusiasm', +'enthusiast', +'enthusiastic', +'entice', +'entire', +'entirety', +'entitle', +'entity', +'entourage', +'entrance', +'entrant', +'entreat', +'entree', +'entrepot', +'entrepreneur', +'entrust', +'entry', +'entwine', +'enumerate', +'envelop', +'envelope', +'enviable', +'envious', +'environment', +'environmental', +'environmentalism', +'environmentalist', +'envisage', +'envision', +'envoy', +'envy', +'enzyme', +'eon', +'ephemeral', +'epic', +'epidemic', +'epigram', +'epilogue', +'episode', +'epitaph', +'epitome', +'epitomize', +'epoch', +'epoch-making', +'equable', +'equal', +'equality', +'equally', +'equate', +'equation', +'equator', +'equiangular', +'equidistant', +'equilateral', +'equilibrium', +'equinox', +'equip', +'equipment', +'equitable', +'equity', +'equivalence', +'equivalent', +'equivocal', +'era', +'eradicate', +'erase', +'eraser', +'erasure', +'erect', +'erection', +'erode', +'erosion', +'erotic', +'err', +'errand', +'errant', +'erratic', +'erroneous', +'error', +'erudite', +'erupt', +'eruption', +'escalate', +'escalator', +'escape', +'escapee', +'eschew', +'escort', +'Eskimo', +'esoteric', +'especial', +'especially', +'Esperanto', +'espionage', +'essay', +'essayist', +'essence', +'essential', +'establish', +'establishment', +'estancia', +'estate', +'esteem', +'estimable', +'estimate', +'estimation', +'estrange', +'estuary', +'et', +'etc', +'etcetera', +'etceteras', +'etch', +'eternal', +'ether', +'ethereal', +'ethic', +'ethical', +'ethics', +'ethnic', +'ethos', +'etiquette', +'eulogy', +'euphemism', +'euphemistic', +'euphoria', +'Europe', +'European', +'euthanasia', +'evacuate', +'evade', +'evaluate', +'evaluation', +'evanescent', +'evangelical', +'evangelist', +'evaporate', +'evasive', +'eve', +'even', +'event', +'eventful', +'eventual', +'eventuality', +'eventually', +'ever', +'evergreen', +'everlasting', +'evermore', +'every', +'everybody', +'everyday', +'everyone', +'everything', +'everywhere', +'evict', +'eviction', +'evidence', +'evident', +'evidently', +'evil', +'evince', +'evocative', +'evoke', +'evolution', +'evolutionary', +'evolve', +'ewe', +'exacerbate', +'exact', +'exactly', +'exaggerate', +'exalt', +'exaltation', +'exalted', +'exam', +'examination', +'examine', +'example', +'exasperate', +'excavate', +'exceed', +'exceedingly', +'excel', +'excellence', +'excellency', +'excellent', +'except', +'exception', +'exceptional', +'excerpt', +'excess', +'excessive', +'exchange', +'excise', +'excitable', +'excite', +'excited', +'excitement', +'exciting', +'exclaim', +'exclamation', +'exclude', +'exclusion', +'exclusive', +'exclusively', +'excursion', +'excusable', +'excuse', +'execrable', +'execute', +'execution', +'executioner', +'executive', +'executor', +'exemplary', +'exemplify', +'exempt', +'exercise', +'exert', +'exhale', +'exhaust', +'exhaustive', +'exhibit', +'exhibition', +'exhibitor', +'exhilarate', +'exhilarating', +'exhort', +'exile', +'exist', +'existence', +'existent', +'existential', +'existentialist', +'exit', +'exodus', +'exonerate', +'exorcise', +'exorcize', +'exotic', +'expand', +'expanse', +'expansion', +'expansive', +'expect', +'expectancy', +'expectant', +'expectation', +'expedient', +'expedite', +'expedition', +'expel', +'expend', +'expenditure', +'expense', +'expensive', +'experience', +'experienced', +'experiment', +'expert', +'expertise', +'expiration', +'expire', +'expiry', +'explain', +'explanation', +'explanatory', +'explicable', +'explode', +'exploit', +'exploration', +'exploratory', +'explore', +'explorer', +'explosion', +'explosive', +'exponent', +'export', +'exporter', +'expose', +'exposition', +'exposure', +'expound', +'expression', +'expressive', +'expressly', +'expressway', +'expropriate', +'expulsion', +'expunge', +'expurgate', +'exquisite', +'extant', +'extend', +'extension', +'extensive', +'extent', +'exterior', +'exterminate', +'external', +'extinct', +'extinction', +'extinguish', +'extinguisher', +'extol', +'extort', +'extortionate', +'extra', +'extract', +'extraction', +'extractor', +'extracurricular', +'extradite', +'extraneous', +'extraordinary', +'extrapolate', +'extraterrestrial', +'extravagance', +'extravagant', +'extravert', +'extreme', +'extremely', +'extremism', +'extremist', +'extremity', +'extricate', +'extrovert', +'exuberant', +'exude', +'exult', +'eye', +'eyeball', +'eyebrow', +'eyebrow', +'eye-catching', +'eyeglass', +'eyelash', +'eyeless', +'eyelid', +'eye-opener', +'eyesight', +'eyesore', +'eyewash', +'eyewitness', +'fable', +'fabric', +'fabricate', +'fabulous', +'facade', +'face', +'facet', +'facial', +'facile', +'facilitate', +'facility', +'facing', +'facsimile', +'fact', +'faction', +'factitious', +'factor', +'factory', +'factual', +'faculty', +'fad', +'fade', +'fag', +'Fahrenheit', +'failing', +'failure', +'faint', +'fainthearted', +'fair', +'fairground', +'fairly', +'fairness', +'fairway', +'fairy', +'fairyland', +'faith', +'faithful', +'faithfully', +'fake', +'falcon', +'fall', +'fallacious', +'fallacy', +'fallible', +'falsehood', +'falsetto', +'falsify', +'falsity', +'falter', +'fame', +'famed', +'familial', +'familiar', +'familiarize', +'family', +'famine', +'famous', +'fan', +'fanatic', +'fanciful', +'fancy', +'fantasize', +'fantastic', +'fantasy', +'far', +'faraway', +'farce', +'fare', +'farewell', +'far-fetched', +'farm', +'farmer', +'farmhand', +'farmhouse', +'farming', +'farmland', +'farmyard', +'far-off', +'far-reaching', +'farsighted', +'farther', +'fascinate', +'fascinating', +'fascination', +'fascism', +'Fascism', +'Fascist', +'fashion', +'fashionable', +'fasten', +'fastening', +'fastidious', +'fat', +'fatal', +'fatalism', +'fatality', +'fate', +'fated', +'fateful', +'father', +'father-in-law', +'fatherland', +'fathom', +'fatigue', +'fatten', +'fatuous', +'faucet', +'fault', +'faulty', +'fauna', +'favor', +'favorable', +'favorite', +'favoritism', +'favour', +'favourable', +'favourite', +'fawn', +'fax', +'faze', +'fear', +'fearful', +'fearless', +'feasible', +'feast', +'feat', +'feather', +'featherbrained', +'feature', +'February', +'feckless', +'fecund', +'federal', +'federalism', +'federalist', +'federate', +'federation', +'fee', +'feeble', +'feebleminded', +'feed', +'feedback', +'feeder', +'feel', +'feeler', +'feeling', +'feign', +'feint', +'felicity', +'fell', +'fellow', +'fellowship', +'felony', +'felt', +'female', +'feminine', +'femininity', +'feminism', +'feminist', +'fen', +'fend', +'fender', +'ferment', +'fermentation', +'fern', +'ferocious', +'ferocity', +'ferret', +'ferry', +'ferryboat', +'fertile', +'fertilize', +'fertilizer', +'fervent', +'fervor', +'fervour', +'fester', +'festival', +'festive', +'festivity', +'festoon', +'fetch', +'fetching', +'fete', +'fetid', +'fetish', +'fetter', +'fetus', +'feud', +'feudal', +'feudalism', +'fever', +'feverish', +'few', +'fiance', +'fiancee', +'fiasco', +'fiber', +'fiberglass', +'fibre', +'fickle', +'fiction', +'fictitious', +'fiddle', +'fiddling', +'fidelity', +'fidget', +'fie', +'field', +'fieldwork', +'fiend', +'fiendish', +'fierce', +'fiery', +'fifteen', +'fifteenth', +'fifth', +'fiftieth', +'fifty', +'fight', +'fighter', +'fighting', +'figment', +'figurative', +'figure', +'figurehead', +'filament', +'file', +'filial', +'fill', +'fillet', +'filling', +'film', +'filter', +'filth', +'filthy', +'fin', +'final', +'finale', +'finalist', +'finally', +'finance', +'financial', +'financier', +'find', +'finding', +'fine', +'finely', +'finery', +'finesse', +'finger', +'fingernail', +'fingerprint', +'fingertip', +'finicky', +'finish', +'finished', +'finite', +'fir', +'fire', +'firearm', +'firebrand', +'firebrick', +'firecracker', +'firedamp', +'fireman', +'fireplace', +'firepower', +'fireproof', +'fireside', +'firewood', +'firework', +'first', +'firstborn', +'firsthand', +'first-rate', +'fiscal', +'fish', +'fisherman', +'fishery', +'fishing', +'fishmonger', +'fission', +'fissure', +'fist', +'fitful', +'fitness', +'fitting', +'five', +'fix', +'fixed', +'fixer', +'fixture', +'fizz', +'flabby', +'flaccid', +'flag', +'flagpole', +'flagrant', +'flagship', +'flagstaff', +'flail', +'flair', +'flak', +'flake', +'flamboyant', +'flame', +'flammable', +'flank', +'flannel', +'flap', +'flare', +'flash', +'flashback', +'flashlight', +'flask', +'flat', +'flatten', +'flatter', +'flattery', +'flaunt', +'flautist', +'flavor', +'flavoring', +'flavour', +'flavouring', +'flaw', +'flawless', +'flax', +'flaxen', +'flea', +'fleck', +'flee', +'fleece', +'fleet', +'fleeting', +'flesh', +'flex', +'flexibility', +'flexible', +'flexibly', +'flexitime', +'flick', +'flicker', +'flier', +'flight', +'flighty', +'flimsy', +'flinch', +'fling', +'flint', +'flip', +'flippant', +'flirt', +'flit', +'float', +'flock', +'flog', +'flood', +'floodgate', +'floodlight', +'floor', +'flop', +'floppy', +'floral', +'florid', +'florist', +'flounder', +'flour', +'flourish', +'flout', +'flow', +'flowchart', +'flower', +'flowerbed', +'flowerpot', +'flu', +'fluctuate', +'fluency', +'fluent', +'fluff', +'fluid', +'fluidity', +'fluke', +'fluorescent', +'flurry', +'flush', +'flute', +'flutist', +'flutter', +'flux', +'fly', +'flyer', +'flyleaf', +'flyover', +'flypast', +'flywheel', +'foetus', +'fogy', +'foible', +'foil', +'foist', +'fold', +'folder', +'foliage', +'folk', +'folklore', +'follow', +'follower', +'following', +'folly', +'fond', +'fondle', +'font', +'food', +'foodstuff', +'foolish', +'foolproof', +'foot', +'football', +'footballer', +'footbridge', +'foothill', +'foothold', +'footloose', +'footman', +'footnote', +'footpath', +'footprint', +'footstep', +'footwear', +'footwork', +'for', +'forage', +'foray', +'forbear', +'forbid', +'forbidden', +'forbidding', +'force', +'forceful', +'forceps', +'forcible', +'ford', +'fore', +'forearm', +'forebode', +'foreboding', +'forecast', +'forecourt', +'forefather', +'forefinger', +'forefront', +'forego', +'foregoing', +'foreground', +'forehead', +'foreign', +'foreigner', +'foreknowledge', +'foreland', +'foreleg', +'foreman', +'foremost', +'forename', +'forensic', +'forerunner', +'foresee', +'foreshadow', +'foreshore', +'foresight', +'forest', +'forestall', +'forester', +'forestry', +'foretaste', +'foretell', +'forethought', +'forever', +'forewarn', +'foreword', +'forfeit', +'forge', +'forgery', +'forget', +'forgetful', +'forgive', +'fork', +'forlorn', +'form', +'formal', +'formality', +'formalize', +'format', +'formation', +'formative', +'former', +'formerly', +'formidable', +'formula', +'formulate', +'formulation', +'fornicate', +'forsake', +'fort', +'forte', +'forth', +'forthcoming', +'forthright', +'forthwith', +'fortieth', +'fortify', +'fortitude', +'fortnight', +'fortress', +'fortuitous', +'fortunate', +'fortunately', +'fortune', +'forty', +'forum', +'forward', +'forwards', +'fossil', +'foster', +'foul', +'found', +'foundation', +'fount', +'fountain', +'four', +'fourteen', +'fourteenth', +'fourth', +'fowl', +'foyer', +'fraction', +'fractional', +'fractious', +'fracture', +'fragile', +'fragment', +'fragmentary', +'fragrance', +'fragrant', +'frail', +'frame', +'framework', +'franc', +'franchise', +'frank', +'frankly', +'frantic', +'fraternal', +'fraternity', +'fraud', +'fraudulent', +'fraught', +'fray', +'freak', +'freckle', +'free', +'freebie', +'freedom', +'freehand', +'freelance', +'freely', +'freeway', +'freewheel', +'freeze', +'freezer', +'freezing', +'freight', +'freighter', +'French', +'Frenchman', +'frenetic', +'frenzied', +'frenzy', +'frequency', +'frequent', +'frequently', +'fresco', +'fresh', +'freshman', +'freshwater', +'fret', +'fretful', +'friction', +'Friday', +'fridge', +'friend', +'friendly', +'friendship', +'fright', +'frighten', +'frightened', +'frightening', +'frightful', +'frigid', +'frill', +'fringe', +'frisk', +'fritter', +'frivolity', +'frivolous', +'frizzy', +'fro', +'frock', +'frog', +'frogman', +'frolic', +'from', +'front', +'frontage', +'frontal', +'frontier', +'frost', +'frostbite', +'frosting', +'frosty', +'froth', +'frown', +'frozen', +'frugal', +'fruit', +'fruiterer', +'fruitful', +'fruition', +'fruitless', +'frustrate', +'frustration', +'fry', +'fuddle', +'fudge', +'fuel', +'fugitive', +'fulfill', +'fulfillment', +'full', +'full-blown', +'full-length', +'full-time', +'fully', +'fumble', +'fume', +'function', +'fund', +'fundamental', +'funeral', +'funfair', +'fungus', +'funicular', +'funk', +'funky', +'funnel', +'funny', +'fur', +'furious', +'furl', +'furnace', +'furnish', +'furnishings', +'furniture', +'furrier', +'furrow', +'further', +'furthermore', +'furthest', +'furtive', +'fury', +'fuse', +'fusion', +'fuss', +'fussy', +'futile', +'futility', +'future', +'futuristic', +'fuzz', +'fuzzy', +'gabble', +'gable', +'gadget', +'gag', +'gaiety', +'gaily', +'gain', +'gala', +'galaxy', +'gale', +'gallant', +'gallery', +'gallon', +'gallop', +'gallows', +'galvanize', +'gambit', +'gamble', +'gambler', +'game', +'gang', +'gangster', +'gaol', +'gaoler', +'gap', +'gape', +'garage', +'garbage', +'garden', +'garland', +'garlic', +'garment', +'garrison', +'gas', +'gaseous', +'gash', +'gasoline', +'gasp', +'gastric', +'gastritis', +'gate', +'gateway', +'gather', +'gathering', +'gauge', +'gaunt', +'gauze', +'gay', +'gaze', +'gazette', +'gear', +'gearbox', +'gem', +'gender', +'gene', +'general', +'generalise', +'generalization', +'generalize', +'generally', +'generate', +'generation', +'generative', +'generator', +'generic', +'generosity', +'generous', +'genesis', +'genetic', +'genetics', +'genial', +'genius', +'genocide', +'genre', +'genteel', +'gentility', +'gentle', +'gentleman', +'genuine', +'geographic', +'geography', +'geologist', +'geology', +'geometric', +'geometry', +'geopolitics', +'germ', +'German', +'germinate', +'gerund', +'gesticulate', +'gesture', +'get', +'get-together', +'ghastly', +'ghetto', +'ghost', +'ghostly', +'giant', +'gibber', +'gibberish', +'gibbon', +'giddy', +'gift', +'gifted', +'gigantic', +'giggle', +'gild', +'gill', +'gimmick', +'gin', +'ginger', +'gipsy', +'giraffe', +'girder', +'girdle', +'girl', +'gist', +'give', +'given', +'glacial', +'glacier', +'glad', +'gladiator', +'glamor', +'glamorous', +'glamour', +'glamourous', +'glance', +'gland', +'glare', +'glaring', +'glass', +'glasshouse', +'glaze', +'gleam', +'glean', +'glee', +'glide', +'glider', +'glimmer', +'glimpse', +'glint', +'glisten', +'glitter', +'gloat', +'global', +'globe', +'gloom', +'gloomy', +'glorify', +'glorious', +'glory', +'gloss', +'glossary', +'glossy', +'glove', +'glow', +'glue', +'glum', +'glutton', +'gnarled', +'gnaw', +'go', +'goal', +'goalkeeper', +'goat', +'gobble', +'god', +'goddess', +'godfather', +'godmother', +'goggle', +'gold', +'golden', +'goldfish', +'golf', +'golfer', +'gong', +'gonorrhoea', +'good', +'goodbye', +'good-hearted', +'good-humored', +'good-looking', +'goodness', +'goods', +'goodwill', +'goody', +'goose', +'gorge', +'gorgeous', +'gorilla', +'gosh', +'gospel', +'gossip', +'Gothic', +'gourmet', +'govern', +'governess', +'government', +'governor', +'gown', +'grab', +'grace', +'graceful', +'gracious', +'grade', +'gradual', +'gradually', +'graduate', +'graduation', +'graffiti', +'graft', +'grain', +'gram', +'grammar', +'grammatical', +'gramme', +'gramophone', +'grand', +'grandchild', +'granddaughter', +'grandeur', +'grandfather', +'grandiose', +'grandmother', +'grandparent', +'grandson', +'grandstand', +'granite', +'granny', +'grant', +'granular', +'granule', +'grape', +'grapevine', +'graph', +'graphic', +'graphics', +'grapple', +'grasp', +'grass', +'grasshopper', +'grassland', +'grate', +'grateful', +'gratify', +'gratitude', +'gratuitous', +'grave', +'graveyard', +'gravitate', +'gravity', +'gray', +'graze', +'grease', +'great', +'greatly', +'greed', +'greedy', +'Greek', +'green', +'greenery', +'greengrocer', +'greenhouse', +'greet', +'greeting', +'gregarious', +'grenade', +'grey', +'greyhound', +'grid', +'grief', +'grievance', +'grieve', +'grievous', +'grill', +'grim', +'grimace', +'grime', +'grin', +'grind', +'grinder', +'grip', +'gripe', +'grisly', +'grit', +'groan', +'grocer', +'grocery', +'groom', +'groove', +'grope', +'gross', +'grotesque', +'ground', +'grounding', +'groundwork', +'group', +'grove', +'grovel', +'grow', +'growl', +'grown-up', +'growth', +'grudge', +'gruesome', +'gruff', +'grumble', +'grumpy', +'grunt', +'guarantee', +'guard', +'guardian', +'guerrilla', +'guess', +'guest', +'guidance', +'guide', +'guillotine', +'guilt', +'guilty', +'guise', +'guitar', +'gulf', +'gull', +'gullible', +'gulp', +'gum', +'gun', +'gunfire', +'gunpowder', +'gurgle', +'guru', +'gush', +'gust', +'gusto', +'gut', +'gutter', +'guttural', +'guy', +'gym', +'gymnasium', +'gymnastic', +'gymnastics', +'gynaecology', +'gynecology', +'gypsy', +'ha', +'habit', +'habitable', +'habitat', +'habitation', +'habitual', +'habitue', +'hack', +'hacker', +'hackle', +'hackneyed', +'hacksaw', +'hag', +'haggard', +'haggle', +'hail', +'hair', +'haircut', +'hairdo', +'hairdresser', +'hairpiece', +'hairpin', +'hairy', +'hale', +'half', +'halfway', +'hall', +'hallmark', +'hallo', +'hallowed', +'Halloween', +'hallucinate', +'hallucination', +'halo', +'halt', +'halter', +'halting', +'halve', +'ham', +'hamburger', +'hamlet', +'hammer', +'hammock', +'hamper', +'hamstring', +'hand', +'handbag', +'handbook', +'handcuff', +'handful', +'handgun', +'handicap', +'handicapped', +'handicraft', +'handily', +'handiness', +'handiwork', +'handkerchief', +'handle', +'handlebar', +'handout', +'handpicked', +'handshake', +'handsome', +'handsomely', +'handstand', +'handwriting', +'handy', +'handyman', +'hang', +'hangar', +'hanger', +'hangman', +'hangnail', +'hangover', +'hanker', +'hankie', +'hanky', +'haphazard', +'hapless', +'happen', +'happening', +'happily', +'happiness', +'happy', +'harangue', +'harass', +'harbinger', +'harbor', +'harbour', +'hard', +'hardback', +'hardball', +'hardboard', +'hard-boiled', +'hardcore', +'harden', +'hardheaded', +'hardly', +'hardness', +'hardship', +'hardtop', +'hardware', +'hardwood', +'hardworking', +'hardy', +'hare', +'harebrained', +'harelip', +'harm', +'harmful', +'harmless', +'harmonica', +'harmonium', +'harmonize', +'harmony', +'harness', +'harp', +'harpoon', +'harrow', +'harrowing', +'harry', +'harsh', +'harvest', +'hash', +'hassle', +'haste', +'hasten', +'hasty', +'hat', +'hatch', +'hatchback', +'hatchery', +'hatchet', +'hate', +'hateful', +'hatred', +'haughty', +'haul', +'haulage', +'haunch', +'haunt', +'haunting', +'have', +'haven', +'haversack', +'havoc', +'hawk', +'hawker', +'hay', +'haystack', +'haywire', +'hazard', +'haze', +'hazel', +'he', +'head', +'headache', +'headdress', +'headgear', +'headhunter', +'heading', +'headlamp', +'headland', +'headlight', +'headline', +'headlong', +'headman', +'headmaster', +'headmistress', +'head-on', +'headphones', +'headquarters', +'headrest', +'headroom', +'headset', +'headship', +'headstone', +'headstrong', +'headway', +'heady', +'heal', +'health', +'healthy', +'heap', +'hear', +'hearing', +'hearsay', +'hearse', +'heart', +'heartache', +'heartbeat', +'heartbreak', +'heartbreaking', +'heartbroken', +'hearten', +'heartfelt', +'hearth', +'heartily', +'heartland', +'heartless', +'heartrending', +'heartstring', +'heartwarming', +'hearty', +'heat', +'heater', +'heath', +'heathen', +'heating', +'heatstroke', +'heave', +'heavy', +'heavyweight', +'Hebrew', +'heck', +'heckle', +'hectare', +'hectic', +'hector', +'hedge', +'hedgehog', +'hedgerow', +'hedonism', +'hedonist', +'heed', +'hefty', +'hegemony', +'heifer', +'height', +'heighten', +'heinous', +'heir', +'heiress', +'heirloom', +'helicopter', +'helium', +'hell', +'hello', +'helm', +'helmet', +'help', +'helper', +'helpful', +'helping', +'helpless', +'hem', +'hemisphere', +'hemline', +'hemlock', +'hemophilia', +'hemorrhage', +'hemorrhoid', +'hemp', +'hen', +'hence', +'henceforth', +'henchman', +'henpecked', +'hepatitis', +'her', +'herald', +'herb', +'herbivore', +'herbivorous', +'herd', +'herdsman', +'here', +'hereabout', +'hereafter', +'hereby', +'hereditary', +'heredity', +'herein', +'hereof', +'heresy', +'heretic', +'heretical', +'hereto', +'heretofore', +'herewith', +'heritage', +'hermetic', +'hermitage', +'hero', +'heroic', +'heroin', +'heroine', +'herring', +'hers', +'herself', +'hesitate', +'hesitation', +'heterodox', +'heterogeneous', +'hew', +'hexagon', +'hey', +'heyday', +'hi', +'hiatus', +'hibernate', +'hiccough', +'hiccup', +'hidden', +'hide', +'hide-and-seek', +'hideaway', +'hidebound', +'hideous', +'hiding', +'hierarch', +'hierarchy', +'hi-fi', +'high', +'highbrow', +'highchair', +'highland', +'highlight', +'highly', +'high-pitched', +'high-ranking', +'high-rise', +'high-sounding', +'high-spirited', +'high-tech', +'highway', +'hijack', +'hike', +'hiker', +'hilarious', +'hill', +'hillock', +'hillside', +'hilt', +'him', +'himself', +'hind', +'hinder', +'Hindi', +'hindmost', +'hindrance', +'hindsight', +'Hindu', +'Hinduism', +'hinge', +'hint', +'hinterland', +'hip', +'hippie', +'hippo', +'hippopotamus', +'hippy', +'hire', +'his', +'Hispanic', +'hiss', +'histogram', +'historian', +'historic', +'history', +'histrionic', +'hit', +'hitch', +'hitchhike', +'hither', +'hitherto', +'hive', +'hoard', +'hoarding', +'hoarse', +'hoary', +'hoax', +'hobble', +'hobby', +'hobbyhorse', +'hobgoblin', +'hobnail', +'hobnob', +'hockey', +'hod', +'hoe', +'hog', +'hoggish', +'hogshead', +'hoist', +'hold', +'holdall', +'holder', +'holding', +'holdup', +'hole', +'holiday', +'holiness', +'hollow', +'holly', +'holocaust', +'hologram', +'holster', +'holy', +'homage', +'home', +'homebound', +'homecoming', +'homeland', +'homeless', +'homely', +'homeopath', +'homesick', +'homestead', +'homeward', +'homework', +'homey', +'homicide', +'homily', +'homoeopath', +'homogeneity', +'homogeneous', +'homogenize', +'homosexual', +'honest', +'honestly', +'honesty', +'honey', +'honeycomb', +'honeymoon', +'honk', +'honor', +'honorable', +'honorary', +'honour', +'honourable', +'hood', +'hoodwink', +'hoof', +'hook', +'hooligan', +'hoop', +'hooray', +'hoot', +'Hoover', +'hop', +'hope', +'hopeful', +'hopeless', +'hopper', +'horde', +'horizon', +'horizontal', +'hormone', +'horn', +'horned', +'hornet', +'horoscope', +'horrendous', +'horrible', +'horrid', +'horrific', +'horrify', +'horror', +'horse', +'horseback', +'horsehair', +'horseman', +'horseplay', +'horsepower', +'horseshoe', +'horsewhip', +'horsey', +'horsy', +'horticultural', +'horticulture', +'hose', +'hosiery', +'hospice', +'hospitable', +'hospital', +'hospitality', +'hospitalize', +'hostage', +'hostel', +'hostess', +'hostile', +'hostility', +'hot', +'hotbed', +'hot-blooded', +'hotchpotch', +'hotel', +'hotelier', +'hotfoot', +'hothead', +'hothouse', +'hotly', +'hotpot', +'hound', +'hour', +'hourly', +'house', +'houseboat', +'housebound', +'housebreaker', +'housecoat', +'housecraft', +'household', +'householder', +'housekeeper', +'housemaid', +'housemaster', +'housewarming', +'housewifery', +'housework', +'housing', +'hovel', +'hover', +'hovercraft', +'how', +'however', +'howl', +'howler', +'hub', +'hubbub', +'huckster', +'huddle', +'hue', +'huff', +'hug', +'huge', +'hulk', +'hulking', +'hull', +'human', +'humane', +'humanism', +'humanist', +'humanitarian', +'humanity', +'humankind', +'humanly', +'humble', +'humbug', +'humdrum', +'humid', +'humidify', +'humidity', +'humiliate', +'humiliating', +'humility', +'humorous', +'humour', +'humourous', +'hump', +'humpback', +'humus', +'hunch', +'hunchback', +'hundred', +'hundredth', +'hundredweight', +'hunger', +'hungry', +'hunk', +'hunt', +'hunter', +'hurdle', +'hurl', +'hurrah', +'hurray', +'hurricane', +'hurried', +'hurry', +'hurt', +'hurtle', +'husband', +'husbandry', +'hush', +'husk', +'husky', +'hustle', +'hut', +'hutch', +'hybrid', +'hydrant', +'hydraulic', +'hydrocarbon', +'hydrochloric', +'hydroelectric', +'hydroelectricity', +'hydrogen', +'hydroxide', +'hygiene', +'hymn', +'hype', +'hyperactive', +'hypercritical', +'hypermarket', +'hypertension', +'hyphen', +'hyphenate', +'hypnosis', +'hypnotic', +'hypnotism', +'hypocrisy', +'hypocrite', +'hypocritical', +'hypoderm', +'hypotenuse', +'hypothesis', +'hysteric', +'hysterical', +'ice', +'iceberg', +'icebox', +'icebreaker', +'ice-cream', +'icicle', +'icing', +'icon', +'icy', +'idea', +'ideal', +'idealism', +'idealist', +'idealize', +'identical', +'identification', +'identify', +'identity', +'ideological', +'ideology', +'idiom', +'idiomatic', +'idiosyncrasy', +'idiot', +'idle', +'idly', +'idol', +'idolatry', +'idolize', +'idyllic', +'ignite', +'ignition', +'ignoble', +'ignominy', +'ignorance', +'ignorant', +'ignore', +'illegal', +'illegible', +'illegitimate', +'illicit', +'illiteracy', +'illiterate', +'illness', +'illogical', +'illuminate', +'illuminating', +'illumination', +'illusion', +'illustrate', +'illustration', +'illustrative', +'illustrator', +'illustrious', +'image', +'imagery', +'imaginable', +'imaginary', +'imagination', +'imaginative', +'imagine', +'imbalance', +'imbecile', +'imbecility', +'imbibe', +'imbue', +'imitate', +'imitation', +'immaculate', +'immaterial', +'immature', +'immeasurable', +'immediate', +'immediately', +'immense', +'immerse', +'immigrant', +'immigrate', +'immigration', +'imminent', +'immobile', +'immoral', +'immortal', +'immune', +'immunize', +'impact', +'impair', +'impale', +'impart', +'impartial', +'impasse', +'impassioned', +'impassive', +'impatience', +'impatient', +'impeach', +'impeccable', +'impede', +'impediment', +'impel', +'impending', +'impenetrable', +'imperative', +'imperceptible', +'imperfect', +'imperial', +'imperialism', +'imperialist', +'imperil', +'imperious', +'impersonal', +'impersonate', +'impertinent', +'impetuous', +'impetus', +'impinge', +'impious', +'implacable', +'implant', +'implement', +'implicate', +'implication', +'implicit', +'implore', +'imply', +'impolite', +'import', +'importance', +'important', +'importer', +'impose', +'imposing', +'imposition', +'impossibility', +'impossible', +'impostor', +'impotence', +'impotent', +'impound', +'impoverish', +'impractical', +'impregnable', +'impregnate', +'impress', +'impression', +'impressionable', +'impressive', +'imprint', +'imprison', +'imprisonment', +'improbable', +'impromptu', +'improper', +'improve', +'improvement', +'improvise', +'imprudent', +'impulse', +'impulsive', +'impure', +'inability', +'inaccessible', +'inaction', +'inadequacy', +'inadequate', +'inadvertent', +'inanimate', +'inappropriate', +'inarticulate', +'inaugural', +'inaugurate', +'inborn', +'inbuilt', +'incantation', +'incapable', +'incapacitate', +'incarnate', +'incarnation', +'incendiary', +'incense', +'incentive', +'inception', +'incessant', +'incest', +'inch', +'incidence', +'incident', +'incidental', +'incidentally', +'incinerate', +'incipient', +'incise', +'incisive', +'incite', +'inclination', +'incline', +'include', +'inclusion', +'inclusive', +'incoherent', +'income', +'incoming', +'incomparable', +'incompatible', +'incompetent', +'incomplete', +'incomprehensible', +'inconceivable', +'inconsistent', +'incontrovertible', +'inconvenience', +'inconvenient', +'incorporate', +'increasingly', +'incredible', +'incredibly', +'incredulous', +'incriminate', +'incubate', +'incubation', +'incubator', +'inculcate', +'incumbent', +'incur', +'incurable', +'incursion', +'indebted', +'indecent', +'indecision', +'indeed', +'indefensible', +'indefinable', +'indefinite', +'indelible', +'indemnify', +'indemnity', +'indent', +'independence', +'independent', +'in-depth', +'indeterminate', +'index', +'Indian', +'indicate', +'indication', +'indicative', +'indicator', +'indict', +'indifference', +'indifferent', +'indigenous', +'indigestion', +'indignant', +'indignation', +'indignity', +'indigo', +'indirect', +'indiscreet', +'indiscriminate', +'indispensable', +'indisposed', +'indisputable', +'indistinguishable', +'individual', +'individualism', +'individuality', +'indoctrinate', +'indolent', +'indoor', +'indoors', +'indubitable', +'induce', +'inducement', +'induct', +'induction', +'indulge', +'indulgence', +'indulgent', +'industrialise', +'industrialist', +'industrialize', +'industrious', +'industry', +'ineffective', +'ineffectual', +'inefficient', +'ineluctable', +'inept', +'inequality', +'inert', +'inertia', +'inescapable', +'inestimable', +'inevitable', +'inexact', +'inexhaustible', +'inexorable', +'inexperienced', +'inexplicable', +'infallible', +'infamous', +'infancy', +'infant', +'infantile', +'infantry', +'infatuated', +'infatuation', +'infect', +'infection', +'infectious', +'infer', +'inference', +'inferior', +'infernal', +'infertile', +'infest', +'infidelity', +'infighting', +'infiltrate', +'infinite', +'infinitive', +'infinity', +'infirm', +'infirmary', +'infirmity', +'inflame', +'inflamed', +'inflammable', +'inflammation', +'inflammatory', +'inflate', +'inflation', +'inflection', +'inflexible', +'inflict', +'inflow', +'influence', +'influential', +'influenza', +'influx', +'inform', +'informal', +'informant', +'information', +'informative', +'informed', +'informer', +'infrared', +'infrastructure', +'infringe', +'infuriate', +'infuse', +'ingenious', +'ingenuity', +'ingenuous', +'inglorious', +'ingrained', +'ingratiate', +'ingratiating', +'ingredient', +'inhabit', +'inhabitable', +'inhabitant', +'inhale', +'inherent', +'inherit', +'inheritance', +'inhibit', +'inhuman', +'inhumane', +'inhumanity', +'inimitable', +'initial', +'initially', +'initiate', +'initiative', +'inject', +'injection', +'injunction', +'injure', +'injurious', +'injury', +'injustice', +'inkling', +'inlaid', +'inland', +'inlet', +'inmate', +'inmost', +'inn', +'innate', +'inner', +'innkeeper', +'innocence', +'innocent', +'innovate', +'innovation', +'innumerable', +'inoculate', +'inoffensive', +'inordinate', +'input', +'inquest', +'inquire', +'inquiring', +'inquiry', +'inquisition', +'inquisitive', +'insane', +'insanity', +'insatiable', +'inscribe', +'inscription', +'insect', +'insecticide', +'insensibility', +'insensitive', +'inseparable', +'insert', +'inset', +'inside', +'insider', +'insidious', +'insight', +'insignificant', +'insincere', +'insinuate', +'insipid', +'insist', +'insistent', +'insofar', +'insolent', +'insoluble', +'insomnia', +'insomniac', +'insomuch', +'inspect', +'inspection', +'inspector', +'inspiration', +'inspire', +'inspiring', +'install', +'installation', +'installment', +'instalment', +'instance', +'instant', +'instantaneous', +'instantly', +'instead', +'instep', +'instigate', +'instil', +'instill', +'instinct', +'institute', +'institution', +'institutional', +'instruct', +'instruction', +'instructive', +'instructor', +'instrument', +'instrumental', +'insufficient', +'insular', +'insulate', +'insulation', +'insulator', +'insult', +'insulting', +'insuperable', +'insurance', +'insure', +'insured', +'insurer', +'insurgent', +'insurmountable', +'insurrection', +'intact', +'intake', +'intangible', +'integer', +'integral', +'integrate', +'integrity', +'intellect', +'intellectual', +'intelligence', +'intelligent', +'intelligible', +'intend', +'intense', +'intensify', +'intensity', +'intensive', +'intent', +'intention', +'intentional', +'interact', +'interaction', +'interactive', +'intercept', +'intercession', +'interchange', +'intercom', +'intercontinental', +'intercourse', +'interdependent', +'interest', +'interested', +'interesting', +'interface', +'interfere', +'interference', +'interim', +'interior', +'interject', +'interjection', +'interlock', +'interlocutor', +'interloper', +'interlude', +'intermediary', +'intermediate', +'interment', +'interminable', +'intermingle', +'intermittent', +'intern', +'internal', +'international', +'interpersonal', +'interplay', +'interpose', +'interpret', +'interpretation', +'interpreter', +'interrogate', +'interrupt', +'intersect', +'intersection', +'intersperse', +'interval', +'intervene', +'intervention', +'interventionist', +'interview', +'interviewee', +'interviewer', +'intestinal', +'intestine', +'intimacy', +'intimidate', +'into', +'intolerable', +'intolerant', +'intonation', +'intoxicant', +'intoxicate', +'intractable', +'intransigent', +'intransitive', +'intrepid', +'intricacy', +'intricate', +'intrigue', +'intriguing', +'intrinsic', +'introduce', +'introduction', +'introductory', +'introspection', +'introvert', +'intrude', +'intruder', +'intrusive', +'intuition', +'intuitive', +'inundate', +'invade', +'invader', +'invalid', +'invalidate', +'invaluable', +'invariable', +'invasion', +'invent', +'invention', +'inventive', +'inventor', +'inventory', +'inverse', +'invert', +'invest', +'investigate', +'investigation', +'investigator', +'investment', +'investor', +'inveterate', +'invidious', +'invigilate', +'invigilator', +'invigorate', +'invincible', +'inviolable', +'invisible', +'invitation', +'invite', +'inviting', +'invocation', +'invoice', +'invoke', +'involuntary', +'involve', +'involved', +'invulnerable', +'inward', +'iodide', +'iodine', +'ion', +'irascible', +'iris', +'Irish', +'irk', +'irksome', +'iron', +'ironic', +'ironical', +'irony', +'irradiate', +'irrational', +'irreconcilable', +'irreducible', +'irregular', +'irrelevant', +'irreparable', +'irrepressible', +'irresistible', +'irrespective', +'irresponsible', +'irretrievable', +'irreverent', +'irreversible', +'irrevocable', +'irrigate', +'irrigation', +'irritable', +'irritant', +'irritate', +'irritating', +'irritation', +'irruption', +'is', +'Islam', +'island', +'isle', +'isolate', +'isolation', +'isotherm', +'isothermal', +'isotope', +'Israel', +'Israeli', +'issuance', +'issue', +'it', +'Italian', +'italic', +'italics', +'itch', +'item', +'itemize', +'iterate', +'itinerant', +'itinerary', +'its', +'itself', +'ivory', +'ivy', +'jab', +'jack', +'jacket', +'jack-in-the-box', +'jack-of-all-trades', +'jade', +'jagged', +'jail', +'jailer', +'jam', +'janitor', +'January', +'Japanese', +'jar', +'jargon', +'jasmine', +'javelin', +'jaw', +'jaywalk', +'jazz', +'jealous', +'jealousy', +'jeans', +'jeep', +'jeer', +'jelly', +'jellyfish', +'jeopardise', +'jeopardize', +'jerk', +'jerky', +'jest', +'Jesus', +'jet', +'jetty', +'Jew', +'jewel', +'jeweler', +'jewellery', +'jewelry', +'jigsaw', +'jingle', +'job', +'jocular', +'jog', +'join', +'joint', +'joke', +'jolly', +'jolt', +'jostle', +'jot', +'journal', +'journalist', +'journey', +'joy', +'joyful', +'joyous', +'joystick', +'jubilant', +'judge', +'judgement', +'judicial', +'judicious', +'jug', +'juggle', +'juice', +'juicy', +'July', +'jumble', +'jumbo', +'jump', +'junction', +'juncture', +'June', +'jungle', +'junior', +'junk', +'Jupiter', +'jurisdiction', +'juror', +'jury', +'justice', +'justify', +'juvenile', +'juxtapose', +'kaleidoscope', +'kangaroo', +'karat', +'karate', +'keel', +'keen', +'keep', +'keeper', +'kennel', +'kernel', +'kerosene', +'ketchup', +'kettle', +'key', +'keyboard', +'keyhole', +'keynote', +'khaki', +'kick', +'kickoff', +'kid', +'kidnap', +'kidney', +'kill', +'killer', +'kilo', +'kilobyte', +'kilogram', +'kilogramme', +'kilometer', +'kilometre', +'kin', +'kind', +'kindergarten', +'kindhearted', +'kindle', +'kindly', +'kindness', +'kindred', +'king', +'kingdom', +'kinship', +'kiosk', +'kiss', +'kit', +'kitchen', +'kite', +'kitten', +'kiwi', +'knack', +'knapsack', +'knead', +'knee', +'kneel', +'knife', +'knight', +'knighthood', +'knit', +'knob', +'knock', +'knot', +'know', +'know-how', +'knowledge', +'knowledgeable', +'known', +'knuckle', +'Koran', +'Korean', +'kowtow', +'lab', +'label', +'labor', +'laboratory', +'laborer', +'laborious', +'labour', +'labyrinth', +'lace', +'lack', +'lacquer', +'lad', +'ladder', +'ladle', +'lady', +'ladybird', +'lag', +'lager', +'lagoon', +'lake', +'lamb', +'lame', +'lament', +'lamp', +'lance', +'land', +'landing', +'landlady', +'landlord', +'landmark', +'landowner', +'landscape', +'lane', +'language', +'languid', +'languish', +'lantern', +'lapse', +'laptop', +'large', +'largely', +'larva', +'laryngitis', +'larynx', +'laser', +'lash', +'lass', +'lasting', +'lastly', +'latch', +'late', +'lately', +'latent', +'later', +'lateral', +'lathe', +'Latin', +'latitude', +'latter', +'laugh', +'laughter', +'launch', +'launderette', +'laundry', +'laureate', +'laurel', +'lava', +'lavatory', +'lavish', +'law', +'lawful', +'lawn', +'lawsuit', +'lawyer', +'lax', +'lay', +'layer', +'layman', +'layoff', +'layout', +'lazy', +'leader', +'leadership', +'leading', +'leaf', +'leaflet', +'league', +'leak', +'lean', +'leap', +'learn', +'learned', +'learning', +'lease', +'least', +'leather', +'leave', +'lecture', +'lecturer', +'ledge', +'ledger', +'lee', +'leek', +'leeway', +'left', +'left-handed', +'leg', +'legacy', +'legal', +'legalize', +'legend', +'legendary', +'legibility', +'legible', +'legion', +'legislate', +'legislation', +'legislative', +'legislature', +'legitimate', +'legitimize', +'leisure', +'lemon', +'lemonade', +'lend', +'length', +'lengthen', +'lenience', +'leniency', +'lenient', +'lens', +'lentil', +'leopard', +'leprosy', +'Lesbian', +'less', +'lessen', +'lesson', +'lest', +'let', +'lethal', +'letter', +'lettuce', +'leukaemia', +'levee', +'level', +'lever', +'leverage', +'levity', +'levy', +'lexical', +'lexicography', +'lexis', +'liable', +'liaison', +'liar', +'liberal', +'liberalism', +'liberate', +'liberation', +'liberty', +'librarian', +'library', +'licence', +'lichen', +'lick', +'lid', +'lie', +'lieu', +'lieutenant', +'life', +'lifetime', +'lift', +'ligament', +'light', +'lighten', +'lighter', +'lighthouse', +'lightning', +'like', +'likelihood', +'likely', +'liken', +'likeness', +'likewise', +'liking', +'lilac', +'lily', +'limb', +'lime', +'limelight', +'limestone', +'limit', +'limitation', +'limited', +'limousine', +'limp', +'line', +'lineage', +'linear', +'linen', +'liner', +'linesman', +'linger', +'linguist', +'linguistic', +'linguistics', +'link', +'lion', +'lioness', +'lip', +'lipstick', +'liquid', +'liquidate', +'liquor', +'list', +'listen', +'liter', +'literacy', +'literal', +'literally', +'literary', +'literate', +'literature', +'litigation', +'litre', +'litter', +'little', +'live', +'livelihood', +'lively', +'liven', +'liver', +'livestock', +'livid', +'living', +'lizard', +'load', +'loan', +'loathe', +'lobby', +'lobe', +'lobster', +'local', +'locality', +'locate', +'location', +'lock', +'locker', +'locomotive', +'locust', +'lodge', +'lodging', +'loft', +'lofty', +'log', +'logic', +'logical', +'logistics', +'logo', +'loin', +'loiter', +'loll', +'lonely', +'lonesome', +'long', +'longevity', +'longing', +'longitude', +'look', +'lookout', +'loom', +'loop', +'loophole', +'loose', +'loosen', +'loot', +'lop', +'lopsided', +'lord', +'lorry', +'lose', +'loss', +'lost', +'lot', +'lotion', +'lottery', +'lotus', +'loud', +'loudspeaker', +'lounge', +'louse', +'lousy', +'lovable', +'love', +'lovely', +'lover', +'loving', +'low', +'lowbrow', +'lower', +'loyal', +'loyalty', +'lubricant', +'lubricate', +'lucid', +'luck', +'lucky', +'lucrative', +'ludicrous', +'luggage', +'lukewarm', +'lull', +'luminous', +'lump', +'lunacy', +'lunar', +'lunatic', +'lunch', +'luncheon', +'lung', +'lunge', +'lurch', +'lure', +'lurk', +'luscious', +'lush', +'lust', +'luster', +'lute', +'luxuriant', +'luxurious', +'luxury', +'lychee', +'lynch', +'lyric', +'lyrical', +'macaroni', +'machine', +'machinery', +'macho', +'mackerel', +'mackintosh', +'macroeconomic', +'mad', +'madam', +'madame', +'madden', +'Mafia', +'magazine', +'maggot', +'magic', +'magical', +'magician', +'magnanimous', +'magnate', +'magnesium', +'magnet', +'magnetic', +'magnetism', +'magnificent', +'magnify', +'magnitude', +'magnolia', +'magpie', +'mahogany', +'maid', +'maiden', +'mail', +'mailbox', +'maim', +'main', +'mainland', +'mainspring', +'mainstay', +'mainstream', +'maintain', +'maintenance', +'maize', +'majestic', +'majesty', +'major', +'majority', +'make', +'make-believe', +'makeshift', +'make-up', +'making', +'maladjusted', +'maladministration', +'malady', +'malaria', +'male', +'malformed', +'malfunction', +'malicious', +'malign', +'malignancy', +'malignant', +'mall', +'malnutrition', +'malpractice', +'malt', +'maltreat', +'mammal', +'mammoth', +'man', +'manacle', +'manage', +'manageable', +'management', +'manager', +'managerial', +'mandarin', +'mandate', +'mandatory', +'mane', +'manful', +'manger', +'mango', +'manhood', +'mania', +'maniac', +'manic', +'manicure', +'manifest', +'manifestation', +'manifesto', +'manifold', +'manipulate', +'mankind', +'manly', +'man-made', +'manner', +'manoeuvre', +'manpower', +'mansion', +'manslaughter', +'mantelpiece', +'mantle', +'manual', +'manufacture', +'manure', +'manuscript', +'many', +'Maori', +'map', +'maple', +'mar', +'marathon', +'marble', +'March', +'march', +'mare', +'margarine', +'margin', +'marginal', +'marijuana', +'marine', +'marital', +'maritime', +'mark', +'marked', +'marker', +'market', +'marketing', +'marking', +'marksman', +'marmalade', +'marquee', +'marriage', +'married', +'marrow', +'marry', +'Mars', +'marsh', +'marshal', +'mart', +'martial', +'martyr', +'marvel', +'marvellous', +'marvelous', +'Marxism', +'Marxist', +'mascot', +'masculine', +'masculinity', +'mash', +'mask', +'masked', +'mason', +'masquerade', +'mass', +'massacre', +'massage', +'massive', +'mast', +'master', +'mastermind', +'masterpiece', +'mastery', +'mat', +'mate', +'material', +'materialism', +'materialize', +'maternal', +'maternity', +'mathematical', +'mathematician', +'mathematics', +'maths', +'matinee', +'mating', +'matriculate', +'matrix', +'matron', +'matter', +'mattress', +'mature', +'maul', +'mauve', +'maverick', +'maxim', +'maximum', +'may', +'May', +'maybe', +'mayhem', +'mayor', +'maze', +'me', +'meadow', +'meager', +'meal', +'mean', +'meander', +'meaning', +'means', +'meantime', +'meanwhile', +'measles', +'measurable', +'measure', +'measurement', +'meat', +'Mecca', +'mechanic', +'mechanical', +'mechanics', +'mechanism', +'mechanize', +'medal', +'meddle', +'media', +'mediate', +'medicaid', +'medical', +'medication', +'medicine', +'medieval', +'mediocre', +'meditate', +'Mediterranean', +'medium', +'meek', +'meet', +'meeting', +'megaphone', +'melancholy', +'mellow', +'melodrama', +'melody', +'melon', +'melt', +'member', +'membership', +'membrane', +'memento', +'memo', +'memoir', +'memorable', +'memorandum', +'memorial', +'memorize', +'memory', +'menace', +'mend', +'menial', +'meningitis', +'menopause', +'menstrual', +'mental', +'mentality', +'mention', +'menu', +'mercantile', +'mercenary', +'merchandise', +'merchant', +'merciful', +'merciless', +'mercury', +'mercy', +'mere', +'merely', +'merge', +'merit', +'mermaid', +'merry', +'merry-go-round', +'mesh', +'mesmerize', +'mess', +'message', +'messenger', +'Messiah', +'metabolism', +'metal', +'metallic', +'metallurgy', +'metaphor', +'metaphysical', +'meteor', +'meteorology', +'meter', +'methane', +'method', +'methodical', +'methodology', +'meticulous', +'metre', +'metric', +'metropolis', +'metropolitan', +'Mexican', +'microbiology', +'microchip', +'microcomputer', +'microorganism', +'microphone', +'microprocessor', +'microscope', +'microwave', +'mid', +'midday', +'middle', +'middleman', +'midget', +'midnight', +'midst', +'midway', +'midwife', +'might', +'mighty', +'migraine', +'migrant', +'migrate', +'migration', +'mild', +'mile', +'mileage', +'milestone', +'militant', +'militarism', +'military', +'militia', +'militiaman', +'milk', +'milkman', +'milky', +'mill', +'millennium', +'millet', +'millimeter', +'millimetre', +'million', +'millionaire', +'millipede', +'milometer', +'mime', +'mimic', +'mince', +'mind', +'mine', +'minefield', +'miner', +'mineral', +'mingle', +'miniature', +'minibus', +'minimum', +'minister', +'ministry', +'mink', +'minor', +'minority', +'minus', +'minute', +'miracle', +'miraculous', +'mirage', +'mire', +'mirror', +'mirth', +'misadventure', +'misapprehend', +'misapprehension', +'misappropriate', +'misbehave', +'misbehavior', +'misbehaviour', +'miscalculate', +'miscarriage', +'miscellaneous', +'mischief', +'mischievous', +'misconduct', +'miser', +'miserable', +'misery', +'misfit', +'misfortune', +'misgiving', +'mislead', +'misplace', +'missile', +'missing', +'mission', +'missionary', +'mist', +'mistake', +'mistaken', +'mistress', +'misty', +'misunderstand', +'misunderstanding', +'mitigate', +'mitten', +'mix', +'mixer', +'mixture', +'moan', +'moat', +'mob', +'mobile', +'mobility', +'mobilize', +'mock', +'mockery', +'mode', +'modem', +'moderate', +'modern', +'modernism', +'modernization', +'modernize', +'modest', +'modesty', +'modify', +'modular', +'module', +'moist', +'moisture', +'moisturize', +'mole', +'molecule', +'molest', +'mollify', +'moment', +'momentary', +'momentous', +'momentum', +'monarch', +'monarchy', +'monastery', +'Monday', +'monetary', +'money', +'Mongolian', +'mongrel', +'monitor', +'monk', +'monkey', +'monochrome', +'monogamy', +'monolingual', +'monolith', +'monologue', +'monopolise', +'monopolize', +'monopoly', +'monotone', +'monotonous', +'monotony', +'monsoon', +'monster', +'monstrous', +'montage', +'month', +'monthly', +'monument', +'monumental', +'mood', +'moon', +'moonlight', +'moonlighting', +'mop', +'mope', +'moral', +'morale', +'morality', +'morbid', +'more', +'moreover', +'mores', +'moribund', +'morning', +'morphine', +'mortal', +'mortality', +'mortar', +'mortgage', +'mortuary', +'mosaic', +'mosque', +'mosquito', +'moss', +'most', +'mostly', +'motel', +'moth', +'mother', +'mother-in-law', +'motherland', +'motif', +'motion', +'motionless', +'motivate', +'motivation', +'motive', +'motley', +'motor', +'motorist', +'motorway', +'motto', +'mould', +'mound', +'mountain', +'mountainous', +'mournful', +'mouse', +'mousse', +'moustache', +'mouth', +'mouthful', +'movable', +'move', +'movement', +'movie', +'moving', +'mow', +'much', +'mud', +'muddle', +'muddy', +'muffin', +'muffle', +'mug', +'mule', +'multilateral', +'multimedia', +'multinational', +'multiple', +'multiply', +'multitude', +'mumble', +'mummy', +'mumps', +'mundane', +'municipal', +'municipality', +'munitions', +'mural', +'murder', +'murmur', +'muscle', +'muscular', +'muse', +'museum', +'mushroom', +'music', +'musical', +'musician', +'musk', +'Muslim', +'mussel', +'must', +'mustache', +'mustard', +'muster', +'mutant', +'mute', +'mutilate', +'mutter', +'mutton', +'mutual', +'muzzle', +'my', +'myriad', +'myself', +'mysterious', +'mystery', +'mystic', +'myth', +'mythology', +'nab', +'nag', +'nail', +'naive', +'naked', +'name', +'namely', +'namesake', +'nap', +'nape', +'napkin', +'nappy', +'narcissus', +'narcotic', +'narrate', +'narration', +'narrative', +'narrator', +'narrow', +'nasal', +'nasty', +'nation', +'national', +'nationality', +'nationwide', +'native', +'natural', +'naturalize', +'nature', +'naughty', +'nausea', +'nautical', +'naval', +'navel', +'navigate', +'navigation', +'navy', +'Nazi', +'Nazism', +'near', +'nearby', +'nearly', +'neat', +'nebulous', +'necessarily', +'necessary', +'necessitate', +'necessity', +'neck', +'necklace', +'nectar', +'nee', +'need', +'needle', +'needless', +'needy', +'negate', +'negative', +'neglect', +'negligent', +'negligible', +'negotiable', +'negotiate', +'negotiation', +'Negro', +'neighbor', +'neighborhood', +'neighbourhood', +'neither', +'neoclassical', +'neon', +'nephew', +'nerve', +'nervous', +'nest', +'nestle', +'net', +'network', +'neural', +'neurological', +'neurosis', +'neurotic', +'neutral', +'neutralise', +'neutralize', +'never', +'nevertheless', +'new', +'newborn', +'newly', +'news', +'newscast', +'newsletter', +'newspaper', +'newsreel', +'next', +'nib', +'nibble', +'nice', +'nicely', +'niche', +'nickel', +'nickname', +'nicotine', +'niece', +'nigger', +'nigh', +'night', +'nightclub', +'nightgown', +'nightingale', +'nightmare', +'nimble', +'nine', +'nineteen', +'nineteenth', +'ninety', +'ninth', +'nip', +'nipple', +'nirvana', +'nitrate', +'nitrogen', +'no', +'nobility', +'noble', +'nobleman', +'nobody', +'nod', +'node', +'noise', +'noisy', +'nomad', +'nomadic', +'nomenclature', +'nominal', +'nominate', +'nomination', +'nominee', +'nonchalant', +'none', +'nonetheless', +'nonsense', +'nonstop', +'noodle', +'noon', +'nor', +'norm', +'normal', +'normally', +'north', +'northeast', +'northern', +'northwest', +'nose', +'nostalgia', +'nostalgic', +'nostril', +'not', +'notable', +'notary', +'notation', +'note', +'notebook', +'noted', +'nothing', +'notice', +'noticeable', +'notification', +'notify', +'notion', +'notoriety', +'notorious', +'notwithstanding', +'nought', +'noun', +'nourish', +'nourishment', +'novelist', +'novelty', +'November', +'novice', +'now', +'nowadays', +'nowhere', +'nuance', +'nuclear', +'nucleus', +'nude', +'nudge', +'nudity', +'nuisance', +'numb', +'number', +'numeral', +'numerical', +'numerous', +'nun', +'nurse', +'nursery', +'nurture', +'nut', +'nutrient', +'nutrition', +'nutritious', +'nuzzle', +'nylon', +'nymph', +'oak', +'oar', +'oasis', +'oath', +'oats', +'obedience', +'obedient', +'obese', +'obesity', +'obey', +'obituary', +'objection', +'obligation', +'obligatory', +'oblige', +'obliterate', +'oblivion', +'oblivious', +'oblong', +'oboe', +'obscene', +'obscenity', +'obscure', +'obscurity', +'observance', +'observant', +'observation', +'observatory', +'observe', +'observer', +'obsess', +'obsessive', +'obsolete', +'obstacle', +'obstinate', +'obstruct', +'obstruction', +'obtain', +'obvious', +'occasion', +'occasional', +'occidental', +'occupancy', +'occupation', +'occupational', +'occupy', +'occur', +'occurrence', +'ocean', +'oceanography', +'clock', +'October', +'octopus', +'odd', +'odds', +'ode', +'odour', +'of', +'off', +'offence', +'offend', +'offender', +'offense', +'offensive', +'offer', +'offhand', +'office', +'officer', +'official', +'offset', +'offshore', +'offspring', +'often', +'oh', +'oil', +'oily', +'ointment', +'old', +'old-fashioned', +'olive', +'Olympic', +'omega', +'omelet', +'omelette', +'omen', +'ominous', +'omission', +'omit', +'omniscient', +'on', +'once', +'oncoming', +'one', +'oneself', +'ongoing', +'onion', +'online', +'onlooker', +'only', +'onomatopoeia', +'onset', +'onslaught', +'onto', +'onward', +'onwards', +'ooze', +'opal', +'opaque', +'open', +'opener', +'opening', +'opera', +'operate', +'operation', +'operational', +'operative', +'operator', +'opinion', +'opium', +'opponent', +'opportunity', +'oppose', +'opposite', +'opposition', +'oppress', +'oppressive', +'opt', +'optical', +'optics', +'optimal', +'optimism', +'optimistic', +'optimize', +'optimum', +'option', +'optional', +'opulent', +'opus', +'or', +'oracle', +'oral', +'orange', +'orator', +'orbit', +'orbital', +'orchard', +'orchestra', +'orchestrate', +'orchid', +'ordain', +'ordeal', +'order', +'orderly', +'ordinal', +'ordinance', +'ordinarily', +'ordinary', +'ore', +'organ', +'organic', +'organism', +'organization', +'organize', +'orgasm', +'orgy', +'orient', +'oriental', +'orientation', +'origin', +'original', +'originality', +'originate', +'ornament', +'orphan', +'orphanage', +'orthodox', +'orthodoxy', +'oscillation', +'ostensibly', +'ostentatious', +'ostrich', +'other', +'otherwise', +'ought', +'ounce', +'our', +'ours', +'ourselves', +'oust', +'out', +'outbreak', +'outcast', +'outcome', +'outcry', +'outdated', +'outdoor', +'outdoors', +'outer', +'outfit', +'outgoing', +'outgrow', +'outing', +'outlandish', +'outlaw', +'outlay', +'outlet', +'outline', +'outlook', +'outnumber', +'outpost', +'output', +'outrage', +'outrageous', +'outreach', +'outright', +'outset', +'outside', +'outskirts', +'outspoken', +'outstanding', +'outward', +'outwards', +'outweigh', +'oval', +'ovation', +'oven', +'over', +'overall', +'overboard', +'overcast', +'overcoat', +'overcome', +'overcrowd', +'overdo', +'overdose', +'overdraft', +'overdue', +'overflow', +'overgrown', +'overhead', +'overhear', +'overjoyed', +'overlap', +'overleaf', +'overlook', +'overly', +'overnight', +'override', +'overrule', +'oversea', +'overseas', +'overshadow', +'oversight', +'overstate', +'overt', +'overtake', +'overthrow', +'overtime', +'overture', +'overturn', +'overview', +'overweight', +'overwhelm', +'overwhelming', +'ovum', +'owe', +'owing', +'owl', +'own', +'owner', +'ownership', +'ox', +'oxide', +'oxidize', +'oxygen', +'oyster', +'ozone', +'pace', +'pacify', +'pack', +'package', +'packet', +'pact', +'pad', +'paddle', +'paddock', +'paddy', +'padlock', +'pagan', +'page', +'pageant', +'pager', +'pagoda', +'pail', +'pain', +'painful', +'painkiller', +'painstaking', +'paint', +'painter', +'painting', +'pair', +'pajamas', +'pal', +'palace', +'palatable', +'palatal', +'palate', +'pale', +'palette', +'palm', +'palpable', +'pamper', +'pamphlet', +'pan', +'panacea', +'pancake', +'panda', +'pane', +'panel', +'pang', +'panic', +'panorama', +'panoramic', +'pant', +'panther', +'pantomime', +'pants', +'paper', +'paperweight', +'paperwork', +'par', +'parable', +'parachute', +'parade', +'paradigm', +'paradise', +'paradox', +'paradoxical', +'paraffin', +'paragraph', +'parallel', +'paralyse', +'paralysis', +'paralytic', +'paralyze', +'parameter', +'paramilitary', +'paramount', +'paranoia', +'paranoid', +'paraphrase', +'parasite', +'parcel', +'pardon', +'pare', +'parent', +'parentage', +'parenthesis', +'parenthetical', +'parenthood', +'parish', +'parking', +'parliament', +'parliamentary', +'parlor', +'parody', +'parole', +'parrot', +'parry', +'parsley', +'parson', +'part', +'partake', +'partial', +'partiality', +'participant', +'participate', +'participle', +'particle', +'particular', +'particularly', +'parting', +'partisan', +'partition', +'partly', +'partner', +'partner', +'part-time', +'party', +'pass', +'passage', +'passenger', +'passerby', +'passion', +'passionate', +'passive', +'passport', +'password', +'past', +'pasta', +'paste', +'pastel', +'pastime', +'pastoral', +'pastry', +'pasture', +'pat', +'patch', +'patchy', +'patent', +'path', +'pathetic', +'pathologic', +'pathological', +'pathology', +'patience', +'patio', +'patriarch', +'patriarchal', +'patriot', +'patriotic', +'patron', +'patronage', +'patronize', +'patter', +'pattern', +'pause', +'pave', +'pavement', +'pavilion', +'paw', +'pay', +'payable', +'payment', +'payoff', +'payout', +'payroll', +'pea', +'peace', +'peaceful', +'peach', +'peacock', +'peak', +'peanut', +'pear', +'pearl', +'peasant', +'peat', +'pebble', +'peck', +'peculiar', +'peculiarity', +'pedagogic', +'pedagogical', +'pedal', +'pedantic', +'peddle', +'peddler', +'pedestal', +'pedestrian', +'pedigree', +'pedlar', +'peek', +'peel', +'peep', +'peer', +'peg', +'pelican', +'pen', +'penalize', +'penalty', +'pencil', +'pendant', +'pendent', +'pending', +'pendulum', +'penetrate', +'penguin', +'peninsula', +'penis', +'penny', +'pension', +'pensioner', +'pentagon', +'pentathlon', +'penthouse', +'peony', +'people', +'pepper', +'peppermint', +'per', +'perceive', +'percent', +'percentage', +'perceptible', +'perception', +'perceptive', +'perch', +'percussion', +'perfect', +'perfection', +'perform', +'performance', +'performer', +'perfume', +'perfunctory', +'perhaps', +'peril', +'perilous', +'perimeter', +'period', +'periodic', +'periphery', +'perish', +'perjury', +'perk', +'permanent', +'permeate', +'permissible', +'permission', +'permit', +'pernicious', +'perpendicular', +'perpetrate', +'perpetrator', +'perpetuate', +'perplex', +'persecute', +'perseverance', +'persevere', +'Persian', +'persimmon', +'persist', +'persistence', +'persistency', +'persistent', +'person', +'personage', +'personal', +'personality', +'personify', +'personnel', +'perspective', +'persuade', +'persuasion', +'persuasive', +'pertain', +'pertinent', +'perturb', +'pervade', +'pervert', +'pessimist', +'pessimistic', +'pest', +'pester', +'pesticide', +'pet', +'petal', +'petition', +'petrol', +'petroleum', +'petty', +'phantom', +'pharmaceutical', +'pharmacist', +'pharmacy', +'phase', +'PhD', +'pheasant', +'phenomenal', +'phenomenon', +'philanthropic', +'philosopher', +'philosophic', +'philosophical', +'philosophy', +'phobia', +'phoenix', +'phone', +'phonetic', +'phonology', +'phosphorous', +'phosphorus', +'photo', +'photocopier', +'photocopy', +'photograph', +'photographer', +'photography', +'phrase', +'physical', +'physician', +'physicist', +'physics', +'physiological', +'physiology', +'physiotherapy', +'physique', +'pianist', +'piano', +'pick', +'picket', +'pickle', +'pickpocket', +'picnic', +'pictorial', +'picture', +'picturesque', +'pidgin', +'pie', +'piece', +'pier', +'pierce', +'piety', +'pig', +'pigeon', +'pigsty', +'pike', +'pile', +'pilgrim', +'pill', +'pillar', +'pillow', +'pillowcase', +'pilot', +'pin', +'pinch', +'pine', +'pineapple', +'pink', +'pinpoint', +'pint', +'pioneer', +'pious', +'pipe', +'piracy', +'pirate', +'piss', +'pistol', +'piston', +'pit', +'pitcher', +'pitfall', +'pity', +'pivot', +'pivotal', +'pizza', +'place', +'placid', +'plague', +'plaid', +'plain', +'plaintiff', +'plan', +'plane', +'planet', +'planetary', +'plank', +'plant', +'planter', +'plaque', +'plasma', +'plaster', +'plastic', +'plate', +'plateau', +'platform', +'platinum', +'platoon', +'plausible', +'play', +'player', +'playground', +'playmate', +'playoff', +'playwright', +'plaza', +'plea', +'plead', +'pleasant', +'please', +'pleased', +'pleasing', +'pleasure', +'pleat', +'pledge', +'plenary', +'plenipotentiary', +'plenty', +'plight', +'plot', +'plough', +'plow', +'pluck', +'plug', +'plum', +'plumb', +'plumber', +'plume', +'plummet', +'plump', +'plunder', +'plunger', +'plural', +'plus', +'plush', +'plutonium', +'pneumonia', +'poach', +'pocket', +'pockmark', +'pod', +'poem', +'poet', +'poetess', +'poetic', +'poetry', +'poignant', +'point', +'poise', +'poison', +'poisonous', +'poke', +'poker', +'polar', +'polarity', +'polemic', +'police', +'policeman', +'policewoman', +'policy', +'Polish', +'polish', +'politburo', +'polite', +'politician', +'politics', +'poll', +'pollen', +'pollster', +'pollutant', +'pollute', +'pollution', +'polo', +'polyester', +'polytechnic', +'pompous', +'pond', +'ponder', +'pony', +'poor', +'popcorn', +'pope', +'poplar', +'poppy', +'popular', +'popularity', +'popularize', +'population', +'populous', +'porcelain', +'porch', +'pore', +'pork', +'pornography', +'porridge', +'port', +'portable', +'porter', +'portfolio', +'portion', +'portrait', +'portray', +'pose', +'position', +'positive', +'possess', +'possession', +'possibility', +'possible', +'possibly', +'postage', +'postcard', +'poster', +'posthumous', +'postman', +'postpone', +'postscript', +'postulate', +'posture', +'pot', +'potato', +'potency', +'potent', +'potential', +'potluck', +'pottery', +'pouch', +'poultry', +'pounce', +'pour', +'poverty', +'powder', +'power', +'powerful', +'practicable', +'practical', +'practicality', +'practice', +'practise', +'practitioner', +'pragmatic', +'prairie', +'praise', +'pram', +'prawn', +'pray', +'prayer', +'preach', +'precarious', +'precaution', +'precede', +'precedent', +'precinct', +'precious', +'precipitate', +'precipitous', +'precis', +'precise', +'precision', +'preclude', +'predatory', +'predecessor', +'predicament', +'predicate', +'predict', +'prediction', +'predominant', +'prefabricate', +'preface', +'prefer', +'preferable', +'preference', +'preferential', +'prefix', +'pregnancy', +'pregnant', +'prehistoric', +'prejudice', +'preliminary', +'prelude', +'premature', +'premier', +'premiere', +'premise', +'premium', +'premonition', +'prenatal', +'preoccupation', +'preoccupied', +'preparation', +'preparatory', +'prepare', +'preposition', +'prerequisite', +'preschool', +'prescribe', +'prescription', +'presence', +'presentation', +'presently', +'preservation', +'preserve', +'preside', +'president', +'presidential', +'presidium', +'pressing', +'pressure', +'prestige', +'prestigious', +'presumably', +'presume', +'presumption', +'presuppose', +'pretence', +'pretend', +'pretense', +'pretentious', +'pretext', +'pretty', +'prevail', +'prevalent', +'prevent', +'prevention', +'previous', +'prey', +'price', +'priceless', +'prick', +'pride', +'priest', +'primary', +'prime', +'primitive', +'prince', +'princess', +'principal', +'principle', +'print', +'printer', +'prior', +'priority', +'prism', +'prison', +'prisoner', +'pristine', +'privacy', +'private', +'privilege', +'prize', +'pro', +'probability', +'probably', +'probation', +'probe', +'problem', +'problematic', +'problematical', +'procedural', +'procedure', +'proceed', +'process', +'procession', +'proclaim', +'procure', +'prod', +'prodigal', +'prodigy', +'producer', +'product', +'production', +'productive', +'productivity', +'profess', +'profession', +'professional', +'professor', +'proficiency', +'proficient', +'profile', +'profit', +'profitable', +'profiteer', +'profound', +'program', +'programme', +'programmer', +'progress', +'progressive', +'prohibit', +'prohibition', +'project', +'projection', +'projector', +'proletarian', +'proliferation', +'prolific', +'prologue', +'prolong', +'prominence', +'prominent', +'promise', +'promising', +'promote', +'promotion', +'prone', +'pronoun', +'pronounce', +'pronunciation', +'proof', +'proofread', +'prop', +'propaganda', +'propagate', +'propel', +'proper', +'property', +'prophecy', +'prophesy', +'prophet', +'proponent', +'proportion', +'proportional', +'proposal', +'propose', +'proposition', +'proprietor', +'prose', +'prosecute', +'prosecution', +'prospect', +'prospective', +'prosperity', +'prosperous', +'prostate', +'prostitute', +'prostitution', +'protagonist', +'protect', +'protection', +'protective', +'protein', +'protest', +'Protestant', +'protocol', +'prototype', +'protracted', +'protrude', +'proud', +'prove', +'proverb', +'provide', +'provided', +'provident', +'province', +'provincial', +'provision', +'provisional', +'provocation', +'provocative', +'provoke', +'prowess', +'proximity', +'prudent', +'prune', +'pseudo', +'psychiatrist', +'psychiatry', +'psycho', +'psychoanalyst', +'psychologist', +'psychology', +'psychotherapist', +'psychotherapy', +'pub', +'puberty', +'public', +'publication', +'publish', +'publisher', +'pudding', +'puff', +'pull', +'pullover', +'pulp', +'pulpit', +'pulse', +'pump', +'pumpkin', +'pun', +'punch', +'punctual', +'punctuation', +'puncture', +'pungent', +'punish', +'punishment', +'punitive', +'puppet', +'puppy', +'purchase', +'pure', +'purely', +'purge', +'purify', +'Puritan', +'purity', +'purple', +'purport', +'purpose', +'purse', +'pursue', +'pursuit', +'push', +'put', +'puzzle', +'pyjamas', +'pyramid', +'python', +'quack', +'quadrangle', +'quadrant', +'quadratic', +'quadrilateral', +'quadruple', +'quaff', +'quail', +'quaint', +'quake', +'Quaker', +'qualification', +'qualified', +'qualifier', +'qualify', +'qualitative', +'quality', +'qualm', +'quanta', +'quantifier', +'quantify', +'quantitative', +'quantity', +'quantum', +'quarantine', +'quarrel', +'quarry', +'quart', +'quarter', +'quarterly', +'quartet', +'quartz', +'quash', +'quaver', +'quay', +'queen', +'queer', +'quell', +'quench', +'querulous', +'query', +'quest', +'question', +'questionable', +'questionnaire', +'queue', +'quibble', +'quick', +'quickly', +'quicksand', +'quiet', +'quietly', +'quilt', +'quintessence', +'quintet', +'quip', +'quirk', +'quit', +'quite', +'quitter', +'quiver', +'quixotic', +'quiz', +'quizzical', +'quota', +'quotation', +'quote', +'quotient', +'rabbi', +'rabbit', +'rabid', +'rabies', +'racecourse', +'racer', +'racialism', +'racism', +'racist', +'rack', +'racket', +'racketeer', +'radar', +'radial', +'radiance', +'radiant', +'radiate', +'radiation', +'radiator', +'radical', +'radicalism', +'radio', +'radioactive', +'radioactivity', +'radiochemical', +'radium', +'radius', +'raff', +'raffle', +'raft', +'rag', +'rage', +'ragged', +'raid', +'raider', +'railway', +'rain', +'rainbow', +'raincoat', +'raindrop', +'rainfall', +'rainproof', +'rainy', +'raise', +'raiser', +'raisin', +'rake', +'rally', +'RAM', +'ram', +'ramble', +'rambler', +'ramification', +'ramp', +'rampage', +'rampant', +'rampart', +'ranch', +'rancid', +'rancour', +'random', +'randy', +'range', +'ranger', +'rank', +'ransom', +'rap', +'rape', +'rapid', +'rapidly', +'rapist', +'rapport', +'rapprochement', +'rapt', +'rare', +'rarely', +'rarity', +'rascal', +'rash', +'raspberry', +'rat', +'rate', +'rateable', +'ratepayer', +'rather', +'rating', +'ratio', +'ration', +'rational', +'rationale', +'rationalize', +'rattle', +'rattlesnake', +'ravage', +'rave', +'raven', +'ravine', +'ravish', +'raw', +'ray', +'razor', +'reach', +'react', +'reaction', +'reactionary', +'reactor', +'read', +'reader', +'readily', +'readiness', +'reading', +'ready', +'reaffirm', +'real', +'realise', +'realism', +'realist', +'realistic', +'reality', +'realization', +'realize', +'really', +'realm', +'reap', +'reappear', +'rear', +'rearguard', +'rearmament', +'rearrange', +'reason', +'reasonable', +'reasoning', +'reassemble', +'reassure', +'rebate', +'rebel', +'rebellion', +'rebellious', +'rebirth', +'rebound', +'rebuff', +'rebuild', +'rebuke', +'recall', +'recapture', +'recede', +'receipt', +'receive', +'receiver', +'recent', +'recently', +'reception', +'receptionist', +'receptive', +'recess', +'recession', +'recipe', +'recipient', +'reciprocal', +'reciprocate', +'reciprocity', +'recital', +'recitation', +'recite', +'reckless', +'reckon', +'reclaim', +'recline', +'recognition', +'recognizable', +'recognize', +'recollect', +'recollection', +'recommend', +'recommendation', +'recompense', +'reconcile', +'reconciliation', +'reconnaissance', +'reconstruct', +'record', +'recorder', +'recording', +'recount', +'recoup', +'recourse', +'recover', +'recovery', +'recreate', +'recreation', +'recruit', +'rectangle', +'rectangular', +'rectification', +'rectify', +'rectitude', +'rector', +'recur', +'recurrence', +'recurrent', +'recycle', +'red', +'redbrick', +'reddish', +'redeem', +'redemption', +'redemptive', +'redevelopment', +'red-hot', +'redistribute', +'redolent', +'redraw', +'redress', +'reduce', +'reduction', +'redundancy', +'redundant', +'reed', +'reedy', +'reef', +'re-examine', +'refer', +'referee', +'reference', +'referendum', +'refine', +'refined', +'refinement', +'refinery', +'reflect', +'reflection', +'reflex', +'reform', +'reformer', +'refrain', +'refresh', +'refreshing', +'refreshment', +'refrigerator', +'refuge', +'refugee', +'refurbish', +'refusal', +'refuse', +'refutation', +'refute', +'regain', +'regal', +'regard', +'regarding', +'regardless', +'regatta', +'regency', +'regeneration', +'regent', +'regime', +'regiment', +'region', +'register', +'registrar', +'registration', +'registry', +'regress', +'regression', +'regressive', +'regret', +'regular', +'regularity', +'regulate', +'regulation', +'rehabilitate', +'rehearsal', +'rehearse', +'rehouse', +'reign', +'reimburse', +'rein', +'reinforce', +'reinforcement', +'reinstate', +'reject', +'rejection', +'rejoice', +'rejuvenate', +'relapse', +'relate', +'relation', +'relationship', +'relative', +'relativity', +'relax', +'relaxation', +'relay', +'release', +'relegate', +'relent', +'relentless', +'relevance', +'relevant', +'reliability', +'reliable', +'reliance', +'relic', +'relief', +'relieve', +'religion', +'religious', +'relinquish', +'relish', +'reluctance', +'reluctant', +'rely', +'remain', +'remainder', +'remains', +'remark', +'remarkable', +'remedial', +'remedy', +'remember', +'remembrance', +'remind', +'reminder', +'reminiscence', +'reminiscent', +'remission', +'remit', +'remittance', +'remnant', +'remorse', +'remorseful', +'remorseless', +'remote', +'removable', +'removal', +'remove', +'remunerate', +'remuneration', +'renaissance', +'rend', +'render', +'rendezvous', +'rendition', +'renegade', +'renew', +'renewal', +'renounce', +'renovate', +'renovation', +'renown', +'renowned', +'rent', +'rental', +'renunciation', +'reorient', +'rep', +'repair', +'repairable', +'reparation', +'repay', +'repayment', +'repeal', +'repeat', +'repeatedly', +'repel', +'repellent', +'repent', +'repentance', +'repercussion', +'repertoire', +'repertory', +'repetition', +'repetitive', +'repine', +'replace', +'replacement', +'replay', +'replenish', +'replica', +'replicate', +'reply', +'report', +'reporter', +'repository', +'represent', +'representation', +'representative', +'repress', +'repression', +'repressive', +'reprimand', +'reprisal', +'reproach', +'reproduce', +'reprove', +'reptile', +'republic', +'republican', +'repudiate', +'repugnant', +'repulse', +'repulsion', +'repulsive', +'reputable', +'reputation', +'repute', +'request', +'require', +'requirement', +'requisite', +'requisition', +'rescue', +'research', +'researcher', +'resemblance', +'resemble', +'resent', +'resentful', +'resentment', +'reservation', +'reserve', +'reservist', +'reservoir', +'reshape', +'reshuffle', +'reside', +'residence', +'resident', +'residential', +'residual', +'resign', +'resignation', +'resigned', +'resilience', +'resin', +'resinous', +'resist', +'resistance', +'resistant', +'resistor', +'resolute', +'resolution', +'resolve', +'resonance', +'resort', +'resounding', +'resource', +'resourceful', +'respect', +'respectability', +'respectable', +'respectful', +'respective', +'respiration', +'respite', +'resplendent', +'respond', +'respondent', +'response', +'responsibility', +'responsible', +'responsive', +'rest', +'restaurant', +'restful', +'restitution', +'restless', +'restoration', +'restore', +'restrain', +'restraint', +'restrict', +'restrictive', +'result', +'resultant', +'resume', +'resumption', +'resurgent', +'resurrect', +'resurrection', +'resuscitation', +'retail', +'retailer', +'retain', +'retainer', +'retaliate', +'retard', +'retell', +'retention', +'reticent', +'retina', +'retire', +'retirement', +'retort', +'retreat', +'retribution', +'retrievable', +'retrieval', +'retrieve', +'retrospect', +'retrospective', +'return', +'reunion', +'reunite', +'revaluation', +'revamp', +'reveal', +'revel', +'revelation', +'revenge', +'revere', +'reverence', +'reverend', +'reverent', +'reverie', +'reversal', +'reverse', +'reversible', +'reversion', +'revert', +'review', +'revise', +'revision', +'revitalize', +'revival', +'revive', +'revivify', +'revoke', +'revolt', +'revolution', +'revolutionary', +'revolve', +'revolver', +'revulsion', +'reward', +'rewrite', +'rhetoric', +'rhetorical', +'rheumatism', +'rhino', +'rhinoceros', +'rhyme', +'rhythm', +'rhythmic', +'rhythmical', +'rib', +'ribald', +'ribbon', +'rice', +'rich', +'rickets', +'rickety', +'rickshaw', +'rid', +'riddle', +'ride', +'ridge', +'ridicule', +'ridiculous', +'rifle', +'rifleman', +'rift', +'rig', +'right', +'righteous', +'right-hand', +'rightly', +'right-wing', +'rigid', +'rigorous', +'rim', +'rind', +'ring', +'rink', +'rinse', +'riot', +'rip', +'ripe', +'ripen', +'ripple', +'rip-roaring', +'rise', +'risk', +'risky', +'rite', +'ritual', +'rival', +'rivalry', +'river', +'rivet', +'roach', +'road', +'roadside', +'roadway', +'roam', +'roar', +'roast', +'rob', +'robbery', +'robe', +'robin', +'robot', +'robust', +'rock', +'rocker', +'rocket', +'rocky', +'rod', +'rodent', +'rodeo', +'roger', +'role', +'roll', +'roller', +'Roman', +'romance', +'romantic', +'romanticism', +'Rome', +'roof', +'rookie', +'room', +'roost', +'rooster', +'root', +'rope', +'rose', +'rosette', +'rostrum', +'rosy', +'rot', +'rota', +'rotary', +'rotate', +'rotational', +'rotor', +'rotten', +'rouge', +'rough', +'roughen', +'roughly', +'roulette', +'round', +'roundabout', +'rounder', +'roundup', +'rouse', +'route', +'routine', +'rove', +'rover', +'row', +'rowdy', +'rower', +'royal', +'royalist', +'royalty', +'rub', +'rubber', +'rubbish', +'rubble', +'rubdown', +'ruby', +'rucksack', +'ruckus', +'ruddy', +'rude', +'rudimentary', +'rue', +'rueful', +'ruffian', +'ruffle', +'rug', +'rugby', +'rugged', +'rugger', +'ruin', +'ruinous', +'rule', +'ruler', +'ruling', +'rum', +'rumble', +'rummage', +'rumour', +'run', +'runaway', +'runner', +'runner-up', +'running', +'runway', +'rupture', +'rural', +'rush', +'russet', +'Russian', +'rust', +'rustic', +'rustle', +'rusty', +'rut', +'ruthless', +'rye', +'Sabbath', +'sabbatical', +'sabotage', +'saboteur', +'sabre', +'sack', +'sacking', +'sacrament', +'sacred', +'sacrifice', +'sacrilegious', +'sad', +'sadden', +'saddle', +'sadism', +'sadness', +'safari', +'safe', +'safeguard', +'safety', +'saffron', +'sag', +'saga', +'sagacious', +'sagacity', +'sage', +'sail', +'sailcloth', +'sailor', +'saint', +'sake', +'salad', +'salary', +'sale', +'salesclerk', +'salesgirl', +'saleslady', +'salesman', +'salient', +'saline', +'saliva', +'salivary', +'salivate', +'sallow', +'salmon', +'salon', +'saloon', +'salt', +'salty', +'salutary', +'salute', +'salvage', +'salvation', +'salvo', +'samba', +'same', +'sampan', +'sample', +'sanatorium', +'sanctification', +'sanctify', +'sanction', +'sanctuary', +'sanctum', +'sand', +'sandal', +'sandstone', +'sandwich', +'sandy', +'sane', +'sanguinary', +'sanguine', +'sanitarium', +'sanitary', +'sanity', +'Santa', +'sap', +'sapling', +'sarcasm', +'sarcastic', +'sardine', +'sardonic', +'sarong', +'sartorial', +'sash', +'Satan', +'satanic', +'satchel', +'satellite', +'satiate', +'satiation', +'satin', +'satire', +'satirical', +'satirist', +'satirize', +'satisfaction', +'satisfactory', +'satisfied', +'satisfy', +'saturate', +'Saturday', +'Saturn', +'satyr', +'sauce', +'saucepan', +'saucer', +'sauna', +'saunter', +'sausage', +'savage', +'savagery', +'savant', +'save', +'savings', +'saviour', +'savour', +'savoury', +'saw', +'sawmill', +'saxophone', +'say', +'saying', +'scab', +'scaffold', +'scaffolding', +'scalar', +'scale', +'scallop', +'scalp', +'scalpel', +'scan', +'scandal', +'scandalous', +'Scandinavian', +'scanner', +'scant', +'scanty', +'scapegoat', +'scar', +'scarce', +'scarcely', +'scarcity', +'scare', +'scaremonger', +'scarf', +'scarlet', +'scary', +'scathing', +'scatter', +'scatterbrain', +'scavenge', +'scavenger', +'scenario', +'scene', +'scenery', +'scenic', +'scent', +'sceptical', +'scepticism', +'schedule', +'schema', +'schematize', +'scheme', +'schizophrenia', +'scholar', +'scholarly', +'scholarship', +'scholastic', +'school', +'schoolboy', +'schoolchild', +'schoolgirl', +'schoolmaster', +'schoolmistress', +'science', +'scientific', +'scientist', +'scintillation', +'scissors', +'scoff', +'scold', +'scooter', +'scope', +'scorch', +'scorching', +'score', +'scoring', +'scorn', +'scorpion', +'Scotch', +'scotch', +'Scotland', +'Scots', +'Scotsman', +'Scotswoman', +'Scottish', +'scoundrel', +'scour', +'scout', +'scowl', +'scramble', +'scrap', +'scrape', +'scratch', +'scrawl', +'scrawny', +'scream', +'screech', +'screen', +'screenplay', +'screw', +'screwdriver', +'scribble', +'scribe', +'script', +'scripture', +'scriptwriter', +'scroll', +'scrounge', +'scrub', +'scrum', +'scruple', +'scrupulous', +'scrutinize', +'scrutiny', +'scuba', +'scuffle', +'sculptor', +'sculpture', +'scum', +'scupper', +'scurf', +'scurry', +'scuttle', +'scythe', +'sea', +'seafood', +'seagull', +'seal', +'seam', +'seaman', +'seaport', +'search', +'seashore', +'seasick', +'seasickness', +'seaside', +'season', +'seasoning', +'seat', +'seaward', +'seaweed', +'secession', +'seclude', +'secluded', +'second', +'secondary', +'secondhand', +'second-rate', +'secrecy', +'secret', +'secretarial', +'secretariat', +'secretary', +'secrete', +'secretive', +'sect', +'sectarian', +'section', +'sector', +'secular', +'secure', +'security', +'sedan', +'sedative', +'sediment', +'seduce', +'seduction', +'seductive', +'see', +'seed', +'seedling', +'seedy', +'seek', +'seem', +'seemingly', +'seep', +'seesaw', +'seethe', +'segment', +'segregate', +'segregation', +'seize', +'seizure', +'seldom', +'select', +'selection', +'selective', +'selenium', +'self', +'self-assured', +'self-confidence', +'self-conscious', +'self-contained', +'self-contradictory', +'self-control', +'self-criticism', +'self-determination', +'self-effacing', +'self-employed', +'self-evident', +'self-government', +'self-interest', +'selfish', +'selfless', +'self-made', +'self-opinionated', +'self-pity', +'self-possessed', +'self-preservation', +'self-reliant', +'self-respect', +'self-restraint', +'self-service', +'self-styled', +'self-sufficient', +'self-taught', +'self-willed', +'sell', +'seller', +'semantic', +'semantics', +'semblance', +'semester', +'semicolon', +'seminal', +'seminar', +'senate', +'senator', +'senatorial', +'send', +'senile', +'senility', +'senior', +'seniority', +'sensation', +'sensational', +'sense', +'senseless', +'sensibility', +'sensible', +'sensitive', +'sensitivity', +'sensor', +'sensory', +'sensual', +'sensuous', +'sentence', +'sentiment', +'sentimental', +'sentinel', +'sentry', +'separate', +'separately', +'separation', +'separatist', +'September', +'sepulchre', +'sequel', +'sequence', +'serenade', +'serene', +'serenely', +'serenity', +'serf', +'sergeant', +'serial', +'series', +'serious', +'sermon', +'serpent', +'serrated', +'serum', +'servant', +'serve', +'service', +'serviceable', +'serviceman', +'servile', +'servility', +'servitude', +'sesame', +'session', +'set', +'setback', +'settee', +'setting', +'settle', +'settlement', +'settler', +'seven', +'seventeen', +'seventh', +'seventieth', +'seventy', +'sever', +'several', +'severe', +'severity', +'sew', +'sewage', +'sewer', +'sewerage', +'sex', +'sexism', +'sexist', +'sexual', +'sexuality', +'sexy', +'shabby', +'shack', +'shade', +'shadow', +'shadowy', +'shady', +'shaft', +'shag', +'shaggy', +'shake', +'shaky', +'shallow', +'sham', +'shamble', +'shame', +'shamefaced', +'shameful', +'shameless', +'shampoo', +'shanghai', +'shape', +'shapely', +'share', +'shareholder', +'shark', +'sharp', +'sharpen', +'sharpener', +'shatter', +'shave', +'She', +'sheaf', +'shear', +'sheath', +'shed', +'sheen', +'sheep', +'sheepish', +'sheer', +'sheet', +'sheikh', +'shelf', +'shell', +'shellfish', +'shelter', +'shepherd', +'sherry', +'shield', +'shift', +'shilling', +'shimmer', +'shin', +'shine', +'shiny', +'shipboard', +'shipment', +'shipping', +'shipwreck', +'shipyard', +'shirk', +'shirt', +'shit', +'shiver', +'shoal', +'shock', +'shockproof', +'shoddy', +'shoe', +'shoemaker', +'shoot', +'shopkeeper', +'shoplift', +'shopper', +'shopping', +'shore', +'short', +'shortage', +'shortchange', +'short-circuit', +'shortcoming', +'shortcut', +'shorten', +'shortfall', +'shorthand', +'shortly', +'shorts', +'shortsighted', +'short-term', +'shotgun', +'shoulder', +'shout', +'show', +'showcase', +'showdown', +'shower', +'showpiece', +'showy', +'shred', +'shrew', +'shrewd', +'shriek', +'shrill', +'shrimp', +'shrine', +'shrink', +'shrinkage', +'shrivel', +'shroud', +'shrub', +'shrubbery', +'shrubby', +'shrug', +'shudder', +'shuffle', +'shun', +'shunt', +'shut', +'shutter', +'shuttle', +'sib', +'sibling', +'sic', +'sicken', +'sickening', +'sickle', +'sickness', +'side', +'sideboard', +'sidelight', +'sideline', +'sidestep', +'sidewalk', +'sideways', +'sidle', +'siege', +'sierra', +'sieve', +'sift', +'sigh', +'sight', +'sightseeing', +'sign', +'signal', +'signature', +'signet', +'significance', +'significant', +'signpost', +'silage', +'silence', +'silent', +'silhouette', +'silica', +'silicon', +'silk', +'silky', +'silly', +'silo', +'silver', +'silvery', +'similar', +'similarity', +'simile', +'simmer', +'simple', +'simpleton', +'simplicity', +'simplify', +'simply', +'simulate', +'simultaneous', +'simultaneously', +'sin', +'since', +'sincere', +'sincerity', +'sinew', +'sinful', +'sing', +'singe', +'singer', +'single', +'singular', +'sinister', +'sink', +'sinner', +'sinuous', +'siphon', +'sir', +'siren', +'sirloin', +'sister', +'sit', +'sitcom', +'site', +'situate', +'situation', +'sixpence', +'sixteen', +'sixteenth', +'sixtieth', +'sixty', +'size', +'sizeable', +'sizzle', +'skate', +'skateboard', +'skeleton', +'skeptical', +'sketch', +'skid', +'skilful', +'skim', +'skimmer', +'skin', +'skinny', +'skip', +'skipper', +'skirmish', +'skirt', +'sky', +'skylight', +'skyline', +'skyrocket', +'skyscraper', +'slab', +'slack', +'slacken', +'slag', +'slam', +'slander', +'slanderous', +'slang', +'slangy', +'slant', +'slap', +'slash', +'slat', +'slate', +'slaughter', +'slave', +'slavery', +'slavish', +'slay', +'sleazy', +'sledge', +'sleek', +'sleep', +'sleeper', +'sleepless', +'sleepy', +'sleet', +'sleeve', +'sleigh', +'slender', +'slice', +'slick', +'slide', +'slight', +'slightly', +'slim', +'slime', +'slimnastics', +'slimy', +'sling', +'slink', +'slipper', +'slippery', +'slit', +'slither', +'sliver', +'slogan', +'slop', +'slope', +'slouch', +'slowly', +'slug', +'sluggish', +'slum', +'slumber', +'slump', +'slur', +'slurry', +'sly', +'smack', +'small', +'smart', +'smash', +'smear', +'smell', +'smelly', +'smile', +'smith', +'smog', +'smoke', +'smokeless', +'smoker', +'smokestack', +'smoking', +'smoky', +'smooth', +'smother', +'smoulder', +'smudge', +'smug', +'smuggle', +'snack', +'snag', +'snail', +'snake', +'snap', +'snapshot', +'snare', +'snarl', +'snatch', +'sneak', +'sneer', +'sneeze', +'snicker', +'sniff', +'sniffle', +'snigger', +'snipe', +'sniper', +'snivel', +'snob', +'snobbery', +'snobbish', +'snooker', +'snooty', +'snore', +'snorkel', +'snort', +'snout', +'snow', +'snub', +'snuff', +'snug', +'soak', +'soap', +'soapy', +'soar', +'sober', +'sobriety', +'soccer', +'sociable', +'social', +'socialism', +'socialist', +'society', +'sociological', +'sociologist', +'sociology', +'sock', +'socket', +'soda', +'sodium', +'sofa', +'soft', +'soften', +'softly', +'software', +'soggy', +'soil', +'sol', +'solace', +'solar', +'soldier', +'soldierly', +'sole', +'solely', +'solemn', +'solemnity', +'solicit', +'solicitor', +'solid', +'solidarity', +'soliloquy', +'solitary', +'solitude', +'solo', +'soloist', +'soluble', +'solution', +'solve', +'solvency', +'solvent', +'sombre', +'some', +'somebody', +'somehow', +'someone', +'something', +'sometime', +'sometimes', +'somewhat', +'somewhere', +'son', +'sonar', +'sonata', +'song', +'son-in-law', +'sonnet', +'soon', +'sooner', +'soothe', +'sophist', +'sophisticate', +'sophisticated', +'sophomore', +'soprano', +'sordid', +'sore', +'sorghum', +'sorrow', +'sorrowful', +'sorry', +'sort', +'sortie', +'soul', +'sound', +'soup', +'sour', +'source', +'south', +'southeast', +'southerly', +'southern', +'southward', +'southwest', +'souvenir', +'sovereign', +'sovereignty', +'Soviet', +'sow', +'soy', +'spa', +'space', +'spacecraft', +'spaceship', +'spacious', +'spade', +'Spain', +'span', +'Spaniard', +'Spanish', +'spanner', +'spar', +'spare', +'sparingly', +'spark', +'sparkle', +'sparrow', +'sparse', +'spasm', +'spasmodic', +'spate', +'spatial', +'spatter', +'spawn', +'speak', +'speaker', +'spear', +'spearhead', +'special', +'specialist', +'speciality', +'specialize', +'specially', +'species', +'specific', +'specify', +'specimen', +'speck', +'speckle', +'spectacle', +'spectacular', +'spectator', +'spectre', +'spectrum', +'speculate', +'speculative', +'speculator', +'speech', +'speed', +'speedometer', +'speedway', +'spell', +'spelling', +'spend', +'sperm', +'spew', +'sphere', +'spice', +'spicy', +'spider', +'spike', +'spill', +'spin', +'spinach', +'spindle', +'spine', +'spinner', +'spinster', +'spiral', +'spire', +'spirit', +'spirited', +'spiritual', +'spirituality', +'spit', +'spite', +'spiteful', +'splash', +'spleen', +'splendid', +'splendour', +'splinter', +'split', +'splutter', +'spoil', +'spoken', +'spokesman', +'sponge', +'sponsor', +'spontaneous', +'spook', +'spoon', +'spoonful', +'sporadic', +'spore', +'sport', +'sportsman', +'sportsmanship', +'sportswoman', +'spot', +'spotless', +'spotlight', +'spouse', +'spout', +'sprain', +'sprawl', +'spray', +'spread', +'spring', +'springboard', +'springlock', +'sprinkle', +'sprint', +'sprout', +'spruce', +'spur', +'spurious', +'spy', +'squabble', +'squad', +'squadron', +'squalid', +'squall', +'squalor', +'squander', +'square', +'squarely', +'squash', +'squat', +'squawk', +'squeak', +'squeal', +'squeamish', +'squeeze', +'squint', +'squire', +'squirm', +'squirrel', +'squirt', +'stab', +'stability', +'stabilize', +'stable', +'staccato', +'stack', +'stadium', +'staff', +'stage', +'stagger', +'stagnant', +'stagnation', +'staid', +'stain', +'stainless', +'stair', +'staircase', +'stake', +'stale', +'stalemate', +'stalk', +'stall', +'stallion', +'stalwart', +'stamina', +'stammer', +'stamp', +'stampede', +'stance', +'stand', +'standard', +'standardize', +'standing', +'standpoint', +'standstill', +'stanza', +'staple', +'stapler', +'star', +'starboard', +'starch', +'stardom', +'stare', +'stark', +'starry', +'start', +'starter', +'startle', +'starvation', +'starve', +'state', +'stately', +'statement', +'stateroom', +'statesman', +'static', +'station', +'stationary', +'stationery', +'statistical', +'statistician', +'statistics', +'statue', +'status', +'statute', +'statutory', +'staunch', +'stay', +'steadfast', +'steady', +'steak', +'steal', +'stealth', +'stealthily', +'stealthy', +'steam', +'steamer', +'steel', +'steely', +'steep', +'steeple', +'steer', +'stem', +'stench', +'step', +'stereo', +'stereotype', +'sterile', +'sterility', +'sterilize', +'sterling', +'stern', +'steroid', +'stethoscope', +'steward', +'stewardess', +'stick', +'stiff', +'stiffen', +'stifle', +'stigma', +'stile', +'stimulant', +'stimulate', +'stimulation', +'stimulus', +'sting', +'stink', +'stint', +'stipend', +'stipulate', +'stir', +'stirrup', +'stitch', +'stock', +'stockbroker', +'stockholder', +'stocking', +'stoic', +'stoical', +'stoke', +'stomach', +'stone', +'stoneware', +'stony', +'stoop', +'stop', +'stoppage', +'stopper', +'storage', +'store', +'storey', +'storm', +'story', +'straddle', +'straggle', +'straight', +'straighten', +'straightforward', +'strain', +'strained', +'strait', +'straitlaced', +'strand', +'strange', +'stranger', +'strangle', +'strap', +'strategic', +'strategist', +'strategy', +'stratify', +'stratum', +'straw', +'strawberry', +'stray', +'streak', +'stream', +'streamline', +'street', +'streetcar', +'strength', +'strengthen', +'strenuous', +'stress', +'stressful', +'stretch', +'stretcher', +'strew', +'stricken', +'strict', +'stricture', +'stride', +'strident', +'strife', +'strike', +'striking', +'string', +'stringent', +'strip', +'stripe', +'striped', +'strive', +'stroke', +'stroll', +'strong', +'stronghold', +'strontium', +'structural', +'structure', +'struggle', +'strut', +'stubble', +'stubborn', +'student', +'studio', +'studious', +'study', +'stuffing', +'stuffy', +'stumble', +'stump', +'stun', +'stunt', +'stupefaction', +'stupendous', +'stupor', +'sturdy', +'stutter', +'style', +'stylish', +'stylistic', +'subconscious', +'subdue', +'subject', +'subjection', +'subjective', +'subjectivity', +'subjunctive', +'sublime', +'submarine', +'submerge', +'submission', +'submissive', +'submit', +'subordinate', +'subordination', +'subscribe', +'subsequent', +'subside', +'subsidiary', +'subsidise', +'subsidy', +'substance', +'substandard', +'substantial', +'substantiate', +'substantive', +'substitute', +'substitution', +'subtitle', +'subtle', +'subtlety', +'subtly', +'subtract', +'subtraction', +'suburb', +'suburban', +'suburbanite', +'subversion', +'subversive', +'subvert', +'subway', +'succeed', +'success', +'successful', +'succession', +'successive', +'successor', +'succour', +'succulent', +'succumb', +'such', +'suck', +'suckle', +'suction', +'sudden', +'suddenly', +'sue', +'suffer', +'sufferable', +'sufferance', +'suffering', +'suffice', +'sufficiency', +'sufficient', +'suffix', +'suffocate', +'suffrage', +'sugar', +'suggest', +'suggestive', +'suicidal', +'suicide', +'suit', +'suitability', +'suitable', +'suitcase', +'suite', +'suitor', +'sulfureous', +'sulk', +'sulky', +'sullen', +'sully', +'sulphate', +'sulphur', +'sulphurous', +'sultan', +'sultry', +'sum', +'summarize', +'summary', +'summer', +'summit', +'summon', +'summons', +'sumo', +'sumptuous', +'sun', +'sunbath', +'sunbathe', +'sunburn', +'Sunday', +'sundial', +'sundry', +'sunflower', +'sunken', +'sunlight', +'sunny', +'sunrise', +'sunset', +'sunshine', +'sunstroke', +'suntan', +'super', +'superb', +'superficial', +'superfluous', +'superhuman', +'superimpose', +'superintend', +'superintendent', +'superior', +'superiority', +'superlative', +'superman', +'supermarket', +'supernatural', +'supersede', +'supersonic', +'superstition', +'superstitious', +'supervise', +'supervision', +'supervisor', +'supper', +'supplant', +'supple', +'supplement', +'supplementary', +'supply', +'support', +'supportive', +'suppose', +'supposition', +'suppress', +'suppression', +'supremacy', +'supreme', +'surcharge', +'sure', +'surely', +'surf', +'surface', +'surfboard', +'surge', +'surgeon', +'surgery', +'surgical', +'surly', +'surmount', +'surname', +'surpass', +'surplus', +'surprise', +'surprising', +'surreal', +'surrealist', +'surrender', +'surreptitious', +'surrogate', +'surround', +'surveillance', +'survey', +'survival', +'survive', +'survivor', +'susceptibility', +'susceptible', +'suspect', +'suspend', +'suspender', +'suspense', +'suspension', +'suspicion', +'suspicious', +'sustain', +'sustenance', +'swagger', +'swallow', +'swamp', +'swan', +'swap', +'swarm', +'swathe', +'sway', +'swear', +'sweat', +'sweater', +'sweatshop', +'Swede', +'sweep', +'sweeping', +'sweet', +'sweetheart', +'swell', +'swerve', +'swift', +'swim', +'swimmer', +'swindle', +'swindler', +'swine', +'swing', +'swipe', +'swirl', +'Swiss', +'switch', +'switchboard', +'Switzerland', +'swivel', +'swollen', +'swoop', +'sword', +'syllabic', +'syllable', +'syllabus', +'symbol', +'symbolic', +'symbolism', +'symbolize', +'symmetric', +'symmetry', +'sympathetic', +'sympathize', +'sympathy', +'symphonic', +'symphony', +'symposium', +'symptom', +'synagogue', +'syndicate', +'syndrome', +'synonym', +'synonymous', +'synopsis', +'synoptic', +'syntactic', +'syntax', +'synthesis', +'synthesize', +'synthetic', +'syphilis', +'syringe', +'syrup', +'system', +'systematic', +'systematize', +'tab', +'table', +'tablecloth', +'tablet', +'taboo', +'tacit', +'tacitly', +'taciturn', +'tackle', +'tacky', +'tact', +'tactful', +'tactic', +'tactical', +'tactician', +'taffeta', +'tag', +'tail', +'tailor', +'taint', +'take', +'takeaway', +'takeover', +'tale', +'talent', +'talented', +'talk', +'talkative', +'tall', +'tally', +'tame', +'tamper', +'tan', +'tangent', +'tangerine', +'tangible', +'tangle', +'tank', +'tanker', +'tanner', +'tannic', +'tantalize', +'tantamount', +'tantrum', +'tap', +'tape', +'taper', +'tapestry', +'tapeworm', +'tar', +'target', +'tariff', +'tarmac', +'tarnish', +'tarry', +'tart', +'tartan', +'tartly', +'task', +'taste', +'tasty', +'tattoo', +'tattooist', +'taunt', +'taut', +'tavern', +'tawdry', +'tax', +'taxation', +'taxi', +'tea', +'teach', +'teacher', +'teacup', +'teak', +'team', +'teapot', +'tear', +'tearful', +'tease', +'teaspoon', +'technical', +'technicality', +'technician', +'technique', +'technocracy', +'technologist', +'technology', +'teddy', +'tedious', +'tedium', +'teem', +'teenager', +'teens', +'teeter', +'telegram', +'telegraph', +'telephone', +'telescope', +'televise', +'television', +'telex', +'tell', +'teller', +'telling', +'temper', +'temperament', +'temperamental', +'temperate', +'temperature', +'temple', +'tempo', +'temporal', +'temporary', +'tempt', +'temptation', +'ten', +'tenancy', +'tenant', +'tend', +'tendency', +'tender', +'tendon', +'tenet', +'tennis', +'tenor', +'tense', +'tensile', +'tension', +'tent', +'tentative', +'tenth', +'tenuous', +'tenure', +'tepid', +'term', +'terminal', +'terminate', +'terminology', +'terrace', +'terra-cotta', +'terrain', +'terrestrial', +'terrible', +'terrific', +'terrify', +'territory', +'terror', +'terrorist', +'terry', +'terse', +'tertiary', +'test', +'testament', +'testator', +'testify', +'testimony', +'tether', +'text', +'textbook', +'textile', +'textual', +'texture', +'than', +'thank', +'thankful', +'that', +'thatch', +'thaw', +'the', +'theatre', +'theatrical', +'thee', +'theft', +'their', +'theirs', +'them', +'thematic', +'theme', +'themselves', +'then', +'theologian', +'theological', +'theology', +'theorem', +'theoretical', +'theory', +'therapeutic', +'therapist', +'therapy', +'there', +'thereabout', +'thereafter', +'thereby', +'therefore', +'therein', +'thereof', +'thereto', +'thereupon', +'therewith', +'thermal', +'thermocouple', +'thermodynamics', +'thermometer', +'thermonuclear', +'thermostat', +'thesaurus', +'these', +'thesis', +'they', +'thick', +'thicket', +'thick-skinned', +'thief', +'thigh', +'thin', +'thing', +'think', +'thinker', +'thinking', +'third', +'thirst', +'thirsty', +'thirteen', +'thirteenth', +'thirtieth', +'thirty', +'this', +'thistle', +'thorn', +'thorough', +'thoroughbred', +'thoroughfare', +'those', +'thou', +'though', +'thought', +'thoughtful', +'thoughtless', +'thousand', +'thousands', +'thrash', +'thread', +'threadbare', +'threat', +'threaten', +'three', +'thresh', +'threshold', +'thrice', +'thrift', +'thrifty', +'thrill', +'thriller', +'thrive', +'throat', +'throatily', +'throb', +'throne', +'throng', +'throttle', +'through', +'throughout', +'throughput', +'throw', +'thrush', +'thrust', +'thud', +'thug', +'thumb', +'thumbtack', +'thump', +'thunder', +'thunderclap', +'thunderous', +'thunderstorm', +'Thursday', +'thus', +'thwart', +'thy', +'thyroid', +'tiara', +'tick', +'ticket', +'tickle', +'tidal', +'tide', +'tidy', +'tie', +'tier', +'tie-up', +'tiger', +'tight', +'tighten', +'tile', +'till', +'tilt', +'timber', +'time', +'timely', +'timetable', +'timid', +'timidity', +'tin', +'tinder', +'tinge', +'tingle', +'tinker', +'tinkle', +'tinny', +'tint', +'tiny', +'tip', +'tipper', +'tiptoe', +'tirade', +'tire', +'tired', +'tiresome', +'tissue', +'titanic', +'title', +'to', +'toad', +'toast', +'tobacco', +'tobacconist', +'today', +'toddle', +'toe', +'toenail', +'toffee', +'together', +'toil', +'toilet', +'token', +'tolerable', +'tolerance', +'tolerant', +'tolerate', +'toleration', +'toll', +'tomato', +'tomb', +'tomorrow', +'ton', +'tonal', +'tone', +'tongs', +'tongue', +'tonic', +'tonight', +'tonnage', +'tooth', +'toothache', +'toothbrush', +'toothpaste', +'top', +'topic', +'topographer', +'topple', +'topsoil', +'torch', +'torment', +'torn', +'tornado', +'torpedo', +'torrent', +'torrential', +'torrid', +'torsion', +'torso', +'tortoise', +'tortuous', +'torture', +'Tory', +'toss', +'total', +'totalitarian', +'totalitarianism', +'totter', +'touch', +'touchdown', +'touching', +'tough', +'tour', +'tourism', +'tourist', +'tournament', +'tout', +'tow', +'toward', +'towel', +'tower', +'town', +'townsfolk', +'township', +'townsman', +'toxic', +'toy', +'trace', +'track', +'tract', +'tractable', +'tractor', +'trade', +'trademark', +'tradesman', +'tradition', +'traditional', +'traffic', +'trafficker', +'tragedian', +'tragedy', +'tragic', +'trail', +'trailer', +'train', +'training', +'trait', +'traitor', +'tram', +'tramp', +'trample', +'trance', +'tranquil', +'tranquility', +'transaction', +'transcend', +'transcendental', +'transcendentalism', +'transcribe', +'transfer', +'transfigure', +'transform', +'transformation', +'transfuse', +'transient', +'transistor', +'transit', +'transition', +'transitive', +'transitory', +'translate', +'translation', +'translator', +'translucent', +'transmission', +'transmit', +'transmutation', +'transmute', +'transparency', +'transparent', +'transpire', +'transplant', +'transport', +'transportation', +'transpose', +'transposition', +'trap', +'trash', +'trauma', +'travel', +'traveller', +'traverse', +'trawl', +'trawler', +'tray', +'treacherous', +'treachery', +'tread', +'treason', +'treasonable', +'treasure', +'treat', +'treatise', +'treatment', +'treaty', +'treble', +'tree', +'trek', +'tremble', +'tremendous', +'tremor', +'trench', +'trend', +'trespass', +'trestle', +'trial', +'triangle', +'triangular', +'tribal', +'tribe', +'tribunal', +'tributary', +'tribute', +'trick', +'trickle', +'tricky', +'trifle', +'trigger', +'trill', +'trilogy', +'trim', +'trinity', +'trinket', +'trio', +'trip', +'triple', +'tripod', +'tripper', +'triumph', +'triumphant', +'trivia', +'trivial', +'trolley', +'trombone', +'troop', +'trophy', +'tropic', +'tropical', +'trot', +'trouble', +'troublemaker', +'troubleshooter', +'troublesome', +'trough', +'trounce', +'troupe', +'trousers', +'trout', +'truant', +'truce', +'truck', +'trudge', +'truism', +'truly', +'trump', +'trumpet', +'trundle', +'trunk', +'trust', +'trustee', +'trustworthy', +'truth', +'truthful', +'try', +'trying', +'tryout', +'tub', +'tuba', +'tube', +'tuberculosis', +'tubular', +'tuck', +'Tuesday', +'tuft', +'tug', +'tuition', +'tulip', +'tumble', +'tummy', +'tumour', +'tumult', +'tuna', +'tune', +'tunnel', +'turbid', +'turbine', +'turbot', +'turbulence', +'turbulent', +'turf', +'turkey', +'turmoil', +'turn', +'turner', +'turning', +'turnip', +'turnout', +'turnover', +'turnpike', +'turret', +'turtle', +'turtleneck', +'tutelage', +'tutor', +'tutorial', +'tweed', +'twelfth', +'twelve', +'twentieth', +'twenty', +'twice', +'twig', +'twilight', +'twin', +'twinkle', +'twirl', +'twist', +'twitch', +'two', +'type', +'typewriter', +'typhoon', +'typical', +'typist', +'typographical', +'typography', +'tyrannical', +'tyrannize', +'tyranny', +'tyrant', +'Tyre', +'ubiquitous', +'UFO', +'ugly', +'ulcer', +'ulterior', +'ultimate', +'ultimatum', +'ultrasonic', +'ultrasound', +'ultraviolet', +'umbrella', +'umpire', +'unabashed', +'unabated', +'unable', +'unacceptable', +'unaccountable', +'unaffected', +'unanimous', +'unashamed', +'unassuming', +'unaware', +'unawares', +'unbearable', +'unbecoming', +'unbelievable', +'uncanny', +'unceremonious', +'uncertain', +'uncharitable', +'uncle', +'uncomfortable', +'uncompromising', +'unconcern', +'unconditional', +'unconscious', +'uncooperative', +'uncouth', +'uncover', +'under', +'underachieve', +'underbrush', +'undercharge', +'underclass', +'undercover', +'undercut', +'underdeveloped', +'underdog', +'underdone', +'underestimate', +'undergo', +'undergraduate', +'underground', +'undergrowth', +'underhand', +'underlie', +'underline', +'underling', +'undermine', +'underneath', +'underpass', +'underprivileged', +'undersell', +'underside', +'understand', +'understandable', +'understanding', +'understate', +'understudy', +'undertake', +'undertaker', +'underwater', +'underwear', +'underworld', +'underwrite', +'undesirable', +'undignified', +'undo', +'undoubted', +'undue', +'undulate', +'unduly', +'unearth', +'uneasiness', +'uneasy', +'uneatable', +'uneducated', +'unemployed', +'unemployment', +'unequivocal', +'unethical', +'uneven', +'unexpected', +'unfailing', +'unfair', +'unfaithful', +'unfamiliar', +'unfathomable', +'unfold', +'unforeseen', +'unforgettable', +'unfortunate', +'ungainly', +'ungodly', +'ungracious', +'ungrateful', +'unhappy', +'unhealthy', +'unheard-of', +'unicorn', +'uniform', +'unify', +'unilateral', +'uninformed', +'unintelligible', +'uninviting', +'union', +'unique', +'unisex', +'unison', +'unit', +'unite', +'united', +'unity', +'universal', +'universe', +'university', +'unjust', +'unkempt', +'unkind', +'unknown', +'unlawful', +'unleash', +'unless', +'unlike', +'unlikely', +'unlimited', +'unlisted', +'unload', +'unlock', +'unnatural', +'unnecessary', +'unnerve', +'unobtrusive', +'unoccupied', +'unofficial', +'unorthodox', +'unpack', +'unpalatable', +'unparalleled', +'unpleasant', +'unplug', +'unpopular', +'unprecedented', +'unpredictable', +'unprejudiced', +'unpretentious', +'unprincipled', +'unprofessional', +'unqualified', +'unquestionable', +'unquestioning', +'unravel', +'unreal', +'unreasonable', +'unrelenting', +'unremitting', +'unrest', +'unruly', +'unscrew', +'unseemly', +'unsettle', +'unsettled', +'unsightly', +'unskilled', +'unsociable', +'unsuspecting', +'unswerving', +'untenable', +'untidy', +'untie', +'until', +'untimely', +'untiring', +'untold', +'untouchable', +'untruth', +'unusual', +'unveil', +'unwieldy', +'unwilling', +'unwind', +'unwise', +'unwitting', +'unworldly', +'up', +'upbringing', +'upcoming', +'update', +'upfront', +'upgrade', +'upheaval', +'uphold', +'upholster', +'upkeep', +'uplift', +'upon', +'upper', +'upright', +'uprising', +'uproar', +'uproot', +'upset', +'upside', +'upstairs', +'upstart', +'upstream', +'upsurge', +'up-to-date', +'uptown', +'upward', +'uranium', +'urban', +'urge', +'urgent', +'urinate', +'urine', +'US', +'usage', +'use', +'used', +'useful', +'useless', +'user', +'usher', +'usual', +'usually', +'usurer', +'usurp', +'utensil', +'utilitarian', +'utility', +'utilize', +'utmost', +'Utopia', +'utter', +'vacancy', +'vacant', +'vacate', +'vacation', +'vaccinate', +'vaccination', +'vaccine', +'vacuum', +'vagabond', +'vagrant', +'vague', +'vaguely', +'vain', +'Valentine', +'valet', +'valiant', +'valid', +'validate', +'validity', +'valley', +'valour', +'valuable', +'value', +'valve', +'van', +'vandal', +'vandalism', +'vanguard', +'vanilla', +'vanish', +'vanity', +'vanquish', +'vantage', +'vaporize', +'vapour', +'variable', +'variant', +'variation', +'varicose', +'variety', +'various', +'vary', +'vase', +'vast', +'vat', +'vault', +'veal', +'veer', +'vegetable', +'vegetarian', +'vegetation', +'vehement', +'vehicle', +'veil', +'vein', +'velocity', +'velvet', +'vendor', +'venerable', +'venerate', +'venereal', +'vengeance', +'vengeful', +'venison', +'venom', +'venomous', +'vent', +'ventilate', +'ventilation', +'ventilator', +'ventral', +'ventricle', +'ventricular', +'venture', +'venue', +'Venus', +'veranda', +'verb', +'verbal', +'verbatim', +'verdict', +'verdure', +'verge', +'verify', +'veritable', +'vermin', +'vernacular', +'vernal', +'versatile', +'versatility', +'verse', +'version', +'versus', +'vertebrate', +'vertex', +'vertical', +'vertically', +'vertices', +'verve', +'very', +'vessel', +'vest', +'vestige', +'vet', +'veteran', +'veterinary', +'veto', +'vex', +'vexation', +'vexatious', +'via', +'viable', +'vial', +'vibrant', +'vibrate', +'vibration', +'vicar', +'vicarage', +'vicarious', +'vicariously', +'vice', +'vicinity', +'vicious', +'viciousness', +'victim', +'victimize', +'victor', +'victorious', +'victory', +'video', +'videophone', +'vie', +'view', +'viewfinder', +'viewpoint', +'vigil', +'vigilant', +'vignette', +'vigorous', +'vigour', +'vile', +'villa', +'village', +'villager', +'villain', +'villainous', +'vindicate', +'vindictive', +'vine', +'vinegar', +'vineyard', +'vintage', +'viola', +'violate', +'violation', +'violence', +'violent', +'violet', +'violin', +'violinist', +'VIP', +'viral', +'virgin', +'virginal', +'virile', +'virtually', +'virtue', +'virtuous', +'virulent', +'virus', +'visa', +'visage', +'viscera', +'viscount', +'visibility', +'visible', +'vision', +'visionary', +'visit', +'visitation', +'visitor', +'vista', +'visual', +'visualize', +'vital', +'vitality', +'vitalize', +'vitamin', +'vivacity', +'vivid', +'vocabulary', +'vocal', +'vocalist', +'vocalization', +'vocally', +'vocation', +'vocative', +'vodka', +'vogue', +'voice', +'void', +'volatile', +'volatility', +'volcano', +'volitional', +'volleyball', +'volt', +'voltage', +'voluble', +'volume', +'voluminous', +'voluntary', +'volunteer', +'vomit', +'vortex', +'vote', +'voter', +'voucher', +'vow', +'vowel', +'voyage', +'vulgar', +'vulgarity', +'vulnerable', +'vulture', +'waddle', +'wade', +'wafer', +'wag', +'wage', +'wagon', +'wail', +'waist', +'waistcoat', +'wait', +'waiter', +'waitress', +'waive', +'wake', +'waken', +'walk', +'walkway', +'wall', +'wallet', +'wallow', +'walnut', +'waltz', +'wand', +'wander', +'wane', +'want', +'wanton', +'war', +'ward', +'wardrobe', +'warehouse', +'warfare', +'warhead', +'warlike', +'warlord', +'warm', +'warmth', +'warn', +'warning', +'warp', +'warrant', +'warranty', +'warrior', +'warship', +'wartime', +'wary', +'was', +'wash', +'washing', +'wasp', +'waste', +'watch', +'water', +'watercolor', +'waterfall', +'waterfront', +'watermark', +'watermelon', +'waterproof', +'watershed', +'watertight', +'waterway', +'watery', +'watt', +'wave', +'waver', +'wax', +'way', +'wayward', +'we', +'weak', +'weaken', +'weakness', +'wealth', +'wealthy', +'wean', +'weapon', +'weaponry', +'wear', +'wearily', +'weary', +'weather', +'weave', +'web', +'wed', +'wedding', +'wedge', +'Wednesday', +'weed', +'week', +'weekday', +'weekend', +'weekly', +'weep', +'weigh', +'weight', +'weighty', +'weird', +'welcome', +'weld', +'welfare', +'well', +'well-being', +'well-known', +'well-to-do', +'Welsh', +'were', +'west', +'western', +'westward', +'wet', +'whack', +'whale', +'wharf', +'what', +'whatever', +'wheat', +'wheel', +'when', +'whenever', +'where', +'whereabouts', +'whereas', +'whereby', +'wherever', +'whether', +'which', +'whichever', +'whiff', +'while', +'whim', +'whimsical', +'whip', +'whirl', +'whirlwind', +'whisk', +'whisker', +'whiskey', +'whisky', +'whisper', +'whistle', +'white', +'whiten', +'whitewash', +'whizz', +'who', +'whoever', +'whole', +'wholesale', +'wholesome', +'wholly', +'whom', +'whoop', +'whose', +'why', +'wick', +'wicked', +'wicker', +'wide', +'widen', +'widespread', +'widow', +'width', +'wield', +'wife', +'wig', +'wiggle', +'wild', +'will', +'willing', +'willow', +'willpower', +'wilt', +'wily', +'win', +'wince', +'wind', +'windfall', +'windmill', +'window', +'windscreen', +'windy', +'wine', +'wing', +'wink', +'winner', +'winter', +'wipe', +'wire', +'wisdom', +'wise', +'wish', +'wisp', +'wit', +'witch', +'witchcraft', +'with', +'withdraw', +'withdrawal', +'wither', +'withhold', +'within', +'without', +'withstand', +'witness', +'witty', +'wizard', +'wobble', +'woe', +'woeful', +'wolf', +'woman', +'womanliness', +'womanly', +'wonder', +'wonderful', +'woo', +'wood', +'wooden', +'wool', +'woolen', +'woollen', +'word', +'wording', +'work', +'workbook', +'worker', +'workload', +'workman', +'workshop', +'world', +'worm', +'worried', +'worry', +'worse', +'worship', +'worst', +'worth', +'worthless', +'worthwhile', +'worthy', +'would', +'wound', +'wrap', +'wrapper', +'wrath', +'wreath', +'wreathe', +'wreck', +'wreckage', +'wrench', +'wrest', +'wrestle', +'wrestling', +'wretched', +'wriggle', +'wring', +'wrinkle', +'wrist', +'write', +'writer', +'writhe', +'writing', +'wrong', +'wry', +'xenophobia', +'Xerox', +'X-ray', +'yacht', +'Yahoo', +'yank', +'Yankee', +'yard', +'yardstick', +'yarn', +'yawn', +'year', +'yearly', +'yearn', +'yeast', +'yell', +'yellow', +'yeoman', +'yes', +'yesterday', +'yet', +'yield', +'yoga', +'yoghourt', +'yoghurt', +'yogurt', +'yolk', +'you', +'young', +'youngster', +'your', +'yours', +'yourself', +'youth', +'youthful', +'yummy', +'yuppie', +'zany', +'zeal', +'zealot', +'zealous', +'zebra', +'zenith', +'zero', +'zest', +'zigzag', +'zinc', +'Zionism', +'zip', +'zipper', +'zone', +'zoo', +'zoologist', +'zoology', +'zoom', +'Zulu' +] + +module.exports = { + wordList: word_list +} \ No newline at end of file diff --git a/data/zy8.js b/data/zy8.js new file mode 100644 index 0000000..99cc6d4 --- /dev/null +++ b/data/zy8.js @@ -0,0 +1,230 @@ +var word_list=[ + 'bargain', 'ramage', 'void', 'imotent', 'saient', + 'suy', 'devious', 'utimate', 'rincie', 'bearing', 'indiscriminate', 'formative', 'refer', 'imromtuad', 'acumen', 'issue', 'mandate', + 'deicacy', 'range', + + 'sabotage', 'tumbe', + 'articuar', 'ose', 'humiity', 'refect', 'assiduous', 'uift', + 'suerior', 'outgoing', 'aborious', 'dismante', 'begrudge;', 'dumbfound', 'inveterate', 'accountabe', 'trudge', 'incendiary', 'ascribe', 'rotrude', 'conscience', + 'incubate', 'wreckage', 'recou', 'accaim', 'evoke', 'exemify', 'barricade', 'neurosis', 'fiddy', 'acrimony', 'admit', + 'adjudicate', 'fog', 'insuar', 'fex', 'furtive', 'entwine', 'mediate', 'ease', + 'neuroogica', 'ausicious', 'strange', + 'transmute', 'withstand', 'wag', 'necessitate', 'inciient', 'traverse', 'henecked', 'infict', 'comexion', 'immobie', 'derecate', 'naturaize', 'muck', 'abreastad', 'rone', 'aroe', 'restore', 'rouse', 'jest', 'affict', 'jeoardize', 'daunt', 'ant', 'victimize', + 'connote', 'curtai', 'scae', 'brash', 'erihery', 'gentiity', 'negate', 'interserse', 'nostagia', 'scraw', 'founder', 'inexicabe', + 'account', 'emhasis', 'ean', 'archaic', 'genia', 'encounter', 'stereotye', + 'aggravate', 'adamant', 'erfunctory;', 'oerationa', 'artiaity', 'hudde', 'evity', 'resent', 'ubiquitous', 'eigibe', 'decimate', 'attach', 'outreach', 'exress', 'egaize', 'heady', 'fuzzy', 'ament', 'means', 'quaity', 'buky', 'baffe', 'bewitch', 'animate', + 'inarticuate', + + 'nudge', 'gaze', 'remove', 'negotiabe', 'fervour', 'gratuitous', 'scuer', 'vogue', 'ervert', + 'estrange', 'abdicate', 'feature:', 'suy', 'rod', 'convoy', 'hubbub', 'ersist', 'booteg', 'mimic', + + 'exacerbate', 'du', + 'esoteric', 'babbe', 'sar', 'grumy', 'secretive', 'histrionic', 'ositive', 'forcibe', 'tit', 'mind', + 'debase', 'eschew', + 'gesticuate', 'juvenie', 'mirage', 'demean', 'wince', 'araise', 'befit', + 'nonchaant', 'crytic', 'mitigate', 'torrid', 'imregnate', 'rearation', 'mandatory', 'embrace', 'evict', 'ostentatious', 'offensive', 'autograh', 'satiate', 'understudy', 'edgy', 'suffice', 'froth', + 'woe', 'har', 'conjure', + + 'infirm', + 'fugitive', 'disseminate', 'maniac', 'crave', + 'secuate', 'ucrative', 'hande', 'airborne', 'eager', 'roortion', 'chivary', + 'generate', 'conscrit', 'disosa', 'rofess', 'imious', 'rinse', 'entrust', 'haucinate', 'amicabe', + 'invidious', 'candid', 'accord', 'avenge', 'vitaize', 'facie', 'quaint', 'desoi', 'maim', 'enaize', 'imeri', 'soace', 'trunde', 'extraoate', 'indurtsbe', 'eectrocute', 'interminabe', 'rey', 'mastermind', 'theretoad', 'cycica', 'notoriety', 'abound', 'ermeate', + 'credibiity', 'hahazard', 'rejuvenate', 'diverge', 'funk', 'unsette', 'imede', 'famiiar', 'existence', 'horrid', 'usur', 'veer', 'redoent', 'caim', + 'downhi', 'obscenity', 'aend', 'fiia', 'exonerate', 'stragge', 'reason', + 'etha', + 'intoxicate', 'ukewarm', 'antagonize', 'ominous', 'ace', 'crunch', 'adverse', 'roceeding', + 'conversant', 'wit', 'athoogica', 'favor', 'cardina', 'juxtaose', 'bod', 'heretoforead', 'rease', 'threat', 'faiing', 're', 'obsoete', 'reent', 'amagamate', 'disjointed', + 'ruin', 'crooked', 'dexterity', 'entite', 'imbute', 'overt', 'dither', 'transire:', + 'introsection', 'sweeing', 'downstreamad', 'exercise', + 'amer', 'brevity', 'incaacitate', 'configuration', 'squash', 'overtake', 'accrue', 'certain', + 'gum', 'irritant', 'animosity', 'eretrate', 'fasity', 'reute', 'bemish', 'surcharge', 'smear', 'faraway', 'jugge', 'monumenta', 'immateria', 'eniven', 'fimsy', 'henomena', 'insurgent', 'fasify', 'gavanize', 'remunerate', 'adet', 'congenita', 'meditate', + 'subject', 'nautica', 'innocent', 'beguie', 'stuffy', 'infexibe', 'imetuous', 'squa', + 'reimburse', 'embody', 'reciitate', 'fray', 'demoraize', 'addictive', 'arehend', 'oncoming', 'rowess', 'remark', 'uncharitabe', 'vindicate', 'comusion', 'honour', + 'devoid', 'osture', 'ay', 'urge', 'redemtion', 'vet', 'instigate', 'ingorious', 'horseay', 'bogge', 'vengefu', 'humdrum', 'manifestation', 'deress', 'acify', 'exude', 'verbatimad', 'waver', 'deuge', 'rebound', 'concede', 'cudde', 'threadbare', 'snigger', + 'imassioned', 'hae', 'stress', + 'sohisticate', 'vanquish', 'incisive', 'outandish', 'deart', 'fabricate', 'bunder', 'decare', 'meticuous', 'maign', 'savage', 'ratte', 'o', 'discernibe', 'radiant', + 'nab', + 'sot', 'hard-boied', 'ingratiate', 'ending', 're', 'robust', 'tyrannize', 'quiver', 'affiiate', 'mundane', 'enumerate', 'awesome', 'incomatibe', 'iberty;', 'eitome', 'writhe', 'concord', 'hoax', 'dank', 'fraught', 'tan', + 'ferocity', 'sniffe', + 'overook', 'rodigy', 'yied', 'boost', 'intimidate', 'enthrone', 'vex', 'intimacy', 'ecotic', 'daft', 'indigenous', 'infammabe', 'eave', + 'cuminate', 'coherent', 'fawess', 'vice', 'dote', 'deete', 'ouent', 'resort', 'grove', + 'hash', + 'detonate', 'vie', 'imoverish', 'utmost', 'strenuous', 'cutter', 'categorica', 'forge', 'sanctify', 'interject', 'rabid', 'itinerant', 'hyeractive', 'foresta', 'shunt', 'intractabe', 'fictitious', 'identify', 'satter', 'furry', + 'jot', + 'ester', 'ensconce', 'rominence', 'vagrant', 'disavow', 'encumber', 'grisy', 'brusque', 'orthodoxy', 'emend', 'invaidate', 'inocuate', 'firt', 'gravitate', + 'disentange', 'sovent', 'snie', 'invoice', 'uncouth', 'gaantry', 'nomadic', 'desiccate', 'augment', + 'jeer', 'grotesque', 'intreid', 'gauge', 'segregation', 'deve', 'astrayad', + 'motey', 'rut', 'equivoca', 'inch', 'event', 'savour', 'affection', 'majestic', 'ascendant', 'reegate', 'jumbe', 'suscetibe', 'beie', 'comosite', + 'incarnate', 'indoctrinate', 'misgiving', 'imassive', 'caamity', 'exicabe', 'egisate', 'docie', 'exansive', 'destitute', 'feign', 'disirited', 'meander', 'margina', 'accessibe', 'gobbe', 'charitabe', 'imrint', + 'incese', 'soi', 'subside', + 'hamstring', + 'indeibe', 'terse', 'ceanse', 'denominate', 'discerning', 'gossi', + 'hianthroic', 'inordinate', 'ethic', 'miitant', + 'eriodic', 'ime', 'decorous', 'cativity', 'combustibe', 'disenchant', 'cajoe', 'gruesome', 'rotoco', 'override', 'unrave', 'nuance', + 'tend', 'standing', 'hurte', 'serviceabe', 'deirious', 'fabby', 'gnared', 'caous', 'infringe', 'retard', 'aramount', 'substantiate', 'ineffectua', 'fastidious', 'scoff', 'nurture', 'consist', 'decoy', 'twitch', 'momentous', 'underwrite', + 'transcribe', 'aure', + 'irretrievabe', 'modify', 'infow', 'vent', 'rig', + 'shatter', 'rocure', 'rocedura', 'ead', 'gee', 'knead', 'bur', 'squea', 'accede', 'invoke', + 'awkward', 'arrest', 'schematize', 'shroud', + 'viabe', 'unduyad', 'tatters', 'n', 'thum', 'gaant', 'ravish', 'savish', 'erk', 'n,', 'misconduct', 'so', 'faow', 'cerebra', 'moisturize', 'inquire', 'rovident', 'snub', 'drench', 'confide', 'covert', 'brunt', 'occur', 'desicabeadj', 'irradiate', 'soradic', + 'deore', 'harass', 'vicinity', 'dwe', 'arbitrate', 'dormant', 'fidding', 'harbinger', 'imercetibe', 'inestimabe', 'mercantie', 'horrendous', 'understate', + 'gae', 'imound', 'commit', 'exedite', 'insoent', 'doubt', + 'ehemera', 'beasty', 'ossess', + 'humbug', 'coo', 'severity', 'graft', 'warranty', 'skinny', 'seazy', 'indemnify', 'disocate', 'fracture', 'sober', 'trounce', 'command', 'subordinate', + 'inborn', 'reeent', + 'quarantine', 'aboish', 'assai', 'rove', + 'aroach', 'uneash', 'unscrew', 'accordingad', 'defie', 'stow', 'umire', 'ambivaent', 'grae', 'emaciated', 'imart', 'counterfeit', 'vie', 'ernicious', 'hew', 'encomass', 'aude', 'candestine', 'stee', 'congenia', 'gogge', 'fritter', 'hobnob', 'imbibe', + 'absorb', 'tantaize', 'aosite', + + 'favor', + + 'hinge', 'badger', 'hyocrisy', 'incontrovertibe', 'inquisitive', 'reverence', 'imrudent', 'atrocious', 'nag', 'sue', 'revere', + 'rake', 'obese', 'resume', 'mau', 'refurbish', 'canvass', 'atronage', 'credit', 'asire', 'rumbe', 'bind', 'hereof', 'decaim', 'unnerve', 'mediocre', 'behaf', 'abase', 'stint', 'quash', 'fortuitous', + 'idyic', 'maignant', 'intuitive', 'rovisiona', 'anaesthetic', 'ragmatic', 'neurotic', 'inconceivabe', 'discaim', 'doe', 'defate', 'referentia', 'circumstantia', + 'invountary', 'hefty', 'ornate', 'finicky', 'confer', 'roagate', 'funky', 'fiendish', 'ore', + 'anoramic', 'zest', 'regret', 'unduate', 'insist', 'abduct', 'mutitude', 'moe', 'con', 'tentative', 'scrounge', 'wade', 'ure', 'uniatera', 'contro', 'arduous', 'miscarriage', + 'ficker', 'doom', 'hagge', + 'fumbe', 'fetid', 'ersecute', 'sraw', 'hoocaust', 'zoom', + + 'utter', 'assent', 'audibe', 'ave', 'aby', 'survey', 'war', + 'aduterate', 'embezze', 'evince', 'moify', + 'buste', 'strut', 'intercession', 'comatibe', 'secude', + + 'roost', 'ristine', 'intent', 'homogeneous', 'circumvent', 'eude', 'extremity', 'revert', + 'counteract', 'disose', + 'advent', 'momentary', 'tarnish', 'arody', 'trait', 'infantie', 'aergic', 'anguish', 'hackneyed', 'assimiate', 'anguid', 'in-deth', 'unreenting', + 'atronize', 'headstrong', 'eicit', 'scow', 'squaid', 'articuate', 'urch', + 'oust', 'wigge', 'succession', 'fecund', 'conduct', + + 'misceaneous', 'ight', 'cear', 'herein', 'unitive', 'subime', 'aabe', 'immerse', 'feckess', 'abaze', 'comosure', 'ay', 'interock', + 'exto', 'outright', 'ingrained', 'nebuous', 'abject', 'quench', 'fraterna', 'eject', 'eretuate', 'erish', 'irreversibe', 'squirm', 'coude', 'comarison', 'remit', + + 'ertinent', 'throtte', 'swie', 'coy', 'definitive', + 'comunction', 'derogatory', 'interay', 'casua', 'discount', 'vista', + 'reress', 'moest', 'vaidate', 'totter', 'insurmountabe', 'detai', 'uminous', 'vestige', 'extract', 'inhibit', 'evermore', 'wedge', 'searate', + 'rack', 'srint', 'tresass', + + 'indistinguishabe', 'trick', 'aay', 'unbecoming', + + 'strew', 'iminge', 'oiter', 'benign', 'jubiant', 'imetus', 'egendary', + 'thereuon', 'momentum', 'menia', 'foi', 'foow', 'irresective', 'reshuffe', 'reguarity', 'forebode', 'fervent', 'interface', + 'hereafter', 'imersonate', 'bear', 'teing', + 'entai', 'resumtion', 'arry', 'negigent', 'oach', 'backfire', + + 'exhort', 'congested', 'gean', 'astora', 'hierarchy', 'frisk', 'atchy', 'fush', 'site', 'exterminate', 'adat', 'matricuate', + 'adorn', 'redress', 'forage', 'snive', 'avid', 'indigestion', 'effect', 'stiuate', 'roiferation', 'indict', 'assorted', 'comementary', 'consire', 'booze', 'coate', 'discreet', 'wean', 'forid', 'wobbe', 'cede', 'adroit', 'omous', + 'engender', 'ecuiar', 'margin', + 'germinate', 'engross', 'sur', 'consensus', 'dissension', 'tinge', 'devove', 'burst', 'ascertain', 'rambe', 'mesmerize', 'quam', 'devastate', 'ufront', 'downright', 'brain', + 'gentee', + 'caita', 'drowse', 'ooze', 'reica', 'ious', 'rototye', 'absent', 'symtom', 'imenetrabe', 'agitate', 'tarry', 'hiccu', 'hiccough', 'medde', 'dawde', 'rue', + + 'inferna', 'affabe', 'audacious', 'stamede', 'et', 'beat', 'ruste', 'debit', 'hibernate', 'faze', 'fighty', 'esouse', 'indoent', 'zenith', 'u', 'itera', 'exaserate', 'hot-booded', + 'imertinent', 'crease', 'cohesive', 'inteigibe', 'heed', 'devout', 'otency', 'coexist', 'wreck', 'equitabe', 'enrage', 'abstain', 'servie', 'exuberant', 'rivet', 'inexorabe', 'nimbe', 'degrade', 'cumbersome', 'meager', + 'cativate', 'kee', 'breath', 'resect', 'essence', 'admissibe', 'veritabe', 'famboyant', 'haywire', 'fororn', 'befa', 'rofiteer', 'debiitate', 'ebb', 'stretch', 'recomense', 'exedient', + 'hidebound', 'confate', 'see', 'artake', 'scuffe', 'resutant', 'voatie', + + 'facet', 'oathe', 'eementa', 'vioate', 'squawk', 'decry', 'taint', 'resigned', 'mercy', 'due', 'shuffe', 'obscene', + 'banish', 'misbehave', 'observant', 'arise', 'ertain', 'catter', 'cringe', 'whitewash', 'reudiate', + 'consummate', 'affinity', 'obscurity', 'trying', 'ouarize', 'futiity', 'faunt', 'bogus', 'ax', 'fester', 'deform', 'advocacy', 'itch', + 'grant', + 'withdraw', 'abiding', 'erudite', 'frantic', + + 'debit', 'doode', 'ignobe', 'agie', 'indisutabe', 'exat', 'inoint', 'substantia', 'unwind', + + + 'tractabe', 'negigibe', 'bombard', 'with', 'innate', 'defect', 'immacuate', 'downhearted', 'abominabe', 'exound', 'disarate', 'eek', 'incite', 'strain', + + 'drone', 'deface', 'sketch', + 'shanghai', + + 'inexhaustibe', 'instantaneous', 'attrition', 'idiosyncrasy', 'detest', 'accident', 'revaent', 'intern', 'outcast', 'evove', 'imartia', 'seedy', 'scrutinize', 'acute', + 'imore', 'bamy', 'bountifu', 'remiere', 'certify', + 'irrevocabe', 'avert', 'invunerabe', 'neutraize', 'abort', 'oignant', 'tributary', 'enigmatic', 'temora', 'fitfu', 'bana', 'insidious', 'ersonify', 'urk', 'mortaity', 'defraud', 'frivoous', 'concur', 'giddy', 'bash', 'surious', + 'indubitabe', 'ecectic', 'waow', 'caress', 'exroriate', 'knack', 'censor', 'disservice', 'ubiquitousness', 'aart', 'abide', 'erturb', 'meek', 'usurge', 'deineate', 'ree', 'recurrent', 'sense', + + 'masquerade', + 'outay', 'wrest', 'degenerate', 'antiathy', 'iteray', 'exhiarate', 'juncture', 'imicit', + + 'rudent', 'buff', 'materiaize', 'radianty', 'underse', 'consign', 'restitution', + 'interose', 'rein', 'sustain', 'dehydrate', 'disinterested', 'contrive', 'extort', 'incoming', 'feeting', 'infirmity', 'aease', 'trame', 'mania', 'headway', 'nomina', 'evade', 'inet', 'incur', 'subscribe', 'obsess', 'squint', 'makeshift', + 'emathy', 'ageant', 'conciiate', 'resume', 'eement', + 'hobbe', 'sundry', 'bashfu', 'fiasco', 'afoot', 'fagrant', 'harness', + 'insiid', 'deviate', 'seek', 'fractious', 'methodica', 'acknowedge', 'fingerti', 'jumbo', + 'sag', 'emower', 'quibbe', 'countenance', 'mudde', 'granuar', 'uxuriant', 'feverish', 'reieve', 'mutiy', 'anew', 'imrovise', 'recine', 'iterate', 'aggrieved', 'foreshadow', 'undercharge', 'overstate', 'ignominy', 'batant', + 'demonstrabe', 'defuse', 'erious', 'fiant', 'rat', 'endorse', + 'seethe', 'chuck', 'wary', 'roceed', 'iquidate', 'cracke', 'roximity', 'ostuate', 'muse', 'huking', 'enient', 'disconcert', 'amass', 'communicate', + 'sasm', + 'obesity', 'coerce', 'ordain', 'deify', 'sautary', 'etherea', + + 'contend', 'imerious', 'redundant', + 'discretion', 'numb', 'caow', 'intricacy', 'myriad', 'ight', 'whoo', + 'obsessive', 'transfer', 'evacuate', 'bicker', 'chic', 'bak', 'infame', 'mercenary', 'harrowing', 'disadvantage', + + 'unfaiing', 'snar', 'damen', 'ruture', + 'carven', + 'scanty', 'highbrow', 'recount', 'corrugate', 'ermissibe', 'crux', 'gurge', 'fortify', 'rectify', 'faint', + + 'viruent', 'tantamount', 'incumbent', 'unaccountabe', + 'energize', 'simuate', 'imant', 'commensurate', 'incursion', + 'feint', 'imit', 'rerimand', 'insta', 'irreverent', 'gaunt', 'convertibe', 'tinker', 'extricate', 'haste', 'havoc', 'squabbe', 'grandiose', 'joste', 'overshadow', 'sterie', + + 'oerative', 'communicabe', 'hat', + 'curt', 'factitious', 'remature', 'warrant', 'scavenge', + 'cowardice', 'intrusive', 'gruff', 'entity', 'caituate', 'trust', 'covet', 'swear', 'aboveboard', 'benevoent', 'transient', 'matrix', 'suk', 'sovereign', + 'aradoxica', 'hye', 'deuxe', 'generic', 'equabe', 'raft', 'deosit', 'shirk', 'interfere', 'banch', 'butt', 'deem', 'incriminate', 'attribute', + 'tumutuous', + 'farsighted', 'imacabe', 'irk', 'hectic', 'embroi', 'uroot', 'interude', 'que', 'overwhem', 'magnitude', 'recur', 'discredit', 'reenish', 'unaatabe', 'fai', 'maractice', 'umb', 'distraught', 'affront', 'secrete', 'gri', + 'disrove', 'undertake', 'vaut', 'quai', 'irreconciabe', 'ni', 'summit', 'forbidding', 'fur', 'sum', 'indeterminate', 'dissove', + 'hyothesis', 'revoke', 'cost', 'heinous', 'hiarious', 'rough', 'finch', + 'idoize', 'venom', 'unfathomabe', 'ot', 'fret', 'efface', 'defer', 'aign', 'foy', 'iterate', 'regress', 'reguar', 'intransigent', 'zdj', 'far-fetched', 'decadent', 'reentance', 'interrogate', 'grace', 'irrearabe', 'interva', 'treacherous', 'ra', + 'oot', 'fout', 'vaet', 'deciher', 'contingent', + 'imregnabe', 'morbid', 'hyercritica', 'discrete', 'hearten', 'consoe', 'differentiate', 'irreducibe', 'indiscreet', 'robematica', 'detour', 'misarehend', + 'uright', 'rogress', 'huff', 'censure', 'escaate', 'camoufage', 'gratify', 'heredity', 'rohesy', 'muster', 'grie', 'tamer', 'hamer', 'haess', 'mar', 'temer', + + 'anacea', 'sight', + 'deft', 'martia', 'bereaved', 'refute', 'defame', 'ungent', 'imressionabe', 'target', 'diffident', 'rummage', 'reuisite', 'egibe', 'throb', + 'excavate', 'stark', 'converge', 'fancifu', 'insanity', 'coax', 'extent', + 'sutry', + 'embem', 'reicate', 'hoodwink', 'incessant', 'devour', + 'harangue', 'scour', 'unrincied', 'imasse', 'decomose', 'manoeuvre', 'artfu', 'charisma', 'fatuous', 'ercetibe', 'ardent', 'contort', 'airy', 'shift', + 'shear', 'authorize', 'deiberate', 'emuate', 'infest', 'ase', + 'dissuade', 'recourse', 'frauduent', 'snag', 'heartwarming', 'imae', 'dereciate', 'manageabe', 'avish', 'submit', 'detract', 'omniscient', 'seudo', + 'redicament', 'senie', 'enthra', 'jerky', 'unge', 'faibe', 'intangibe', 'surrender', 'annihiate', 'ghasty', 'wied', 'wrigge', 'manifesto', 'abate', 'baefu', 'ercetion', 'transmit', 'harrow', 'dab', 'suersede', 'inquisition', 'tacit', 'waive', + 'mount', 'abrut', 'avai', 'ensue', 'august', 'coruent', 'jab', 'sembance', 'cross-examine', 'offhand', 'wicked', 'exemary', 'counterbaance', 'divuge', 'rerove', 'gabbe', 'reckon', 'rationaize', 'dainty', + 'roe', 'simmer', + 'gregarious', 'susend', 'buge', 'correate', 'eerie', 'hum', 'cram', 'redraw', 'reorient', 'daer', 'extradite', 'accentuate', 'bizarre', 'venerate', 'stumbe', 'eectrify', + 'defaut', 'credentias', 'erratic', 'constancy', 'iustrious', 'ervade', 'errant', 'erihera', 'ingenuous', 'hector', 'ucid', 'ush', 'transfigure', 'sout', 'hurde', 'roific', 'rotracted', 'incise', 'cursory', 'udicrous', 'disarity', + 'irascibe', 'transfuse', 'knock', 'meow', 'transcend', 'seduce', 'irreressibe', 'disensabe', 'imending', 'beckon', 'segregate', 'ounce', 'fend', 'intrigue', 'whisk', 'retentious', 'rudimentary', 'burt', 'retaiate', 'hasse', + 'conjecture', 'ercetive', 'snuff', 'incoherent', 'convuse', 'entreat', 'eavesdro', 'swive', 'extraneous', 'inescaabe', 'versatiity', 'defoiate', 'rosective', 'obiterate', 'shred', 'centraize', 'sufferance', 'advantage', 'mash', + 'swoo', 'condescend', 'domesticate', 'ainstaking', 'turmoi', 'tout', 'husky', 'agonizing', 'suerimose', 'ack', 'cater', 'fetter', 'twist', 'wreathe', 'indisosed', 'itemize', 'hoary', 'shun', 'remium', + 'comare', 'novety', 'remorse', 'retrosect', 'haggard', 'boisterous', 'interminge', 'heartrending', 'uscious', 'ivid', 'anguish', 'forego', 'egocentric', 'knowhow', 'deceerate', 'hammer', 'reoccuied', 'cumuative', 'highhanded', 'casize', 'retrieve', 'odds', 'ejacuate', + 'resurrect', 'ugrade', 'roosition', 'ardor', 'eucidate', 'recarious', 'mutiate', 'dictate', 'cinch', 'goss', 'forsake', 'suant', 'recude', 'side', 'reine', 'forfeit', 'corroborate', 'otent', 'wrench', 'araysis', + 'wring', 'quizzica', 'endow', 'fudge', 'infaibe', 'constrain', 'rid', 'adjoin', 'edantic', 'formuate', 'mutiatera', 'heterodox', 'survive', 'acquiesce', 'outsoken', 'heresy', 'egitimize', 'rodiga', 'aathy', 'entice', 'sort', 'reciitous', + 'deterrent', 'gaiety', 'cacuating', 'iicit', 'simy', 'sug', 'caricious', 'reuse', 'fisca', 'vicarious', + 'accredit', 'inoffensive', 'virtue', 'mumbe', 'simiar', 'woo', 'taunt', 'otimum', 'suerfuous', 'sideste', + 'exunge', 'obivion', 'araytic', 'deimit', 'diaidated', 'abusive', 'deride', 'articiate', 'reentess', 'ceremonious', 'nibbe', 'execrabe', 'resite', 'budge', 'enhance', 'nutrient', 'wai', 'rerequisite', 'convene', 'ummet', + 'maadjusted', 'ighten', 'domineer', 'quaver', 'comose', 'intrinsic', 'stawart', 'misaroriate', 'mesh', 'circumstance', 'diate', 'imair', 'disodge', 'obigatory', 'revent', 'staemate', 'deude', 'infuse', 'hacke', + 'hanker', 'toss', + 'onder', 'invincibe', 'gush', 'ongoing', 'yank', 'bemused', 'burrow', 'rescribe', 'ignite', 'jocuar', 'orchestrate', 'ineuctabe', 'austere', 'induct', 'imeccabe', 'abiity', 'insti', 'harmonize', + 'undercut', 'contemate', 'corrode', 'inundate', 'infitrate', 'sash', + 'incucate', 'injunction', 'mobiize', 'infatuated', 'critica', + 'aranoid', 'recirocate', 'frenetic', 'cranky', + 'concern', 'beset', 'staff', + + 'feud', 'caricature', 'negative', 'canny', 'inadvertent', 'rend', 'corresond', 'gare', 'immunize', 'aberrant', 'sur', 'judicious', 'vernacuar', 'sink', 'skid', 'swa', + 'redemtive', 'ficke', 'unaraeed', 'forbear', 'dissociate', 'treat', 'invigorate', 'visuaize', 'intermittent', 'subvert', 'abuse', 'grievous', 'aatabe', 'quadrue', 'notion', 'harebrained', 'bare', + 'discharge', + + 'frenzied', 'insuate', 'twir', 'status', 'aeviate', 'acquit', 'foist', 'ambience', 'hermetic', 'amiabe', 'britte', 'increduous', 'magnanimous', 'fair', 'hecke', 'fidget', 'ruffe', 'neura', 'uterior', + 'bemoan', 'reserve', 'wane', 'fainthearted', 'didactic', 'oaque', 'faacious', 'atera', 'shambe', 'estimabe', 'outweigh', 'unwitting', 'attest', 'hangover', 'resuose', 'shrive', 'ecstasy', 'entange', 'goat', 'inanimate', 'reinquish', 'underie', 'ucrative', + 'embeish', 'efficacy', 'indent', 'gorge', 'stuff', 'infuriate', 'swir', 'stricture', 'commentate', 'chaste', 'revam', 'decency', + 'dishonour', 'sew', 'evanescent', 'smother', 'smother', 'tedium', 'digress', + 'chime', 'heterogeneous', 'inmost', 'horrific', 'ramant', + 'admonish', 'stamina', 'forthright', 'tangent', 'tact', 'weird', 'neste', 'enfeebe', 'abrasive', 'insinuate', 'buffer', 'shove', 'freehand', 'remonition', 'consut', 'sa', + 'eniency', 'enience', 'seize', 'froic', 'otimize', 'enviabe', 'bequeath', + +] +module.exports = { + wordList: word_list +} \ No newline at end of file diff --git a/images/about.png b/images/about.png new file mode 100644 index 0000000..6fac2d4 Binary files /dev/null and b/images/about.png differ diff --git a/images/book.png b/images/book.png new file mode 100644 index 0000000..00efb63 Binary files /dev/null and b/images/book.png differ diff --git a/images/ciba.png b/images/ciba.png new file mode 100644 index 0000000..9590929 Binary files /dev/null and b/images/ciba.png differ diff --git a/images/home.png b/images/home.png new file mode 100644 index 0000000..67cc052 Binary files /dev/null and b/images/home.png differ diff --git a/images/home2.png b/images/home2.png new file mode 100644 index 0000000..01d4368 Binary files /dev/null and b/images/home2.png differ diff --git a/images/ji.png b/images/ji.png new file mode 100644 index 0000000..a68eadf Binary files /dev/null and b/images/ji.png differ diff --git a/images/ji2.png b/images/ji2.png new file mode 100644 index 0000000..a3760fe Binary files /dev/null and b/images/ji2.png differ diff --git a/images/line.png b/images/line.png new file mode 100644 index 0000000..f17f1b8 Binary files /dev/null and b/images/line.png differ diff --git a/images/mine.png b/images/mine.png new file mode 100644 index 0000000..9672378 Binary files /dev/null and b/images/mine.png differ diff --git a/images/more.png b/images/more.png new file mode 100644 index 0000000..396bd15 Binary files /dev/null and b/images/more.png differ diff --git a/images/new.png b/images/new.png new file mode 100644 index 0000000..a146c6a Binary files /dev/null and b/images/new.png differ diff --git a/images/ok.png b/images/ok.png new file mode 100644 index 0000000..2655db9 Binary files /dev/null and b/images/ok.png differ diff --git a/images/sc.png b/images/sc.png new file mode 100644 index 0000000..2ad4f95 Binary files /dev/null and b/images/sc.png differ diff --git a/images/sc2.png b/images/sc2.png new file mode 100644 index 0000000..e38ac13 Binary files /dev/null and b/images/sc2.png differ diff --git a/images/search.png b/images/search.png new file mode 100644 index 0000000..e0b7dd2 Binary files /dev/null and b/images/search.png differ diff --git a/images/search2.png b/images/search2.png new file mode 100644 index 0000000..f8882b9 Binary files /dev/null and b/images/search2.png differ diff --git a/images/settings-selected.png b/images/settings-selected.png new file mode 100644 index 0000000..ecdb40c Binary files /dev/null and b/images/settings-selected.png differ diff --git a/images/settings.png b/images/settings.png new file mode 100644 index 0000000..d35879c Binary files /dev/null and b/images/settings.png differ diff --git a/images/test.png b/images/test.png new file mode 100644 index 0000000..8399170 Binary files /dev/null and b/images/test.png differ diff --git a/images/time.png b/images/time.png new file mode 100644 index 0000000..b7f4d98 Binary files /dev/null and b/images/time.png differ diff --git a/images/yuying.png b/images/yuying.png new file mode 100644 index 0000000..a2ec1f3 Binary files /dev/null and b/images/yuying.png differ diff --git a/images/zf.png b/images/zf.png new file mode 100644 index 0000000..fd2b767 Binary files /dev/null and b/images/zf.png differ diff --git "a/images/\346\262\237\351\200\232\351\241\265_\350\257\255\351\237\263_\345\217\263_03.png" "b/images/\346\262\237\351\200\232\351\241\265_\350\257\255\351\237\263_\345\217\263_03.png" new file mode 100644 index 0000000..6ef3d7a Binary files /dev/null and "b/images/\346\262\237\351\200\232\351\241\265_\350\257\255\351\237\263_\345\217\263_03.png" differ diff --git a/imgs/PK_equal.svg b/imgs/PK_equal.svg new file mode 100644 index 0000000..b987814 --- /dev/null +++ b/imgs/PK_equal.svg @@ -0,0 +1 @@ + \ No newline at end of file diff --git a/imgs/PK_fail.svg b/imgs/PK_fail.svg new file mode 100644 index 0000000..e7311de --- /dev/null +++ b/imgs/PK_fail.svg @@ -0,0 +1 @@ + \ No newline at end of file diff --git a/imgs/PK_success.svg b/imgs/PK_success.svg new file mode 100644 index 0000000..8dbdb69 --- /dev/null +++ b/imgs/PK_success.svg @@ -0,0 +1 @@ + \ No newline at end of file diff --git a/imgs/VS.svg b/imgs/VS.svg new file mode 100644 index 0000000..71abb53 --- /dev/null +++ b/imgs/VS.svg @@ -0,0 +1 @@ + \ No newline at end of file diff --git a/imgs/entry_fighting.jpg b/imgs/entry_fighting.jpg new file mode 100644 index 0000000..fbf7ade Binary files /dev/null and b/imgs/entry_fighting.jpg differ diff --git a/imgs/entry_friends.jpg b/imgs/entry_friends.jpg new file mode 100644 index 0000000..c9b6707 Binary files /dev/null and b/imgs/entry_friends.jpg differ diff --git a/imgs/entry_qr.svg b/imgs/entry_qr.svg new file mode 100644 index 0000000..3c71cbe --- /dev/null +++ b/imgs/entry_qr.svg @@ -0,0 +1 @@ + \ No newline at end of file diff --git a/imgs/entry_rank.jpg b/imgs/entry_rank.jpg new file mode 100644 index 0000000..f8f7e9d Binary files /dev/null and b/imgs/entry_rank.jpg differ diff --git a/imgs/exp.svg b/imgs/exp.svg new file mode 100644 index 0000000..bb6e921 --- /dev/null +++ b/imgs/exp.svg @@ -0,0 +1 @@ + \ No newline at end of file diff --git a/imgs/quit.svg b/imgs/quit.svg new file mode 100644 index 0000000..f9722a8 --- /dev/null +++ b/imgs/quit.svg @@ -0,0 +1 @@ + \ No newline at end of file diff --git a/imgs/share.svg b/imgs/share.svg new file mode 100644 index 0000000..c1fea62 --- /dev/null +++ b/imgs/share.svg @@ -0,0 +1 @@ + \ No newline at end of file diff --git a/package.json b/package.json new file mode 100644 index 0000000..86b5e58 --- /dev/null +++ b/package.json @@ -0,0 +1,16 @@ +{ + "name": "qcloud-weapp-client-demo", + "version": "2.0.0", + "description": "腾讯云微信小程序客户端 DEMO", + "main": "app.js", + "repository": { + "type": "git", + "url": "https://github.com/tencentyun/weapp-client-demo.git" + }, + "keywords": [], + "author": "CFETeam", + "license": "MIT", + "dependencies": { + "wafer2-client-sdk": "^1.0.0" + } +} diff --git a/pages/about/about.js b/pages/about/about.js new file mode 100644 index 0000000..20f0aaf --- /dev/null +++ b/pages/about/about.js @@ -0,0 +1,66 @@ +// pages/about/about.js +Page({ + + /** + * 页面的初始数据 + */ + data: { + + }, + + /** + * 生命周期函数--监听页面加载 + */ + onLoad: function (options) { + + }, + + /** + * 生命周期函数--监听页面初次渲染完成 + */ + onReady: function () { + + }, + + /** + * 生命周期函数--监听页面显示 + */ + onShow: function () { + + }, + + /** + * 生命周期函数--监听页面隐藏 + */ + onHide: function () { + + }, + + /** + * 生命周期函数--监听页面卸载 + */ + onUnload: function () { + + }, + + /** + * 页面相关事件处理函数--监听用户下拉动作 + */ + onPullDownRefresh: function () { + + }, + + /** + * 页面上拉触底事件的处理函数 + */ + onReachBottom: function () { + + }, + + /** + * 用户点击右上角分享 + */ + onShareAppMessage: function () { + + } +}) \ No newline at end of file diff --git a/pages/about/about.json b/pages/about/about.json new file mode 100644 index 0000000..9e26dfe --- /dev/null +++ b/pages/about/about.json @@ -0,0 +1 @@ +{} \ No newline at end of file diff --git a/pages/about/about.wxml b/pages/about/about.wxml new file mode 100644 index 0000000..0e6a6ad --- /dev/null +++ b/pages/about/about.wxml @@ -0,0 +1,15 @@ + + + +小鸡单词 v2.02 +开发者信息 +兰州小红鸡 +微博:@二肆 +意见反馈及商务合作 +联系微信:sinx-3 +本软件未开源,Demo原创归作者所有 +部分动图作者:@李宁静 + +小鸡个人网站:http://www.sinx2018.cn + + \ No newline at end of file diff --git a/pages/about/about.wxss b/pages/about/about.wxss new file mode 100644 index 0000000..a5966fc --- /dev/null +++ b/pages/about/about.wxss @@ -0,0 +1,7 @@ +/* pages/about/about.wxss */ +.page{ + background-color: white; + height: 1200rpx; + text-align: center; + font-size: 17px; +} \ No newline at end of file diff --git a/pages/audio_test/audio_test.js b/pages/audio_test/audio_test.js new file mode 100644 index 0000000..6ddb87e --- /dev/null +++ b/pages/audio_test/audio_test.js @@ -0,0 +1,177 @@ +// pages/audio_test/audio_test.js +var list = require('../../data/vocabulary.js') + +Page({ + + /** + * 页面的初始数据 + */ + data: { + daan: false, + showDaan: false, + complete: false, + num: 1, + true_num: 0 + }, + + /** + * 生命周期函数--监听页面加载 + */ + onLoad: function (options) { + + this.search() + + }, + + /** + * 生命周期函数--监听页面初次渲染完成 + */ + onReady: function () { + + }, + + /** + * 生命周期函数--监听页面显示 + */ + onShow: function () { + + }, + + /** + * 生命周期函数--监听页面隐藏 + */ + onHide: function () { + + }, + + /** + * 生命周期函数--监听页面卸载 + */ + onUnload: function () { + + }, + + /** + * 页面相关事件处理函数--监听用户下拉动作 + */ + onPullDownRefresh: function () { + + }, + + /** + * 页面上拉触底事件的处理函数 + */ + onReachBottom: function () { + + }, + + /** + * 用户点击右上角分享 + */ + onShareAppMessage: function (options) { + return { + title: "我在小鸡单词测试,答对了" + this.data.true_num + "道题,你也快来测一测吧!", + } + }, + search() { + + var that = this + var num = Math.floor(Math.random() * 400) + 1 + var word4 = list.wordList[Math.floor(Math.random() * 12345) + 1] + wx.request({ + url: 'https://api.shanbay.com/bdc/search/?word=' + word4, + data: {}, + method: 'GET', + success: function (res) { + console.log(res) + that.setData({ + da1: [res.data.data.definition.split(",")[0].split("\n")[0],word4] + }) + if (num < 100) { + that.setData({ truedaan: res.data.data.definition.split(",")[0].split("\n")[0], true_word: word4}) + } + } + }) + var word3 = list.wordList[Math.floor(Math.random() * 12345) + 1] + wx.request({ + url: 'https://api.shanbay.com/bdc/search/?word=' + word3, + data: {}, + method: 'GET', + success: function (res) { + console.log(res) + that.setData({ + da2: [res.data.data.definition.split(",")[0].split("\n")[0], word3] + }) + if (num < 200&&num>100) { + that.setData({ truedaan: res.data.data.definition.split(",")[0].split("\n")[0], true_word: word3}) + } + } + }) + var word2 = list.wordList[Math.floor(Math.random() * 12345) + 1] + wx.request({ + url: 'https://api.shanbay.com/bdc/search/?word=' + word2, + data: {}, + method: 'GET', + success: function (res) { + console.log(res) + that.setData({ + da3: [res.data.data.definition.split(",")[0].split("\n")[0],word2] + }) + if (num < 300&&num>200) { + that.setData({ truedaan: res.data.data.definition.split(",")[0].split("\n")[0], true_word: word2 }) + } + } + }) + var word1 = list.wordList[Math.floor(Math.random() * 12345) + 1] + wx.request({ + url: 'https://api.shanbay.com/bdc/search/?word=' + word1, + data: {}, + method: 'GET', + success: function (res) { + console.log(res) + that.setData({ + da4: [res.data.data.definition.split(",")[0].split("\n")[0],word1] + }) + if (num >300) { + that.setData({ truedaan: res.data.data.definition.split(",")[0].split("\n")[0], true_word: word1}) + }} + }) + + }, + choice(e){ + if(e.currentTarget.id === this.data.truedaan) { + this.setData({daan:true,true_num:this.data.true_num+1}) + const innerAudioContext = wx.createInnerAudioContext() + innerAudioContext.autoplay = true + innerAudioContext.src = 'http://media-audio1.qiniu.baydn.com/us/n/ni/nice_v3.mp3' + innerAudioContext.onPlay(() => { + }) + } + else{ + this.setData({daan:false}) + const innerAudioContext = wx.createInnerAudioContext() + innerAudioContext.autoplay = true + innerAudioContext.src = 'https://media-audio1.baydn.com/us%2Fs%2Fsa%2Fsad_v4.mp3' + innerAudioContext.onPlay(() => { + }) + this.setData({ complete: true }) + this.my_score() + this.paiming() + } + + this.setData({ showDaan: true}) + + }, + next(){ + this.search() + this.setData({ showDaan: false, num: this.data.num + 1 }) + }, + again() { + this.setData({ + showDaan: false, + complete: false, + num: 1, + true_num: 0 + }) + } +}) \ No newline at end of file diff --git a/pages/audio_test/audio_test.json b/pages/audio_test/audio_test.json new file mode 100644 index 0000000..b1ee00e --- /dev/null +++ b/pages/audio_test/audio_test.json @@ -0,0 +1,7 @@ +{ + "backgroundTextStyle": "light", + "backgroundColor": "#141412", + "navigationBarBackgroundColor": "#141412", + "navigationBarTitleText": "小鸡单词", + "navigationBarTextStyle": "white" +} \ No newline at end of file diff --git a/pages/audio_test/audio_test.wxml b/pages/audio_test/audio_test.wxml new file mode 100644 index 0000000..f8c84b8 --- /dev/null +++ b/pages/audio_test/audio_test.wxml @@ -0,0 +1,92 @@ + + + {{true_word}} + + + {{num}} + + + {{da4[0]}} + + + {{da3[0]}} + + + {{da2[0]}} + + + {{da1[0]}} + + + + + {{truedaan}} + + + 回答正确 + + + 回答错误 + + + 下一个 + + + {{true_num}} + 好友挑战 + 历史最高分:{{my[2]}} + + + 排行榜·每周一更新 + 总排行 + + + + 1 + + {{one[1]}} + + {{one[2]}} + + + + 2 + + {{two[1]}} + + {{two[2]}} + + + + 3 + + {{three[1]}} + + {{three[2]}} + + + + 4 + + {{four[1]}} + + {{four[2]}} + + + + {{my[3]}} + + {{my[1]}} + + {{my[2]}} + + + + 再来一局 + + + + + \ No newline at end of file diff --git a/pages/audio_test/audio_test.wxss b/pages/audio_test/audio_test.wxss new file mode 100644 index 0000000..b3878b1 --- /dev/null +++ b/pages/audio_test/audio_test.wxss @@ -0,0 +1,2 @@ +/* pages/audio_test/audio_test.wxss */ +@import "../test/test.wxss"; \ No newline at end of file diff --git a/pages/choice/choice.js b/pages/choice/choice.js new file mode 100644 index 0000000..6fc79b0 --- /dev/null +++ b/pages/choice/choice.js @@ -0,0 +1,168 @@ +// pages/choice/choice.js +Page({ + + /** + * 页面的初始数据 + */ + data: { + cihui:false, + tianshu:false, + id1:"kaoyan", + id2:"suiji", + id3:"cet4", + id4:"cet6", + id11:"kaoyan_import", + id12:"cet4_import", + id13:"cet6_import", + id14:"zy8", + id5:20, + id6: 30, + id7: 40, + id8: 50, + id9: 60, + id10: 80, + }, + + /** + * 生命周期函数--监听页面加载 + */ + onLoad: function (options) { + + var cet4= require('../../data/cet4.js') + var cet4_import = require('../../data/cet4_import.js') + var cet6 = require('../../data/cet6.js') + var cet6_import = require('../../data/cet6_import.js') + var kaoyan = require('../../data/kaoyan.js') + var kaoyan_import = require('../../data/kaoyan_import.js') + var suiji = require('../../data/vocabulary.js') + var zy8= require('../../data/zy8.js') + wx.setStorage({ + key: "cet4", + data: cet4.wordList + }) + wx.setStorage({ + key: "cet4_import", + data: cet4_import.wordList + }) + wx.setStorage({ + key: "cet6", + data: cet6.wordList + }) + wx.setStorage({ + key: "cet6_import", + data: cet6_import.wordList + }) + wx.setStorage({ + key: "kaoyan", + data: kaoyan.wordList + }) + wx.setStorage({ + key: "kaoyan_import", + data: kaoyan_import.wordList + }) + wx.setStorage({ + key: "suiji", + data: suiji.wordList + }) + wx.setStorage({ + key: "zy8", + data: zy8.wordList + }) + + }, + + /** + * 生命周期函数--监听页面初次渲染完成 + */ + onReady: function () { + + }, + + /** + * 生命周期函数--监听页面显示 + */ + onShow: function () { + + }, + + /** + * 生命周期函数--监听页面隐藏 + */ + onHide: function () { + + }, + + /** + * 生命周期函数--监听页面卸载 + */ + onUnload: function () { + + }, + + /** + * 页面相关事件处理函数--监听用户下拉动作 + */ + onPullDownRefresh: function () { + + }, + + /** + * 页面上拉触底事件的处理函数 + */ + onReachBottom: function () { + + }, + + /** + * 用户点击右上角分享 + */ + onShareAppMessage: function () { + + }, + choice_book(e) + { + this.setData({ + cihui:true + }) + wx.setStorage({ + key: "book", + data: e.currentTarget.id + }) + wx.setStorage({ + key: 'day_num', + data: 0 + }) + }, + day_num(e){ + wx.setStorage({ + key: "day_task", + data: e.currentTarget.id-0 + }) + wx.setStorage({ + key: "word_num", + data: e.currentTarget.id-0 + }) + var task=[] + for (var i = 0; i + + 考研词汇 + 3837词 + + 顺序词汇12347词 + 四级词汇2895词 + 六级词汇2085词 + 四级核心词 687词 + 六级重点词407词 + 考研核心词817词 + 专八词汇1938词 + + + + + 词汇书一共1000个单词 + 你的每天任务量为: + 注意是指新词数 + 20 + 30 + 40 + 50 + 60 + 80 + + +开始 + \ No newline at end of file diff --git a/pages/choice/choice.wxss b/pages/choice/choice.wxss new file mode 100644 index 0000000..989377b --- /dev/null +++ b/pages/choice/choice.wxss @@ -0,0 +1,249 @@ +/* pages/choice/choice.wxss */ + +.bg1{ + height: 1200rpx; + width: 100%; + background-image: url('https://upload-images.jianshu.io/upload_images/4179819-9f18bb7a70c502fc.gif?imageMogr2/auto-orient/strip%7CimageView2/2/w/400'); + background-size:cover; +} +.botton1{ + position: fixed; + left: 5%; + top: 5%; + display: flex; + flex-direction: column; + border-radius: 5%; + width: 27%; + height: 20%; + border: 1rpx solid #4a475b; + align-items: center; + background-color: white; + opacity: 0.78; +} +.botton2{ + position: fixed; + left: 37%; + top: 5%; + display: flex; + flex-direction: column; + border-radius: 5%; + width: 27%; + height: 20%; + border: 1rpx solid #4a475b; + align-items: center; + background-color: white; + opacity: 0.78; +} +.botton3{ + position: fixed; + left: 69%; + top: 5%; + display: flex; + flex-direction: column; + border-radius: 5%; + width: 27%; + height: 20%; + border: 1rpx solid #4a475b; + align-items: center; + background-color: white; + opacity: 0.78; +} +.botton4{ + position: fixed; + left: 5%; + top: 30%; + display: flex; + flex-direction: column; + border-radius: 5%; + width: 27%; + height: 20%; + border: 1rpx solid #4a475b; + align-items: center; + background-color: white; + opacity: 0.78; +} +.botton5{ + position: fixed; + left: 37%; + top: 30%; + display: flex; + flex-direction: column; + border-radius: 5%; + width: 27%; + height: 20%; + border: 1rpx solid #4a475b; + align-items: center; + background-color: white; + opacity: 0.78; +} +.botton6{ + position: fixed; + left: 69%; + top: 30%; + display: flex; + flex-direction: column; + border-radius: 5%; + width: 27%; + height: 20%; + border: 1rpx solid #4a475b; + align-items: center; + background-color: white; + opacity: 0.78; +} + +.botton7{ + position: fixed; + left: 5%; + top: 55%; + display: flex; + flex-direction: column; + border-radius: 5%; + width: 27%; + height: 20%; + border: 1rpx solid #4a475b; + align-items: center; + background-color: white; + opacity: 0.78; +} +.botton8{ + position: fixed; + left: 37%; + top: 55%; + display: flex; + flex-direction: column; + border-radius: 5%; + width: 27%; + height: 20%; + border: 1rpx solid #4a475b; + align-items: center; + background-color: white; + opacity: 0.78; +} +.word{ + margin: auto; + font-family: Songti TC; + font-size: 38rpx; + color: black; + font-weight: 600 +} +.num_word{ + margin: auto; + font-family: Songti TC; + font-size: 30rpx; + color: gray; + font-weight: 600 +} +.bg2{ + height: 200px; + width: 100%; + background-image: url('https://upload-images.jianshu.io/upload_images/4179819-bcc39e6dd6bc9878.gif?imageMogr2/auto-orient/strip%7CimageView2/2/w/429'); + +} +.bg3{ + height: 1200rpx; + width: 100%; + background-color: white; + text-align: center; + font-size: 20px; + align-items: center; + background-image: url('https://upload-images.jianshu.io/upload_images/4179819-a2a42aa749ca2630.gif?imageMogr2/auto-orient/strip%7CimageView2/2/w/480'); +} +.day1{ + position: fixed; + right: 10%; + bottom: 10%; + display: flex; + flex-direction: column; + border-radius: 50%; + width: 60px; + height: 60px; + border: 7rpx solid #4a475b; + align-items: center; + opacity: 0.78; + background-color: white; +} +.day2{ + position: fixed; + right: 40%; + bottom: 10%; + display: flex; + flex-direction: column; + border-radius: 50%; + width: 60px; + height: 60px; + border: 7rpx solid #4a475b; + align-items: center; + opacity: 0.78; + background-color: white; +} +.day3{ + position: fixed; + right: 70%; + bottom: 10%; + display: flex; + flex-direction: column; + border-radius: 50%; + width: 60px; + height: 60px; + border: 7rpx solid #4a475b; + align-items: center; + opacity: 0.78; + background-color: white; +} +.day4{ + position: fixed; + right: 10%; + bottom: 25%; + display: flex; + flex-direction: column; + border-radius: 50%; + width: 60px; + height: 60px; + border: 7rpx solid #4a475b; + align-items: center; + opacity: 0.78; + background-color: white; +} +.day5{ + position: fixed; + right: 40%; + bottom: 25%; + display: flex; + flex-direction: column; + border-radius: 50%; + width: 60px; + height: 60px; + border: 7rpx solid #4a475b; + align-items: center; + opacity: 0.78; + background-color: white; +} +.day6{ + position: fixed; + right: 70%; + bottom: 25%; + display: flex; + flex-direction: column; + border-radius: 50%; + width: 60px; + height: 60px; + border: 7rpx solid #4a475b; + align-items: center; + opacity: 0.78; + background-color: white; +} + +.begin{ + position: fixed; + left: 41%; + bottom: 15%; + display: flex; + flex-direction: column; + border-radius: 50%; + width: 80px; + height: 80px; + border: 7rpx solid #4a475b; + align-items: center; + opacity: 0.78; + background-color: white; +} \ No newline at end of file diff --git a/pages/collect_card/collect_card.js b/pages/collect_card/collect_card.js new file mode 100644 index 0000000..e9de675 --- /dev/null +++ b/pages/collect_card/collect_card.js @@ -0,0 +1,78 @@ +// pages/collect_card/collect_card.js +Page({ + + /** + * 页面的初始数据 + */ + data: { + + }, + + /** + * 生命周期函数--监听页面加载 + */ + onLoad: function (options) { + this.setData({ collect_list: wx.getStorageSync('collect')}) + + }, + + /** + * 生命周期函数--监听页面初次渲染完成 + */ + onReady: function () { + + }, + + /** + * 生命周期函数--监听页面显示 + */ + onShow: function () { + + }, + + /** + * 生命周期函数--监听页面隐藏 + */ + onHide: function () { + + }, + + /** + * 生命周期函数--监听页面卸载 + */ + onUnload: function () { + + }, + + /** + * 页面相关事件处理函数--监听用户下拉动作 + */ + onPullDownRefresh: function () { + + }, + + /** + * 页面上拉触底事件的处理函数 + */ + onReachBottom: function () { + + }, + + /** + * 用户点击右上角分享 + */ + onShareAppMessage: function () { + + }, + read: function (e) { + const innerAudioContext = wx.createInnerAudioContext() + innerAudioContext.autoplay = true + innerAudioContext.src = e.target.id + innerAudioContext.onPlay(() => { + }) + innerAudioContext.onError((res) => { + console.log(res.errMsg) + console.log(res.errCode) + }) + }, +}) \ No newline at end of file diff --git a/pages/collect_card/collect_card.json b/pages/collect_card/collect_card.json new file mode 100644 index 0000000..9e26dfe --- /dev/null +++ b/pages/collect_card/collect_card.json @@ -0,0 +1 @@ +{} \ No newline at end of file diff --git a/pages/collect_card/collect_card.wxml b/pages/collect_card/collect_card.wxml new file mode 100644 index 0000000..a1c3334 --- /dev/null +++ b/pages/collect_card/collect_card.wxml @@ -0,0 +1,16 @@ + + + + + +