text
stringlengths
7
3.69M
../node_modules/web-yaed/web-yaed.js
import * as React from 'react'; import logo from '../images/logo_transparent.1.png'; import '../css/App.css'; import styled from 'styled-components'; import VideoCover from 'react-video-cover'; import MyVideo from '../videos/MP4/Aloha-Mundo.mp4' const CssContainer = styled.div` display:flex; justify-content: center; flex-direction: column; font-size: 40px; align-items: center;react-native height: 100vh; width: 100vw; `; const videoOptions = { src: MyVideo, autoPlay: true, loop: true, ref: videoRef => { this.videoRef = videoRef; }, onClick: () => { if (this.videoRef && this.videoRef.paused) { this.videoRef.play(); } else if (this.videoRef) { this.videoRef.pause(); } }, title: 'click to play/pause', }; export default class Home extends React.Component{ static propTypes = {}; render() { return ( <div> <div className='vidContainer'> <VideoCover style={{width:'100%', height:'100%', overflowX:'hidden'}} videoOptions={videoOptions}></VideoCover> {/* <CssContainer className='centered'> <h2>Quotes from</h2> <h1>Life is simple, if you let it be.</h1> <h1>Timothy Schryver</h1> </CssContainer> */} <div> {/* <div> <p style={{textAlign:'center'}}>THIS PAGE IS UNDER CONSTRUCTION</p> </div> */} <div className='centered'> <img src={logo} alt="logo" className="responsive"/> </div> </div> </div> </div> ); } }
'use strict'; var $ = require('jquery') var cinemaWs = require('./ws') exports.init = function() { } exports.initVideo = function() { var tag = document.createElement('script'); tag.src = "https://www.youtube.com/iframe_api"; var firstScriptTag = document.getElementsByTagName('script')[0]; firstScriptTag.parentNode.insertBefore(tag, firstScriptTag); firstScriptTag = document.getElementsByTagName('script')[0]; } exports.loadVideo = function(videoId) { if (!videoId) videoId = 'acnKQ4GEtqI'; player = new global.YT.Player('player', { height: '390', width: '100%', playerVars: { disablekb: 0, modestbranding: 1, controls: 1, rel: 0 }, videoId: videoId, events: { 'onReady': exports.onPlayerReady, 'onStateChange': exports.onPlayerStateChange } }); } exports.onPlayerReady = function(event) { // event.target.playVideo(); } exports.onPlayerStateChange = function onPlayerStateChange(event) { cinemaWs.sendMessage('playerState', event.data); } exports.state = function(state) { if (state == YT.PlayerState.ENDED) { state = 'ended'; } else if (state == YT.PlayerState.PLAYING) { state = 'playing'; } else if (state == YT.PlayerState.PAUSED) { state = 'paused'; } else if (state == YT.PlayerState.BUFFERING) { state = 'buffering'; } else if (state == YT.PlayerState.CUED) { state = 'cued'; } return state } exports.init();
import React from 'react'; import PropTypes from 'prop-types'; import Landing from '../components/Landing'; import MyAccount from '../components/MyAccount'; import checkLoggedIn from '../lib/checkLoggedIn'; function Home(props) { const { isAuthenticated } = props; return ( <> <Landing /> <MyAccount isAuthenticated={isAuthenticated} /> </> ); } Home.getInitialProps = async ({ apolloClient }) => { // TODO fix when logout will be implemented const { loggedInUser } = await checkLoggedIn(apolloClient); if (loggedInUser.me) return { isAuthenticated: true }; return { isAuthenticated: false }; }; Home.propTypes = { isAuthenticated: PropTypes.bool.isRequired }; export default Home;
import React from "react" import Layout from "../components/layout" import SEO from "../components/seo" import List from "../components/list"; const NewsList = ( { title, lang, items } ) => { return ( <Layout> <SEO title={title} lang={lang} /> <main> <h1>{title}</h1> <List items={items} /> </main> </Layout> ) }; export default NewsList
import React, { Component, PropTypes } from 'react'; class Home extends Component { constructor() { super(); this.state = {} } /** * Finds differences in objects and returns the result * */ diffObject = () => { }; render() { const obj1 = {name: 'test'}; const obj2 = {name: 'garcina'}; this.diffObject(obj1, obj2); return ( <div><p>Home page</p></div> ); } } export default Home; // default props Home.defaultProps = {}; // propTypes Home.propTypes = {};
seajs.config({ moduleVersion: [["p/letv", "20140513"]] }); define(function(require) { require("flash2video"); });
// @depends(dna/pod/pack) const pack = dna.pod.pack const heroPack = augment({}, pack) heroPack.doGrab = heroPack.grab augment(heroPack, { alias: 'pack', capacity: 40, selected: -1, grab(type) { if (this.doGrab(type)) { sfx('pickup', .5) return true } }, provide(type) { return this.doGrab(type) }, isSelected: function(type) { const items = Object.keys(this.item) const i = items.indexOf(type) return (this.selected === i) }, getSelected: function() { const items = Object.keys(this.item) return items[this.selected] }, selectNext: function() { this.selected ++ if (this.selected >= this.itemCount) this.selected = -1 }, selectPrev: function() { this.selected -- if (this.selected < -1) this.selected = this.itemCount - 1 }, use: function() { const hero = this.__ const world = this.__._ const type = this.getSelected() const dropped = this.drop(type) if (!dropped) return false if (dropped < 0) this.selectPrev() switch(type) {} } })
import styled from "styled-components"; import { MdArrowForward, MdKeyboardArrowRight } from "react-icons/md"; export const HeroContainer = styled.div` background: #0c0c0c; display: flex; align-items: center; padding: 0 30px; height: 800px; z-index: 1; justify-content: center; position: relative; `; export const HeroBg = styled.div` position: absolute; top: 0; right: 0; bottom: 0; left: 0; width: 100%; height: 100%; overflow: hidden; background: rgb(1, 6, 6); background: radial-gradient( circle, rgba(1, 6, 6, 0.6502976190476191) 15%, rgba(1, 191, 113, 0.6474964985994398) 100% ); `; export const VideoBg = styled.video` width: 100%; height: 100%; object-fit: cover; opacity: 0.3; /* background: #232a34; */ `; export const HeroContent = styled.div` z-index: 3; max-width: 1200px; position: absolute; padding: 8px 24px; display: flex; flex-direction: column; align-items: center; `; export const HeroHeading = styled.h1` color: #fff; font-size: 48px; text-align: center; font-family: "Righteous", cursive; @media screen and (max-width: 768px) { font-size: 40px; } @media screen and (max-width: 480px) { font-size: 32px; } `; export const Span = styled.span` font-size: 5rem; color: #01bf71; `; export const HeroP = styled.p` margin-top: 24px; color: #fff; font-size: 24px; text-align: center; max-width: 600px; font-family: "Open Sans Condensed", sans-serif; @media screen and (max-width: 768px) { font-size: 24px; } @media screen and (max-width: 480px) { font-size: 18px; } `; export const HeroBtnWrapper = styled.div` margin-top: 32px; display: flex; flex-direction: column; align-items: center; `; export const ArrowRight = styled(MdKeyboardArrowRight)` margin-left: 8px; font-size: 20px; `; export const ArrowForward = styled(MdArrowForward)` margin-left: 8px; font-size: 20px; `;
const mongoose = require('mongoose'); const options = { useNewUrlParser: true, useUnifiedTopology: true, useCreateIndex: true, useFindAndModify: false }; const connectionString = `mongodb+srv://${process.env.DB_USERNAME}:${process.env.DB_PW}@cluster0.9sstf.mongodb.net/${process.env.DB_NAME}?retryWrites=true&w=majority`; mongoose.connect(connectionString, options, (err) => { if (err) { console.log(`There was an error: ${err}`); } else { console.log('Database connected.'); } });
const mongoose = require('mongoose'); const db = mongoose.connect('mongodb://localhost:27017/gdtest',{useNewUrlParser:true},function(err){ if(err){ console.log(err) }else{ console.log("连接成功") } }) const Schema = mongoose.Schema; //示例 /** * let userSchema = new Schema({ * user_name: String, * user_id: String * }) * * exports.User = mongoose.model('User', userSchema) */
// POKEMON CLASS ///////////////////////////////////////////////////////////// function Pokemon(obj) { this.name = obj.name, this.front = obj.sprites.front, this.back = obj.sprites.back; } Pokemon.prototype = { constructor: Pokemon, renderPokemon: function() { return `<div class="pokemon-frame"> <h1 class="center-text">${this.name}</h1> <div> <div> <img src="${this.front}" alt="${this.name} front" /> </div> </div> <p class="center-text flip-image" data-pokename="${this.name}" data-action="front">flip card</p> </div>` }, } Pokemon.findName = function(pokemonName) { return new this(pokedex.find((entry) => entry.name === pokemonName)) } Pokemon.findAll = function() { if (input.value === "") { return [] } return pokedex.filter((pokedexEntry) => pokedexEntry.name.match(input.value)) } // DOM FUNCTIONS /////////////////////////////////////////////////////////////////// function flip(e, pokemon) { let img = e.target.parentElement.querySelector("img"), data = e.target.dataset; img.src = data.action === "front" ? pokemon.back : pokemon.front data.action = data.action === "front" ? "back" : "front" } // PAGE ELEMENTS ////////////////////////////////////////////////////////////////////// const holder = document.getElementById("pokemon-container"), input = document.querySelector("input"); // EVENTS ///////////////////////////////////////////////////////////////////////////// input.addEventListener("keyup",(e) =>{ holder.innerHTML = "" Pokemon.findAll().forEach((p) => { holder.innerHTML += Pokemon.findName(p.name).renderPokemon() }) e.preventDefault(); }); holder.addEventListener("click", function(e) { if (e.target.textContent === "flip card") { flip(e, Pokemon.findName(e.target.dataset.pokename)) } });
(function ($, App) { "use strict"; $(document).on("turbolinks:load", function () { var mapDataToOptions = function (value, i) { return {id: value.id, text: value.to_s} }; var userDataToOptions = function (value, i) { return {id: value.id, text: value.to_s} }; if ($('.audits.index').length) { Autocomplete.setup('auditable_type', Routes.audit_options_path('auditable_type'), mapDataToOptions); Autocomplete.setup('user', Routes.audit_users_list_path(), userDataToOptions); Autocomplete.setup('action', Routes.audit_options_path('action'), mapDataToOptions); } }); })(jQuery, Autocomplete);
/** eslint-disable react/require-render-return,react/jsx-no-undef **/ /** * Created by liu 2018/5/14 **/ import React, {Component} from 'react'; import {storeAware} from 'react-hymn'; import {Spin, Layout, DatePicker, Modal, message} from 'antd'; import TableView from '../../components/TableView' import Breadcrumb from '../../components/Breadcrumb.js' import CustomFormView from "../../components/CustomFormView"; import CoinHistorySearch from '../../components/SearchView/CoinHistorySearch.js' import {tradeEntrustHisList} from '../../requests/http-req.js' import {EntrusState} from '../../networking/ConfigNet.js' import DetailsTable from './DetailsTable.js' import Number from '../../utils/Number.js' import math from 'mathjs' import {Decimal} from 'decimal.js'; var {MonthPicker, RangePicker} = DatePicker; var {Sider, Footer, Content} = Layout; var sortedInfo = null const getEntrusStateText = (text) => { let tem = '00' EntrusState.forEach(item => { if (item.dicKey == text) { tem = item.dicName } }) return tem } const data = null export default class CoinHistoryEntrustList extends Component { constructor(props) { super(props); this.state = { showLoading: false, pageNo: 0, pageSize: 10, total: 0, data: [] } } componentWillMount() { this.state.showLoading = true; } componentDidMount() { this.getData() } //tradeEntrust renderSearchView = () => { return ( <CustomFormView/> ) } onChangePagintion = (e) => { this.setState({pageNo: e}, () => { this.getData() }) } renderUserList = () => { return ( <Spin spinning={this.state.showLoading}> <div style={{display: 'flex', flexDirection: 'column', marginTop: '20px', marginBottom: '20px'}}> <TableView minWidth={2000} columns={this.columns} data={this.state.data} total={this.state.total} pageNo={this.state.pageNo} pageSize={this.state.pageSize} onChangePagintion={this.onChangePagintion}/> </div> </Spin> ) } renderBreadcrumb = () => { const pathname = window.location.pathname return ( <Breadcrumb data={pathname}/> ) } handleSearch = (values, id) => { this.state.pageNo = 0 //console.log(values) let beginTime = values.date && values.date[0] ? JSON.stringify(values.date[0]).slice(1, 11).replace(/-/g, '/') : null let endTime = values.date && values.date[1] ? JSON.stringify(values.date[1]).slice(1, 11).replace(/-/g, '/') : null if (beginTime) { beginTime = beginTime + ' 00:00:00' } if (endTime) { endTime = endTime + ' 23:59:059' } values.beginTime = beginTime values.endTime = endTime values.userId = id this.searchData = values //console.log(values) this.getData() } getData() { tradeEntrustHisList({ pageNo: this.state.pageNo, pageSize: this.state.pageSize, orderNo: this.searchData && this.searchData.orderNo && this.searchData.orderNo.trim() || null, userId: this.searchData && this.searchData.userId || null, coinCode: this.searchData && this.searchData.coinCode || null, position: this.searchData && this.searchData.position || null, status: this.searchData && this.searchData.tradeStatus || null, beginTime: this.searchData && this.searchData.beginTime || null, endTime: this.searchData && this.searchData.endTime || null, }).then((res) => { //console.log(res) if (res.status == 200) { res.data.data.forEach((item, index) => { item.index = this.state.pageNo == 0 ? (index + 1) : (this.state.pageNo - 1) * 10 + index + 1 }) this.setState({ showLoading: false, total: res.data.total, data: res.data.data }, () => { //console.log(this.state.data) }) } }).catch(e => { this.setState({ showLoading: false, }) if (e) { message.warning(e.deta.message) } }) } close = () => { this.setState({ showModal: false }) } renderModal = () => { return ( <Modal width={1100} maskClosable={false} destroyOnClose={true} onCancel={this.close} title={"详情列表"} visible={this.state.showModal} onChange={this.close} footer={null} > <DetailsTable item={this.item}></DetailsTable> </Modal> ) } render() { return ( <div className='center-user-list'> {this.renderBreadcrumb()} <CoinHistorySearch handleSearch={this.handleSearch}/> {this.renderUserList()} {this.renderModal()} </div> ) } showDetail = (item) => { this.item = item this.setState({ showModal: true }) } columns = [ { title: '序号', fixed: 'left', dataIndex: 'index', }, { title: '用户ID', key: 'left', dataIndex: 'userId', } , { title: '币对', dataIndex: 'coinCode', key: 'coinCode', render: (text, r) => { return <div>{text.toUpperCase()}</div> } }, { title: '订单号', dataIndex: 'orderNo', key: 'orderNo', }, { title: '类型', dataIndex: 'tradeType', key: 'tradeType1', render: (text, r) => { return <div>{text == 1 ? '限价' : '市价'}</div> } } // , // { // title: '撮合类型', // dataIndex: 'tradeType2', // render: (text, r) => { // //return <div>{text == 1 ? 'Ok' : '火币'}</div> // return <div>{'doing'}</div> // } // } // , // { // title: '报单通道', // dataIndex: 'tradeType3', // render: (text, r) => { // // return <div>{text == 1 ? '本地' : '上游'}</div> // return <div>{'doing'}</div> // } // } , { title: '方向', dataIndex: 'position', key: 'position', render: (text, r) => { return <div>{text == 1 ? '卖出' : '买入'}</div> } } , { title: '状态', dataIndex: 'status', render: (text, r) => { return <div>{getEntrusStateText(text)}</div> } }, { title: '交易手续费', dataIndex: 'poundageAmount', render: (text, r) => { return <div>{Number.scientificToNumber(text)}</div> } } , { title: '委托价格', dataIndex: 'tradePrice', key: 'tradePrice', render: (text, r) => { //市价不显示 if (r.tradeType == 0) { return <div>—</div> } else { return <div>{text}</div> } } }, { title: '委托量', // dataIndex: 'tradeAmount', key: 'tradeAmount', render: (text, r) => { if (r.tradeType == 0) { //市价格 if (r.position == 1) {// 卖出 return <div>{Number.scientificToNumber(text)}</div> } else {//买入 return <div>—</div> } } else { return <div>{Number.scientificToNumber(text)}</div> } } }, {//市家 卖出 - title: '委托总额', //价格*数量 key: 'bwithdrawCash', render: (text, r) => { if (r.tradeType == 0) { //市价格 if (r.position == 1) {// 卖出 return <div>—</div> } else {//买入 return <div>{Number.scientificToNumber(r.tradeAmount)}</div> } } else { //限价格 return <div>{Number.scientificToNumber(Number.mul(parseFloat(r.tradeAmount), parseFloat(r.tradePrice)))}</div> } } }, { title: '已成交', dataIndex: 'dealAmount', key: 'dealAmount', render: (text, r) => { return <div>{Number.scientificToNumber(text)}</div> } }, { //未成交数量 title: '未成交',//委托总额 - 以成交 dataIndex: 'unDealAmount', key: 'unDealAmount', render: (text, r) => { if (r.tradeType == 0) { //市价格 if (r.position == 1) {// 卖出 委托量-已成交 return <div>{Number.scientificToNumber(r.tradeAmount - r.dealAmount)}</div> } else {//买入 委托总额-已成交 return <div>{(r.tradeAmount - r.dealAmount)}</div> } } else { //限价格 return <div>{Number.scientificToNumber(Number.mul(r.tradeAmount, r.tradePrice) - Number.mul(r.dealAmount, r.tradePrice))}</div> } } } , { title: '成交均价', dataIndex: 'dealPrice', key: 'dealPrice', render: (text, r) => { return <div>{Number.scientificToNumber(text)}</div> } }, { title: '成交总额', //dealAmount * 成交均价 dataIndex: 'AllDealAmount', key: 'AllDealAmount', render: (text, r) => { if (r.tradeType == 0) { //市价格 if (r.position == 1) {// 卖出 return <div>{Number.scientificToNumber(r.tradeAmount)}</div> } else {//买入 return <div>{Number.scientificToNumber(r.dealAmount)}</div> } } else { //限价格 return <div>{Number.scientificToNumber(Number.mul(r.dealPrice, r.dealAmount))}</div> } } } , { title: '成交时间', dataIndex: 'dealTime', key: 'dealTime', }, { title: '创建时间', dataIndex: 'createTime', key: 'createTime', }, { title: '操作', fixed: 'right', key: 'ww', width: 65, render: (text, r) => { return <a onClick={() => this.showDetail(r)}>详情</a> } } ]; }
const { save, nameid } = require("../../modules/exports"); module.exports.run = async (bot, message, args) => { const memory = require("../../memory/"+message.guild.id+".json"); if (!message.member.hasPermission("MANAGE_MESSAGES") && message.author.username !== memory.tables[args[0]].creator && message.author.id !== "272554505944432650") { return message.reply("You do not have the necessary permissions. Only a server mod or the creator of the table can perform this command."); }; if (memory.tables[args[0]] == undefined) { return message.reply("Either the table you have referenced doesn't exist, or you have misspelled its name!") }; let tableid = args[0]; let toremove = args.shift(); let oldname = memory.tables[tableid].name; let newname = args.join(" "); nameid(newname); memory.tables[id] = memory.tables[tableid]; memory.tables[id].name = newname; memory.tables[id].id = id; delete memory.tables[tableid]; save("./memory/"+message.guild.id+".json", memory); message.reply("Table by "+memory.tables[id].creator+" renamed. Old: "+oldname+". New: "+newname+"."); } module.exports.config = { name: "rename", description: "Rename a table. syntax: .rename [tableid] [new name]", usage: ".rename", accessableby: "Moderators", aliases: ['r'] }
const express = require('express') const router = express.Router() const Place = require('../models/Place') //Agregar nuevo lugar router.get('/new',(req,res,next)=>{ res.render('new') }) router.post('/new',(req,res,next)=>{ Place.create(req.body) .then(place=>{ res.redirect('/') }) .catch(e=>next(e)) }) //lista router.get('/list', (req, res, next)=>{ const {type} = req.query Place.find({type}) .then(places=>{ res.render('list',{places,type}) }) }) //detalle router.get('/detail/:id', (req, res, next)=>{ const {id} = req.params Place.findById(id) .then(places=>{ res.render('detail',places) }) .catch(e=>{ next(e) }) }) //update router.get('/edit/:id', (req, res, next)=>{ const {id} = req.params Place.findById(id) .then(places=>{ res.render('edit',places) }) .catch(e=>next(e)) }) router.post('/edit/:id',(req,res,next)=>{ const {id}=req.params console.log(req.params) Place.findByIdAndUpdate(id,{$set:req.body},{new:true}) .then(place=>{ res.redirect(`/places/detail/${id}`) }).catch(e=>next(e)) }) //Borrar router.get('/delete/:id',(req,res,next)=>{ const {id}=req.params Place.findByIdAndRemove(id) .then(places=>{ res.redirect('/') }).catch(e=>next(e)) }) module.exports = router
import { INTERPOLATION_LINEAR } from '../../../../src/framework/anim/constants.js'; import { AnimCurve } from '../../../../src/framework/anim/evaluator/anim-curve.js'; import { AnimClip } from '../../../../src/framework/anim/evaluator/anim-clip.js'; import { AnimData } from '../../../../src/framework/anim/evaluator/anim-data.js'; import { AnimEvaluator } from '../../../../src/framework/anim/evaluator/anim-evaluator.js'; import { AnimTrack } from '../../../../src/framework/anim/evaluator/anim-track.js'; import { AnimEvents } from '../../../../src/framework/anim/evaluator/anim-events.js'; import { Application } from '../../../../src/framework/application.js'; import { DefaultAnimBinder } from '../../../../src/framework/anim/binder/default-anim-binder.js'; import { GraphNode } from '../../../../src/scene/graph-node.js'; import { HTMLCanvasElement } from '@playcanvas/canvas-mock'; import { expect } from 'chai'; describe('AnimEvaluator', function () { it('AnimEvaluator: update with clip blending', function () { const canvas = new HTMLCanvasElement(500, 500); const app = new Application(canvas); // build the graph to be animated const parent = new GraphNode('parent'); const child1 = new GraphNode('child1'); const child2 = new GraphNode('child2'); app.root.addChild(parent); parent.addChild(child1); child1.addChild(child2); // create curve const keys = new AnimData(1, [0, 1, 2]); const translations = new AnimData(3, [0, 0, 0, 1, 0, 0, 1, 0, 1]); const curvePath = { entityPath: ['child1'], component: 'graph', propertyPath: ['localPosition'] }; const curve = new AnimCurve([curvePath], 0, 0, INTERPOLATION_LINEAR); const events = new AnimEvents([ { time: 0.75, name: 'event' } ]); // construct the animation track const track = new AnimTrack('test track', 2, [keys], [translations], [curve], events); let eventFired = false; // construct an animation clip const clip = new AnimClip(track, 0.0, 1.0, true, true, { fire: () => { eventFired = true; } }); // construct the animation evaluator const animEvaluator = new AnimEvaluator(new DefaultAnimBinder(parent)); animEvaluator.addClip(clip); // check initial state animEvaluator.update(0); expect(clip.time).to.equal(0); expect(child1.localPosition.x).to.equal(0); expect(child1.localPosition.y).to.equal(0); expect(child1.localPosition.z).to.equal(0); animEvaluator.update(0.5); expect(clip.time).to.equal(0.5); expect(child1.localPosition.x).to.equal(0.5); expect(child1.localPosition.y).to.equal(0); expect(child1.localPosition.z).to.equal(0); expect(eventFired).to.equal(false); animEvaluator.update(1.0); expect(clip.time).to.equal(1.5); expect(child1.localPosition.x).to.equal(1.0); expect(child1.localPosition.y).to.equal(0); expect(child1.localPosition.z).to.equal(0.5); expect(eventFired).to.equal(true); // checked looped state (current time 0.5) animEvaluator.update(1.0); expect(clip.time).to.equal(0.5); expect(child1.localPosition.x).to.equal(0.5); expect(child1.localPosition.y).to.equal(0); expect(child1.localPosition.z).to.equal(0); }); it('AnimEvaluator: update without clip blending', function () { const canvas = new HTMLCanvasElement(500, 500); const app = new Application(canvas); // build the graph to be animated const parent = new GraphNode('parent'); const child1 = new GraphNode('child1'); const child2 = new GraphNode('child2'); app.root.addChild(parent); parent.addChild(child1); child1.addChild(child2); // create curve const keys = new AnimData(1, [0, 1, 2]); const translations = new AnimData(3, [0, 0, 0, 1, 0, 0, 1, 0, 1]); const curvePath = { entityPath: ['child1'], component: 'graph', propertyPath: ['localPosition'] }; const curve = new AnimCurve([curvePath], 0, 0, INTERPOLATION_LINEAR); // clip with empty track const events = new AnimEvents([ { time: 0.75, name: 'event' } ]); // construct the animation track const track = new AnimTrack('test track', 2, [keys], [translations], [curve], events); // construct an animation clip let eventFired = false; const clip = new AnimClip(track, 0.0, 1.0, true, true, { fire: () => { eventFired = true; } }); // construct the animation track const emptyTrack = AnimTrack.EMPTY; // construct an animation clip const emptyClip = new AnimClip(emptyTrack, 0, 1.0, true, true, { fire: () => { eventFired = true; } }); // construct the animation evaluator const animEvaluator = new AnimEvaluator(new DefaultAnimBinder(parent)); animEvaluator.addClip(clip); animEvaluator.addClip(emptyClip); // check initial state animEvaluator.update(0, false); expect(clip.time).to.equal(0); animEvaluator.update(0.5, false); expect(clip.time).to.equal(0.5); expect(eventFired).to.equal(false); animEvaluator.update(1.0, false); expect(clip.time).to.equal(1.5); expect(eventFired).to.equal(true); // checked looped state (current time 0.5) animEvaluator.update(1.0, false); expect(clip.time).to.equal(0.5); }); });
var icon; var latitude; var longitude; var city; var temperature; function darksky_complete(result) { console.log(result.latitude); console.log(result.longitude); console.log(result.timezone); console.log(result.currently.icon); console.log(result.currently.time); console.log(result.currently.temperature); icon=result.currently.icon temperature =result.currently.temperature generateCard(); } function toggle_div(id){ var divElement = document.getElementById(id); if(divElement.style.display == 'none') divElement.style.display = 'block'; else divElement.style.display = 'none'; } function lookupLatLong_Complete(result) { city= result.results["0"].formatted_address; latitude = result.results["0"].geometry.location.lat; longitude = result.results["0"].geometry.location.lng; console.log("The lat and long is " + latitude + ", " + longitude); var request = { url: "https://api.darksky.net/forecast/3076dd7488b4447914c19faca690a9f0/" + latitude + "," + longitude, dataType: "jsonp", success: darksky_complete }; $.ajax(request); } function lookupLatLong(city, state, postalCode) { var address = ""; if (postalCode.length != 0) { address = postalCode.trim(); } else if (city.length != 0 && state != 0) { address = city.trim() + ", " + state; } else { return; } var googleUrl = "https://maps.googleapis.com/maps/api/geocode/json?address=" + address + "&key=AIzaSyANgZVmo6IYYgJX4bG2m0mxyKsQhvM6aiE"; var request = { url: googleUrl, success: lookupLatLong_Complete }; $.ajax(request); } function lookupWeatherForPostalCode_Click() { var pcode = $("#postalCode").val(); lookupLatLong("", "", pcode); console.log(test); } function lookupWeatherForPostalCode_Click() { var pcode = $("#postalCode").val(); lookupLatLong("", "", pcode); } function hide() { $("#cards").empty(); } function weatherTemplate() { var template = $("#templateDiv").html(); switch(icon){ case "clear-day": case "clear-night": case "rain": case "fog": case "snow": case "sleet": case "cloudy": case "wind": case "partly-cloudy-day": case "partly-cloudy-night": template = template.replace("@@help@@", icon + ".png" ); break; default: template = template.replace("@@help@@", "http://wallpapercave.com/wp/4W2pw5V.jpg"); break; } template = template.replace("@@icon@@", icon); template = template.replace("@@latitude@@", latitude); template = template.replace("@@longitude@@", longitude); template = template.replace("@@city@@", city); template = template.replace("@@temperature@@", temperature); // Return the new HTML. return template; } // The divs will automatically wrap because of Bootstrap knowing it's a col-md-3. function generateCard(result){ var html = weatherTemplate; $("#cards").append(html); } $(function () { $("#postButton").on("click", lookupWeatherForPostalCode_Click) $("#cards").on("click", hide) });
const _get = require('lodash/get'); const unMapUserInfo = ({ isProfileUpdated, profileInfo, } = {}) => ({ userProfile: { firstName: _get(profileInfo, 'personalDetails.firstName'), lastName: _get(profileInfo, 'personalDetails.lastName'), email: _get(profileInfo, 'personalDetails.email'), mobileNumber: _get(profileInfo, 'personalDetails.mobileNumber.number'), gender: _get(profileInfo, 'personalDetails.gender'), dateOfBirth: _get(profileInfo, 'personalDetails.dateOfBirth', null), addressLine1: _get(profileInfo, 'addressDetails.addressLine1'), addressLine2: _get(profileInfo, 'addressDetails.addressLine2'), addressLine3: _get(profileInfo, 'addressDetails.addressLine3'), city: _get(profileInfo, 'addressDetails.city'), district: _get(profileInfo, 'addressDetails.district'), state: _get(profileInfo, 'addressDetails.state'), pincode: _get(profileInfo, 'addressDetails.pincode') }, isProfileUpdated }); module.exports = { unMapUserInfo }
import React from 'react'; import ItemParameter from '../components/ItemParameter.js' //Container that loads an item which category is Species class SpeciesContainer extends React.Component { constructor(props) { super(props); this.state = { url: '', name: '', classification: '', designation: '', homeworld: '', language: '', average_height: '', skin_colors: '', eye_colors: '', hair_colors: '', average_lifespan: '', films: [], people: [], } this.updateInfo = this.updateInfo.bind(this); this.loadParameterInfo = this.loadParameterInfo.bind(this); } //Avoid more fetching if the user clicks on a different item while the item list is still loading // with the 'mounted' value componentWillUnmount() { this.mounted = false; } //On mount, fetch all the data of the current item and load it into the item's different states async componentDidMount() { this.mounted = true; //getData fetchs all the data from the item's url async function getData(url) { const response = await fetch(url) const data = await response.json() // console.log(data); return data; } const url = this.props.url // console.log(url); // const item = this.state.url; const item = await getData(url) //updateInfo sets the item's state to its new values, which are all the data fetched from getData this.updateInfo(item); } // load the info (more specifically, the name/title) of an item and // pass it into ItemParameter component, along with the OnDifferentItemClicked() function, // passed through props from ItemContainer. // For further information, check ItemContainer and ItemParameter loadParameterInfo(item, itemCategory) { if (this.mounted) { if (Array.isArray(item)) { return ( item.map((itemURL, index) => { return( <ItemParameter url={itemURL} category={itemCategory} key={index} name={this.props.name} onItemClick = {this.props.onDifferentItemClicked} /> ) }) ) } else { return ( <ItemParameter url={item} category={itemCategory} key={item} name={this.props.name} onItemClick = {this.props.onDifferentItemClicked} /> ) } } } //update the info fetched from getData() updateInfo(item) { this.setState({ name: item.name, classification: item.classification, designation: item.designation, homeworld: item.homeworld, language: item.language, average_height: item.average_height, skin_colors: item.skin_colors, eye_colors: item.eye_colors, hair_colors: item.hair_colors, average_lifespan: item.average_lifespan, films: item.films, people: item.people, url: item.url, }) } //Render item according to its category attributes render() { if (this.state.url === '') { return( <h1>Loading</h1> ) } else { return ( <div> <h1>This is a Species component</h1> <div> <h1> <span> Name : </span> <span>{this.state.name} </span> </h1> <h1> <span> Classification : </span> <span>{this.state.classification} </span> </h1> <h1> <span> Designation : </span> <span>{this.state.designation} </span> </h1> <h1> <span> Homeworld : </span> <span>{this.loadParameterInfo(this.state.homeworld, "planet")} </span> </h1> <h1> <span> Language : </span> <span>{this.state.language} </span> </h1> <h1> <span> Average Height : </span> <span>{this.state.average_height} </span> </h1> <h1> <span> Skin Colors: </span> <span>{this.state.skin_colors} </span> </h1> <h1> <span> Eye Colors : </span> <span>{this.state.eye_colors} </span> </h1> <h1> <span> Hair Colors : </span> <span>{this.state.hair_colors} </span> </h1> <h1> <span> Average Lifespan : </span> <span>{this.state.average_lifespan} </span> </h1> <h1> <span> Films : </span> <br /> <span> {this.loadParameterInfo(this.state.films, "films")} </span> </h1> <h1> <span> People : </span> <br /> <span> {this.loadParameterInfo(this.state.people, "people")} </span> </h1> </div> </div> ) } } } export default SpeciesContainer;
import { Modal, Button, Form, Col, Row, InputGroup, Alert } from 'react-bootstrap' import { useState, useEffect } from 'react' import { AiOutlineDelete } from "react-icons/ai" function OpenedQuestionModal(props) { const [title, setTitle] = useState("") const [optional, setOptional] = useState(false) const [validated, setValidated] = useState(false) const handleTitle = (val) => { setTitle(val) } const handleOptional = (val) => { setOptional(val) } const handleClose = () => { setTitle("") setOptional(false) setValidated(false) props.setShow([false, false]) } const handleSave = (event) => { const form = event.currentTarget if (form.checkValidity() === false) { event.preventDefault() event.stopPropagation() } setValidated(true) let valid = true if (title.length === 0) valid = false if (valid) { console.log(props.questions.length) let q = { id: props.questions.length, title: title, open: true, min: optional ? 0 : 1, max: 0, answers: [] } props.setQuestions(old => [...old, q]) handleClose() } } return <Modal size="lg" aria-labelledby="contained-modal-title-vcenter" centered show={props.show[0]} onHide={handleClose} > <Form noValidate validated={validated}> <Modal.Header closeButton onClick={() => props.setShow([false, false])}> <Modal.Title id="contained-modal-title-vcenter"> New open-ended question </Modal.Title> </Modal.Header> <Modal.Body> <InputGroup controlId="validateTitle"> <Form.Control required size="lg" maxLength="64" type="text" placeholder="Type a question" onChange={(e) => handleTitle(e.target.value)} /> <InputGroup.Append> <InputGroup.Text id="append">{title.length}/64</InputGroup.Text> </InputGroup.Append> </InputGroup> </Modal.Body> <Modal.Footer> <Form.Group> <Form.Check custom type="switch" id="optional" label="Optional" onChange={(e) => handleOptional(e.target.checked)} /> </Form.Group> <Button id="button" onClick={() => handleClose()}>Close</Button> <Button variant="success" onClick={handleSave}>Save</Button> </Modal.Footer> </Form> </Modal> } function ClosedQuestionModal(props) { const [answers, setAnswers] = useState([""]) const [title, setTitle] = useState("") const [min, setMin] = useState(0) const [max, setMax] = useState(1) const [validated, setValidated] = useState(false) const handleTitle = (val) => { setTitle(val) } const handleMax = (val) => { setMax(Number(val)) } const handleMin = (val) => { setMin(Number(val)) } const addNewAnswer = () => { let text = "" setAnswers(old => [...old, text]) } const handleChange = (e, ansId) => { let text = e.currentTarget.value let newArr = [...answers] newArr[ansId] = text setAnswers(newArr) } const handleDelete = (e, ansId) => { let newA = [...answers] setAnswers(newA.filter((a, i) => i !== ansId)) } const handleClose = () => { setTitle("") setMin(0) setMax(1) setAnswers([""]) setValidated(false) props.setShow([false, false]) } const handleSave = (event) => { const form = event.currentTarget if (form.checkValidity() === false) { event.preventDefault() event.stopPropagation() } setValidated(true) let valid = true if (title.length === 0) valid = false for (let i = 0; i < answers.length; i++) { if (answers[i].length === 0) { valid = false break } } if (max < min) valid = false if (valid) { let q = { id: props.questions.length, title: title, open: false, min: min, max: max, answers: answers } props.setQuestions(old => [...old, q]) handleClose() } } return <Modal size="lg" aria-labelledby="contained-modal-title-vcenter" centered show={props.show[1]} onHide={handleClose} > <Modal.Header closeButton onClick={() => props.setShow([false, false])}> <Modal.Title id="contained-modal-title-vcenter"> New close-ended question </Modal.Title> </Modal.Header> <Modal.Body> <Form noValidate validated={validated}> <InputGroup className="mb-3"> <Form.Control required size="lg" maxLength="64" type="text" placeholder="Type a question" onChange={(e) => handleTitle(e.target.value)} /> <InputGroup.Append> <InputGroup.Text id="append">{title.length}/64</InputGroup.Text> </InputGroup.Append> </InputGroup> <Form.Group id="answers-list"> {answers.map((a, i) => <NewAnswer handleDelete={handleDelete} handle={handleChange} ansText={a} ansId={i} />)} </Form.Group> </Form> <Form.Row> <Form.Group as={Col} md={4} className="mt-3"> <Form.Control isInvalid={min > max} id="min" as="select" onChange={(e) => handleMin(e.target.value)}> <option>0</option> {answers.map((a, i) => <option>{i + 1}</option>)} </Form.Control> <Form.Text className="text-muted">Minimum number of answers. If 0, the question is implicitly marked as optional.</Form.Text> </Form.Group> </Form.Row> <Form.Row> <Form.Group as={Col} md={4}> <Form.Control isInvalid={min > max} id="max" as="select" onChange={(e) => handleMax(e.target.value)}> {answers.map((a, i) => <option>{i + 1}</option>)} </Form.Control> <Form.Control.Feedback type="invalid" tooltip>The maximum number of answers must be greater than or equal to the minimum.</Form.Control.Feedback> <Form.Text className="text-muted">Maximum number of answers</Form.Text> </Form.Group> </Form.Row> </Modal.Body> <Modal.Footer> <Button id="button" onClick={() => addNewAnswer()}>Add new answer</Button> <Button id="button" onClick={() => handleClose()}>Close</Button> <Button variant="success" onClick={handleSave}>Save</Button> </Modal.Footer> </Modal > } function NewAnswer(props) { return <Row className="d-flex mr-auto"> <Col md={11}> <InputGroup className="mb-3"> <Form.Control maxLength="64" required onChange={(e) => props.handle(e, props.ansId)} placeholder="Type a possible answer" value={props.ansText} /> <InputGroup.Append> <InputGroup.Text id="append">{props.ansText.length}/64</InputGroup.Text> </InputGroup.Append> </InputGroup> </Col> <Col md={1}> <Button variant="outline-danger" onClick={(e) => props.handleDelete(e, props.ansId)}> <AiOutlineDelete /> </Button> </Col> </Row> } function LoginModal(props) { const [errorMessage, setErrorMessage] = useState('') const [validated, setValidated] = useState(false) const [username, setUsername] = useState("") const [password, setPassword] = useState("") const handleUsername = (val) => { setUsername(val) } const handlePassword = (val) => { setPassword(val) } useEffect(() => { if (props.loggedIn) { setErrorMessage("") props.setShow(false) } }, [props.loggedIn]) const handleSubmit = (event) => { const form = event.currentTarget if (form.checkValidity() === false) { event.preventDefault() event.stopPropagation() } event.preventDefault() setErrorMessage('') const credentials = { username, password } let valid = true if (username === '' || password === '') valid = false if (valid) { props.login(credentials) if (!props.loggedIn) setErrorMessage('These credentials are not valid.') } else { if (username === "") { if (password === "") setErrorMessage('Please, insert a username and a password.') else setErrorMessage('Please, insert a username.') } else if (password === "") { setErrorMessage('Please, insert a password.') } } setValidated(true) } return <Modal aria-labelledby="contained-modal-title-vcenter" centered show={props.show} onHide={() => props.setShow(false)} > <Form noValidate validated={validated} onSubmit={handleSubmit}> {errorMessage ? <Alert variant='danger'>{errorMessage}</Alert> : ''} <Modal.Header closeButton onClick={() => props.setShow(false)}> <Modal.Title id="contained-modal-title-vcenter"> Login to create your surveys! </Modal.Title> </Modal.Header> <Modal.Body> <Form.Group> <InputGroup hasValidation> <InputGroup.Prepend> <InputGroup.Text style={{ width: "7rem" }} id="prependUsername">Username</InputGroup.Text> </InputGroup.Prepend> <Form.Control required id="username" name="username" type="text" onChange={(e) => handleUsername(e.target.value)} value={username} /> </InputGroup> </Form.Group> <Form.Group> <InputGroup hasValidation> <InputGroup.Prepend> <InputGroup.Text style={{ width: "7rem" }} id="prependPassword">Password</InputGroup.Text> </InputGroup.Prepend> <Form.Control required type="password" id="password" onChange={(e) => handlePassword(e.target.value)} value={password} /> </InputGroup> </Form.Group> </Modal.Body> <Modal.Footer> <Button type="submit" variant="success">Login</Button> </Modal.Footer> </Form> </Modal> } export { OpenedQuestionModal, ClosedQuestionModal, LoginModal }
const child_process = require("child_process"); const path = require("path"); const prefix = `python ${path.join(__dirname,"../damo/cli.py")}`; const glob = require("glob").sync; let config = { path:"" } let dm = { // setting // path 相关的用法无作用,因为,一条指令运行完后 dm 就释放了。 setPath(path){ // return child_process.execSync(`${prefix} setPath ${path}`).toString().trim(); return config.path = path; }, getPath(){ return child_process.execSync(`${prefix} getPath`).toString().trim(); }, // pic and color capture(x1, y1, x2, y2, file) { return child_process.execSync(`${prefix} capture ${x1} ${y1} ${x2} ${y2} ${file}`).toString().trim(); }, captureGif(x1, y1, x2, y2, file, delay, time) { return child_process.execSync(`${prefix} captureGif ${x1} ${y1} ${x2} ${y2} ${file} ${delay} ${time}`).toString().trim(); }, captureJpg(x1, y1, x2, y2, file, quality) { return child_process.execSync(`${prefix} captureJpg ${x1} ${y1} ${x2} ${y2} ${file} ${quality}`).toString().trim(); }, capturePng(x1, y1, x2, y2, file) { return child_process.execSync(`${prefix} capturePng ${x1} ${y1} ${x2} ${y2} ${file}`).toString().trim(); }, capturePre(file) { return child_process.execSync(`${prefix} capturePre ${file}`).toString().trim(); }, enableDisplayDebug(enable_debug) { return child_process.execSync(`${prefix} enableDisplayDebug ${enable_debug}`).toString().trim(); }, enableGetColorByCapture(enable) { return child_process.execSync(`${prefix} enableGetColorByCapture ${enable}`).toString().trim(); }, cmpColor(x, y, color, sim) { return child_process.execSync(`${prefix} cmpColor ${x} ${y} ${color} ${sim}`).toString().trim(); }, findPicEx(x1, y1, x2, y2, pic_name, delta_color, sim, dir) { return child_process.execSync(`${prefix} findPicEx ${x1} ${y1} ${x2} ${y2} ${pic_name} ${delta_color} ${sim} ${dir}`).toString().trim(); }, findColorEx(x1, y1, x2, y2, color, sim, dir) { return child_process.execSync(`${prefix} findColorEx ${x1} ${y1} ${x2} ${y2} ${color} ${sim} ${dir}`).toString().trim(); }, findMultiColorEx(x1, y1, x2, y2, first_color, offset_color, sim, dir) { return child_process.execSync(`${prefix} findMultiColorEx ${x1} ${y1} ${x2} ${y2} ${first_color} ${offset_color} ${sim} ${dir}`).toString().trim(); }, getAveHSV(x1, y1, x2, y2) { return child_process.execSync(`${prefix} getAveHSV ${x1} ${y1} ${x2} ${y2}`).toString().trim(); }, getAveRGB(x1, y1, x2, y2) { return child_process.execSync(`${prefix} getAveRGB ${x1} ${y1} ${x2} ${y2}`).toString().trim(); }, getColorNum(x1, y1, x2, y2, color, sim) { return child_process.execSync(`${prefix} getColorNum ${x1} ${y1} ${x2} ${y2} ${color} ${sim}`).toString().trim(); }, getColor(x, y) { return child_process.execSync(`${prefix} getColor ${x} ${y}`).toString().trim(); }, getColorBGR(x, y) { return child_process.execSync(`${prefix} getColorBGR ${x} ${y}`).toString().trim(); }, getColorHSV(x, y) { return child_process.execSync(`${prefix} getColorHSV ${x} ${y}`).toString().trim(); }, isDisplayDead(x1, y1, x2, y2, t) { return child_process.execSync(`${prefix} isDisplayDead ${x1} ${y1} ${x2} ${y2} ${t}`).toString().trim(); }, imageToBmp(pic_name, bmp_name) { return child_process.execSync(`${prefix} imageToBmp ${pic_name} ${bmp_name}`).toString().trim(); }, matchPicName(pic_name) { return child_process.execSync(`${prefix} matchPicName ${pic_name}`).toString().trim(); }, RGB2BGR(rgb_color) { return child_process.execSync(`${prefix} RGB2BGR ${rgb_color}`).toString().trim(); }, getPicSize(pic_name) { return child_process.execSync(`${prefix} getPicSize ${pic_name}`).toString().trim(); }, setPicPwd(pwd) { return child_process.execSync(`${prefix} setPicPwd ${pwd}`).toString().trim(); }, // str addDict(index, dict_info) { return child_process.execSync(`${prefix} addDict ${index} ${dict_info}`).toString().trim(); }, clearDict(index) { return child_process.execSync(`${prefix} clearDict ${index}`).toString().trim(); }, fetchWord(x1, y1, x2, y2, color, word) { return child_process.execSync(`${prefix} fetchWord ${x1} ${y1} ${x2} ${y2} ${color} ${word}`).toString().trim(); }, findStrFastEx(x1, y1, x2, y2, string, color_format, sim) { return child_process.execSync(`${prefix} findStrFastEx ${x1} ${y1} ${x2} ${y2} ${string} ${color_format} ${sim}`).toString().trim(); }, findStrWithFontEx(x1, y1, x2, y2, string, color_format, sim, font_name, font_size, flag) { return child_process.execSync(`${prefix} FindStrWithFontEx ${x1} ${y1} ${x2} ${y2} ${string} ${color_format} ${sim} ${font_name} ${font_size} ${flag}`).toString().trim(); }, ocrEx(x1, y1, x2, y2, color_format, sim) { return child_process.execSync(`${prefix} OcrEx ${x1} ${y1} ${x2} ${y2} ${color_format} ${sim}`).toString().trim(); }, setColGapNoDict(col_gap) { return child_process.execSync(`${prefix} SetColGapNoDict ${col_gap}`).toString().trim(); }, setDict(index, file) { return child_process.execSync(`${prefix} SetDict ${index} ${file}`).toString().trim(); }, setDictPwd(pwd) { return child_process.execSync(`${prefix} setDictPwd ${pwd}`).toString().trim(); }, setExactOcr(exact_ocr) { return child_process.execSync(`${prefix} setExactOcr ${exact_ocr}`).toString().trim(); }, setMinColGap(min_col_gap) { return child_process.execSync(`${prefix} setMinColGap ${min_col_gap}`).toString().trim(); }, setMinRowGap(min_row_gap) { return child_process.execSync(`${prefix} setMinRowGap ${min_row_gap}`).toString().trim(); }, setRowGapNoDict(row_gap) { return child_process.execSync(`${prefix} setRowGapNoDict ${row_gap}`).toString().trim(); }, setWordGap(word_gap) { return child_process.execSync(`${prefix} setWordGap ${word_gap}`).toString().trim(); }, setWordGapNoDict(word_gap) { return child_process.execSync(`${prefix} setWordGapNoDict ${word_gap}`).toString().trim(); }, setWordLineHeight(line_height) { return child_process.execSync(`${prefix} setWordLineHeight ${line_height}`).toString().trim(); }, setWordLineHeightNoDict(line_height) { return child_process.execSync(`${prefix} setWordLineHeightNoDict ${line_height}`).toString().trim(); }, useDict(index) { return child_process.execSync(`${prefix} useDict ${index}`).toString().trim(); }, // keyboard getCursorPos(x, y) { return child_process.execSync(`${prefix} getCursorPos ${x} ${y}`).toString().trim(); }, getKeyState(vk_code) { return child_process.execSync(`${prefix} getKeyState ${vk_code}`).toString().trim(); }, keyDown(vk_code) { return child_process.execSync(`${prefix} keyDown ${vk_code}`).toString().trim(); }, keyDownChar(key_str) { return child_process.execSync(`${prefix} keyDownChar ${key_str}`).toString().trim(); }, keyPress(vk_code) { return child_process.execSync(`${prefix} keyPress ${vk_code}`).toString().trim(); }, keyPressChar(key_str) { return child_process.execSync(`${prefix} keyPressChar ${key_str}`).toString().trim(); }, keyUp(vk_code) { return child_process.execSync(`${prefix} keyUp ${vk_code}`).toString().trim(); }, keyUpChar(key_str) { return child_process.execSync(`${prefix} keyUpChar ${key_str}`).toString().trim(); }, leftClick() { return child_process.execSync(`${prefix} leftClick `).toString().trim(); }, leftDoubleClick() { return child_process.execSync(`${prefix} leftDoubleClick `).toString().trim(); }, leftDown() { return child_process.execSync(`${prefix} leftDown `).toString().trim(); }, leftUp() { return child_process.execSync(`${prefix} leftUp `).toString().trim(); }, middleClick() { return child_process.execSync(`${prefix} middleClick `).toString().trim(); }, moveR(rx, ry) { return child_process.execSync(`${prefix} moveR ${rx} ${ry}`).toString().trim(); }, moveTo(x, y) { return child_process.execSync(`${prefix} moveTo ${x} ${y}`).toString().trim(); }, moveToEx(x, y, w, h) { return child_process.execSync(`${prefix} moveToEx ${x} ${y} ${w} ${h}`).toString().trim(); }, rightClick() { return child_process.execSync(`${prefix} rightClick `).toString().trim(); }, rightDown() { return child_process.execSync(`${prefix} rightDown `).toString().trim(); }, rightUp() { return child_process.execSync(`${prefix} rightUp `).toString().trim(); }, setKeypadDelay(type, delay) { return child_process.execSync(`${prefix} setKeypadDelay ${type} ${delay}`).toString().trim(); }, setMouseDelay(type, delay) { return child_process.execSync(`${prefix} setMouseDelay ${type} ${delay}`).toString().trim(); }, waitKey(vk_code, time_out) { return child_process.execSync(`${prefix} waitKey ${vk_code} ${time_out}`).toString().trim(); }, wheelDown() { return child_process.execSync(`${prefix} wheelDown `).toString().trim(); }, wheelUp() { return child_process.execSync(`${prefix} wheelUp `).toString().trim(); }, // Window enumWindow(parent, title, classname, filterf) { return child_process.execSync(`${prefix} enumWindow ${parent} ${title} ${classname} ${filterf}`).toString().trim(); }, findWindow(classname, title) { return child_process.execSync(`${prefix} findWindow ${classname} ${title}`).toString().trim(); }, findWindowForeground() { return child_process.execSync(`${prefix} getForegroundWindow `).toString().trim(); }, bind(hwnd, display, mouse, keypad, mode) { return child_process.execSync(`${prefix} bindWindow ${hwnd} ${display} ${mouse} ${keypad} ${mode}`).toString().trim(); }, unbind() { return child_process.execSync(`${prefix} unBindWindow `).toString().trim(); }, getBindWindow() { return child_process.execSync(`${prefix} getBindWindow `).toString().trim(); }, sendString(hwnd, sendStr) { return child_process.execSync(`${prefix} sendString ${hwnd} ${sendStr}`).toString().trim(); }, } ; dm.setPath("d:/test"); function getFilePath(fileName) { if (config.path) { let address = `${config.path}/${fileName}`; let addr = glob(address); return addr[0]; } else { return fileName; } } module.exports.dm = dm; module.exports.dmWrapper = Object.assign({},dm,{ getPicSize(bitmap){ return dm.getPicSize(getFilePath(bitmap)); }, findPicEx(bitmap){ return dm.findPicEx(0, 0, 2000, 2000, getFilePath(bitmap), "020202", 0.8, 0); }, click(x,y){ dm.moveTo(x,y); dm.leftClick(); }, clickPic(bitmap,{center=true,offsetX = 0,offsetY = 0}={}){ // 0,0,0 let [name,fileOffsetX=0,fileOffsetY=0] = getFilePath(bitmap).split("/").slice(-1)[0].split("-"); let ret = this.findPicEx(bitmap); let [,x,y] = ret.split(","); if (center) { let [picW,picH] = this.getPicSize(bitmap).split(","); x = +x; y = +y; x += parseInt((+picW)/2); y += parseInt((+picH)/2); } if (x && y) { dm.moveTo(x+(parseInt(fileOffsetX)||offsetX),y+(parseInt(fileOffsetY)||offsetY)); dm.leftClick(); return true; } return false; }, sendString(text){ child_process.execSync(`wscript ${path.join(__dirname,"../damo/sendString.vbs")} ${text}`); } } )
import React from 'react'; import { Text, View, TouchableOpacity, } from 'react-native'; import { PComponent, } from 'rnplus'; import { clearSelect, } from '../action'; class Cart extends PComponent { constructor(props) { super(props); this.onPressClear = this.onPressClear.bind(this); } static reduxPlugin = { mapStateToProps: ['total'], mapDispatchToProps: { clearSelect, }, }; onPressClear() { this.props.clearSelect(); } styles = { cart: { borderColor: '#000', borderTopWidth: 1, height: 40, alignItems: 'center', backgroundColor: '#fff', flexDirection: 'row', paddingLeft: 10, paddingRight: 10, }, total: { flex: 1, }, }; render() { return ( <View class="cart"> <Text class="total">Total: {this.props.total}</Text> <TouchableOpacity underlayColor="0.6" onPress={this.onPressClear}> <Text>清空</Text> </TouchableOpacity> </View> ); } } export default Cart;
const clientId = "ed690d13736d466dbba7d4878a1b21be"; const scopes = "playlist-modify-public"; //playlist-modify-private"; const redirect_uri = "http://localhost:3000/"; const searchAPI = "https://api.spotify.com/v1/search"; const userAPI = "https://api.spotify.com/v1/me"; const playlistAPI = "https://api.spotify.com/v1/users/USERID/playlists"; const plTracksAPI = "https://api.spotify.com/v1/users/USERID/playlists/PLAYLISTID/tracks"; let accessToken; let expiresIn; const Spotify = { getAccessToken() { if (accessToken) { return accessToken; } let url = window.location.href; accessToken = this.findStr(url, "access_token=", "&"); if (accessToken === undefined) { window.location.href = `https://accounts.spotify.com/authorize?client_id=${clientId}&response_type=token&scope=${scopes}&redirect_uri=${redirect_uri}`; accessToken = this.findStr(url, "access_token=", "&"); } else { expiresIn = this.findStr(url, "expires_in=", "&"); window.setTimeout(() => accessToken = '', expiresIn * 1000); window.history.pushState('Access Token', null, '/'); return accessToken; } }, findStr (string, item1, item2) { let url = string; let index1 = url.indexOf(item1); if (index1 === -1) { return; } let index2 = url.indexOf(item2, index1); if (index1 !== -1) { return string.slice(index1 + item1.length, index2); } else { return string.slice(index1 + item1.length); } }, search(term) { return fetch(`${searchAPI}?q=${term}&type=track`, {headers: this.buildHeader()}) .then(response => response.json()) .then(jsonResponse => { if (jsonResponse.tracks) { return jsonResponse.tracks.items.map(function(track) { return { id: track.id, name: track.name, artist: track.artists[0].name, album: track.album.name, uri: track.uri }} )} else { return []; } }); }, savePlaylist(title, trackURIs) { if (!title && !trackURIs) { return; } return fetch(`${userAPI}`, {headers: this.buildHeader()} ).then(response => response.json()).then(jsonResponse => { let userId = jsonResponse.id; return this.createPlaylist(userId, title, trackURIs); }); }, createPlaylist(userId, title, trackURIs) { let jsonBody = JSON.stringify({name: title, public: true}); let url = playlistAPI.replace("USERID", userId); return fetch(url, { headers: this.buildHeader(), method:'POST', body: jsonBody} ).then(response => this.handleResponse(response) ).then(jsonResponse => { let playlistId = jsonResponse.id; return this.saveTracks(userId, playlistId, trackURIs); }); }, saveTracks(userId, playlistId, trackURIs) { let body = JSON.stringify(trackURIs); let url = plTracksAPI.replace("USERID", userId).replace("PLAYLISTID", playlistId); return fetch(url, { headers: this.buildHeader(), method:'POST', body: body} ).then(response => this.handleResponse(response) ).then(jsonResponse => { return jsonResponse.snapshot_id; }); }, buildHeader() { let myToken = this.getAccessToken(); return {Authorization: `Bearer ${myToken}`}; }, handleResponse(response) { if (response.ok) { return response.json(); } throw new Error('Request failed!'); } }; export default Spotify;
var maxDistToClosest = function(seats) { // 1 0 0 0 1 0 1 let prev = -1; let next = 0; let most = 0; for (let i = 0; i < seats.length; i++) { if (seats[i] === 1) { prev = i; next = i+1; } else { while (next < seats.length && seats[next] === 0) { next+=1; } console.log(seats[next]) let left if (prev === -1) { left = seats.length; } else { left = i - prev; } let right; if (next === seats.length) { right = seats.length; } else { right = next - i; } console.log(left, right, most) most = Math.max(most, Math.min(left, right)) } } return most; }; //[1,0,0,0,1,0,1] let seats = [1,0,0,0,1,0,1]; console.log(maxDistToClosest(seats))
import React, { Component } from 'react' import { Card , CardMedia ,CardContent ,CardActions ,Button} from "material-ui"; import Typography from 'material-ui/Typography' import {connect } from 'react-redux' import * as actions from '../actions/index' class UnapprovedMember extends Component { constructor(props){ super(props) this.approve = this.approve.bind(this); } approve(){ let {member} = this.props; this.props.approve(member); } render(){ return ( <Card > <CardMedia style={{height: 200}} image = {this.props.member.picture} /> <CardContent> <Typography type="headline" component="h2"> {this.props.member.name} </Typography> </CardContent> <CardActions> <Button onClick={this.approve} dense color="primary"> Approve </Button> </CardActions> </Card> ) } } export default connect(null, actions)(UnapprovedMember)
import React from 'react'; import { SafeAreaView, StyleSheet, ScrollView, TouchableOpacity, TextInput, View, Text, StatusBar, ImageBackground } from 'react-native'; import { Image } from 'react-native'; import Fontisto from 'react-native-vector-icons/Fontisto'; import AntDesign from 'react-native-vector-icons/AntDesign'; import FontAwesome from 'react-native-vector-icons/FontAwesome'; import Foundation from 'react-native-vector-icons/Foundation'; import FontAwesome5 from 'react-native-vector-icons/FontAwesome5'; import EvilIcons from 'react-native-vector-icons/EvilIcons'; import MaterialIcons from 'react-native-vector-icons/MaterialIcons'; import MaterialCommunityIcons from 'react-native-vector-icons/MaterialCommunityIcons'; import Entypo from 'react-native-vector-icons/Entypo'; import FireBaseFunctions from "../APIs/FireBaseFunctions"; import firestore from '@react-native-firebase/firestore'; //const publicIp = require('public-ip'); class Questions extends React.Component { services = services = new FireBaseFunctions(); QuestionsList = []; UserData = {}; PostData = {}; constructor(props) { super(props); this.state = { isloading: true, question: "", QuestionReplyText: "", userIP: "" } this.PostData = props.route.params.postData; this.UserData = props.route.params.UserData; this.getQuestions(props.route.params.postData); //this.CommentsList = this.services.getAllData("Comments"); //console.log(this.CommentsList); } async getQuestions(post) { console.log(post); await firestore().collection("Questions").where("PostId", "==", post.PostId).where("Type", "==", "QUESTION").orderBy('Timestamp', 'desc').limit(5) //.get().then((querySnapshot) => { .onSnapshot((snapshot) => { let items = []; snapshot.docs.forEach(doc => { items.push(doc.data()); }); //this.setState({ postCommentsByPostId: items }) console.log(items); this.QuestionsList = items; this.setState({ isloading: false }) console.log(this.QuestionsList, this.state.isloading); //this.setState({ IsCommentOpen: post.PostId }) }); //this.QuestionsList = await this.services.getAllData("Questions"); //console.log(this.CommentsList); } QuestionChange = (text) => { this.setState({ question: text }) //console.log(this.state.CommentText); } QuestionReplyChange = (text) => { this.setState({ QuestionReplyText: text }) //console.log(this.state.CommentText); } GoToPosts = () => { this.props.navigation.navigate('HomePage') } // SendComment = () => { // console.log(this.state.CommentText); // } // SendComment = async () => { // const commId = this.services.getGuid(); // var obj = { // CommentId: commId, // Type: 'COMMENT', // ParentId: "bcdd2aa9-c531-bd0b-5636-e07ffbfca0c7", // PostId: "bcdd2aa9-c531-bd0b-5636-e07ffbfca0c7", // UserId: "919642280029", // UserimageURL: '', // UserName: "hanuman", // Comment: this.state.CommentText, // Timestamp: new Date().toLocaleString(), // UserIPAddress: "175.101.108.22" // } // await this.addComment('Comments', obj); // this.setState({ CommentText: "" }); // } // addComment = async (collectionName, postData) => { // await firestore().collection(collectionName).doc(postData.CommentId).set(postData); // this.setState({ loading: true }); // const result = await this.getAllCommentsByPostId(postData); // this.QuestionsList = result; // this.setState({ loading: false }); // } questionClick = async (postData) => { //this.setState({ userIP: await publicIp.v4() }) const questId = this.services.getGuid(); var counts = { likeCount: 0, replyCount: 0 } var obj = { QuestionId: questId, Type: 'QUESTION', ParentId: this.PostData.PostId, PostId: this.PostData.PostId, UserId: this.UserData.UserId, UserimageURL: '', UserName: this.UserData.UserName, Question: this.state.question, Timestamp: new Date().toLocaleString(), UserIPAddress: "175.101.108.22", Count: counts, LikeList: [] } await this.addQuestion('Questions', obj); //this.setState({ question: "" }); } addQuestion = async (collectionName, postData) => { await firestore().collection(collectionName).doc(postData.QuestionId).set(postData); this.PostData.Count.questionCount = this.PostData.Count.questionCount + 1; //postData.TopFiveLikes.push(this.userObj); await firestore().collection('PostBlock').doc(this.PostData.PostId).set(this.PostData); this.setState({ loading: true }); this.setState({ question: "" }); await this.getAllQuestionsByPostId(postData); } // getAllCommentsByPostId = async (postData) => { // this.setState({ loading: true }); // let items = []; // return await firestore().collection("Comments").where("PostId", "==", postData.PostId).where("Type", "==", "COMMENT").get().then((querySnapshot) => { // console.log('querySnapshot.docs', querySnapshot.docs); // querySnapshot.docs.forEach(doc => { // items.push(doc.data()); // }); // let count = 0; // items.map((comment) => { // (async () => { // count = count++ // comment.Likes = await this.getAllCommentLikesByCommentId(comment); // if (count == items.length) { // this.setState({ loading: false, items }); // } // })(); // }) // return items; // }); // } getAllQuestionsByPostId = async (postData) => { getAllQuestions = ''; this.setState({ loading: true }); let items = []; //let db = firestore(); let ref = firestore().collection("Questions").where("PostId", "==", postData.PostId).where("Type", "==", "QUESTION") .orderBy('Timestamp', 'desc') .limit(5); let data = await ref.get(); data.docs.forEach(doc => { items.push(doc.data()); }); let count = 0; items.map((question) => { (async () => { console.log("1", count++); count = count++ question.Likes = await this.getAllQuestionLikesByQuestionId(question); console.log(question); if (count == items.length) { this.setState({ loading: false, items }); } })(); }) //latestQuestion = data.docs[data.docs.length - 1] this.QuestionsList = items; } // getAllCommentLikesByCommentId = async (commentData) => { // let items = []; // return await firestore().collection("Likes").where("UserId", "==", commentData.UserId).where("PostId", "==", commentData.PostId).where("ParentId", "==", commentData.CommentId).where("Type", "==", "COMMENTLIKE").get().then((querySnapshot) => { // querySnapshot.docs.forEach(doc => { // items.push(doc.data()); // }); // return items; // }); // } getAllQuestionLikesByQuestionId = async (questionData) => { let items = []; return await firestore().collection("Likes").where("UserId", "==", questionData.UserId).where("PostId", "==", questionData.PostId).where("ParentId", "==", questionData.QuestionId).where("Type", "==", "QUESTIONLIKE").get().then((querySnapshot) => { querySnapshot.docs.forEach(doc => { items.push(doc.data()); }); return items; }); } // replyComment = (item,index) => { // this.setState({ loading: true }); // this.CommentsList[index].isReply = true; // this.setState({ loading: false }); // } // replyComment = async (comment, index) => { // this.setState({ loading: true }) // let items = []; // await firestore().collection("Comments").where("ParentId", "==", comment.CommentId).where("Type", "==", "COMMENTREPLY").get().then((COMMENTREPLY) => { // COMMENTREPLY.docs.forEach(doc => { // items.push(doc.data()); // }); // if (items.length > 0) { // let count = 0; // items.map((comment) => { // (async () => { // console.log("1", count++); // count = count++ // comment.Likes = await this.getAllCommentLikesByCommentId(comment); // console.log(comment); // if (count == items.length) { // this.setState({ loading: false, items }); // } // })(); // }) // } // this.QuestionsList[index].Reply = items; // this.QuestionsList[index].isReply = items; // this.setState({ loading: false }) // }); // } replyClick = async (question, index) => { console.log(question); this.setState({ isLoading: "true" }) let items = []; await firestore().collection("Questions").where("ParentId", "==", question.QuestionId).where("Type", "==", "QUESTIONREPLY").get().then((QUESTIONREPLY) => { QUESTIONREPLY.docs.forEach(doc => { items.push(doc.data()); }); if (items.length > 0) { let count = 0; items.map((question) => { (async () => { console.log("1", count++); count = count++ question.Likes = await this.getAllQuestionLikesByQuestId(question); console.log(question); if (count == items.length) { this.setState({ loading: false, items }); } })(); }) } question.Reply = items; this.QuestionsList[index].Reply = items; this.QuestionsList[index].isReply = items; this.setState({ isLoading: "false" }) }); } getAllQuestionLikesByQuestId = async (questData) => { let items = []; return await firestore().collection("Likes").where("UserId", "==", questData.UserId).where("PostId", "==", questData.PostId).where("ParentId", "==", questData.QuestionId).where("Type", "==", "QUESTIONLIKE").get().then((querySnapshot) => { querySnapshot.docs.forEach(doc => { items.push(doc.data()); }); return items; }); } // getAllCommentLikesByCommentId = async (commentData) => { // let items = []; // return await firestore().collection("Likes").where("UserId", "==", commentData.UserId).where("PostId", "==", commentData.PostId).where("ParentId", "==", commentData.CommentId).where("Type", "==", "COMMENTLIKE").get().then((querySnapshot) => { // querySnapshot.docs.forEach(doc => { // items.push(doc.data()); // }); // return items; // }); // } // addReplyClick = async (comment) => { // const commId = this.services.getGuid(); // var obj = { // CommentId: commId, // Type: 'COMMENTREPLY', // ParentId: comment.CommentId, // PostId: comment.PostId, // UserId: '919642280029', // UserimageURL: '', // UserName: "hanuman", // Comment: this.state.CommentReplyText, // Timestamp: new Date().toLocaleString(), // UserIPAddress: "175.101.108.22" // } // await this.addReplyComment('Comments', comment, obj); // } addReplyClick = async (question) => { //this.setState({ userIP: await publicIp.v4() }) const commId = this.services.getGuid(); var counts = { likeCount: 0, replyCount: 0 } var obj = { QuestionId: commId, Type: 'QUESTIONREPLY', ParentId: question.QuestionId, PostId: question.PostId, UserId: this.UserData.UserId, UserimageURL: '', UserName: this.UserData.UserName, Question: this.state.QuestionReplyText, Timestamp: new Date().toLocaleString(), UserIPAddress: "175.101.108.22", Count: counts, LikeList: [] } await this.addReplyQuestion('Questions', question, obj); } addReplyQuestion = async (collectionName, parentCommentData, obj) => { await firestore().collection(collectionName).doc(obj.QuestionId).set(obj); this.setState({ loading: true }); const result = await this.getReplyQuestionsByQuestionId(obj); parentCommentData.Reply = result; this.setState({ QuestionReplyText: '' }); this.setState({ loading: false }); } // addReplyComment = async (collectionName, parentCommentData, obj) => { // await firestore().collection(collectionName).doc(obj.CommentId).set(obj); // this.setState({ loading: true }); // const result = await this.getReplyCommentsByCommentId(obj); // parentCommentData.Reply = result; // this.setState({ CommentReplyText: '' }); // this.setState({ loading: false }); // } // getReplyCommentsByCommentId = async (comment) => { // let items = []; // return await firestore().collection("Comments").where("ParentId", "==", comment.ParentId).where("Type", "==", "COMMENTREPLY").get().then((COMMENTREPLY) => { // COMMENTREPLY.docs.forEach(doc => { // items.push(doc.data()); // }); // return items; // }); // } getReplyQuestionsByQuestionId = async (question) => { let items = []; return await firestore().collection("Questions").where("ParentId", "==", question.ParentId).where("Type", "==", "QUESTIONREPLY").get().then((QUESTIONREPLY) => { QUESTIONREPLY.docs.forEach(doc => { items.push(doc.data()); }); return items; }); } replyQuestionReply = async (question, index) => { //console.log(comment); this.setState({ loading: true }); question.isReply = true; this.setState({ loading: false }); } likeClick = async (question) => { //this.setState({ userIP: await publicIp.v4() }) const likeId = this.services.getGuid(); var obj = { LikeId: likeId, Type: 'QUESTIONLIKE', ParentId: question.QuestionId, PostId: question.PostId, UserId: this.UserData.UserId, UserimageURL: '', UserName: this.UserData.UserName, Timestamp: new Date().toLocaleString(), UserIPAddress: "175.101.108.22" } await this.addLikeComment('Likes', question, obj); } addLikeComment = async (collectionName, parentQuestion, obj) => { await firestore().collection(collectionName).doc(obj.LikeId).set(obj); this.setState({ loading: true }); parentQuestion.LikeList.push(obj.UserId); parentQuestion.Count.likeCount = parentQuestion.Count.likeCount + 1; await firestore().collection('Questions').doc(parentQuestion.QuestionId).set(parentQuestion); // const result = await this.getLikesByCommentId(obj); // parentQuestion.Likes = result; this.setState({ loading: false }); } getLikesByCommentId = async (question) => { let items = []; return await firestore().collection("Likes").where("ParentId", "==", question.ParentId).where("Type", "==", "QUESTIONLIKE").get().then((QUESTIONLIKE) => { QUESTIONLIKE.docs.forEach(doc => { items.push(doc.data()); }); return items; }); } dislikeClick = async (comment) => { this.setState({ loading: true }); delete comment.Reply; var i = comment.LikeList.indexOf(this.UserData.UserId); if (i != -1) { comment.LikeList.splice(i, 1); } await firestore().collection("Likes").where("UserId", "==", comment.UserId) .where("PostId", "==", comment.PostId).where("ParentId", "==", comment.QuestionId).where("Type", "==", "QUESTIONLIKE") .onSnapshot(async (snapshot) => { snapshot.forEach(function (doc) { doc.ref.delete(); }); }); comment.Count.likeCount = comment.Count.likeCount - 1; await firestore().collection('Questions').doc(comment.QuestionId).set(comment); this.setState({ loading: false }); } // likeClick = async (comment) => { // const likeId = this.services.getGuid(); // var obj = { // LikeId: likeId, // Type: 'COMMENTLIKE', // ParentId: comment.CommentId, // PostId: comment.PostId, // UserId: "919642280029", // UserimageURL: '', // UserName: "hanuman", // Timestamp: new Date().toLocaleString(), // UserIPAddress: "175.101.108.22" // } // await this.addLikeComment('Likes', comment, obj); // } // addLikeComment = async (collectionName, parentComment, obj) => { // await firestore().collection(collectionName).doc(obj.LikeId).set(obj); // this.setState({ loading: true }); // const result = await this.getLikesByCommentId(obj); // parentComment.Likes = result; // this.setState({ loading: false }); // } // getLikesByCommentId = async (comment) => { // let items = []; // return await firestore().collection("Likes").where("ParentId", "==", comment.ParentId).where("Type", "==", "COMMENTLIKE").get().then((COMMENTLIKE) => { // COMMENTLIKE.docs.forEach(doc => { // items.push(doc.data()); // }); // return items; // }); // } render() { let list; let like; //console.log(this.CommentsList); if (this.QuestionsList != undefined && this.state.isloading == false) { list = this.QuestionsList.map((item, index) => ( <View style={{ marginTop: 20, borderBottomColor: "#969696", borderBottomWidth: 1, borderRadius: 50, }}> <View style={{ flexDirection: "row" }}> <View style={{ flexDirection: "row", width: "70%" }}> <View style={{ margin: 20 }}> <Image source={require('../Images/user.jpg')} style={{ height: 50, width: 50, borderRadius: 10, }} /> </View> <View style={{ margin: 20, marginLeft: 0, marginTop: 40 }}> <Text style={{ fontWeight: "bold", fontSize: 25, color: "#969696" }}>{item.UserName}</Text> </View> </View> <View style={{ width: "30%" }}> <Text style={{ fontSize: 20, color: "#969696", marginTop: 40 }}>5min ago</Text> </View> </View> <View style={{ width: "100%" }}> <Text style={{ fontSize: 20, color: "#969696", margin: 20, marginTop: 0 }}>{item.Question}</Text> </View> <View style={{ width: "100%", flexDirection: "row", margin: 20, marginTop: 0 }}> {/* <TouchableOpacity onPress={ () => this.likeClick(item) } style={{ marginRight: 10 }}> */} <View style={{ flexDirection: "row", }}> {(() => { console.log(item.LikeList); if (item.LikeList.length > 0) { like = <TouchableOpacity onPress={ () => this.likeClick(item) } style={{}}> <Text style={{ margin: 3 }}><AntDesign name="hearto" size={20} style={{ margin: 20, color: "#a7a7a7" }} /> </Text> </TouchableOpacity> item.LikeList.map((c, i) => { if (c == this.UserData.UserId) { like = <TouchableOpacity onPress={ () => this.dislikeClick(item) } style={{}}> <Text style={{ margin: 3 }}><AntDesign name="heart" size={20} style={{ margin: 20, color: "red" }} /> </Text> </TouchableOpacity> } }) return like; } else { like = <TouchableOpacity onPress={ () => this.likeClick(item) } style={{}}> <Text style={{ margin: 3 }}><AntDesign name="hearto" size={20} style={{ margin: 20, color: "#a7a7a7" }} /> </Text> </TouchableOpacity> return like; } })()} {/* <Text style={{ margin: 3 }}><AntDesign name="hearto" size={20} style={{ margin: 20, color: "#a7a7a7" }} /> </Text> {item.Likes != undefined && <Text style={{ margin: 3, color: "#a7a7a7" }}>{item.Likes.length} </Text> } */} {/* {item.Likes == undefined && <Text style={{ margin: 3 }}><AntDesign name="hearto" size={20} style={{ margin: 20, color: "#a7a7a7" }} /> </Text> } {item.Likes != undefined && <Text style={{ margin: 3 }}><AntDesign name="heart" size={20} style={{ margin: 20, color: "red" }} /> </Text> } {item.Likes != undefined && <Text style={{ margin: 3, color: "#a7a7a7" }}>{item.Likes.length} </Text> } */} {/* {(() => { console.log(item.Likes); if (item.Likes != undefined) { like = <Text style={{ margin: 3 }}><AntDesign name="hearto" size={20} style={{ margin: 20, color: "#a7a7a7" }} /> </Text> item.Likes.map((c, i) => { if (c.UserId == this.UserData.UserId) { like = <Text style={{ margin: 3 }}><AntDesign name="heart" size={20} style={{ margin: 20, color: "red" }} /> </Text> } }) return like; } else { like = <Text style={{ margin: 3 }}><AntDesign name="hearto" size={20} style={{ margin: 20, color: "#a7a7a7" }} /> </Text> return like; } })()} */} {/* {like} */} {/* {item.Likes == undefined && <Text style={{ margin: 3 }}><AntDesign name="hearto" size={20} style={{ margin: 20, color: "#a7a7a7" }} /> </Text> } {item.Likes != undefined && <Text style={{ margin: 3 }}><AntDesign name="heart" size={20} style={{ margin: 20, color: "red" }} /> </Text> } */} {(() => { console.log(item.LikeList, item); if (item.LikeList.length > 0) { return <Text style={{ margin: 3, color: "#a7a7a7" }}>{item.Count.likeCount} </Text> } })()} {/* {(() => { console.log(item.Likes); if (item.Likes != undefined) { if (item.Likes.length > 0) { return <Text style={{ margin: 3, color: "#a7a7a7" }}>{item.Likes.length} </Text> } } })()} */} </View> {/* </TouchableOpacity> */} <TouchableOpacity onPress={ () => this.replyClick(item, index) } > <View style={{ flexDirection: "row", }}> <Text style={{ margin: 3 }}><MaterialCommunityIcons name="message-outline" size={20} style={{ margin: 20, color: "#a7a7a7" }} /></Text> {item.LikeList.length > 0 && <Text style={{ margin: 3, color: "#a7a7a7", }}>{item.Count.replyCount} </Text> } {/* <Text style={{ fontSize: 22, color: "black", fontWeight: "bold", }}>354 </Text> */} </View> </TouchableOpacity> </View> <View>{ item.Reply != undefined && item.Reply.length > 0 && <View>{ item.Reply.map((item1, index) => ( <View style={{ marginLeft: "20%" }}> <View style={{ flexDirection: "row" }}> <View style={{ flexDirection: "row", width: "50%" }}> <View style={{ margin: 20 }}> <Image source={require('../Images/user.jpg')} style={{ height: 25, width: 25, borderRadius: 5, }} /> </View> <View style={{ margin: 20, marginLeft: 0, marginTop: 10 }}> <Text style={{ fontWeight: "bold", fontSize: 20, color: "#969696" }}>{item1.UserName}</Text> </View> </View> <View style={{ width: "30%" }}> <Text style={{ fontSize: 15, color: "#969696", marginTop: 15 }}>5min ago</Text> </View> </View> <View style={{ width: "100%" }}> <Text style={{ fontSize: 20, color: "#969696", margin: 20, marginTop: 0 }}>{item1.Question}</Text> </View> <View style={{ width: "100%", flexDirection: "row", margin: 20, marginTop: 0 }}> {/* <TouchableOpacity onPress={ () => this.likeClick(item1) } style={{ marginRight: 10 }}> */} <View style={{ flexDirection: "row", }}> {(() => { console.log(item1.LikeList); if (item1.LikeList.length > 0) { like = <TouchableOpacity onPress={ () => this.likeClick(item1) } style={{}}> <Text style={{ margin: 3 }}><AntDesign name="hearto" size={20} style={{ margin: 20, color: "#a7a7a7" }} /> </Text> </TouchableOpacity> item1.LikeList.map((c, i) => { if (c == this.UserData.UserId) { like = <TouchableOpacity onPress={ () => this.dislikeClick(item1) } style={{}}> <Text style={{ margin: 3 }}><AntDesign name="heart" size={20} style={{ margin: 20, color: "red" }} /> </Text> </TouchableOpacity> } }) return like; } else { like = <TouchableOpacity onPress={ () => this.likeClick(item1) } style={{}}> <Text style={{ margin: 3 }}><AntDesign name="hearto" size={20} style={{ margin: 20, color: "#a7a7a7" }} /> </Text> </TouchableOpacity> return like; } })()} {/* {item1.Likes == undefined && <Text style={{ margin: 3 }}><AntDesign name="hearto" size={20} style={{ margin: 20, color: "#a7a7a7" }} /> </Text> } {item1.Likes != undefined && <Text style={{ margin: 3 }}><AntDesign name="heart" size={20} style={{ margin: 20, color: "red" }} /> </Text> } */} {item1.LikeList.length > 0 && <Text style={{ margin: 3, color: "#a7a7a7" }}>{item1.Count.likeCount} </Text> } {/* {item1.Likes != undefined && <Text style={{ margin: 3, color: "#a7a7a7" }}>{item1.Likes.length} </Text> } */} {/* <Text style={{ margin: 3 }}><AntDesign name="hearto" size={20} style={{ margin: 20, color: "#a7a7a7" }} /> </Text> {item.Likes != undefined && <Text style={{ margin: 3, color: "#a7a7a7" }}>{item.Likes.length} </Text> } */} {/* <Text style={{ fontSize: 22, color: "black", fontWeight: "bold", }}>123 </Text> */} </View> {/* </TouchableOpacity> */} <TouchableOpacity onPress={ () => this.replyQuestionReply(item1, index) } > <View style={{ flexDirection: "row", }}> <Text style={{ margin: 3 }}><MaterialCommunityIcons name="message-outline" size={20} style={{ margin: 20, color: "#a7a7a7" }} /></Text> {item1.LikeList.length > 0 && <Text style={{ margin: 3, color: "#a7a7a7", }}>{item1.Count.replyCount} </Text> } {/* <Text style={{ fontSize: 22, color: "black", fontWeight: "bold", }}>354 </Text> */} </View> </TouchableOpacity> </View> <View> {item1.isReply != undefined && <View style={{ flexDirection: "row", width: "80%", }}> <View style={{ width: "80%", alignItems: "center" }}> <TextInput style={styles.Replyinput} underlineColorAndroid="transparent" placeholder="Write a reply..." placeholderTextColor="grey" autoCapitalize="none" value={this.state.QuestionReplyText} onChangeText={this.QuestionReplyChange} /> </View> <View style={{ width: "20%", alignItems: "center" }}> {this.state.QuestionReplyText != "" && <TouchableOpacity onPress={ () => this.addNestedReplyClick(item) } > <Text style={{ margin: 3 }}><MaterialCommunityIcons name="send-circle-outline" size={30} style={{ margin: 20, color: "#a7a7a7" }} /> </Text> </TouchableOpacity> } </View> </View> } </View> </View> // <Text style={{color:"white"}}>{item.Comment}</Text> )) } </View> } </View> <View> {item.isReply != undefined && <View style={{ flexDirection: "row", width: "80%", }}> <View style={{ width: "80%", alignItems: "center" }}> <TextInput style={styles.Replyinput} underlineColorAndroid="transparent" placeholder="Write a question..." placeholderTextColor="grey" autoCapitalize="none" value={this.state.QuestionReplyText} onChangeText={this.QuestionReplyChange} /> </View> <View style={{ width: "20%", alignItems: "center" }}> {this.state.QuestionReplyText != "" && <TouchableOpacity onPress={ () => this.addReplyClick(item) } > <Text style={{ margin: 3 }}><MaterialCommunityIcons name="send-circle-outline" size={30} style={{ margin: 20, color: "#a7a7a7" }} /> </Text> </TouchableOpacity> } </View> </View> } </View> </View> )) } else { list = <Text style={styles.HeadingText}>No Questions</Text> } return ( <View style={styles.Comments}> <View style={styles.CommentsTop}> <View style={{ flexDirection: "row" }}> <View style={{ width: "20%", }}> <TouchableOpacity onPress={ () => this.GoToPosts() } style={{ borderWidth: 1, borderRadius: 15, backgroundColor: 'white', margin: 20 }}> <AntDesign name="left" size={20} style={{ margin: 10, color: "black", }} /> </TouchableOpacity> </View> <View style={{ width: "80%", }}> {this.QuestionsList.length > 0 && <Text style={styles.HeadingText}>Questions({this.QuestionsList.length})</Text> } {this.QuestionsList.length == 0 && <Text style={styles.HeadingText}>Questions(0)</Text> } </View> {/* <View style={{ width: "25%", }}> <TouchableOpacity style={{ margin: 20 }}> <Fontisto name="share-a" size={25} style={{ margin: 10, color: "white", }} /> </TouchableOpacity> </View> */} </View> </View> <ScrollView> <View style={styles.CommentsBody}> <View>{list}</View> {/* <View style={{ marginTop: 20 }}> <View style={{ flexDirection: "row" }}> <View style={{ flexDirection: "row", width: "70%" }}> <View style={{ margin: 20 }}> <Image source={require('../Images/user.jpg')} style={{ height: 50, width: 50, borderRadius: 10, }} /> </View> <View style={{ margin: 20, marginLeft: 0, marginTop: 40 }}> <Text style={{ fontWeight: "bold", fontSize: 25, color: "#969696" }}>hanuman</Text> </View> </View> <View style={{ width: "30%" }}> <Text style={{ fontSize: 20, color: "#969696", marginTop: 40 }}>5min ago</Text> </View> </View> <View style={{ width: "100%" }}> <Text style={{ fontSize: 20, color: "#969696", margin: 20, marginTop: 0 }}>Hai All Good Evening</Text> </View> <View style={{ width: "100%", flexDirection: "row", margin: 20, marginTop: 0 }}> <TouchableOpacity onPress={ () => this.ChangePage('Friends') } style={{ marginRight: 10 }}> <View style={{ flexDirection: "row", }}> <Text style={{ margin: 3 }}><AntDesign name="hearto" size={30} style={{ margin: 20, color: "#a7a7a7" }} /> </Text> </View> </TouchableOpacity> <TouchableOpacity onPress={ () => this.ChangePage('Friends') } > <View style={{ flexDirection: "row", }}> <Text style={{ margin: 3 }}><MaterialCommunityIcons name="message-outline" size={30} style={{ margin: 20, color: "#a7a7a7" }} /></Text> </View> </TouchableOpacity> </View> </View> */} </View> </ScrollView> <View style={styles.CommentsFooter}> <View style={{ width: "80%", marginLeft: 10, marginTop: "5%" }}> <TextInput style={styles.input} underlineColorAndroid="transparent" placeholder="Write a question..." placeholderTextColor="grey" autoCapitalize="none" value={this.state.question} onChangeText={this.QuestionChange} /> </View> <View style={{ width: "20%", alignItems: "center", marginTop: "6%" }}> {this.state.question != "" && <TouchableOpacity onPress={ () => this.questionClick() } > <Text style={{ margin: 3 }}><MaterialCommunityIcons name="send-circle-outline" size={30} style={{ margin: 20, color: "#a7a7a7" }} /> </Text> </TouchableOpacity> } </View> {/* <Text style={styles.HeadingText}>hai</Text> */} </View> </View> ); }; } const styles = StyleSheet.create({ CommentsBody: { width: "100%", height: "70%", }, Comments: { width: "100%", height: "100%", backgroundColor: '#1f1f21', //alignItems: 'center', }, CommentsTop: { width: "100%", height: 100, borderBottomColor: "white", borderBottomWidth: 1 }, CommentsFooter: { flexDirection: "row", width: "100%", height: "15%", backgroundColor: "white", borderTopRightRadius: 30, borderTopLeftRadius: 30, }, HeadingText: { color: "white", margin: 30, fontSize: 20, fontWeight: "bold", }, BackBtn: { color: "white", margin: 20, marginTop: 0, fontSize: 20, }, RightBtn: { color: "white", // margin: 20, // marginTop: 0, right: 0, fontSize: 20, }, input: { color: "black", fontSize: 20 }, Replyinput: { color: "white", fontSize: 20 }, }); export default Questions;
var namespacemodelo_1_1dominio = [ [ "HibernateUtil", "classmodelo_1_1dominio_1_1HibernateUtil.html", "classmodelo_1_1dominio_1_1HibernateUtil" ] ];
// adds Slack-specific attributes to SAML response elements export default function formatSlackSAMLResponse(SAMLResponse, params = {}) { const insertStr = ` NameQualifier="${params.NameQualifier}" SPNameQualifier="${params.SPNameQualifier}"` const insertAfterStr = 'Format="urn:oasis:names:tc:SAML:2.0:nameid-format:persistent"' const insertIndex = SAMLResponse.indexOf(insertAfterStr) + insertAfterStr.length return _insertAtIndex(SAMLResponse, insertStr, insertIndex) } function _insertAtIndex(targetStr, insertStr, index) { return `${targetStr.slice(0, index)}${insertStr}${targetStr.slice(index)}` }
let rate; function rmbToDollar(rmb) { return rmb / rate; } module.exports = function(r) { rate = r; return rmbToDollar; };
import React from "react"; import "./header.css"; const Header = () => { return ( <div className="header"> <div className="headerTitles"> <span className="headerTitlesSm">React and mern</span> <span className="headerTitlesLg">Blog</span> </div> <img src="https://wallpapercave.com/wp/ZxV8qRo.jpg" alt="" className="headerImg" /> </div> ); }; export default Header;
import React from 'react'; import PropTypes from 'prop-types'; import UserMenu from '../UserMenu'; const Navigation = props => ( <div className="navContainer"> {props.children} <UserMenu /> </div> ); Navigation.propTypes = { children: PropTypes.any.isRequired // eslint-disable-line }; export default Navigation;
var result; if (Math.random()) { require('foo'); } else { require('bar'); }
let express=require('express'); let db=require('./db'); let loginRegister=require('./router/loginRegister'); let UIRouter=require('./router/UIRouter'); const PORT=3000; let app=express(); app.use(express.urlencoded({extended:true})); app.use(express.static('public')); app.set('view engine','ejs'); app.set('views','./views'); db .then(()=>{ app.use(loginRegister); app.use(UIRouter); }) .catch((err)=>{ console.log(err); }) app.listen(PORT,(err)=>{ if(!err) console.log(`服务器启动成功了,端口号为:${PORT}`); else console.log(err); })
let peserta = ['Oktado','Naufal','Oji','Raka','Dheal']; let teamSatu = peserta.slice(0,2); let teamDua = peserta.slice(2) console.log(teamSatu.join()); console.log(teamDua.join());
import React from 'react' import PostLink from '../components/PostLink' import Navbar from '../components/Navbar' import AnimatedBg from '../components/AnimatedBg' const IndexPage = ({ data: { allMarkdownRemark: { edges } } }) => { const Posts = edges.filter(edge => !!edge.node.frontmatter.date) // You can filter your posts based on some criteria .map(edge => <PostLink key={edge.node.id} post={edge.node}/>) return ( <div className="has-background-light"> <section className="hero is-info is-fullheight bg-parent"> <AnimatedBg/> <Navbar/> <div className="hero-body"> <div className="container has-text-centered"> <div className="section"> <div className="columns is-mobile is-centered"> <div className="column is-two-thirds-tablet is-half-desktop"> <p className="title"> Day 983 of My Captivity </p> <p className="subtitle"> I am convinced the other captives are flunkies and maybe snitches. The dog is routinely released and seems more than happy to return. He is obviously a half-wit. The Bird on the other hand has got to be an informant. He has mastered their frightful tongue. (something akin to mole speak) and speaks with them regularly. I am certain he reports my every move. Due to his current placement in the metal room his safety is assured. But I can wait, it is only a matter of time... </p> </div> </div> </div> </div> </div> </section> <div className="container has-text-centered"> <div className="section"> <div className="columns is-multiline"> {Posts} </div> </div> </div> </div> ) } export default IndexPage export const pageQuery = graphql ` query IndexQuery { allMarkdownRemark(sort: { order: DESC, fields: [frontmatter___date] }) { edges { node { id excerpt(pruneLength: 250) frontmatter { date(formatString: "MMMM DD, YYYY") path title bg } } } } } `
/** * @file index.js * @author swan */ const app = getApp() Page({ data: { loading:true, scrollTop:0, loadingAnimate:{}, showUp:false, exceeding:false, content:{ title:"新加坡莱佛士学院地理位置", author:"知乎者也", time:"2018-11-30", text:[ "新加坡莱佛士设计学院简介", "新加坡莱佛士设计学院隶属于世界知名的莱佛士学院集团。新加坡莱佛士设计学院主攻时尚设计、多媒体设计、珠宝设计、游戏动漫设计等专业方向,开设本科及硕士学术学位课程,是去新加坡设计学校领域留学具备十足优势的高校。", "新加坡莱佛士设计学院隶属于世界知名的莱佛士学院集团。新加坡莱佛士设计学院主攻时尚设计、多媒体设计、珠宝设计、游戏动漫设计等专业方向,开设本科及硕士学术学位课程,是去新加坡设计学校领域留学具备十足优势的高校。", "新加坡莱佛士设计学院隶属于世界知名的莱佛士学院集团。新加坡莱佛士设计学院主攻时尚设计、多媒体设计、珠宝设计、游戏动漫设计等专业方向,开设本科及硕士学术学位课程,是去新加坡设计学校领域留学具备十足优势的高校。", "新加坡莱佛士设计学院隶属于世界知名的莱佛士学院集团。新加坡莱佛士设计学院主攻时尚设计、多媒体设计、珠宝设计、游戏动漫设计等专业方向,开设本科及硕士学术学位课程,是去新加坡设计学校领域留学具备十足优势的高校。", "新加坡莱佛士设计学院隶属于世界知名的莱佛士学院集团。新加坡莱佛士设计学院主攻时尚设计、多媒体设计、珠宝设计、游戏动漫设计等专业方向,开设本科及硕士学术学位课程,是去新加坡设计学校领域留学具备十足优势的高校。", ], shoolList:[ { title:'新加坡国立大学就业情况好不好', views:'2425', time:'2018-03-29', imgUrl:'http://img.jupeixun.cn/article/000/105/188/105188.jpg', }, { title:'新加坡国立大学就业情况好不好', views:'2425', time:'2018-03-29', imgUrl:'http://img.jupeixun.cn/article/000/105/188/105188.jpg', }, { title:'新加坡国立大学就业情况好不好', views:'2425', time:'2018-03-29', imgUrl:'http://img.jupeixun.cn/article/000/105/188/105188.jpg', }, { title:'新加坡国立大学就业情况好不好', views:'2425', time:'2018-03-29', imgUrl:'http://img.jupeixun.cn/article/000/105/188/105188.jpg', }, ] } }, showAll(e){ this.setData({ exceeding:false, }) }, loading:function(e) { var loading = swan.createAnimation( { duration: 1000, delay: 0, timingFunction: 'liner', transformOrigin: '50% 50% 0', } ); this.loading = loading; this.setData({ loadingAnimate: loading.export(), }); var n = 0; //连续动画需要添加定时器,所传参数每次+1就行 this.timeInterval = setInterval(function () { // animation.translateY(-60).step() n=n+1; this.loading.rotate(180 * (n)).step() this.setData({ loadingAnimate: this.loading.export() }) }.bind(this), 300) }, stopLoading:function(e){ clearInterval(this.timeInterval) this.timeInterval = 0; this.setData({ loading:false, }); }, onLoad(ops) { // swan.showLoading({ // title: '数据加载中', // mask: true // }); // seo信息 var _this = this; var appInstance = getApp(); swan.request({ url: appInstance.api + 'bdprogram/news/'+ ops.id +'.html', method: 'GET', dataType: 'json', // data: { // key: 'value' // }, header: { 'content-type': 'application/json' // 默认值 }, success: function (res) { console.log(res); if(res.statusCode === 200 && res.data.status === 200){ var _data = res.data.data; _this.setData({ content:_data, loading:false, }); let seoInfo = { seokeywords:'聚培训网,教育培训,教育培训机构,教育培训机构排名,语言培训,雅思培训,托福培训,小语种培训,英语培训', seodescription:'聚培训网(www.jupeixun.cn)提供优质教育培训机构及课程信息,汇集众多优质培训机构、培训课程和培训老师,近十万个教育培训课程班,包含语言培训班,雅思培训班,托福培训班,小语种培训班,英语培训班等,找培训机构排名、搜培训学校地址、选行业名师就上聚培训网!' }; swan.setPageInfo && swan.setPageInfo({ title: _data.title, keywords: seoInfo.seokeywords, description: seoInfo.seodescription, success: function () { console.log('列表页页面基础信息设置完成'); } }); } setTimeout(function() { let query = swan.createSelectorQuery(); query.select('#content').fields({ size: true, },function(res){ res.height }).exec((res)=>{ let height = res[0].height; if(height > 500){ console.log(_this); _this.setData({ exceeding:true, }); } }); },500); swan.hideLoading(); }, fail: function (err) { console.log('错误码:' + err.errCode); console.log('错误信息:' + err.errMsg); } }); }, changeType: function(e) { this.setData({'currentType': e.currentTarget.dataset.code}); }, changeUrl(e){ swan.redirectTo({url:e.currentTarget.dataset.pointUrl}); }, bindscroll:function(e){ if(e.detail.scrollTop > 100){ this.setData({'showUp': true}); }else{ this.setData({'showUp': false}); } }, scrollTop:function(e){ this.setData({'scrollTop':0}); } })
 $.ajaxSetup({ data: {csrfmiddlewaretoken: $("#csrf_token").val() }, }); var array_type=[]; //所有选中问题类型列表 var faq_list=[]; //显示在FAQ下的问题列表(去重数组) var lastType_id=[]; //最后选择类型的问题列表 var qBox_hasOn=0; var scroll_flag=0; var array_type2id={ "type1":["id1"], "type2":["id2"], "type3":["id3"] }; var array_id2question={ "id1":"初始化卡住", "id2":"应用闪退", "id3":"屏幕花屏或黑屏" }; var arrayScrollMove={ "id1":["0","0"], "id2":["-0.69270833rem","0.265625rem"], "id3":["-1.36979167rem","0.515625rem"] }; var urls="/bs/"; function checkForm(){ //校验文本是否为空 if ($("#feedbackTextarea").val() ==""){ $("#check_kong").html("问题描述不能为空").show(); $("#feedbackTextarea").focus(); return false; //event.preventDefault(); 与return false作用相同阻止默认行为表单提交 } if ($("#questionEmail").val() ==""){ $("#check_kong").html("邮箱内容不能为空").show(); $("#questionEmail").focus(); return false; } //验证邮箱 if(!(/^([a-zA-Z0-9_-])+@([a-zA-Z0-9_-])+(.[a-zA-Z0-9_-])+/.test($("#questionEmail").val()))) { $("#check_kong").html("输入邮箱格式错误").show(); $("#questionEmail").focus(); return false; } var data_des=[]; $(".qwrap a").each(function() { if($(this).hasClass("on")){ data_des.push($(this).attr("data-des")); } }); $("#submit_type").attr("value",data_des); $.post(urls+"feedback", { content:$("#feedbackTextarea").val(), //guid:$("#guid").val(), guid:"djklj", email:$("#questionEmail").val(), type:$("#submit_type").val(), }, function(data,status){ console.log(data.success); if(data.success){ //console.log(1); $("#check_kong").html("意见提交成功").show(); }else { if(data.message=="post in 1 min"){ $("#check_kong").html("反馈过于频繁,请等待1分钟后提交。").show(); }else if(data.message=="do not post duplicate content"){ $("#check_kong").html("您已提交过相同意见").show(); }else{ $("#check_kong").html("意见提交失败").show(); } } }); } function checkForm2(){ //校验文本是否为空 if ($("#detail_biaoti").val() ==""){ $("#check_kong2").html("标题不能为空").show(); $("#detail_biaoti").focus(); return false; //event.preventDefault(); 与return false作用相同阻止默认行为表单提交 } // method="post" action="http://127.0.0.1:8080/bs/rating_comment" $.post(urls+"rating_comment", { level:$("#level").val(), guid:$("#guid").val(), app_center_id:$("#app_center_id").val(), title:$("#detail_biaoti").val(), content:$("#detail_miaoshu").val(), }, function(data,status){ //console.log(data.success); if(data.success){ //console.log(1); $("#check_kong2").html("评论添加成功").show(); $("#detail_biaoti").val(""); $("#detail_miaoshu").val(""); var _hmtl; _html="<div class='xiaobian_tit'>"+data.result.title+"</div>"; _html+="<div class='xiaobian_con'><span>匿名</span>——<span>"+data.result.uptime+"</span></div>"; _html+="<div class='xiaobian_con'>"+data.result.content+"</div>"; $(".pincon2").prepend(_html); }else{ if(data.message=="more than 50 times"){ $("#check_kong2").html("您已超出评论数量上限").show(); }else{ $("#check_kong2").html("添加评论失败").show(); } } }); } function qd_CH(platform){ var qudao; if(platform){ switch (platform){ case "game9": qudao="九游"; break; case "360": qudao="360"; break; case "official": qudao="官方"; break; case "baidu": qudao="百度"; break; case "wandoujia": qudao="豌豆荚"; break; case "xiaomi": qudao="小米"; break; case "2345": qudao="2345"; break; case "guopan": qudao="果盘"; break; case "lianxiang": qudao="联想"; break; case "huawei": qudao="华为"; break; case "other": qudao="其他"; break; } } return qudao; } function homeInit(){ var center_url = urls+"app_center_home"; var array_picture = [{0:'stars_0'},{0.5:'stars_1'},{1:'stars_2'},{1.5:'stars_3'},{2:'stars_4'}]; $.get(center_url,function(data,status){ //appcenter推荐游戏函数 function get_recommend_game(box,recommend_game){ var i,item1,_html1=''; var renm; switch (recommend_game){ case "selected_game": renm="精品游戏"; break; case "latest_game": renm="新品游戏"; break; case "online_game_recommend": renm="网游推荐"; break; case "console_game_recommend": renm="单机推荐"; break; case "app_recommend": renm="应用推荐"; break; } $.each(data.result[recommend_game],function(i,item1){ var score=item1['level']; //console.log(score); var star_array=[]; var star_pic=''; for(var d=0; d<5; d++){ if(score>2){ star_array.push(2); score-=2; }else{ star_array.push(score); score=0; } } _html1+="<dl><a onclick=\"browser2Client('showdetails','app_detail_html?id="+item1['id']+"','');_hmt.push([\'_trackEvent\', \'首页_"+renm+"_"+(i+1)+"\',\'click\'])\"> "; if(item1['icon_tag']){ var hanzi; switch (item1['icon_tag']){ case "chong_fan": hanzi="充返"; break; case "shou_fa": hanzi="首发"; break; case "re_men": hanzi="热门"; break; } _html1+="<div class='app_tag'><img src='../../static/images/appcenter/"+item1['icon_tag']+".png'><span>"+hanzi+"</span></div>"; } _html1+="<dt><div class='mask_white'></div>"; _html1+="<img src='"+item1['icon_url']+"'>"; _html1+="</dt><dd class='app_name'>"+item1['title']+"</a></dd>"; _html1+="<dd class='app_star'>"; $.each(star_array,function(){ if (this <= 0) { star_pic = array_picture[0][0]; } else if (this <= 0.5) { star_pic = array_picture[1][0.5]; } else if (this < 1.5) { star_pic = array_picture[2][1]; } else if (this < 2) { star_pic = array_picture[3][1.5]; } else if (this >= 2) { star_pic = array_picture[4][2]; } _html1+="<img src='../../static/images/appcenter/"+star_pic+".png'>"; }); _html1+="</dd><dd class='app_type'>"; if(item1['type']!="" && item1['type'] instanceof Array){ $.each(item1['type'],function(){ _html1+="<a href='app_center_tag_html?tag="+this+"'><span>"+this+"</span></a>" }) } //_html1+=item1['id']; _html1+="</dd></dl>"; }); box.append(_html1); } //appcenter排行榜函数 function get_applist(box,list_name){ var i,item1,_html3=''; var renm; switch (list_name){ case "hot_list": renm="热门榜"; break; case "sell_well_list": renm="畅销榜"; break; case "app_list": renm="应用榜"; break; } $.each(data.result[list_name],function(i,item1){ var nums=i+1; _html3+="<dl><a onclick=\"browser2Client('showdetails','app_detail_html?id="+item1['id']+"','');_hmt.push([\'_trackEvent\', \'首页_"+renm+"_"+(i+1)+"\',\'click\'])\"> <dt><img src='"; if(item1['small_icon_url']==""||item1['small_icon_url']==null||item1['small_icon_url']=="null"){ _html3+=item1['icon_url']+"'> </dt><dd class='app_name'>"+item1['title']+"</a>"; }else{ _html3+=item1['small_icon_url']+"'> </dt><dd class='app_name'>"+item1['title']+"</a>"; } _html3+="<dd class='app_type'>"; if(item1['type']!="" && item1['type'] instanceof Array){ $.each(item1['type'],function(){ _html3+="<a href='app_center_tag_html?tag="+this+"'><span>"+this+"</span></a>"; }) } _html3+="</dd><dd class='app_down'><span>"+item1['download_count']+"</span>+次下载</dd>"; //var arr_down=[item1['icon_url'],item1['title'],'http://duokoo.baidu.com/game/?pageid=Hdkicssp&p_tag=1372428']; //console.log(arr_down); //_html3+="<dd class='downloadbtn'><a onclick=\"browser2Client('installapp','"+arr_down+"','')\">下载</a></dd>"; _html3+="<dd class='downloadbtn'><a onclick=\"browser2Client('showdetails','app_detail_html?id="+item1['id']+"','');_hmt.push([\'_trackEvent\', \'首页_"+renm+"_"+(i+1)+"\',\'click\'])\">下载</a></dd>"; _html3+="<dd class='nums'>"; if(nums>9){ var a1=parseInt(nums/10); var a2=Math.floor(nums%10); _html3+="<img src='../../static/images/appcenter/num"+a2+".png'><img src='../../static/images/appcenter/num"+a1+".png'>"; }else{ _html3+="<img src='../../static/images/appcenter/num"+nums+".png'>"; } _html3+="</dd></dl>"; }); box.html(_html3); } //appcenter头部轮播 function get_toploop(box,list_name){ var i,item1,_html3=''; $.each(data.result[list_name],function(i,item1){ _html3+="<li>"; if(item1['topic_game']){ var arr_down=[item1['topic_game'].icon_url,item1['topic_game'].game_name,item1['topic_game'].download_url]; _html3+="<a onclick=\"browser2Client('installapp','"+arr_down+"','"+item1['topic_game'].package_name+"');_hmt.push([\'_trackEvent\', \'首页_轮播图_"+(i+1)+"\',\'click\'])\"><img src='"+item1['small_image_url']+"'></a>"; }else{ if(item1['url']=="None"||item1['url']==null){ _html3+="<a href='app_center_topic_detail_html?topic_id="+item1['id']+"&topic_name="+item1['topic_name']+"' onclick=\"_hmt.push([\'_trackEvent\', \'首页_轮播图_"+(i+1)+"\',\'click\'])\"><img src='"+item1['small_image_url']+"'></a>"; }else{ _html3+="<a href='"+item1['url']+"' onclick=\"_hmt.push([\'_trackEvent\', \'首页_轮播图_"+(i+1)+"\',\'click\'])\"><img src='"+item1['small_image_url']+"'></a>"; } } _html3+="</li>"; }); box.html(_html3); } //appcenter底部专题 function get_bottomzt(box,list_name){ var i,item1,_html3=''; $.each(data.result[list_name],function(i,item1){ if(item1['topic_game']){ var arr_down=[item1['topic_game'].icon_url,item1['topic_game'].game_name,item1['topic_game'].download_url]; _html3+="<dl class='app_huodong'><a onclick=\"browser2Client('installapp','"+arr_down+"','"+item1['topic_game'].package_name+"');_hmt.push([\'_trackEvent\', \'首页_轮播图_"+(i+1)+"\',\'click\'])\"><div class='mask_white'></div><dt><img src='"+item1['small_image_url']+"'></dt></a>"; }else{ if(item1['url']=="None"||item1['url']==null){ _html3+="<dl class='app_huodong'><a href='app_center_topic_detail_html?topic_id="+item1['id']+"&topic_name="+item1['topic_name']+"'onclick=\"_hmt.push([\'_trackEvent\', \'首页_专题_"+(i+1)+"\',\'click\'])\"><div class='mask_white'></div>"; }else{ _html3+="<dl class='app_huodong'><a href='"+item1['url']+"'onclick=\"_hmt.push([\'_trackEvent\', \'首页_专题_"+(i+1)+"\',\'click\'])\"><div class='mask_white'></div>"; } _html3+="<dt><img src='"+item1['small_image_url']+"'></dt></a>"; } _html3+="</dl>"; }); //console.log(_html3); box.html(_html3); } //appcenter推荐默认 get_recommend_game($(".jp_carousel_con"),"selected_game"); carouselPic("jp_carousel",6); get_recommend_game($(".xp_carousel_con"),"latest_game"); carouselPic("xp_carousel",6); //appcenter排行榜默认 get_applist($(".app_listbox"),"hot_list"); //appcenter排行榜tab切换 $(".app_bangdan a").click(function(){ $(this).addClass("on").siblings().removeClass("on"); _html3=''; var list_name=$(this).attr("data-list"); get_applist($(".app_listbox"),list_name); }) //appcenter底部专题 get_bottomzt($("#hd_carousel_con"),"zhuanti"); carouselPic("hd_carousel",3); //appcenter头部轮播 get_toploop($("#app_kvshower"),"lunbo"); var app_kv= new Zoompic("app_kv"); window.onresize = function (){ app_kv.resizes(); clearTimeout(timer_loop); var timer_loop = setTimeout(function() { appmainscroll.resize_scroll(); }, 10); } }) } function recommendInit(){ var center_url = urls+"app_center_recommend"; var array_picture = [{0:'stars_0'},{0.5:'stars_1'},{1:'stars_2'},{1.5:'stars_3'},{2:'stars_4'}]; $.get(center_url,function(data,status){ //apprecommend推荐分类戏函数 function get_recommend_category(box,recommend_category){ var i,item1,_html1=''; var renm; switch (recommend_category){ case "selected_game": renm="精品游戏"; break; case "latest_game": renm="新品游戏"; break; case "online_game_recommend": renm="网游推荐"; break; case "console_game_recommend": renm="单机推荐"; break; case "app_recommend": renm="应用推荐"; break; } $.each(data.result[recommend_category],function(i,item1){ var score=item1['level']; //alert(score); var star_array=[]; var star_pic=''; for(var d=0; d<5; d++){ if(score>2){ star_array.push(2); score-=2; }else{ star_array.push(score); score=0; } } _html1+="<dl><a onclick=\"browser2Client('showdetails','app_detail_html?id="+item1['id']+"','');_hmt.push(['_trackEvent', '推荐_"+renm+"_"+(i+1)+"','click'])\"><div class='mask_white'></div> <dt><img src='"+item1['icon_url']+"'>"; if(item1['icon_tag']){ var hanzi; switch (item1['icon_tag']){ case "chong_fan": hanzi="充返"; break; case "shou_fa": hanzi="首发"; break; case "re_men": hanzi="热门"; break; } _html1+="<div class='app_tag'><img src='../../static/images/appcenter/"+item1['icon_tag']+".png'><span>"+hanzi+"</span></div>"; } _html1+="</dt><dd class='app_name'>"+item1['title']+"</a></dd>"; _html1+="<dd class='app_star'>"; $.each(star_array,function(){ if (this <= 0) { star_pic = array_picture[0][0]; } else if (this <= 0.5) { star_pic = array_picture[1][0.5]; } else if (this < 1.5) { star_pic = array_picture[2][1]; } else if (this < 2) { star_pic = array_picture[3][1.5]; } else if (this >= 2) { star_pic = array_picture[4][2]; } _html1+="<img src='../../static/images/appcenter/"+star_pic+".png'>"; }); _html1+="</dd><dd class='app_type'>"; if(item1['type']!="" && item1['type'] instanceof Array){ $.each(item1['type'],function(){ _html1+="<a href='app_center_tag_html?tag="+this+"'><span>"+this+"</span></a>" }) } _html1+="</dd><dd class='app_down'><span>"+item1['download_count']+"</span>+次下载</dd></dl>"; }); box.append(_html1); } //recommend分类游戏 get_recommend_category($(".wangyou"),"online_game_recommend"); carouselPic("wangyoubox",9); get_recommend_category($(".danji"),"console_game_recommend"); carouselPic("danjibox",9); get_recommend_category($(".yingyong"),"app_recommend"); carouselPic("yingyongbox",9); window.onresize = function (){ clearTimeout(timer_loop); var timer_loop = setTimeout(function() { appmainscroll.resize_scroll(); }, 10); }; }) } function listInit(){ var center_url = urls+"app_center_board"; $.get(center_url,function(data,status){ //applist排行榜函数 function get_applist(box,list_name){ var i,item1,_html3=''; var renm; switch (list_name){ case "hot_list": renm="热门榜"; break; case "sell_well_list": renm="畅销榜"; break; case "app_list": renm="应用榜"; break; } $.each(data.result[list_name],function(i,item1){ var nums=i+1; _html3+="<dl><a onclick=\"browser2Client('showdetails','app_detail_html?id="+item1['id']+"','');_hmt.push(['_trackEvent', '排行榜_"+renm+"_"+(i+1)+"','click'])\"> <dt><img src='"; if(item1['small_icon_url']==""||item1['small_icon_url']==null||item1['small_icon_url']=="null"){ _html3+=item1['icon_url']+"'> </dt><dd class='app_name'>"+item1['title']+"</a>"; }else{ _html3+=item1['small_icon_url']+"'> </dt><dd class='app_name'>"+item1['title']+"</a>"; } _html3+="<dd class='app_type'>"; if(item1['type']!="" && item1['type'] instanceof Array){ $.each(item1['type'],function(){ _html3+="<a href='app_center_tag_html?tag="+this+"'><span>"+this+"</span></a>" }) } _html3+="</dd><dd class='app_down'><span>"+item1['download_count']+"</span>+次下载</dd>"; _html3+="<dd class='downloadbtn'><a onclick=\"browser2Client('showdetails','app_detail_html?id="+item1['id']+"','');_hmt.push(['_trackEvent', '排行榜_"+renm+"_"+(i+1)+"','click'])\">下载</a></dd>"; _html3+="<dd class='nums'>"; if(nums>9){ var a1=parseInt(nums/10); var a2=Math.floor(nums%10); _html3+="<img src='../../static/images/appcenter/num"+a2+".png'><img src='../../static/images/appcenter/num"+a1+".png'>"; }else{ _html3+="<img src='../../static/images/appcenter/num"+nums+".png'>"; } _html3+="</dd></dl>"; }); box.html(_html3); } //applist排行榜 get_applist($("#applistcon_hot"),"hot_list"); get_applist($("#applistcon_well"),"sell_well_list"); get_applist($("#applistcon_app"),"app_list"); var applist=new scrolls('applist'); window.onresize = function (){ clearTimeout(timer_loop); var timer_loop = setTimeout(function() { applist.resize_scroll(); }, 10); }; if($("#applist_container").height()>=$("#applist_shower").height()){ $("#applist_scroller").hide(); } }) } function topicInit(){ var center_url = urls+"app_center_topic_list"; $.get(center_url,function(data,status){ //apptopic头部轮播 function get_toploop(box){ var i,item1,_html3=''; $.each(data.result.lunbo,function(i,item1){ _html3+="<li>"; if(item1['topic_game']){ var arr_down=[item1['topic_game'].icon_url,item1['topic_game'].game_name,item1['topic_game'].download_url]; _html3+="<a onclick=\"browser2Client('installapp','"+arr_down+"','"+item1['topic_game'].package_name+"');_hmt.push([\'_trackEvent\', \'首页_轮播图_"+(i+1)+"\',\'click\'])\"><img src='"+item1['small_image_url']+"'></a>"; }else{ if(item1['url']=="None"||item1['url']==null){ _html3+="<a href='app_center_topic_detail_html?topic_id="+item1['id']+"' onclick=\"_hmt.push([\'_trackEvent\', \'专题_轮播图_"+(i+1)+"\',\'click\'])\"><img src='"+item1['small_image_url']+"'></a>"; }else{ _html3+="<a href='"+item1['url']+"' onclick=\"_hmt.push([\'_trackEvent\', \'专题_轮播图_"+(i+1)+"\',\'click\'])\"><img src='"+item1['small_image_url']+"'></a>"; } } _html3+="</li>"; }); box.html(_html3); } //apptopic底部专题 function get_bottomzt(box){ var i,item1,_html3=''; $.each(data.result.zhuanti,function(i,item1){ if(item1['topic_game']){ var arr_down=[item1['topic_game'].icon_url,item1['topic_game'].game_name,item1['topic_game'].download_url]; _html3+="<dl class='app_huodong'><a onclick=\"browser2Client('installapp','"+arr_down+"','"+item1['topic_game'].package_name+"');_hmt.push([\'_trackEvent\', \'首页_轮播图_"+(i+1)+"\',\'click\'])\"><div class='mask_white'></div><dt><img src='"+item1['small_image_url']+"'></dt></a>"; }else{ if(item1['url']=="None"||item1['url']==null){ _html3+="<dl class='app_huodong'><a href='app_center_topic_detail_html?topic_id="+item1['id']+"' onclick=\"_hmt.push([\'_trackEvent\', \'专题_精彩专题_"+(i+1)+"\',\'click\'])\"><div class='mask_white'></div>"; }else{ _html3+="<dl class='app_huodong'><a href='"+item1['url']+"' onclick=\"_hmt.push([\'_trackEvent\', \'专题_精彩专题_"+(i+1)+"\',\'click\'])\"><div class='mask_white'></div>"; } _html3+="<dt><img src='"+item1['small_image_url']+"'></a></dt>"; } _html3+="</dl>"; }); box.html(_html3); } //apptopic头部轮播 get_toploop($("#app_kvshower2")); //apptopic页面底部活动 get_bottomzt($("#topic_carousel_con")); var app_kv2= new Zoompic("app_kv2"); window.onresize = function (){ app_kv2.resizes(); }; carouselPic("topic_carousel",3); }) } function topicDetailInit(box){ var center_url = urls+"app_center_topic_list"; $.get(center_url,function(data,status){ //apptopic底部专题 function get_topicdetail(box){ var i,item1,_html3=''; $.each(data.result.lunbo,function(i,item1){ _html3+="<dl class='app_huodong'><a href='app_center_topic_detail_html?topic_id="+item1['id']+"' onclick=\"_hmt.push(['_trackEvent', '专题全部_"+(i+1)+"','click'])\"><div class='mask_white'></div>"; _html3+="<dt><img src='"+item1['small_image_url']+"'></a></dt>"; _html3+="</dl>"; }); box.html(_html3); $.each(data.result.zhuanti,function(i,item1){ _html3+="<dl class='app_huodong'><a href='app_center_topic_detail_html?topic_id="+item1['id']+"' onclick=\"_hmt.push(['_trackEvent', '专题全部_"+(i+1)+"','click'])\"><div class='mask_white'></div>"; _html3+="<dt><img src='"+item1['small_image_url']+"'></a></dt>"; _html3+="</dl>"; }); box.html(_html3); } //apptopic页面底部活动 get_topicdetail($("#jczt")); }) } (function () { var floatBox_h=$(".floatBox").height(); $(".feedTtile a").click(function(e){//意见反馈 title tab切换 faq_list = []; array_type=[]; $("#pop_shower").html(""); var feedIndex=$(this).index(); $(this).removeClass("wt").addClass("yj").siblings().removeClass("yj").addClass("wt"); $(".mainCon").addClass("hide"); $("#feed"+feedIndex).removeClass("hide"); $(".qBox").removeClass("on"); /*$(".info_scroll_bar2").css("top","0"); $("#tabFaq_shower").css("top","0");*/ $("#feed1 a").removeClass("colorBlue"); qBox_hasOn=0; $("#pop_shower").empty(); });//feedTtile $(".gdetailtit a").click(function(){//意见反馈 title tab切换 var feedIndex=$(this).index(); $(this).removeClass("wt").addClass("yj").siblings().removeClass("yj").addClass("wt"); $(".appdetail_box").addClass("hide"); $(".detailtab"+feedIndex).removeClass("hide"); })//feedTtile rray_type=[]; //所有选中问题类型列表 faq_list=[]; //显示在FAQ下的问题列表(去重数组) lastType_id=[]; $(".qBox").click(function(e){//意见反馈 左侧问题类型选择按钮 e.stopPropagation(); $("#pop_shower").html(""); var qBoxid=$(this).attr("id"); lastType_id=[]; if($(this).hasClass("on")){ $(this).removeClass("on"); qBox_hasOn--; array_type.splice($.inArray(qBoxid,array_type),1); //取消时,去掉选中类型 $("#pop_shower").css("top","0" ); $(".info_scroll_bar").css("top","0"); //$("#pop_shower a").removeClass("colorBlue"); }else{ $(this).addClass("on"); qBox_hasOn++; array_type.push(qBoxid); lastType_id=array_type2id[qBoxid];//最后选中的几个id //加入选中类型 } // 根据选中类型获取问题列表 var faq_tmplist = []; //每次全新统计,先清空 for(var i=0;i<array_type.length;i++) { var curItems = array_type2id[array_type[i]]; for(var j=0;j<curItems.length;j++) { if(($.inArray(curItems[j],faq_tmplist)==-1) && ($.inArray(curItems[j],lastType_id)==-1)) { //不存在的加入,无需再次去重,lastType_id记录最后的问题,以便显示在最前面 faq_tmplist.push(curItems[j]);    } } } faq_list =[]; faq_list=faq_tmplist.concat(lastType_id); //显示问题列表 for(var j=0; j<faq_list.length; j++){ var html="<a data-id='"+faq_list[j]+"'><span></span>"+array_id2question[faq_list[j]]+"</a>" $("#pop_shower").prepend(html); } //高亮显示最后的问题 $("#pop_shower a").each(function() { if($.inArray($(this).attr("data-id"),lastType_id)!=-1){ $(this).addClass("colorBlue"); } }); if(qBox_hasOn>0){ $("#floatFAQ").removeClass("hide"); //alert(floatBox_h); //alert($("#pop_shower").height()); if($("#pop_shower").height()>floatBox_h){ $(".info_scroller").removeClass("hide"); //scroll_flag=1; }else{ $(".info_scroller").addClass("hide"); //popscroll.stopmousemove(); //scroll_flag=0; //$("#pop_shower").css("top","0 !important "); //alert($("#pop_shower").height()+"后"); } }else{ $("#floatFAQ").addClass("hide"); $(".qBox").removeClass("on"); } $("#pop_shower a").click(function(){ //alert(1); $(this).parents("#floatFAQ").addClass("hide"); var feed_blue=$(this).attr("data-id"); $("#feed0").addClass("hide"); $("#feed1").removeClass("hide").find("#"+feed_blue).addClass("colorBlue").siblings().removeClass("colorBlue"); $("#feed1").removeClass("hide").find("#"+feed_blue).find(".dot").css("background","#008bef"); /*$(".info_scroll_bar2").css("top",arrayScrollMove[feed_blue][1]); $("#tabFaq_shower").css("top",arrayScrollMove[feed_blue][0]);*/ $("#yj").removeClass("yj").addClass("wt"); $("#wt").removeClass("wt").addClass("yj"); $("tabFaq_shower a").addClass("colorBlue"); })//floatFAQ })//qBox $(".fanhui").click(function(){ $("#wt").removeClass("yj").addClass("wt"); $("#yj").removeClass("wt").addClass("yj"); $("#feed1").addClass("hide"); $("#feed0").removeClass("hide"); faq_list = []; array_type=[]; $("#pop_shower").html(""); $(".qBox").removeClass("on"); $("#feed1 a").removeClass("colorBlue"); qBox_hasOn=0; $("#pop_shower").empty(); }) $(document).click(function(e){ if(!$(e.target).parents("#floatFAQ").length){//点击鼠标关闭意见反馈弹框 $("#floatFAQ").addClass("hide"); } if(!$(e.target).parent(".check_kong").length&&!$(e.target).parent(".questionSubmit").length){//点击鼠标关闭意见反馈表单提示 $("#check_kong").hide(); } if(!$(e.target).parent(".check_kong2").length&&!$(e.target).parent(".detail_tj").length){//点击鼠标关闭意见反馈表单提示 $("#check_kong2").hide(); } }); $(document).keypress(function(){//按下键盘关闭意见反馈表单提示 $("#check_kong").hide(); $("#check_kong2").hide(); }) })()
/** * Main action * * You can invoke this function via: * aio rt:action:invoke <action_path> -p companyId '<company_id>' -p apiKey '<api_key>' -p token '<access_token>' * * To find your <action_path>, run this command: * aio rt:ls * * To show debug logging for this function, you can add the LOG_LEVEL parameter as well: * aio rt:action:invoke <action_path> -p companyId '<company_id>' -p apiKey '<api_key>' -p token '<access_token>' -p LOG_LEVEL '<log_level>' * ... where LOG_LEVEL can be one of [ error, warn, info, verbose, debug, silly ] * * Then, you can view your app logs: * aio app:logs */ const { Core, Analytics } = require('@adobe/aio-sdk') async function main (params) { // create a Logger const myAppLogger = Core.Logger('MyApp', { level: params.LOG_LEVEL }) // 'info' is the default level if not set myAppLogger.info('Calling the main action') // log levels are cumulative: 'debug' will include 'info' as well (levels are in order of verbosity: error, warn, info, verbose, debug, silly) myAppLogger.debug(`params: ${JSON.stringify(params, null, 2)}`) try { // initialize the sdk const analyticsClient = await Analytics.init(params.companyId, params.apiKey, params.token) // get collections from analytic API const collections = await analyticsClient.getCollections({ limit: 5, page: 0 }) myAppLogger.debug(`collections = ${JSON.stringify(collections, null, 2)}`) return collections } catch (error) { myAppLogger.error(error) } } exports.main = main
window.onload = init; function init (){ document.getElementById("generateButton").addEventListener("click", drawBox); document.getElementById("clearButton").addEventListener("click", clear); } function drawBox (name, color, selectedAmount) { var name = document.getElementById("name").value; var color = document.getElementById('color').value; var amounts = document.getElementsByName("amount"); var selectedAmount = 0; for (var i = 0; i< amounts.length; i++) { if(amounts[i].checked) { selectedAmount = amounts[i].value; } } for (var i = 1; i <= selectedAmount; i ++) { var div = document.createElment("div"); div.addClass("box"); } var divs = document.getElementByClassName("box"); }
$(function() { $('.J_BtnToggle').click(function() { var a = $(this).siblings('.u-btn-grid .dropdown'); if (a.is(':hidden')) { $('.u-btn-grid .dropdown').hide(); $(this).siblings('.u-btn-grid .dropdown').show(); } else { a.hide(); } }); })
"use strict"; const NO_WATCH_PATTERN = "You must supply a glob pattern of the files to watch.", NO_ALLOWED_ORIGIN = "You must supply an allowed origin. Something like 'http://localhost:8000', for example."; module.exports = { NO_WATCH_PATTERN, NO_ALLOWED_ORIGIN };
var pop_2lib_8h = [ [ "pop_fetch_mail", "pop_2lib_8h.html#ae41e43ca791955eb76c5709db39a21d7", null ], [ "pop_path_probe", "pop_2lib_8h.html#a5b33b7c070124e656f1a4e8c67c039ad", null ], [ "config_init_pop", "pop_2lib_8h.html#a51af99fa94746593ce0cdf071c224851", null ], [ "MxPopOps", "pop_2lib_8h.html#aec53cbb4297fe9b475784600a3957dc7", null ] ];
"use strict"; module.exports = function(sequelize, DataTypes) { var User = sequelize.define("User", { user_id: { type: DataTypes.STRING, primaryKey: true }, username: { type: DataTypes.STRING } }); User.refreshUser = function(username, user_id){ return User.upsert({ user_id, username }); } return User; };
const Register = ({ props: { setForm, data, styles, handleSubmit, setShow }, }) => { const { name, email, password, confirmPassword } = data; const handleChange = ({ target: { value, id } }) => setForm((f) => ({ ...f, register: { ...f.register, [id]: value } })); return ( <> <h3 className={styles.title}>Register</h3> <form id='register' className={styles.authform} onSubmit={handleSubmit}> <label htmlFor='name'>Name: </label> <input onChange={handleChange} value={name} type='text' placeholder='Name' id='name' required autoComplete='name' ></input> <label htmlFor='email'>Email: </label> <input onChange={handleChange} value={email} type='text' placeholder='Email' id='email' required autoComplete='email' ></input> <label htmlFor='password'>Password: </label> <input onChange={handleChange} value={password} type='password' placeholder='Password' id='password' required autoComplete='current-password' ></input> <label htmlFor='confirmPassword'>Confirm Password: </label> <input onChange={handleChange} value={confirmPassword} type='password' placeholder='Confirm password' id='confirmPassword' required autoComplete='current-password' ></input> <button type='submit'>Submit</button> </form> <button className={styles.toggle} onClick={() => setShow('login')}> I already have an account </button> </> ); }; export default Register;
const util1 = require("./IMPmodules/util") const util = new util1() function collisiondynamic(entities, entity1, entity2, reverse, dist, normalspeed) { let confirm = true while (confirm) { if (dist == 0) { confirm = false return } let overlap = (((entity1.radius + entity2.radius) - dist) / 2); if (reverse == "objtest") { if (normalspeed < 0) { normalspeed = -normalspeed } let anglespeed2 = util.anglebetween2point(entity1.x, entity1.y, entity2.x, entity2.y) let anglespeed1 = util.anglebetween2point(entity2.x, entity2.y, entity1.x, entity1.y) let firstpos1 = util.rotate(0, 0, 0 + normalspeed, 0, anglespeed1) let firstpos2 = util.rotate(0, 0, 0 + normalspeed, 0, anglespeed2) if (entity2.movable) { entity2.x += firstpos2.x entity2.y += firstpos2.y if (entity2.pos) { entity2.pos.x += firstpos2.x entity2.pos.y += firstpos2.y } } if (entity1.movable) { entity1.x += firstpos1.x entity1.y += firstpos1.y if (entity1.pos) { entity1.pos.x += firstpos1.x entity1.pos.y += firstpos1.y } } } else if (reverse == "tailslap") { if (normalspeed < 0) { normalspeed = -normalspeed } if (dist === 1) { if (entity2.movable) { let tailslapent2 = util.rotate(entity1.x, entity1.y, entity1.x - entity1.radius * 1, entity1.y, entity1.angle) let anglespeed2 = util.anglebetween2point(tailslapent2.x, tailslapent2.y, entity2.x, entity2.y) let firstpos2 = util.rotate(0, 0, 0 + normalspeed, 0, anglespeed2) entity2.x += firstpos2.x entity2.y += firstpos2.y if (entity2.pos) { entity2.pos.x += firstpos2.x entity2.pos.y += firstpos2.y } } } else if (dist === 2) { if (entity1.movable) { let tailslapent1 = util.rotate(entity2.x, entity2.y, entity2.x - entity2.radius * 1, entity2.y, entity2.angle) let anglespeed1 = util.anglebetween2point(tailslapent1.x, tailslapent1.y, entity1.x, entity1.y) let firstpos1 = util.rotate(0, 0, 0 + normalspeed, 0, anglespeed1) entity1.x += firstpos1.x entity1.y += firstpos1.y if (entity1.pos) { entity1.pos.x += firstpos1.x entity1.pos.y += firstpos1.y } } } } else { if (reverse) { let power = dist / 10 let reversspeed = 10 if (power > reversspeed) { power = reversspeed } let newposx2 = (entity1.x - entity2.x) / -dist * power let newposy2 = (entity1.y - entity2.y) / -dist * power let newposx1 = (entity2.x - entity1.x) / -dist * power let newposy1 = (entity2.y - entity1.y) / -dist * power if (entity2.movable) { entity2.x -= newposx2 entity2.y -= newposy2 if (entity2.pos) { entity2.pos.x -= newposx2 entity2.pos.y -= newposy2 } } if (entity1.movable) { entity1.x -= newposx1 entity1.y -= newposy1 if (entity1.pos) { entity1.pos.x -= newposx1 entity1.pos.y -= newposy1 } } } else { let newposx2 = (entity2.x - entity1.x) / dist * (overlap + (entity2.pos ? entity2.speed + entity2.veloX / 2 : 0) / 2); let newposy2 = (entity2.y - entity1.y) / dist * (overlap + (entity2.pos ? entity2.speed + entity2.veloY / 2 : 0) / 2); let newposx1 = (entity1.x - entity2.x) / dist * (overlap + (entity1.pos ? entity1.speed + entity1.veloX / 2 : 0) / 2); let newposy1 = (entity1.y - entity2.y) / dist * (overlap + (entity1.pos ? entity1.speed + entity1.veloY / 2 : 0) / 2); if (entity2.movable) { entity2.x += newposx2 entity2.y += newposy2 if (entity2.pos) { entity2.pos.x += newposx2 entity2.pos.y += newposy2 } } if (entity1.movable) { entity1.x += newposx1 entity1.y += newposy1 if (entity1.pos) { entity1.pos.x += newposx1 entity1.pos.y += newposy1 } } } } confirm = false } } collisiondynamic.prototype = {} module.exports = collisiondynamic
import React from 'react' import s from './Message.module.css' const Message = (props) => { if (props.id == 1 ) { return <div className={`${s.message} ${s.interlocutor1}`}>{props.message}</div> } else { return <div className={`${s.message} ${s.interlocutor2}`}>{props.message}</div> } } export default Message
import { Color } from '../../core/math/color.js'; import { ShaderProcessorOptions } from '../../platform/graphics/shader-processor-options.js'; import { SHADERDEF_INSTANCING, SHADERDEF_MORPH_NORMAL, SHADERDEF_MORPH_POSITION, SHADERDEF_MORPH_TEXTURE_BASED, SHADERDEF_SCREENSPACE, SHADERDEF_SKIN } from '../constants.js'; import { getProgramLibrary } from '../shader-lib/get-program-library.js'; import { basic } from '../shader-lib/programs/basic.js'; import { Material } from './material.js'; /** * A BasicMaterial is for rendering unlit geometry, either using a constant color or a color map * modulated with a color. * * ```javascript * // Create a new Basic material * const material = new pc.BasicMaterial(); * * // Set the material to have a texture map that is multiplied by a red color * material.color.set(1, 0, 0); * material.colorMap = diffuseMap; * * // Notify the material that it has been modified * material.update(); * ``` * * @augments Material * @category Graphics */ class BasicMaterial extends Material { /** * The flat color of the material (RGBA, where each component is 0 to 1). * * @type {Color} */ color = new Color(1, 1, 1, 1); /** @ignore */ colorUniform = new Float32Array(4); /** * The color map of the material (default is null). If specified, the color map is * modulated by the color property. * * @type {import('../../platform/graphics/texture.js').Texture|null} */ colorMap = null; /** @ignore */ vertexColors = false; /** * Copy a `BasicMaterial`. * * @param {BasicMaterial} source - The material to copy from. * @returns {BasicMaterial} The destination material. */ copy(source) { super.copy(source); this.color.copy(source.color); this.colorMap = source.colorMap; this.vertexColors = source.vertexColors; return this; } /** * @param {import('../../platform/graphics/graphics-device.js').GraphicsDevice} device - The graphics device. * @param {import('../scene.js').Scene} scene - The scene. * @ignore */ updateUniforms(device, scene) { this.clearParameters(); this.colorUniform[0] = this.color.r; this.colorUniform[1] = this.color.g; this.colorUniform[2] = this.color.b; this.colorUniform[3] = this.color.a; this.setParameter('uColor', this.colorUniform); if (this.colorMap) { this.setParameter('texture_diffuseMap', this.colorMap); } } getShaderVariant(device, scene, objDefs, unused, pass, sortedLights, viewUniformFormat, viewBindGroupFormat, vertexFormat) { const options = { skin: objDefs && (objDefs & SHADERDEF_SKIN) !== 0, screenSpace: objDefs && (objDefs & SHADERDEF_SCREENSPACE) !== 0, useInstancing: objDefs && (objDefs & SHADERDEF_INSTANCING) !== 0, useMorphPosition: objDefs && (objDefs & SHADERDEF_MORPH_POSITION) !== 0, useMorphNormal: objDefs && (objDefs & SHADERDEF_MORPH_NORMAL) !== 0, useMorphTextureBased: objDefs && (objDefs & SHADERDEF_MORPH_TEXTURE_BASED) !== 0, alphaTest: this.alphaTest > 0, vertexColors: this.vertexColors, diffuseMap: !!this.colorMap, pass: pass }; const processingOptions = new ShaderProcessorOptions(viewUniformFormat, viewBindGroupFormat, vertexFormat); const library = getProgramLibrary(device); library.register('basic', basic); return library.getProgram('basic', options, processingOptions, this.userId); } } export { BasicMaterial };
import React from 'react' import moment from 'moment' import {Card, Tabs, Divider} from 'antd' import {Link} from 'react-router-dom' const TabPane = Tabs.TabPane; export const ReporteCard = ({id, arete_rancho, arete_siniga, peso_entrada, lote, aliments, pesadas, costo_inicial, raza, costo_kilo, ref_factura_original, fecha_entrada}) => { let alimentsCostTotal = 0; let vacunasCostTotal = 0; let alimentsQuantityTotal = 0; aliments?aliments:aliments=[] pesadas?pesadas:pesadas=[] //suma el costo de todos los gastos let resultCost = aliments.map( (item, ix) => { if(item.tipo==='Alimento')return alimentsCostTotal += parseFloat(item.costo) else return vacunasCostTotal += parseFloat(item.costo) }); //suma la cantidad de todos los gastos let resultQuantity = aliments.map( (item, ix) => { if(item.tipo==='Alimento')return alimentsQuantityTotal += parseFloat(item.cantidad) }); //obtiene la diferencia en dias desde su llegada hasta hoy var given = moment(fecha_entrada, "YYYY-MM-DD"); var current = moment().startOf('day'); let differenceTotal = moment.duration(current.diff(given)).asDays().toFixed(0); //ultima pesada let lastPesadaDate = pesadas.length>=1?moment(pesadas[pesadas.length-1].created):moment(0); let lastPesada = pesadas.length>=1?pesadas[pesadas.length-1].peso:0; //dias de la llegada a la ultima pesada let differenceLastPesada = moment.duration(lastPesadaDate.diff(given)).asDays().toFixed(0); //ganancia diaria promedio y otros indicadores let gdp = ((lastPesada-peso_entrada)/differenceLastPesada).toFixed(2) console.log(gdp) let conversion = ((lastPesada-peso_entrada)/alimentsQuantityTotal).toFixed(2) let rendimiento = (alimentsQuantityTotal/(lastPesada-peso_entrada)).toFixed(2) //dias de la ultima pesada al dia de hoy let diffToday = moment.duration(current.diff(lastPesadaDate)).asDays().toFixed(0); //peso actual aprox en base a la gdp let pesoAproxToday = (diffToday*gdp) + parseFloat(lastPesada) return ( <Card style={{width:'100%', padding:0}} > <Tabs> <TabPane tab="Básicos y Peso" key="1"> <div> <p style={{margin:0}}> Siniga: <Link to={`/admin/animals/${id}`}>{arete_siniga}</Link> </p> <p style={{margin:0}}> Arete de Rancho: {arete_rancho} </p> <p style={{margin:0}}> Lote: <Link to={`/admin/lotes/${lote?lote.id:''}`}> {lote?lote.name:''}</Link> </p> <p style={{margin:0}}> Fecha de Llegada {moment(fecha_entrada).format('LL')} </p> <p style={{margin:0}}> Días en Rancho {differenceTotal} días </p> </div> <Divider/> <div> <p style={{margin:0}}> Peso de entrada: {peso_entrada}Kg </p> <p style={{margin:0}}> Última Pesada {lastPesada}Kg </p> <p style={{margin:0}}> Kg Hechos(última pesada) {lastPesada-peso_entrada}Kg </p> <p style={{margin:0}}> Peso Actual Aproximado {pesoAproxToday}Kg </p> <p style={{margin:0}}> Días para venta {((390-lastPesada)/gdp).toFixed(0)} días </p> <p style={{margin:0}}> Fecha de Salida <span>salida</span> </p> </div> </TabPane> <TabPane tab="Gastos" key="2"> <div> <p style={{margin:0}}> Alimentación Registrada(Kg) {alimentsQuantityTotal.toFixed(2)}Kg </p> <p style={{margin:0}}> Alimentación Registrada($) <strong>${alimentsCostTotal}</strong> </p> <p style={{margin:0}}> Vacunación Registrada <strong>${vacunasCostTotal}</strong> </p> <p style={{margin:0}}> Ganancia Diaria Promedio {gdp}Kg </p> <p style={{margin:0}}> Conversión -> (última pesada) {alimentsQuantityTotal===0?0:conversion}% </p> <p style={{margin:0}}> Rendimiento {rendimiento}Kg </p> </div> <Divider/> <div> <p style={{margin:0}}> Valor Inicial: ${costo_inicial} </p> <p style={{margin:0}}> Valor actual: <strong>${peso_entrada*costo_kilo}</strong> </p> <p style={{margin:0}}> Consumo Diario Promedio: {(alimentsQuantityTotal/differenceTotal).toFixed(2)}Kg </p> <p style={{margin:0}}> Consumo Diario Promedio($): ${(alimentsCostTotal/differenceTotal).toFixed(2)} </p> <p style={{margin:0}}> utilidad Diaria Valor de Terminación </p> </div> </TabPane> </Tabs> </Card> ) }
var grpc = require('grpc') var path = require('path') var PROTO_PATH = path.join(__dirname, 'secret.proto') var protobuf = grpc.load(PROTO_PATH).secret var server = {}; var mysqlConfig = require(path.join(__dirname, 'mysql-config')) module.exports = { start: function (callback) { server = new grpc.Server() server.addService(protobuf.SecretService.service, { ping: ping }) server.addService(protobuf.MysqlConfigService.service, { get: getMysqlConfig }) server.bind("0.0.0.0:50050", grpc.ServerCredentials.createInsecure()) server.start() callback(null, { message: 'The Secret service has started.', port: "50050" }) }, shutdown: function (callback) { server.tryShutdown(function () { callback(null, { message: 'The service has been stopped.'} ) }) } } function getMysqlConfig(call, callback) { mysqlConfig.get(function (err, config) { if(err) return callback(err) callback(null, config) }) } function ping (call, callback) { callback(null, { message: 'I recieved this message: ' + call.request.message } ) }
var express = require('express'); var app = express(); var timeForEmit= 250; const GameManager= require('./Clases/GameBoard/GamesManager.js'); var gamesManager= new GameManager(); var usersCount=0; app.use(function(req, res, next) { //res.header('Access-Control-Allow-Credentials', true); res.header("Access-Control-Allow-Origin", "*"); res.header("Access-Control-Allow-Headers", "Origin, X-Requested-With, Content-Type, Accept"); res.header("Access-Control-Allow-Methods", "DELETE, GET, POST"); next(); }); var webService = app.listen(8083, function() { var host = webService.address().address; var port = webService.address().port; console.log("Executing at %s:%s", host, port); }); var io = require('socket.io')(webService); io.on('connection', (socket) => { var userConnected= true; var userID= usersCount; var gameId; usersCount++ var emitGameState = function(gameId, userCanPlay){ var emitServerMessage = setInterval(() => { if (!userConnected){ clearInterval(emitServerMessage); } else{ var data= gamesManager.getDataForPlayer(gameId,userID,userCanPlay); socket.emit('gameState', data); } }, timeForEmit); } // Log whenever a client disconnects from our websocket server socket.on('disconnect', function(){ gamesManager.deletePlayerTank(gameId,userID); userConnected= false; //eliminar el tanque del jugador usersCount--; if (usersCount===0){ gamesManager.deleteGame(gameId); } }); //user invoke this when want to play socket.on('joinGame', (data) => { gameId = gamesManager.joinPlayerToGame(-1,userID); var userCanPlay=true; if (gameId===-1){ userCanPlay=false; } emitGameState(gameId,userCanPlay); }); socket.on('shoot', (data) => { gamesManager.playerShoot({"playerId": userID},gameId); }); socket.on('move', (data) => { gamesManager.playerMove({"playerId": userID,"direction":data.direction},gameId); }); socket.on('applyPower', (data) => { gamesManager.applyPower(gameId,{"playerId": userID}); }); });
const appDetails = (state = { Records: [], Logged: false }, actions) => { switch (actions.type) { case "LOG_IN": return { ...state, logged: true }; break; case "LOG_OUT": return { ...state, logged: false } break; case "UPDATE_RECORDS": return { ...state, Records: actions.payload } break; default: return state; break; } } export default appDetails;
import React from 'react' import './styles.css' function DevItem({ dev, removeDev }) { return ( <li className="dev-item"> <button onClick={removeDev} type="button" className="close"> <span style={{display: "flex", float: "inline-end"}}>&times;</span> </button> <header> <img src={dev.avatar_url} alt={dev.name}/> <div className="user-info"> <strong>{dev.name}</strong> <span>{(dev.techs.join(', '))}</span> </div> </header> <p>{dev.bio}</p> <a href={`https://github.com/${dev.github_username}`}>Acessar perfil do GitHub</a> </li> ) } export default DevItem
import React from 'react'; import { StyleSheet, View, ScrollView, Text, TouchableWithoutFeedback, } from 'react-native'; import { Avatar } from 'react-native-elements'; const Comment = props => { const { avatar, name, date, comment, } = props; return ( <View style={styles.container} > <Avatar small rounded //onPress{onProfilePress} source={{uri: avatar}} /> <View style={{ paddingLeft: 10 }} > <View style={styles.headerContainer} > <Text style={styles.name} >{name}</Text> <Text style={styles.date} >{date}</Text> </View> <View style={styles.commentContainer} > <Text style={styles.comment} >{comment}</Text> </View> </View> </View> ) } const styles = StyleSheet.create({ container: { flexDirection: 'row', padding: 10, backgroundColor: '#fff', }, headerContainer: { flexDirection: 'row', paddingBottom: 5, }, commentContainer: { }, name: { fontWeight: 'bold', }, date: { paddingLeft: 10, color: 'grey', }, comment: { paddingRight: 10, color: 'black', } }) export default Comment;
import { STUDENT_ADD_POST_REQ, STUDENT_ADD_POST_SUCCESS, STUDENT_ADD_POST_FAIL, ONLOAD_GET_REQ, ONLOAD_GET_SUCCESS, ONLOAD_GET_FAIL, STUDENTDETAIL_GET_REQ, STUDENTDETAIL_GET_SUCCESS, STUDENTDETAIL_GET_FAIL, FILTER_ALL_REQ, FILTER_ALL_FAIL, FILTER_ALL_SUCCESS, CLASS_GET_REQ, CLASS_GET_SUCCESS, CLASS_GET_FAIL, STUDENT_DELETE_REQ, STUDENT_DELETE_SUCCESS, STUDENT_DELETE_FAIL, STUDENT_EDIT_REQ, STUDENT_EDIT_SUCCESS, STUDENT_EDIT_FAIL, FILTER_CLASS1_REQ, FILTER_CLASS1_FAIL, FILTER_CLASS1_SUCCESS, FILTER_CLASS2_REQ, FILTER_CLASS2_FAIL, FILTER_CLASS2_SUCCESS, FILTER_CLASS3_REQ, FILTER_CLASS3_FAIL, FILTER_CLASS3_SUCCESS, FILTER_CLASS4_REQ, FILTER_CLASS4_FAIL, FILTER_CLASS4_SUCCESS, FILTER_CLASS5_REQ, FILTER_CLASS5_FAIL, FILTER_CLASS5_SUCCESS, FILTER_CLASS6_REQ, FILTER_CLASS6_FAIL, FILTER_CLASS6_SUCCESS, FILTER_CLASS7_REQ, FILTER_CLASS7_FAIL, FILTER_CLASS7_SUCCESS, FILTER_CLASS8_REQ, FILTER_CLASS8_FAIL, FILTER_CLASS8_SUCCESS, FILTER_CLASS9_REQ, FILTER_CLASS9_FAIL, FILTER_CLASS9_SUCCESS, FILTER_CLASS10_REQ, FILTER_CLASS10_FAIL, FILTER_CLASS10_SUCCESS, } from "./Actiontypes"; import axios from 'axios' export const studentAddPostReq = payload => { return { type: STUDENT_ADD_POST_REQ, payload: payload || "" } } export const studentAddPostSuccess = payload => ({ type: STUDENT_ADD_POST_SUCCESS, payload: payload }) export const studentAddPostFail = payload => ({ type: STUDENT_ADD_POST_FAIL, payload: payload }) export const studentDeleteReq = payload => { return { type: STUDENT_DELETE_REQ, payload: payload || "" } } export const studentDeleteSuccess = payload => ({ type: STUDENT_DELETE_SUCCESS, payload: payload }) export const studentDeleteFail = payload => ({ type: STUDENT_DELETE_FAIL, payload: payload }) export const studentEditReq = payload => { return { type: STUDENT_EDIT_REQ, payload: payload || "" } } export const studentEditSuccess = payload => ({ type: STUDENT_EDIT_SUCCESS, payload: payload }) export const studentEditFail = payload => ({ type: STUDENT_EDIT_FAIL, payload: payload }) export const onloadGetReq = payload => { return { type: ONLOAD_GET_REQ, payload: payload || "" } } export const onloadGetSuccess = payload => ({ type: ONLOAD_GET_SUCCESS, payload: payload }) export const onloadGetFail = payload => ({ type: ONLOAD_GET_FAIL, payload: payload }) export const classGetReq = payload => { return { type: CLASS_GET_REQ, payload: payload || "" } } export const classGetSuccess = payload => ({ type: CLASS_GET_SUCCESS, payload: payload }) export const classGetFail = payload => ({ type: CLASS_GET_FAIL, payload: payload }) export const studentDetailGetReq = payload => { return { type: STUDENTDETAIL_GET_REQ, payload: payload || "" } } export const studentDetailGetSuccess = payload => ({ type: STUDENTDETAIL_GET_SUCCESS, payload: payload }) export const studentDetailGetFail = payload => ({ type: STUDENTDETAIL_GET_FAIL, payload: payload }) export const filterAllReq = payload => { return { type: FILTER_ALL_REQ, payload: payload || "" } } export const filterAllSuccess = payload => ({ type: FILTER_ALL_SUCCESS, payload: payload }) export const filterAllFail = payload => ({ type: FILTER_ALL_FAIL, payload: payload }) export const filterClass1Req = payload => ({ type: FILTER_CLASS1_REQ || "", payload: payload }) export const filterClass1Success = payload => ({ type: FILTER_CLASS1_SUCCESS, payload: payload }) export const filterClass1Fail = payload => ({ type: FILTER_CLASS1_FAIL, payload: payload }) export const filterClass2Req = payload => { return { type: FILTER_CLASS2_REQ, payload: payload || "" } } export const filterClass2Success = payload => ({ type: FILTER_CLASS2_SUCCESS, payload: payload }) export const filterClass2Fail = payload => ({ type: FILTER_CLASS2_FAIL, payload: payload }) export const filterClass3Req = payload => { return { type: FILTER_CLASS3_REQ, payload: payload || "" } } export const filterClass3Success = payload => ({ type: FILTER_CLASS3_SUCCESS, payload: payload }) export const filterClass3Fail = payload => ({ type: FILTER_CLASS3_FAIL, payload: payload }) export const filterClass4Req = payload => { return { type: FILTER_CLASS4_REQ, payload: payload || "" } } export const filterClass4Success = payload => ({ type: FILTER_CLASS4_SUCCESS, payload: payload }) export const filterClass4Fail = payload => ({ type: FILTER_CLASS4_FAIL, payload: payload }) export const filterClass5Req = payload => { return { type: FILTER_CLASS5_REQ, payload: payload || "" } } export const filterClass5Success = payload => ({ type: FILTER_CLASS5_SUCCESS, payload: payload }) export const filterClass5Fail = payload => ({ type: FILTER_CLASS5_FAIL, payload: payload }) export const filterClass6Req = payload => { return { type: FILTER_CLASS6_REQ, payload: payload || "" } } export const filterClass6Success = payload => ({ type: FILTER_CLASS6_SUCCESS, payload: payload }) export const filterClass6Fail = payload => ({ type: FILTER_CLASS6_FAIL, payload: payload }) export const filterClass7Req = payload => { return { type: FILTER_CLASS7_REQ, payload: payload || "" } } export const filterClass7Success = payload => ({ type: FILTER_CLASS7_SUCCESS, payload: payload }) export const filterClass7Fail = payload => ({ type: FILTER_CLASS7_FAIL, payload: payload }) export const filterClass8Req = payload => { return { type: FILTER_CLASS8_REQ, payload: payload || "" } } export const filterClass8Success = payload => ({ type: FILTER_CLASS8_SUCCESS, payload: payload }) export const filterClass8Fail = payload => ({ type: FILTER_CLASS8_FAIL, payload: payload }) export const filterClass9Req = payload => { return { type: FILTER_CLASS9_REQ, payload: payload || "" } } export const filterClass9Success = payload => ({ type: FILTER_CLASS9_SUCCESS, payload: payload }) export const filterClass9Fail = payload => ({ type: FILTER_CLASS9_FAIL, payload: payload }) export const filterClass10Req = payload => { return { type: FILTER_CLASS10_REQ, payload: payload || "" } } export const filterClass10Success = payload => ({ type: FILTER_CLASS10_SUCCESS, payload: payload }) export const filterClass10Fail = payload => ({ type: FILTER_CLASS10_FAIL, payload: payload }) export const addStudent = (payload) => { console.log(payload) return dispatch => { dispatch(studentAddPostReq()); return axios .post(`https://marksrecorderbackend.smullalkar.tech/addstudent`, { name: payload.name, class_of_student: payload.class_of_student, roll_no: payload.roll_no, section: payload.section, exam_type: payload.exam_type, maths: payload.maths, soc_science: payload.soc_science, science: payload.science, english: payload.english, hindi: payload.hindi, second_language: payload.second_language, total_min: payload.total_min, total_max: payload.total_max } ) .then(res => { return dispatch(studentAddPostSuccess(res)); }) .catch(err => dispatch(studentAddPostFail(err))); }; }; export const getData = (payload) => { return dispatch => { dispatch(onloadGetReq()); return axios .get(`https://marksrecorderbackend.smullalkar.tech/allstudents`) .then(res => { return dispatch(onloadGetSuccess(res)); }) .catch(err => dispatch(onloadGetFail(err))); } } export const clas = (payload) => { return dispatch => { dispatch(classGetReq()); return axios .get(`https://marksrecorderbackend.smullalkar.tech/${payload}`) .then(res => { return dispatch(classGetSuccess(res)); }) .catch(err => dispatch(classGetFail(err))); } } export const getStudentDetails = (payload) => { return dispatch => { dispatch(studentDetailGetReq()); return axios .get(`https://marksrecorderbackend.smullalkar.tech/allstudents/student/${payload}`) .then(res => { return dispatch(studentDetailGetSuccess(res)); }) .catch(err => dispatch(studentDetailGetFail(err))); } } export const filterAll = (payload) => { return dispatch => { dispatch(filterAllReq()); return axios .get(`https://marksrecorderbackend.smullalkar.tech/filter/${payload.exam_type}/${payload.section}/${payload.grade}`) .then(res => { return dispatch(filterAllSuccess(res)); }) .catch(err => dispatch(filterAllFail(err))); } } export const filterClass1 = (payload) => { return dispatch => { dispatch(filterClass1Req()); return axios .get(`https://marksrecorderbackend.smullalkar.tech/${payload.class_of_std}/filter/${payload.exam_type}/${payload.section}/${payload.grade}`) .then(res => { return dispatch(filterClass1Success(res)); }) .catch(err => dispatch(filterClass1Fail(err))); } } export const filterClass2 = (payload) => { return dispatch => { dispatch(filterClass2Req()); return axios .get(`https://marksrecorderbackend.smullalkar.tech/${payload.class_of_std}/filter/${payload.exam_type}/${payload.section}/${payload.grade}`) .then(res => { return dispatch(filterClass2Success(res)); }) .catch(err => dispatch(filterClass2Fail(err))); } } export const filterClass3 = (payload) => { return dispatch => { dispatch(filterClass3Req()); return axios .get(`https://marksrecorderbackend.smullalkar.tech/${payload.class_of_std}/filter/${payload.exam_type}/${payload.section}/${payload.grade}`) .then(res => { return dispatch(filterClass3Success(res)); }) .catch(err => dispatch(filterClass3Fail(err))); } } export const filterClass4 = (payload) => { return dispatch => { dispatch(filterClass4Req()); return axios .get(`https://marksrecorderbackend.smullalkar.tech/${payload.class_of_std}/filter/${payload.exam_type}/${payload.section}/${payload.grade}`) .then(res => { return dispatch(filterClass4Success(res)); }) .catch(err => dispatch(filterClass4Fail(err))); } } export const filterClass5 = (payload) => { return dispatch => { dispatch(filterClass5Req()); return axios .get(`https://marksrecorderbackend.smullalkar.tech/${payload.class_of_std}/filter/${payload.exam_type}/${payload.section}/${payload.grade}`) .then(res => { return dispatch(filterClass5Success(res)); }) .catch(err => dispatch(filterClass5Fail(err))); } } export const filterClass6 = (payload) => { return dispatch => { dispatch(filterClass6Req()); return axios .get(`https://marksrecorderbackend.smullalkar.tech/${payload.class_of_std}/filter/${payload.exam_type}/${payload.section}/${payload.grade}`) .then(res => { return dispatch(filterClass6Success(res)); }) .catch(err => dispatch(filterClass6Fail(err))); } } export const filterClass7 = (payload) => { return dispatch => { dispatch(filterClass7Req()); return axios .get(`https://marksrecorderbackend.smullalkar.tech/${payload.class_of_std}/filter/${payload.exam_type}/${payload.section}/${payload.grade}`) .then(res => { return dispatch(filterClass7Success(res)); }) .catch(err => dispatch(filterClass7Fail(err))); } } export const filterClass8 = (payload) => { return dispatch => { dispatch(filterClass8Req()); return axios .get(`https://marksrecorderbackend.smullalkar.tech/${payload.class_of_std}/filter/${payload.exam_type}/${payload.section}/${payload.grade}`) .then(res => { return dispatch(filterClass8Success(res)); }) .catch(err => dispatch(filterClass8Fail(err))); } } export const filterClass9 = (payload) => { return dispatch => { dispatch(filterClass9Req()); return axios .get(`https://marksrecorderbackend.smullalkar.tech/${payload.class_of_std}/filter/${payload.exam_type}/${payload.section}/${payload.grade}`) .then(res => { return dispatch(filterClass9Success(res)); }) .catch(err => dispatch(filterClass9Fail(err))); } } export const filterClass10 = (payload) => { return dispatch => { dispatch(filterClass10Req()); return axios .get(`https://marksrecorderbackend.smullalkar.tech/${payload.class_of_std}/filter/${payload.exam_type}/${payload.section}/${payload.grade}`) .then(res => { return dispatch(filterClass10Success(res)); }) .catch(err => dispatch(filterClass10Fail(err))); } } export const editStudent = (payload) => { console.log(payload) return dispatch => { dispatch(studentEditReq()); return axios .post(`https://marksrecorderbackend.smullalkar.tech/student/edit/${payload.id}`, { name: payload.name, class_of_student: payload.class_of_student, roll_no: payload.roll_no, section: payload.section, exam_type: payload.exam_type, maths: payload.maths, soc_science: payload.soc_science, science: payload.science, english: payload.english, hindi: payload.hindi, second_language: payload.second_language, total_min: payload.total_min, total_max: payload.total_max } ) .then(res => { return dispatch(studentEditSuccess(res)); }) .catch(err => dispatch(studentEditFail(err))); }; }; export const deleteStudent = (payload) => { return dispatch => { dispatch(studentDeleteReq()); return axios .post(`https://marksrecorderbackend.smullalkar.tech/student/delete/${payload}`) .then(res => { return dispatch(studentDeleteSuccess(res)); }) .catch(err => dispatch(studentDeleteFail(err))); } }
'use strict'; //Start by defining the main module and adding the module dependencies angular.module(ApplicationConfiguration.applicationModuleName, ApplicationConfiguration.applicationModuleVendorDependencies); // Setting HTML5 Location Mode angular.module(ApplicationConfiguration.applicationModuleName) .config(['$locationProvider', 'NotificationProvider', function ($locationProvider, NotificationProvider) { $locationProvider.hashPrefix('!'); NotificationProvider.setOptions({ positionX: 'center', positionY: 'top' }); }]) .config(function (datepickerConfig) { // http://stackoverflow.com/questions/20678009/remove-week-column-and-button-from-angular-ui-bootstrap-datepicker datepickerConfig.showWeeks = false; datepickerConfig.formatYear = 'yy'; datepickerConfig.formatMonth = 'MMM'; datepickerConfig.formatDay = 'd'; datepickerConfig.startingDay = 1; }) .run(($rootScope, Authentication, $state, $http, $window) => { //Prevent anonymous user access to all pages except auth const notLoggedUserAvailableStates = ['signin', 'signup']; $rootScope.$on("$stateChangeStart", function(event, toState){ if (!Authentication.user && notLoggedUserAvailableStates.indexOf(toState.name) == -1) { event.preventDefault(); $state.transitionTo("signin"); } }); //TODO: Refactor app init posses $http.get(`/session`).then(response => { if (response.data._id) { $rootScope.user = $window.user = Authentication.user = response.data; } }); }); //Then define the init function for starting up the application angular.element(document).ready(function () { //Fixing facebook bug with redirect if (window.location.hash === '#_=_') window.location.hash = '#!'; //Then init the app angular.bootstrap(document, [ApplicationConfiguration.applicationModuleName]); });
const userModel = require('../models/user'); const service = {}; service.addUserDetils = (username, location, amount, mobile_number, additional_charges) => userModel.updateOne({ username }, { username, location, amount, mobileNumber: mobile_number, additional_charges, }, { upsert: true, }); service.getUserDetails = (username) => userModel.findOne({ username }); service.getUsers = () => userModel.find({}).lean().exec(); module.exports = service;
module.exports = (function() { const impls = [ './impls/sse4_crc32c', './impls/js_crc32c', ]; for (const impl of impls) { try { const crc32 = require(impl); if (crc32.calculate('The quick brown fox jumps over the lazy dog') === 0x22620404) { return crc32; } } catch(e) { // ignore the error and try next implementation. } } return { calculate() { throw new Error('no CRC-32C implementation is available'); }, }; })();
class Node { // has a constructor passing in data constructor(data) { } }
const serverless = require('serverless-http') const restana = require('restana') const app = restana() app.get('/*', (req, res) => { res.send((Math.floor(Date.now() / 1e3)).toString()) }) const handler = serverless(app); module.exports.handler = async (event, context) => { return await handler(event, context) }
/** * Created by Administrator on 2016/12/27. */ var EventHandler = require("../handlers/eventhandler"); var init = function(timelimit) { timelimit.timeleft = 10; timelimit.on_update = function(delta_time) { timelimit.timeleft = timelimit.timeleft - delta_time; if (timelimit.timeleft <= 0) { var f = timelimit.system.eventhandler.new_event_functions[EventHandler.KILL]; var event = new f(timelimit.system, timelimit.character, timelimit.character, timelimit); timelimit.system.eventhandler.add_event(event); } }; timelimit.pack = function () { var dict = {}; dict["t"] = timelimit.timeleft; return dict; }; }; module.exports = { init: init };
// console.log(localStorage.getItem('seriesID', seriesID)); let chaptersArray = []; let getID = localStorage.getItem('seriesID', seriesID); console.log(getID); // Load items from JSON file const getChapters = async () => { try { const res = await fetch(`/src/json/series/${getID}.json`); chaptersArray = await res.json(); // let chapterCount = chaptersArray.length - 1; // console.log(chapterCount); loadChapters(chaptersArray); } catch (error) { console.log(err); } }; getChapters(); const loadChapters = (array) => { let index = 0; let chapters = `<ul>`; for (index = 0; index < array.length; index++) { // console.log(index); chapters += `<a class="chapterItem" href="/src/pages/chapterPage.html" id="${index}" onclick="setChapterID(this.id)"><li class="chapterItem">`; if (index < 10) { chapters += `<img src="/public/assets/thumbnails/${getID}/00${index}.jpg" alt="Chapter ${index}" class="chapterThumbnail" loading="lazy" /> `; chapters += `<span class="chapterTitle">Chapter 00${index}</span>`; } else if (index >= 10 && index < 100) { chapters += `<img src="/public/assets/thumbnails/${getID}/0${index}.jpg" alt="Chapter ${index}" class="chapterThumbnail" loading="lazy" /> `; chapters += `<span class="chapterTitle">Chapter 0${index}</span>`; } else if (index >= 100) { chapters += `<img src="/public/assets/thumbnails/${getID}/${index}.jpg" alt="Chapter ${index}" class="chapterThumbnail" loading="lazy" /> `; chapters += `<span class="chapterTitle">Chapter ${index}</span>`; } chapters += `</li>`; } chapters += `</ul>`; document.getElementById('chapterContainer').innerHTML += chapters; };
/* global firebase:false */ /* global firebaseApp:false */ angular .module('app') .constant('firebase', firebase) .constant('firebaseApp', firebaseApp);
import React from 'react'; import GraphCard from './GraphCard'; const OverviewSkeleton = () => { return ( <div className='grid grid-cols-1 divide-y divide-skeleton px-6'> <div className='md:p-6 p-4'> <div className='max-w-[257px] mb-[7px] h-6 w-auto bg-skeleton rounded' /> <div className='w-[121px] h-4 bg-skeleton rounded' /> </div> <div className='grid grid-cols-1 lg:grid-cols-2 divide-x divide-skeleton'> <GraphCard /> <GraphCard /> </div> <div className='divide-y divide-skeleton pt-20 mb-6 md:mb-20'> <div className='flex flex-row items-center justify-between p-6 md:px-12'> <div className='bg-skeleton w-[121px] h-6 rounded mr-2' /> <div className='bg-skeleton w-[121px] h-6 rounded' /> </div> <div className='flex flex-row items-center justify-between p-6 md:px-12'> <div className='bg-skeleton w-[121px] h-6 rounded mr-2' /> <div className='bg-skeleton w-[181px] h-6 rounded' /> </div> <div className='flex flex-row items-center justify-between p-6 md:px-12'> <div className='bg-skeleton w-[121px] h-6 rounded mr-2' /> <div className='bg-skeleton w-[181px] h-6 rounded' /> </div> </div> </div> ); }; export default OverviewSkeleton;
const Discord = require('discord.js') const client = new Discord.Client({ disableEveryone: true }) let rpcGenerator = require("discordrpcgenerator") var uuid = ()=>([1e7]+-1e3+-4e3+-8e3+-1e11).replace(/[018]/g,a=>(a^Math.random()*16>>a/4).toString(16)) client.on('ready', async() => { console.log('Successfully launched the bot.') rpcGenerator.getRpcImage('729393447303381042', 'bentei') .then(image => { let presence = new rpcGenerator.Rpc() .setName("Love,") .setUrl("https://twitch.tv/discord") .setType("STREAMING") .setApplicationId("729393447303381042") .setAssetsLargeImage(image.id) .setAssetsLargeText(image.name) .setDetails(":pasdechance:") .setState("Living Lonely Nights And Having Sweet Dreams") .setParty({ size: [1, 4], id: uuid() }) .setDetails("Love,") client.user.setPresence(presence.toDiscord()) }) }) client.on('message', async message => { if(message.author.id != '466357112134565888') return; if(!message.content.startsWith('?')) return; if(message.content.startsWith('?test')) { message.delete() message.channel.send('ONLINE') } }) client.login(process.env.TOKEN)
var interface_c1_connector_get_entitlements_options = [ [ "elementIDs", "interface_c1_connector_get_entitlements_options.html#a9e4d773af09e9167b9d043e10473179f", null ], [ "publicationDateFrom", "interface_c1_connector_get_entitlements_options.html#a6bfdd7b7c802b450c8c5701fb1765258", null ], [ "publicationDateTo", "interface_c1_connector_get_entitlements_options.html#a3560d58147d96a844494b70bab0c237b", null ], [ "storeID", "interface_c1_connector_get_entitlements_options.html#ace4c5fedadfcab069795775a121dd9ff", null ] ];
// document.getElementById('player-1').onclick = function() { // }; // var $playerOne = $('#player-1'); // var $playerTwo = $('#player-2'); // var $playerOneStat = $('#player-1-stat'); // var $playerTwoStat = $('#player-2-stat'); // $playerOne.on('change', function() { // changeSelected(); // }) // // Changes all PRIVACY OPTIONS to the selected value from the dropdown menu // function changeSelected(target, value) { // // $.ajax -> GET ID of player /nbaplayer/$id // target.val(value.val()); // } jQuery.ajax({ url: "/nbastats/players", }).done(function( data ){ for (var i = 0; i < data.length; i++){ $('#player-one').append($('<option />').val(data[i].id).html(data[i].name)); $('#player-two').append($('<option />').val(data[i].id).html(data[i].name)); } // PLAYER ONE HANDLERS $('#player-one').on('change', function(){ console.log($(this).val()); jQuery.ajax({ url: '/nbastats/players/' + $(this).val() }).done(function( player ){ console.log(player); $('#one-name').html(player.name); $('#one-team').html(player.team); $('#one-pos').html(player.position); $('#one-gp').html(player.game_played); $('#one-min').html(player.min_per_game); $('#one-fg').html(player.field_goal_percent); $('#one-ft').html(player.free_throw_percent); $('#one-threem').html(player.three_made); $('#one-threeper').html(player.three_percent); $('#one-threepg').html(player.three_per_game); $('#one-pts').html(player.pts_per_game); $('#one-oreb').html(player.o_reb_per_game); $('#one-dreb').html(player.d_reb_per_game); $('#one-reb').html(player.reb_per_game); $('#one-ast').html(player.ast_per_game); $('#one-stl').html(player.steals_per_game); $('#one-blk').html(player.blocks_per_game); $('#one-to').html(player.to_per_game); $('#one-pf').html(player.fouls_per_game); $('#one-tech').html(player.tot_tech); $('#one-pmr').html(player.plus_minus_rating); }) }) // PLAYER TWO HANDLERS $('#player-two').on('change', function() { jQuery.ajax({ url: '/nbastats/players/' + $(this).val() }).done(function( player ){ console.log(player); $('#two-name').html(player.name); $('#two-team').html(player.team); $('#two-pos').html(player.position); $('#two-gp').html(player.game_played); $('#two-min').html(player.min_per_game); $('#two-fg').html(player.field_goal_percent); $('#two-ft').html(player.free_throw_percent); $('#two-threem').html(player.three_made); $('#two-threeper').html(player.three_percent); $('#two-threepg').html(player.three_per_game); $('#two-pts').html(player.pts_per_game); $('#two-oreb').html(player.o_reb_per_game); $('#two-dreb').html(player.d_reb_per_game); $('#two-reb').html(player.reb_per_game); $('#two-ast').html(player.ast_per_game); $('#two-stl').html(player.steals_per_game); $('#two-blk').html(player.blocks_per_game); $('#two-to').html(player.to_per_game); $('#two-pf').html(player.fouls_per_game); $('#two-tech').html(player.tot_tech); $('#two-pmr').html(player.plus_minus_rating); }) }) }) var numbers = ['one', 'two', 'three', 'four', 'five']; jQuery.ajax({ url: "/nbastats/players/points" }).done(function( points ){ for (var i = 0; i < points.length; i++){ console.log('points: ', points[i]); console.log($('#ppg-table')); $('#ppg-name-' + numbers[i]).html(points[i].name) $('#ppg-num-' + numbers[i]).html(points[i].pts_per_game); } }) jQuery.ajax({ url: "/nbastats/players/rebounds" }).done(function( rebounds ){ for (var i = 0; i < rebounds.length; i++){ console.log('rebounds: ', rebounds[i]); $('#rpg-name-' + numbers[i]).html(rebounds[i].name) $('#rpg-num-' + numbers[i]).html(rebounds[i].reb_per_game); } }) jQuery.ajax({ url: "/nbastats/players/assists" }).done(function( assists ){ for (var i = 0; i < assists.length; i++){ console.log('assists: ', assists[i]); $('#apg-name-' + numbers[i]).html(assists[i].name) $('#apg-num-' + numbers[i]).html(assists[i].ast_per_game); } }) jQuery.ajax({ url: "/nbastats/players/plus_minus_rating" }).done(function( plus_minus_rating ){ for (var i = 0; i < plus_minus_rating.length; i++){ console.log('plus_minus_rating:', plus_minus_rating[i]); $('#pmr-name-' + numbers[i]).html(plus_minus_rating[i].name) $('#pmr-num-' + numbers[i]).html(plus_minus_rating[i].plus_minus_rating); } })
// FUNCTION // Node option 1: functional node creator: function FListNode(val, next) { this.val = (val===undefined ? 0 : val) this.next = (next===undefined ? null : next) } function FSLinkedList(head){ this.head = (head===undefined ? null : head) } // OR // CLASS // Node option 2: class node creator: class CListNode { constructor(element){ this.element = element; this.next = null } } class CSLinkedList { constructor() { this.head = null; // this.size = 0 } addnode(val){ const newNode = CListNode(val) if(!this.head) { this.head = newNode; } else { this.head.next } } }
import React from 'react'; export const FilterIconBlue = () => ( <svg width="46px" height="40px" viewBox="0 0 46 40" version="1.1" xmlns="http://www.w3.org/2000/svg" > <title>filter copy 3</title> <desc>Created with Sketch.</desc> <g id="Page-1" stroke="none" strokeWidth="1" fill="none" fillRule="evenodd"> <g id="desktopDashboardUsers" transform="translate(-774.000000, -151.000000)" > <g id="Group-27" transform="translate(30.000000, 131.000000)"> <g id="Group-9-Copy-7"> <g id="filter-copy-3" transform="translate(744.000000, 20.000000)"> <rect id="Rectangle" stroke="#DFDFDF" fill="#FFFFFF" x="0.5" y="0.5" width="45" height="39" rx="4" ></rect> <g id="Group-5" transform="translate(14.000000, 13.000000)" fill="#002A4C" > <rect id="Rectangle" x="0" y="0" width="18" height="2" rx="1" ></rect> <rect id="Rectangle-Copy-2" x="4" y="6" width="10" height="2" rx="1" ></rect> <rect id="Rectangle-Copy-4" x="7" y="12" width="4" height="2" rx="1" ></rect> </g> </g> </g> </g> </g> </g> </svg> );
const Task = require("../models/task"); const express = require("express"); const { addTask, getTasksById, editTaskById, deleteTaskById, } = require("../controller/taskController"); const auth = require("../middleware/authenticate"); const authorize = require("../middleware/authorize"); const router = new express.Router(); router .post("/task", auth, addTask) .get("/task/:id", auth, getTasksById) .patch("/task/:id", auth, editTaskById) .delete("/task/:id", auth, authorize("admin"), deleteTaskById); module.exports = router;
import { ingredientTypes } from "./types"; export const ingredientActions = { getItems: (query) => ({ type: ingredientTypes.INGREDIENT_GET_ITEMS, payload: query, }), getItemsSuccess: (data) => ({ type: ingredientTypes.INGREDIENT_GET_ITEMS_SUCCESS, payload: data, }), getItemsFailure: (error) => ({ type: ingredientTypes.INGREDIENT_GET_ITEMS_FAILURE, payload: error, }), create: (data) => ({ type: ingredientTypes.INGREDIENT_CREATE, payload: data, }), createSuccess: (data) => ({ type: ingredientTypes.INGREDIENT_CREATE_SUCCESS, payload: data, }), createFailure: (error) => ({ type: ingredientTypes.INGREDIENT_CREATE_FAILURE, payload: error, }), };
const menuList = [ { title:'首页', key:'/admin/home' }, //城市管理 { title:'城市管理', key:'/admin/city' // children: [ // { // title:'开通城市', // key:'/admin/open_city' // }, // { // title:'城市列表', // key:'/admin/city' // } // ] }, //订单管理 { title:'订单管理', key:'/admin/order' }, //用户管理 { title:'用户管理', key:'/admin/user' }, //员工管理 { title:'权限管理', key:'/admin/employee' }, //权限管理模块 // { // title:'权限管理', // key:'/admin/permission' // }, //车辆地图模块 { title:'实时车辆地图', key:'/admin/bikemap' }, //可视化数据分析 图标echart模块 { title:'图表分析', key:'/admin/charts', children:[ { title:'柱形图', key:'/admin/charts/bar' }, { title:'饼图', key:'/admin/charts/pie' }, { title:'折线图', key:'/admin/charts/line' }, ] } ]; export default menuList;
const FormData = require('form-data'); const axios = require('axios'); const Busboy = require("busboy"); const parseFormData = (event) => { return new Promise((resolve, reject) => { const busboy = new Busboy({ headers: { ...event.headers, "content-type": event.headers["Content-Type"] || event.headers["content-type"], }, }); const result = { files: [], }; busboy.on("file", (fieldname, file, filename, encoding, mimetype) => { file.on("data", (data) => { result.files.push({ fieldname: fieldname, encoding: encoding, file: data, fileName: filename, contentType: mimetype, }); }); }); busboy.on("field", (fieldname, value) => { try { result[fieldname] = JSON.parse(value); } catch (err) { result[fieldname] = value; } }); busboy.on("error", (error) => reject(`Parse error: ${error}`)); busboy.on("finish", () => { event.body = result; resolve(event); }); busboy.write(event.body, event.isBase64Encoded ? "base64" : "binary"); busboy.end(); }); }; module.exports = async function (context, req) { try { await parseFormData(req); var form = new FormData(); for (var i = 0; i < req.body.files.length; ++i) { var file = req.body.files[i]; form.append(file.fieldname, file.file, file.fileName); } delete req.body.files; Object.keys(req.body).forEach((key, index) => { var val = req.body[key]; form.append(key, val.toString()); }) try { var options = { method: 'post', url: 'https://api.remove.bg/v1.0/removebg', headers: { 'accept': 'image/*', 'X-API-Key': process.env.REMOVE_BG_API_KEY, 'Content-Type': 'application/x-www-form-urlencoded', ...form.getHeaders() }, data: form, responseType: "arraybuffer" }; var axiosResponse = await axios(options); context.res = { status: axiosResponse.status, headers: { 'content-type': axiosResponse.headers['content-type'] }, body: axiosResponse.data }; //res.status(axiosResponse.status).set('content-type', axiosResponse.headers['content-type']).send(axiosResponse.data); } catch (error) { var errorResponse = { title: error.message }; if (error.response && error.response.data) { var errorResponse = JSON.parse(error.response.data); if (errorResponse.errors && errorResponse.errors[0]) { errorResponse = errorResponse.errors[0]; } } context.res = { status: 500, body: errorResponse }; } } catch (error) { context.res = { status: 500, body: { title: error.message } }; } }
import SingleIframeRouterView from './components/single-iframe-router-view' import MultiIframeRouterView from './components/multi-iframe-router-view/index.vue' import DialogView from './components/dialog-view/index.vue' export let _Vue export function install (Vue) { if (install.installed && _Vue === Vue) return install.installed = true _Vue = Vue const isDef = v => v !== undefined Vue.mixin({ beforeCreate () { if (isDef(this.$options.router)) { Vue.util.defineReactive(this, '_dialogs', this._router.dialogs) } } }) Object.defineProperty(Vue.prototype, '$dialogs', { get () { return this._routerRoot._dialogs } }) Vue.component('SingleIframeRouterView', SingleIframeRouterView) Vue.component('MultiIframeRouterView', MultiIframeRouterView) Vue.component('DialogView', DialogView) }
export default /* glsl */` #ifdef LIT_CLEARCOAT void addReflectionCC(vec3 reflDir, float gloss) { ccReflection += calcReflection(reflDir, gloss); } #endif `;
const { Server } = require('./server'); const listenPort = process.env.PORT || 3001; const CAMT052Folder = process.env.DATAFOLDER; new Server(listenPort, CAMT052Folder, console.log).run();
class Update { constructor(type) { this.type = type } } class Line extends Update { constructor(x1, y1, x2, y2) { super("line") this.x1 = x1 this.y1 = y1 this.x2 = x2 this.y2 = y2 this.color = "unset"; this.linesize = -1; } } class Circle extends Update { constructor(x, y, radius) { super("circle") this.x = x; this.y = y; this.color = "unset"; this.radius = radius; this.linesize = -1; } } class MouseHandler { constructor(element) { this.onLineDrawn = () => { } this.onCursorMove = () => { } this.onPan = () => { } this.mousePosition = { x: -1, y: -1 }; const drawState = { mousedown: false, prevpos: { x: -1, y: -1 }, hasmoved: false }; const panState = { mousedown: false, prevpos: { x: -1, y: -1 }, }; const getPos = e => { const x = e.clientX - element.offsetLeft; const y = e.clientY - element.offsetTop; return { x, y }; }; const isPanning = e => { return e.which == 1 && (e.altKey || e.ctrlKey || e.shiftKey); }; const isDrawing = e => { return (!isPanning(e)) && e.which == 1; }; element.addEventListener("mousemove", e => { const pos = getPos(e); // drawing if (drawState.mousedown) { this.onLineDrawn(new Line(drawState.prevpos.x, drawState.prevpos.y, pos.x, pos.y)); drawState.prevpos = pos; drawState.hasmoved = true; } // panning if (panState.mousedown) { this.onPan(panState.prevpos, pos); panState.prevpos = pos; } // general mouse movement handler this.onCursorMove(pos); this.mousePosition = pos; }, false); element.addEventListener("mousedown", e => { const pos = getPos(e); if (isDrawing(e)) { drawState.hasmoved = false; drawState.mousedown = true; drawState.prevpos = pos; } else if (isPanning(e)) { panState.mousedown = true; panState.prevpos = pos; } this.mousePosition = pos; }, false); element.addEventListener("mouseup", e => { const pos = getPos(e); if (isDrawing(e) || isPanning(e)) { // drawing if (drawState.mousedown) { if (!drawState.hasmoved) { this.onLineDrawn(new Line(pos.x - 1, pos.y - 1, pos.x + 1, pos.y + 1)); this.onLineDrawn(new Line(pos.x - 1, pos.y + 1, pos.x + 1, pos.y - 1)); } drawState.mousedown = false; } // panning if (panState.mousedown) { panState.mousedown = false; } } this.mousePosition = pos; }, false); element.addEventListener("mouseout", _ => { drawState.mousedown = false; panState.mousedown = false; this.onCursorMove({ x: -1, y: -1 }); this.mousePosition = { x: -1, y: -1 }; }, false); } setOnLineDrawn(func) { this.onLineDrawn = func; } setOnCursorMove(func) { this.onCursorMove = func; } setOnPan(func) { this.onPan = func; } getMousePosition() { return this.mousePosition; } } class CursorElement { constructor() { const container = document.getElementById("container"); this.element = document.createElement("div"); this.element.className = "cursor"; container.appendChild(this.element); } render(cursor) { this.element.innerHTML = cursor.alias.substring(0, Math.min(3, escapeXml(cursor.alias).length)); this.element.style.backgroundColor = cursor.color; this.element.style.left = cursor.pos.x + "px"; this.element.style.top = cursor.pos.y + "px"; } destroy() { this.element.remove(); } } class StylePicker { constructor() { this.colorelement = document.querySelector('#color'); this.sizeelement = document.querySelector('#linesize'); } getColor() { return this.colorelement.value; } getLineSize() { return Number(this.sizeelement.value); } } class ZoomManager { constructor() { console.assert(!window.onscroll); this.zoom = 6; this.onZoom = () => { }; window.onwheel = e => { if (e.deltaY > 0) { this.zoom *= 1.1; if (this.zoom > 100) this.zoom = 100; this.onZoom(); } else if (e.deltaY < 0) { this.zoom /= 1.1; if (this.zoom < 1) this.zoom = 1; this.onZoom(); } } } reset() { this.zoom = 6; } getZoomFactor() { return this.zoom; } setOnZoom(func) { this.onZoom = func; } } class PanManager { constructor(mousehandler) { this.onPan = () => { }; this.offset = { dx: 0, dy: 0, }; this.zoomManager = new ZoomManager(); let prevzoom = this.zoomManager.getZoomFactor(); this.zoomManager.setOnZoom(() => { const mousePos = mousehandler.getMousePosition(); if (mousePos.x != -1 && mousePos.y != -1) { const newMousePos = this.getCanvasPosition(this.getRealPosition(mousePos, prevzoom)); const dx = newMousePos.x - mousePos.x; const dy = newMousePos.y - mousePos.y; this.offset.dx += dx; this.offset.dy += dy; } prevzoom = this.zoomManager.getZoomFactor(); this.onPan(); }); mousehandler.setOnPan((p1, p2) => { const dx = p1.x - p2.x; const dy = p1.y - p2.y; this.offset.dx += dx; this.offset.dy += dy; this.onPan(); }); const resetElement = document.querySelector('#resetzoomoffset'); resetElement.onclick = () => { this.offset = { dx: 0, dy: 0, } this.zoomManager.reset(); prevzoom = this.zoomManager.getZoomFactor(); this.onPan(); } } setOnPan(func) { this.onPan = func; } getRealPosition(pos, zoomfactor = this.zoomManager.getZoomFactor()) { return { x: (pos.x + this.offset.dx) * zoomfactor, y: (pos.y + this.offset.dy) * zoomfactor }; } getCanvasPosition(pos, zoomfactor = this.zoomManager.getZoomFactor()) { return { x: pos.x / zoomfactor - this.offset.dx, y: pos.y / zoomfactor - this.offset.dy }; } getRealLength(len) { const zoomfactor = this.zoomManager.getZoomFactor(); return len * zoomfactor; } getCanvasLength(len) { const zoomfactor = this.zoomManager.getZoomFactor(); return len / zoomfactor; } } class Canvas { constructor() { this.canvas = document.querySelector("#can"); this.ctx = this.canvas.getContext("2d"); this.stylepicker = new StylePicker(); this.updates = []; this.cursors = {}; this.cursorElements = {}; this.isDrawingEnabled = true; this.onNewUpdate = () => { } this.onCursorMove = () => { } this.mousehandler = new MouseHandler(this.canvas); this.mousehandler.setOnLineDrawn(line => { if (this.isDrawingEnabled) this.addNewUpdate(line) }); this.panManager = new PanManager(this.mousehandler); // also handles zoom this.panManager.setOnPan(this.redraw.bind(this)); this.mousehandler.setOnCursorMove(pos => { if (pos.x == -1 || pos.y == -1) { this.onCursorMove(pos); } else { this.onCursorMove(this.panManager.getRealPosition(pos)); } }); this.redraw(); } updateCursor(cursor) { this.cursors[cursor.alias] = cursor; this.renderCursors(); } setCursors(cursors) { this.cursors = cursors; this.renderCursors(); } renderCursors() { for (const alias of Object.keys(this.cursorElements)) { if ((!(alias in this.cursors)) || this.cursors[alias].pos.x == -1 || this.cursors[alias].pos.y == -1) { this.cursorElements[alias].destroy(); delete this.cursorElements[alias]; } } for (const cursor of Object.values(this.cursors)) { if (cursor.pos.x == -1 || cursor.pos.y == -1) continue; if (cursor.alias == alias) continue; if (!(cursor.alias in this.cursorElements)) this.cursorElements[cursor.alias] = new CursorElement(); this.cursorElements[cursor.alias].render({ ...cursor, pos: this.panManager.getCanvasPosition(cursor.pos), }); } } setDimensions() { const container = document.getElementById("container"); const w = document.body.clientWidth; const h = document.body.clientHeight; container.style.width = w + "px"; container.style.height = h + "px"; this.canvas.width = w; this.canvas.height = h; } redraw() { this.setDimensions(); this.ctx.clearRect(0, 0, this.canvas.width, this.canvas.height); if (options.darkmode) { this.ctx.fillStyle = options.canvasBackgroundColor; this.ctx.fillRect(0, 0, this.canvas.width, this.canvas.height); } this.setUpdates(this.updates); this.setCursors(this.cursors); } addNewUpdate(update) { if (update.type == "line") { const p1 = this.panManager.getRealPosition({ x: update.x1, y: update.y1 }); const p2 = this.panManager.getRealPosition({ x: update.x2, y: update.y2 }); update.x1 = p1.x, update.y1 = p1.y; update.x2 = p2.x, update.y2 = p2.y; update.color = this.stylepicker.getColor(); update.linesize = this.panManager.getRealLength(this.stylepicker.getLineSize()); } else if (update.type == "circle") { const pos = this.panManager.getRealPosition({ x: update.x, y: update.y }); update.x = pos.x, update.y = pos.y; update.color = this.stylepicker.getColor(); update.linesize = this.panManager.getRealLength(this.stylepicker.getLineSize()); update.radius = this.panManager.getRealLength(update.radius); } this.addUpdate(update); this.onNewUpdate(update); } setUpdates(updates) { this.updates = []; for (const update of updates) this.addUpdate(update); } addUpdate(update) { this.updates.push(update); if (update.type == "line") { this.addLineToCanvas(update); } else if (update.type == "circle") { this.addCircleToCanvas(update); } } addCircleToCanvas(circ) { this.ctx.beginPath(); const pos = this.panManager.getCanvasPosition({ x: circ.x, y: circ.y }); const radius = this.panManager.getCanvasLength(circ.radius); this.ctx.arc(pos.x, pos.y, radius, 0, 2 * Math.PI); this.ctx.strokeStyle = circ.color; this.ctx.lineWidth = this.panManager.getCanvasLength(circ.linesize); this.ctx.lineCap = 'round'; this.ctx.stroke(); this.ctx.closePath(); } addLineToCanvas(line) { this.ctx.beginPath(); const p1 = this.panManager.getCanvasPosition({ x: line.x1, y: line.y1 }); const p2 = this.panManager.getCanvasPosition({ x: line.x2, y: line.y2 }); this.ctx.moveTo(p1.x, p1.y); this.ctx.lineTo(p2.x, p2.y); this.ctx.strokeStyle = line.color; this.ctx.lineWidth = this.panManager.getCanvasLength(line.linesize); this.ctx.lineCap = 'round'; this.ctx.stroke(); this.ctx.closePath(); } setOnNewUpdate(func) { this.onNewUpdate = func; } setOnCursorMove(func) { this.onCursorMove = func; } disableDrawing() { this.isDrawingEnabled = false; } enableDrawing() { this.isDrawingEnabled = true; } }
import React, { Component } from 'react'; import data from '../../assets/data/practicas.json'; export default class tabpane extends Component { ejercicios(ejemplo, module){ var ejer; switch (ejemplo) { case 1: ejer = data[0][module]['1']; break; case 2: ejer = data[0][module]['2']; break; case 3: ejer = data[0][module]['3']; break; } return ejer; } render() { const { num, dat } = this.props; return ( <div> <h1> { this.ejercicios(num, dat) } </h1> </div> ) } }
var dataSets = { "english_wordlist_2k" : [ "a", "an", "able", "about", "above", "abuse", "accept", "accident", "accuse", "across", "act", "activist", "actor", "add", "administration", "admit", "adult", "advertise", "advise", "affect", "afraid", "after", "again", "against", "age", "agency", "aggression", "ago", "agree", "agriculture", "aid", "aim", "air", "air force", "airplane", "airport", "album", "alcohol", "alive", "all", "ally", "almost", "alone", "along", "already", "also", "although", "always", "ambassador", "amend", "ammunition", "among", "amount", "anarchy", "ancestor", "ancient", "and", "anger", "animal", "anniversary", "announce", "another", "answer", "any", "apologize", "appeal", "appear", "appoint", "approve", "archeology", "area", "argue", "arms", "army", "around", "arrest", "arrive", "art", "artillery", "as", "ash", "ask", "assist", "astronaut", "astronomy", "asylum", "at", "atmosphere", "attach", "attack", "attempt", "attend", "attention", "automobile", "autumn", "available", "average", "avoid", "awake", "award", "away", "baby", "back", "bad", "balance", "ball", "balloon", "ballot", "ban", "bank", "bar", "barrier", "base", "battle", "be", "beat", "beauty", "because", "become", "bed", "before", "begin", "behavior", "behind", "believe", "belong", "below", "best", "betray", "better", "between", "big", "bill", "biology", "bird", "bite", "black", "blame", "bleed", "blind", "block", "blood", "blow", "blue", "boat", "body", "boil", "bomb", "bone", "book", "border", "born", "borrow", "both", "bottle", "bottom", "box", "boy", "boycott", "brain", "brave", "bread", "break", "breathe", "bridge", "brief", "bright", "bring", "broadcast", "brother", "brown", "budget", "build", "building", "bullet", "burn", "burst", "bury", "bus", "business", "busy", "but", "buy", "by", "cabinet", "call", "calm", "camera", "camp", "campaign", "can", "cancel", "cancer", "candidate", "capital", "capture", "car", "care", "career", "careful", "carry", "case", "cat", "catch", "cause", "ceasefire", "celebrate", "center", "century", "ceremony", "chairman", "champion", "chance", "change", "charge", "chase", "cheat", "cheer", "chemicals", "chemistry", "chief", "child", "children", "choose", "circle", "citizen", "city", "civilian", "civil rights", "claim", "clash", "class", "clean", "clear", "clergy", "climate", "climb", "clock", "close", "cloth", "clothes", "cloud", "coal", "coalition", "coast", "coffee", "cold", "collapse", "collect", "college", "colony", "color", "combine", "come", "command", "comment", "committee", "common", "communicate", "community", "company", "compare", "compete", "complete", "complex", "compromise", "computer", "concern", "condemn", "condition", "conference", "confirm", "conflict", "congratulate", "Congress", "connect", "conservative", "consider", "constitution", "contact", "contain", "container", "continent", "continue", "control", "convention", "cook", "cool", "cooperate", "copy", "corn", "correct", "corruption", "cost", "cotton", "count", "country", "court", "cover", "cow", "crash", "create", "creature", "credit", "crew", "crime", "criminal", "crisis", "criticize", "crops", "cross", "crowd", "crush", "cry", "culture", "cure", "curfew", "current", "custom", "customs", "cut", "dam", "damage", "dance", "danger", "dark", "date", "daughter", "day", "dead", "deaf", "deal", "debate", "debt", "decide", "declare", "decrease", "deep", "defeat", "defend", "deficit", "define", "degree", "delay", "delegate", "demand", "democracy", "demonstrate", "denounce", "deny", "depend", "deplore", "deploy", "depression", "describe", "desert", "design", "desire", "destroy", "detail", "detain", "develop", "device", "dictator", "die", "diet", "different", "difficult", "dig", "dinner", "diplomat", "direct", "direction", "dirt", "disappear", "disarm", "disaster", "discover", "discrimination", "discuss", "disease", "dismiss", "dispute", "dissident", "distance", "dive", "divide", "do", "doctor", "document", "dog", "dollar", "donate", "door", "double", "down", "dream", "drink", "drive", "drop", "drown", "drug", "dry", "during", "dust", "duty", "each", "early", "earn", "earth", "earthquake", "ease", "east", "easy", "eat", "ecology", "economy", "edge", "education", "effect", "effort", "egg", "either", "elect", "electricity", "embassy", "embryo", "emergency", "emotion", "employ", "empty", "end", "enemy", "energy", "enforce", "engine", "engineer", "enjoy", "enough", "enter", "environment", "equal", "equipment", "escape", "especially", "establish", "estimate", "ethnic", "evaporate", "even", "event", "ever", "every", "evidence", "evil", "exact", "examine", "example", "excellent", "except", "exchange", "excuse", "execute", "exercise", "exile", "exist", "expand", "expect", "expel", "experience", "experiment", "expert", "explain", "explode", "explore", "export", "express", "extend", "extra", "extraordinary", "extreme", "extremist", "face", "fact", "factory", "fail", "fair", "fall", "false", "family", "famous", "fan", "far", "farm", "fast", "fat", "father", "favorite", "fear", "federal", "feed", "feel", "female", "fence", "fertile", "few", "field", "fierce", "fight", "fill", "film", "final", "financial", "find", "fine", "finish", "fire", "fireworks", "firm", "first", "fish", "fit", "fix", "flag", "flat", "flee", "float", "flood", "floor", "flow", "flower", "fluid", "fly", "fog", "follow", "food", "fool", "foot", "for", "force", "foreign", "forest", "forget", "forgive", "form", "former", "forward", "free", "freedom", "freeze", "fresh", "friend", "frighten", "from", "front", "fruit", "fuel", "full", "fun", "funeral", "future", "gain", "game", "gas", "gather", "general", "generation", "genocide", "gentle", "get", "gift", "girl", "give", "glass", "go", "goal", "god", "gold", "good", "goods", "govern", "government", "grain", "grass", "gray", "great", "green", "grind", "ground", "group", "grow", "guarantee", "guard", "guerrilla", "guide", "guilty", "gun", "hair", "half", "halt", "hang", "happen", "happy", "hard", "harm", "harvest", "hat", "hate", "have", "he", "head", "headquarters", "heal", "health", "hear", "heat", "heavy", "helicopter", "help", "here", "hero", "hide", "high", "hijack", "hill", "history", "hit", "hold", "hole", "holiday", "holy", "home", "honest", "honor", "hope", "horrible", "horse", "hospital", "hostage", "hostile", "hot", "hotel", "hour", "house", "how", "however", "huge", "human", "humor", "hunger", "hunt", "hurry", "hurt", "husband", "I", "ice", "idea", "identify", "if", "ignore", "illegal", "imagine", "immediate", "immigrant", "import", "important", "improve", "in", "incident", "incite", "include", "increase", "independent", "individual", "industry", "infect", "inflation", "influence", "inform", "information", "inject", "injure", "innocent", "insane", "insect", "inspect", "instead", "instrument", "insult", "intelligence", "intelligent", "intense", "interest", "interfere", "international", "Internet", "intervene", "invade", "invent", "invest", "investigate", "invite", "involve", "iron", "island", "issue", "it", "jail", "jewel", "job", "join", "joint", "joke", "judge", "jump", "jury", "just", "justice", "keep", "kick", "kidnap", "kill", "kind", "kiss", "knife", "know", "knowledge", "labor", "laboratory", "lack", "lake", "land", "language", "large", "last", "late", "laugh", "launch", "law", "lead", "leak", "learn", "leave", "left", "legal", "legislature", "lend", "less", "let", "letter", "level", "liberal", "lie", "life", "lift", "light", "lightning", "like", "limit", "line", "link", "liquid", "list", "listen", "literature", "little", "live", "load", "loan", "local", "lonely", "long", "look", "lose", "loud", "love", "low", "loyal", "luck", "machine", "magazine", "mail", "main", "major", "majority", "make", "male", "man", "manufacture", "many", "map", "march", "mark", "market", "marry", "mass", "mate", "material", "mathematics", "matter", "may", "mayor", "meal", "mean", "measure", "meat", "media", "medicine", "meet", "melt", "member", "memorial", "memory", "mental", "message", "metal", "method", "microscope", "middle", "militant", "military", "militia", "milk", "mind", "mine", "mineral", "minister", "minor", "minority", "minute", "miss", "missile", "missing", "mistake", "mix", "mob", "model", "moderate", "modern", "money", "month", "moon", "moral", "more", "morning", "most", "mother", "motion", "mountain", "mourn", "move", "movement", "movie", "much", "murder", "music", "must", "mystery", "name", "narrow", "nation", "native", "natural", "nature", "navy", "near", "necessary", "need", "negotiate", "neighbor", "neither", "neutral", "never", "new", "news", "next", "nice", "night", "no", "noise", "nominate", "noon", "normal", "north", "not", "note", "nothing", "now", "nowhere", "nuclear", "number", "obey", "object", "observe", "occupy", "ocean", "of", "off", "offensive", "offer", "office", "officer", "official", "often", "oil", "old", "on", "once", "only", "open", "operate", "opinion", "oppose", "opposite", "oppress", "or", "orbit", "order", "organize", "other", "our", "oust", "out", "over", "overthrow", "owe", "own", "pain", "paint", "paper", "parachute", "parade", "pardon", "parent", "parliament", "part", "partner", "party", "pass", "passenger", "passport", "past", "path", "patient", "pay", "peace", "people", "percent", "perfect", "perform", "period", "permanent", "permit", "person", "persuade", "physical", "physics", "picture", "piece", "pig", "pilot", "pipe", "place", "plan", "planet", "plant", "plastic", "play", "please", "plenty", "plot", "poem", "point", "poison", "police", "policy", "politics", "pollute", "poor", "popular", "population", "port", "position", "possess", "possible", "postpone", "pour", "poverty", "power", "praise", "pray", "predict", "pregnant", "present", "president", "press", "pressure", "prevent", "price", "prison", "private", "prize", "probably", "problem", "process", "produce", "profession", "professor", "profit", "program", "progress", "project", "promise", "propaganda", "property", "propose", "protect", "protest", "prove", "provide", "public", "publication", "publish", "pull", "pump", "punish", "purchase", "pure", "purpose", "push", "put", "quality", "question", "quick", "quiet", "race", "radar", "radiation", "radio", "raid", "railroad", "rain", "raise", "rape", "rare", "rate", "reach", "react", "read", "ready", "real", "realistic", "reason", "reasonable", "rebel", "receive", "recent", "recession", "recognize", "record", "recover", "red", "reduce", "reform", "refugee", "refuse", "register", "regret", "reject", "relations", "release", "religion", "remain", "remains", "remember", "remove", "repair", "repeat", "report", "represent", "repress", "request", "require", "rescue", "research", "resign", "resist", "resolution", "resource", "respect", "responsible", "rest", "restaurant", "restrain", "restrict", "result", "retire", "return", "revolt", "rice", "rich", "ride", "right", "riot", "rise", "risk", "river", "road", "rob", "rock", "rocket", "roll", "room", "root", "rope", "rough", "round", "rub", "rubber", "ruin", "rule", "run", "rural", "sabotage", "sacrifice", "sad", "safe", "sail", "sailor", "salt", "same", "sand", "satellite", "satisfy", "save", "say", "school", "science", "sea", "search", "season", "seat", "second", "secret", "security", "see", "seed", "seeking", "seem", "seize", "self", "sell", "Senate", "send", "sense", "sentence", "separate", "series", "serious", "serve", "service", "set", "settle", "several", "severe", "sex", "shake", "shape", "share", "sharp", "she", "sheep", "shell", "shelter", "shine", "ship", "shock", "shoe", "shoot", "short", "should", "shout", "show", "shrink", "sick", "sickness", "side", "sign", "signal", "silence", "silver", "similar", "simple", "since", "sing", "single", "sink", "sister", "sit", "situation", "size", "skeleton", "skill", "skin", "sky", "slave", "sleep", "slide", "slow", "small", "smash", "smell", "smoke", "smooth", "snow", "so", "social", "soft", "soil", "soldier", "solid", "solve", "some", "son", "soon", "sort", "sound", "south", "space", "speak", "special", "speech", "speed", "spend", "spill", "spirit", "split", "sport", "spread", "spring", "spy", "square", "stab", "stand", "star", "start", "starve", "state", "station", "statue", "stay", "steal", "steam", "steel", "step", "stick", "still", "stone", "stop", "store", "storm", "story", "stove", "straight", "strange", "street", "stretch", "strike", "strong", "structure", "struggle", "study", "stupid", "subject", "submarine", "substance", "substitute", "subversion", "succeed", "such", "sudden", "suffer", "sugar", "suggest", "suicide", "summer", "sun", "supervise", "supply", "support", "suppose", "suppress", "sure", "surface", "surplus", "surprise", "surrender", "surround", "survive", "suspect", "suspend", "swallow", "swear in", "sweet", "swim", "sympathy", "system", "take", "talk", "tall", "tank", "target", "taste", "tax", "tea", "teach", "team", "tear", "technical", "technology", "telephone", "telescope", "television", "tell", "temperature", "temporary", "tense", "term", "terrible", "territory", "terror", "terrorist", "test", "than", "thank", "that", "the", "theater", "them", "then", "theory", "there", "these", "they", "thick", "thin", "thing", "think", "third", "this", "threaten", "through", "throw", "tie", "time", "tired", "to", "today", "together", "tomorrow", "tonight", "too", "tool", "top", "torture", "total", "touch", "toward", "town", "trade", "tradition", "traffic", "tragic", "train", "transport", "transportation", "trap", "travel", "treason", "treasure", "treat", "treatment", "treaty", "tree", "trial", "tribe", "trick", "trip", "troops", "trouble", "truce", "truck", "true", "trust", "try", "tube", "turn", "under", "understand", "unite", "universe", "university", "unless", "until", "up", "urge", "urgent", "us", "use", "usual", "vacation", "vaccine", "valley", "value", "vegetable", "vehicle", "version", "very", "veto", "victim", "victory", "video", "village", "violate", "violence", "visa", "visit", "voice", "volcano", "volunteer", "vote", "wages", "wait", "walk", "wall", "want", "war", "warm", "warn", "wash", "waste", "watch", "water", "wave", "way", "we", "weak", "wealth", "weapon", "wear", "weather", "Web site", "week", "weigh", "welcome", "well", "west", "wet", "what", "wheat", "wheel", "when", "where", "whether", "which", "while", "white", "who", "whole", "why", "wide", "wife", "wild", "will", "willing", "win", "wind", "window", "winter", "wire", "wise", "wish", "with", "withdraw", "without", "witness", "woman", "wonder", "wonderful", "wood", "word", "work", "world", "worry", "worse", "worth", "wound", "wreck", "wreckage", "write", "wrong", "year", "yellow", "yes", "yesterday", "yet", "you", "young", "zero", "zoo" ], "english_wordlist_58k" : [ "aardvark", "aardwolf", "aaron", "aback", "abacus", "abaft", "abalone", "abandon", "abandoned", "abandonment", "abandons", "abase", "abased", "abasement", "abash", "abashed", "abate", "abated", "abatement", "abates", "abattoir", "abattoirs", "abbe", "abbess", "abbey", "abbeys", "abbot", "abbots", "abbreviate", "abbreviated", "abbreviates", "abbreviating", "abbreviation", "abbreviations", "abdicate", "abdicated", "abdicates", "abdicating", "abdication", "abdomen", "abdomens", "abdominal", "abduct", "abducted", "abducting", "abduction", "abductions", "abductor", "abductors", "abducts", "abe", "abeam", "abel", "abele", "aberdeen", "aberrant", "aberration", "aberrations", "abet", "abets", "abetted", "abetting", "abeyance", "abhor", "abhorred", "abhorrence", "abhorrent", "abhors", "abide", "abided", "abides", "abiding", "abidjan", "abies", "abilities", "ability", "abject", "abjectly", "abjure", "abjured", "ablate", "ablates", "ablating", "ablation", "ablative", "ablaze", "able", "ablebodied", "abler", "ablest", "abloom", "ablution", "ablutions", "ably", "abnegation", "abnormal", "abnormalities", "abnormality", "abnormally", "aboard", "abode", "abodes", "abolish", "abolished", "abolishes", "abolishing", "abolition", "abolitionist", "abolitionists", "abomb", "abominable", "abominably", "abominate", "abominated", "abomination", "abominations", "aboriginal", "aborigines", "abort", "aborted", "aborting", "abortion", "abortionist", "abortionists", "abortions", "abortive", "aborts", "abound", "abounded", "abounding", "abounds", "about", "above", "abraded", "abraham", "abrasion", "abrasions", "abrasive", "abrasively", "abrasiveness", "abrasives", "abreast", "abridge", "abridged", "abridgement", "abridging", "abroad", "abrogate", "abrogated", "abrogating", "abrogation", "abrogations", "abrupt", "abruptly", "abruptness", "abscess", "abscesses", "abscissa", "abscissae", "abscissas", "abscond", "absconded", "absconder", "absconding", "absconds", "abseil", "abseiled", "abseiler", "abseiling", "abseils", "absence", "absences", "absent", "absented", "absentee", "absenteeism", "absentees", "absenting", "absently", "absentminded", "absentmindedly", "absentmindedness", "absolute", "absolutely", "absoluteness", "absolutes", "absolution", "absolutism", "absolutist", "absolutists", "absolve", "absolved", "absolves", "absolving", "absorb", "absorbed", "absorbency", "absorbent", "absorber", "absorbers", "absorbing", "absorbingly", "absorbs", "absorption", "absorptions", "absorptive", "absorptivity", "abstain", "abstained", "abstainer", "abstainers", "abstaining", "abstains", "abstemious", "abstemiously", "abstemiousness", "abstention", "abstentions", "abstinence", "abstinent", "abstract", "abstracted", "abstractedly", "abstracting", "abstraction", "abstractions", "abstractly", "abstracts", "abstruse", "abstrusely", "absurd", "absurder", "absurdest", "absurdist", "absurdities", "absurdity", "absurdly", "abundance", "abundances", "abundant", "abundantly", "abuse", "abused", "abuser", "abusers", "abuses", "abusing", "abusive", "abusively", "abusiveness", "abut", "abutment", "abutments", "abutted", "abutting", "abuzz", "aby", "abysmal", "abysmally", "abyss", "abyssal", "abysses", "acacia", "academe", "academia", "academic", "academical", "academically", "academician", "academicians", "academics", "academies", "academy", "acanthus", "acapulco", "accede", "acceded", "acceding", "accelerate", "accelerated", "accelerates", "accelerating", "acceleration", "accelerations", "accelerator", "accelerators", "accelerometer", "accelerometers", "accent", "accented", "accenting", "accents", "accentuate", "accentuated", "accentuates", "accentuating", "accentuation", "accept", "acceptability", "acceptable", "acceptably", "acceptance", "acceptances", "accepted", "accepting", "acceptor", "acceptors", "accepts", "access", "accessed", "accesses", "accessibility", "accessible", "accessing", "accession", "accessions", "accessories", "accessory", "accidence", "accident", "accidental", "accidentally", "accidentprone", "accidents", "acclaim", "acclaimed", "acclaims", "acclamation", "acclamations", "acclimatisation", "acclimatise", "acclimatised", "acclimatising", "accolade", "accolades", "accommodate", "accommodated", "accommodates", "accommodating", "accommodation", "accommodations", "accompanied", "accompanies", "accompaniment", "accompaniments", "accompanist", "accompany", "accompanying", "accomplice", "accomplices", "accomplish", "accomplished", "accomplishes", "accomplishing", "accomplishment", "accomplishments", "accord", "accordance", "accorded", "according", "accordingly", "accordion", "accordionist", "accordions", "accords", "accost", "accosted", "accosting", "accosts", "account", "accountability", "accountable", "accountancy", "accountant", "accountants", "accounted", "accounting", "accounts", "accra", "accredit", "accreditation", "accredited", "accrediting", "accredits", "accreted", "accretion", "accretions", "accrual", "accruals", "accrue", "accrued", "accrues", "accruing", "accumulate", "accumulated", "accumulates", "accumulating", "accumulation", "accumulations", "accumulative", "accumulator", "accumulators", "accuracies", "accuracy", "accurate", "accurately", "accursed", "accusal", "accusals", "accusation", "accusations", "accusative", "accusatory", "accuse", "accused", "accuser", "accusers", "accuses", "accusing", "accusingly", "accustom", "accustomed", "accustoming", "ace", "aced", "acentric", "acerbic", "acerbity", "acers", "aces", "acetal", "acetate", "acetates", "acetic", "acetone", "acetylene", "ache", "ached", "aches", "achievable", "achieve", "achieved", "achievement", "achievements", "achiever", "achievers", "achieves", "achieving", "aching", "achingly", "achings", "achromatic", "achy", "acid", "acidic", "acidification", "acidified", "acidify", "acidifying", "acidity", "acidly", "acidophiles", "acidrain", "acids", "acknowledge", "acknowledged", "acknowledgement", "acknowledgements", "acknowledges", "acknowledging", "acknowledgment", "acknowledgments", "acme", "acne", "acolyte", "acolytes", "aconite", "acorn", "acorns", "acoustic", "acoustical", "acoustically", "acoustics", "acquaint", "acquaintance", "acquaintances", "acquainted", "acquainting", "acquaints", "acquiesce", "acquiesced", "acquiescence", "acquiescent", "acquiescing", "acquire", "acquired", "acquirer", "acquirers", "acquires", "acquiring", "acquisition", "acquisitions", "acquisitive", "acquisitiveness", "acquit", "acquited", "acquites", "acquits", "acquittal", "acquittals", "acquittance", "acquitted", "acquitting", "acre", "acreage", "acres", "acrid", "acrimonious", "acrimoniously", "acrimony", "acrobat", "acrobatic", "acrobatics", "acrobats", "acronym", "acronyms", "across", "acrostic", "acrostics", "acrylic", "acrylics", "act", "acted", "acting", "actings", "actinides", "action", "actionable", "actions", "activate", "activated", "activates", "activating", "activation", "activations", "activator", "activators", "active", "actively", "actives", "activism", "activist", "activists", "activities", "activity", "actor", "actors", "actress", "actresses", "acts", "actual", "actualisation", "actualise", "actualised", "actualities", "actuality", "actually", "actuarial", "actuaries", "actuary", "actuate", "actuated", "actuates", "actuating", "actuation", "actuator", "actuators", "acuity", "acumen", "acupuncture", "acupuncturist", "acupuncturists", "acute", "acutely", "acuteness", "acuter", "acutest", "acyclic", "adage", "adages", "adagio", "adam", "adamant", "adamantly", "adapt", "adaptability", "adaptable", "adaptation", "adaptations", "adapted", "adapter", "adapters", "adapting", "adaptive", "adaptively", "adaptivity", "adaptor", "adaptors", "adapts", "add", "added", "addenda", "addendum", "adder", "adders", "addict", "addicted", "addiction", "addictions", "addictive", "addictiveness", "addicts", "adding", "addition", "additional", "additionally", "additions", "additive", "additively", "additives", "addle", "addled", "addles", "addling", "address", "addressability", "addressable", "addressed", "addressee", "addressees", "addresses", "addressing", "adds", "adduce", "adduced", "adduces", "adducing", "adelaide", "aden", "adenine", "adenoid", "adenoids", "adenoma", "adenomas", "adept", "adepts", "adequacy", "adequate", "adequately", "adhere", "adhered", "adherence", "adherent", "adherents", "adherer", "adherers", "adheres", "adhering", "adhesion", "adhesions", "adhesive", "adhesiveness", "adhesives", "adhoc", "adiabatic", "adiabatically", "adieu", "adieus", "adieux", "adios", "adipose", "adit", "adjacency", "adjacent", "adjacently", "adjectival", "adjective", "adjectives", "adjoin", "adjoined", "adjoining", "adjoins", "adjourn", "adjourned", "adjourning", "adjournment", "adjourns", "adjudge", "adjudged", "adjudges", "adjudicate", "adjudicated", "adjudicates", "adjudicating", "adjudication", "adjudications", "adjudicator", "adjudicators", "adjunct", "adjuncts", "adjure", "adjust", "adjustable", "adjusted", "adjuster", "adjusting", "adjustment", "adjustments", "adjusts", "adjutant", "adlib", "adlibs", "adman", "admen", "admin", "administer", "administered", "administering", "administers", "administrate", "administrated", "administrating", "administration", "administrations", "administrative", "administratively", "administrator", "administrators", "admirable", "admirably", "admiral", "admirals", "admiration", "admire", "admired", "admirer", "admirers", "admires", "admiring", "admiringly", "admissibility", "admissible", "admission", "admissions", "admit", "admits", "admittance", "admittances", "admitted", "admittedly", "admitting", "admix", "admixture", "admonish", "admonished", "admonishes", "admonishing", "admonishment", "admonition", "admonitions", "admonitory", "ado", "adobe", "adolescence", "adolescent", "adolescents", "adonis", "adopt", "adopted", "adopter", "adopting", "adoption", "adoptions", "adoptive", "adopts", "adorable", "adorably", "adoration", "adore", "adored", "adorer", "adorers", "adores", "adoring", "adoringly", "adorn", "adorned", "adorning", "adornment", "adornments", "adorns", "adrenal", "adrenalin", "adrenaline", "adrift", "adroit", "adroitly", "adroitness", "adsorb", "adsorbed", "adsorption", "adulation", "adulatory", "adult", "adulterate", "adulterated", "adulterates", "adulterating", "adulteration", "adulterations", "adulterer", "adulterers", "adulteress", "adulteresses", "adulterous", "adultery", "adulthood", "adults", "adumbrate", "adumbrated", "adumbrating", "advance", "advanced", "advancement", "advancements", "advancer", "advances", "advancing", "advantage", "advantaged", "advantageous", "advantageously", "advantages", "advent", "advents", "adventure", "adventured", "adventurer", "adventurers", "adventures", "adventuring", "adventurism", "adventurous", "adventurously", "adverb", "adverbial", "adverbs", "adversarial", "adversaries", "adversary", "adverse", "adversely", "adversities", "adversity", "advert", "adverted", "advertise", "advertised", "advertisement", "advertisements", "advertiser", "advertisers", "advertises", "advertising", "adverts", "advice", "advices", "advisability", "advisable", "advise", "advised", "advisedly", "adviser", "advisers", "advises", "advising", "advisory", "advocacy", "advocate", "advocated", "advocates", "advocating", "adze", "aegean", "aegina", "aegis", "aeolian", "aeon", "aeons", "aerate", "aerated", "aerates", "aerating", "aeration", "aerator", "aerial", "aerially", "aerials", "aerify", "aerobatic", "aerobatics", "aerobe", "aerobes", "aerobic", "aerobically", "aerobics", "aerobraking", "aerodrome", "aerodromes", "aerodynamic", "aerodynamically", "aerodynamics", "aerofoil", "aerofoils", "aeronaut", "aeronautic", "aeronautical", "aeronautics", "aeroplane", "aeroplanes", "aerosol", "aerosols", "aerospace", "aesop", "aesthete", "aesthetes", "aesthetic", "aesthetically", "aestheticism", "aestheticsy", "afar", "affability", "affable", "affably", "affair", "affairs", "affect", "affectation", "affectations", "affected", "affectedly", "affecting", "affection", "affectionate", "affectionately", "affections", "affective", "affects", "afferent", "affidavit", "affidavits", "affiliate", "affiliated", "affiliates", "affiliating", "affiliation", "affiliations", "affine", "affinities", "affinity", "affirm", "affirmation", "affirmations", "affirmative", "affirmatively", "affirmed", "affirming", "affirms", "affix", "affixed", "affixes", "affixing", "afflict", "afflicted", "afflicting", "affliction", "afflictions", "afflicts", "affluence", "affluent", "afflux", "afford", "affordability", "affordable", "afforded", "affording", "affords", "afforestation", "afforested", "affray", "affront", "affronted", "affronts", "afghan", "afghani", "afghans", "afield", "afire", "aflame", "afloat", "afoot", "aforementioned", "aforesaid", "aforethought", "afraid", "afresh", "africa", "african", "africans", "afro", "afros", "aft", "after", "afterbirth", "aftercare", "aftereffect", "aftereffects", "afterglow", "afterlife", "afterlives", "aftermath", "afternoon", "afternoons", "aftershave", "aftershocks", "aftertaste", "afterthought", "afterthoughts", "afterward", "afterwards", "aga", "again", "against", "agakhan", "agape", "agar", "agaragar", "agave", "agaves", "age", "aged", "ageing", "ageings", "ageism", "ageless", "agencies", "agency", "agenda", "agendas", "agendums", "agent", "agents", "ageold", "ages", "agglomerated", "agglomerating", "agglomeration", "agglomerations", "agglutinative", "aggravate", "aggravated", "aggravates", "aggravating", "aggravation", "aggravations", "aggregate", "aggregated", "aggregates", "aggregating", "aggregation", "aggregations", "aggression", "aggressions", "aggressive", "aggressively", "aggressiveness", "aggressor", "aggressors", "aggrieved", "aggrievedly", "aghast", "agile", "agiler", "agility", "aging", "agings", "agio", "agitate", "agitated", "agitatedly", "agitates", "agitating", "agitation", "agitations", "agitator", "agitators", "agitprop", "agleam", "aglow", "agnostic", "agnosticism", "agnostics", "ago", "agog", "agonies", "agonise", "agonised", "agonises", "agonising", "agonisingly", "agonist", "agonists", "agony", "agora", "agoraphobia", "agoraphobic", "agouti", "agrarian", "agree", "agreeable", "agreeableness", "agreeably", "agreed", "agreeing", "agreement", "agreements", "agrees", "agribusiness", "agricultural", "agriculturalist", "agriculturalists", "agriculturally", "agriculture", "agrimony", "agrochemical", "agrochemicals", "agronomist", "agronomists", "agronomy", "aground", "ague", "ah", "aha", "ahead", "ahem", "ahoy", "aid", "aide", "aided", "aidedecamp", "aider", "aiders", "aides", "aidesdecamp", "aiding", "aids", "ail", "aileron", "ailerons", "ailing", "ailment", "ailments", "ails", "aim", "aimed", "aimer", "aiming", "aimless", "aimlessly", "aimlessness", "aims", "aint", "air", "airbase", "airborne", "airbrush", "airbus", "airconditioned", "airconditioner", "airconditioning", "aircraft", "aircrew", "aircrews", "aire", "aired", "airfield", "airfields", "airflow", "airforce", "airframe", "airframes", "airgun", "airier", "airiest", "airily", "airiness", "airing", "airings", "airless", "airlift", "airlifted", "airlifting", "airlifts", "airline", "airliner", "airliners", "airlines", "airlock", "airlocks", "airmail", "airman", "airmen", "airplane", "airplay", "airport", "airports", "airraid", "airs", "airship", "airships", "airsick", "airsickness", "airspace", "airstream", "airstrip", "airstrips", "airtight", "airtime", "airwave", "airwaves", "airway", "airways", "airworthiness", "airworthy", "airy", "aisle", "aisles", "aitches", "ajar", "akimbo", "akin", "ala", "alabama", "alabaster", "alacarte", "alack", "alacrity", "aladdin", "alanine", "alarm", "alarmed", "alarming", "alarmingly", "alarmism", "alarmist", "alarms", "alas", "alaska", "alaskan", "alb", "albania", "albany", "albatross", "albatrosses", "albeit", "albinism", "albino", "album", "albumen", "albumin", "albums", "alchemical", "alchemist", "alchemists", "alchemy", "alcohol", "alcoholic", "alcoholics", "alcoholism", "alcohols", "alcove", "alcoves", "aldehyde", "aldehydes", "alder", "alderman", "aldermen", "aldrin", "ale", "alehouse", "alembic", "alert", "alerted", "alerting", "alertly", "alertness", "alerts", "ales", "alfalfa", "alfatah", "alga", "algae", "algal", "algebra", "algebraic", "algebraical", "algebraically", "algebraist", "algebras", "algeria", "algerian", "algiers", "algorithm", "algorithmic", "algorithmically", "algorithms", "alias", "aliases", "alibaba", "alibi", "alibis", "alien", "alienate", "alienated", "alienates", "alienating", "alienation", "aliened", "aliening", "aliens", "alight", "alighted", "alighting", "alights", "align", "aligned", "aligning", "alignment", "alignments", "aligns", "alike", "alimentary", "alimony", "aline", "alined", "alines", "alining", "aliphatic", "aliquot", "aliquots", "alive", "alkali", "alkalic", "alkaline", "alkalinity", "alkalis", "alkalise", "alkaloid", "alkaloids", "alkanes", "alkyl", "all", "allay", "allayed", "allaying", "allays", "allegation", "allegations", "allege", "alleged", "allegedly", "alleges", "allegiance", "allegiances", "alleging", "allegorical", "allegorically", "allegories", "allegory", "allegri", "allegro", "allele", "alleles", "allelic", "allergen", "allergens", "allergic", "allergies", "allergy", "alleviate", "alleviated", "alleviates", "alleviating", "alleviation", "alleviations", "alley", "alleys", "alleyway", "alleyways", "alliance", "alliances", "allied", "allies", "alligator", "alligators", "alliterate", "alliterated", "alliterating", "alliteration", "alliterations", "alliterative", "allocatable", "allocate", "allocated", "allocates", "allocating", "allocation", "allocations", "allocator", "allocators", "allophones", "allot", "allotment", "allotments", "allotrope", "allotropic", "allots", "allotted", "allotting", "allow", "allowable", "allowance", "allowances", "allowed", "allowing", "allows", "alloy", "alloyed", "alloying", "alloys", "allude", "alluded", "alludes", "alluding", "allure", "allured", "allurement", "allurements", "allures", "alluring", "alluringly", "allusion", "allusions", "allusive", "alluvia", "alluvial", "alluvium", "ally", "allying", "almanac", "almanacs", "almighty", "almond", "almonds", "almost", "alms", "almshouse", "almshouses", "aloe", "aloes", "aloft", "aloha", "alone", "aloneness", "along", "alongside", "aloof", "aloofness", "aloud", "alp", "alpaca", "alpacas", "alpha", "alphabet", "alphabetic", "alphabetical", "alphabetically", "alphabets", "alphanumeric", "alphas", "alpine", "alps", "already", "alright", "also", "alt", "altar", "altarpiece", "altarpieces", "altars", "alter", "alterable", "alteration", "alterations", "altercate", "altercation", "altercations", "altered", "alterego", "altering", "alternate", "alternated", "alternately", "alternates", "alternating", "alternation", "alternations", "alternative", "alternatively", "alternatives", "alternator", "alternators", "alters", "although", "altimeter", "altimeters", "altitude", "altitudes", "alto", "altogether", "altruism", "altruist", "altruistic", "altruistically", "alts", "alum", "aluminium", "aluminum", "alumni", "alumnus", "alveolar", "alveoli", "always", "am", "amalgam", "amalgamate", "amalgamated", "amalgamates", "amalgamating", "amalgamation", "amalgamations", "amalgams", "amanuensis", "amass", "amassed", "amasses", "amassing", "amateur", "amateurish", "amateurishly", "amateurishness", "amateurism", "amateurs", "amatory", "amaze", "amazed", "amazement", "amazes", "amazing", "amazingly", "amazon", "amazons", "ambassador", "ambassadorial", "ambassadors", "amber", "ambergris", "ambiance", "ambidextrous", "ambience", "ambient", "ambiguities", "ambiguity", "ambiguous", "ambiguously", "ambit", "ambition", "ambitions", "ambitious", "ambitiously", "ambivalence", "ambivalent", "ambivalently", "amble", "ambled", "ambler", "ambles", "ambling", "ambrosia", "ambulance", "ambulances", "ambulant", "ambulate", "ambulatory", "ambuscade", "ambuscades", "ambush", "ambushed", "ambushers", "ambushes", "ambushing", "ameliorate", "ameliorated", "ameliorates", "ameliorating", "amelioration", "amen", "amenability", "amenable", "amend", "amendable", "amended", "amending", "amendment", "amendments", "amends", "amenities", "amenity", "amenorrhoea", "amens", "america", "american", "americans", "americium", "amethyst", "amethystine", "amethysts", "amiability", "amiable", "amiableness", "amiably", "amicability", "amicable", "amicably", "amid", "amide", "amidships", "amidst", "amigo", "amine", "amines", "amino", "amir", "amiss", "amity", "amman", "ammeter", "ammeters", "ammo", "ammonia", "ammonites", "ammonium", "ammunition", "amnesia", "amnesiac", "amnesic", "amnesties", "amnesty", "amniotic", "amoeba", "amoebae", "amoebic", "amok", "among", "amongst", "amoral", "amorality", "amorist", "amorous", "amorously", "amorphous", "amortisation", "amortise", "amortised", "amount", "amounted", "amounting", "amounts", "amour", "amours", "amp", "ampere", "amperes", "ampersand", "ampersands", "amphetamine", "amphetamines", "amphibia", "amphibian", "amphibians", "amphibious", "amphitheatre", "amphitheatres", "amphora", "ample", "ampler", "amplification", "amplifications", "amplified", "amplifier", "amplifiers", "amplifies", "amplify", "amplifying", "amplitude", "amplitudes", "amply", "ampoules", "amps", "ampule", "ampules", "ampuls", "amputate", "amputated", "amputating", "amputation", "amputations", "amputee", "amputees", "amuck", "amulet", "amulets", "amuse", "amused", "amusement", "amusements", "amuses", "amusing", "amusingly", "an", "ana", "anabolic", "anachronism", "anachronisms", "anachronistic", "anachronistically", "anaconda", "anacondas", "anaemia", "anaemic", "anaerobic", "anaerobically", "anaesthesia", "anaesthetic", "anaesthetics", "anaesthetise", "anaesthetised", "anaesthetising", "anaesthetist", "anaesthetists", "anagram", "anagrammatic", "anagrammatically", "anagrams", "anal", "analgesia", "analgesic", "analgesics", "anally", "analogical", "analogies", "analogise", "analogous", "analogously", "analogue", "analogues", "analogy", "analysable", "analyse", "analysed", "analyser", "analysers", "analyses", "analysing", "analysis", "analyst", "analysts", "analytic", "analytical", "analytically", "anamorphic", "ananas", "anaphora", "anaphoric", "anarchic", "anarchical", "anarchism", "anarchist", "anarchistic", "anarchists", "anarchy", "anathema", "anatomic", "anatomical", "anatomically", "anatomies", "anatomist", "anatomists", "anatomy", "ancestor", "ancestors", "ancestral", "ancestries", "ancestry", "anchor", "anchorage", "anchorages", "anchored", "anchoring", "anchorite", "anchors", "anchovies", "anchovy", "ancient", "anciently", "ancients", "ancillary", "and", "andante", "andes", "andrew", "androgynous", "android", "androids", "anecdotal", "anecdotally", "anecdote", "anecdotes", "anechoic", "anemia", "anemic", "anemone", "anemones", "anergy", "aneroid", "aneurysm", "aneurysms", "anew", "angel", "angelic", "angelica", "angels", "angelus", "anger", "angered", "angering", "angers", "angina", "anginal", "angioplasty", "angle", "angled", "anglepoise", "angler", "anglers", "angles", "anglian", "anglican", "angling", "angola", "angolan", "angolans", "angora", "angoras", "angrier", "angriest", "angrily", "angry", "angst", "angstroms", "anguish", "anguished", "anguishes", "angular", "angularity", "anhydrous", "anil", "aniline", "animal", "animals", "animate", "animated", "animatedly", "animates", "animating", "animation", "animations", "animator", "animators", "animism", "animist", "animists", "animosities", "animosity", "animus", "anion", "anionic", "anions", "anise", "aniseed", "aniseeds", "anisotropic", "anisotropies", "anisotropy", "ankara", "ankle", "ankles", "anklet", "anklets", "anna", "annal", "annals", "anneal", "annealed", "annealer", "annealing", "annex", "annexation", "annexations", "annexe", "annexed", "annexes", "annexing", "annihilate", "annihilated", "annihilates", "annihilating", "annihilation", "anniversaries", "anniversary", "annotate", "annotated", "annotates", "annotating", "annotation", "annotations", "announce", "announced", "announcement", "announcements", "announcer", "announcers", "announces", "announcing", "annoy", "annoyance", "annoyances", "annoyed", "annoyer", "annoyers", "annoying", "annoyingly", "annoys", "annual", "annualised", "annually", "annuals", "annuities", "annuity", "annul", "annular", "annuli", "annulled", "annulling", "annulment", "annuls", "annulus", "annunciation", "anode", "anodes", "anodised", "anodyne", "anoint", "anointed", "anointing", "anoints", "anomalies", "anomalous", "anomalously", "anomaly", "anomic", "anon", "anonym", "anonymity", "anonymous", "anonymously", "anonyms", "anorak", "anoraks", "anorexia", "anorexic", "another", "answer", "answerable", "answered", "answerer", "answering", "answers", "ant", "antacid", "antacids", "antagonise", "antagonised", "antagonises", "antagonising", "antagonism", "antagonisms", "antagonist", "antagonistic", "antagonists", "ante", "anteater", "anteaters", "antecedent", "antecedents", "antechamber", "antedate", "antedates", "antedating", "antediluvian", "antelope", "antelopes", "antenatal", "antenna", "antennae", "antennas", "anterior", "anteriorly", "anteroom", "anthem", "anthems", "anther", "anthologies", "anthologise", "anthologised", "anthology", "anthracite", "anthrax", "anthropic", "anthropocentric", "anthropogenic", "anthropogenically", "anthropoid", "anthropological", "anthropologist", "anthropologists", "anthropology", "anthropometric", "anthropomorphic", "anthropomorphising", "anthropomorphism", "anti", "antiabortionists", "antiaircraft", "antibiotic", "antibiotics", "antibodies", "antibody", "antic", "anticipate", "anticipated", "anticipates", "anticipating", "anticipation", "anticipations", "anticipative", "anticipatory", "anticlimax", "anticlockwise", "anticoagulants", "anticonstitutional", "antics", "anticyclone", "antidepressant", "antidepressants", "antidote", "antidotes", "antifreeze", "antigen", "antigenic", "antigens", "antihistamines", "antilope", "antimatter", "antimony", "antioxidants", "antiparticles", "antipathetic", "antipathies", "antipathy", "antipodes", "antiquarian", "antiquarianism", "antiquarians", "antiquaries", "antiquary", "antiquated", "antique", "antiques", "antiquities", "antiquity", "antiseptic", "antiseptics", "antisocial", "antistatic", "antisymmetric", "antisymmetry", "antitheses", "antithesis", "antithetic", "antithetical", "antithetically", "antitrust", "antiviral", "antler", "antlers", "antlion", "antlions", "antonym", "antonyms", "antral", "antrum", "ants", "antwerp", "anus", "anvil", "anvils", "anxieties", "anxiety", "anxious", "anxiously", "any", "anybody", "anyhow", "anymore", "anyone", "anyplace", "anything", "anyway", "anyways", "anywhere", "aorist", "aorta", "aortas", "aortic", "apace", "apache", "apaches", "apart", "apartment", "apartments", "apartness", "apathetic", "apathetically", "apathy", "ape", "aped", "apeman", "aperies", "aperiodic", "aperiodically", "aperitif", "aperitifs", "aperture", "apertures", "apery", "apes", "apex", "aphasia", "aphelion", "aphid", "aphids", "aphorism", "aphorisms", "aphorist", "aphoristic", "aphrodisiac", "aphrodisiacs", "apian", "apiaries", "apiarist", "apiary", "apiece", "aping", "apis", "apish", "aplenty", "aplomb", "apnea", "apnoea", "apocalypse", "apocalyptic", "apocryphal", "apogee", "apolitical", "apollo", "apologetic", "apologetically", "apologia", "apologies", "apologise", "apologised", "apologises", "apologising", "apologist", "apologists", "apology", "apoplectic", "apoplexy", "apostasy", "apostate", "apostates", "apostle", "apostles", "apostolate", "apostolic", "apostrophe", "apostrophes", "apostrophised", "apothecaries", "apothecary", "apotheosis", "appal", "appalled", "appalling", "appallingly", "appals", "apparatchik", "apparatchiks", "apparatus", "apparatuses", "apparel", "apparelled", "apparent", "apparently", "apparition", "apparitions", "appeal", "appealed", "appealing", "appealingly", "appeals", "appear", "appearance", "appearances", "appeared", "appearing", "appears", "appease", "appeased", "appeasement", "appeaser", "appeasers", "appeases", "appeasing", "appellant", "appellants", "appellate", "appellation", "appellations", "append", "appendage", "appendages", "appended", "appendices", "appendicitis", "appending", "appendix", "appends", "appertain", "appertained", "appertaining", "appetiser", "appetising", "appetite", "appetites", "applaud", "applauded", "applauding", "applauds", "applause", "apple", "applecart", "applepie", "apples", "applet", "appliance", "appliances", "applicability", "applicable", "applicant", "applicants", "application", "applications", "applicative", "applicator", "applicators", "applied", "applier", "applies", "applique", "apply", "applying", "appoint", "appointed", "appointee", "appointees", "appointing", "appointment", "appointments", "appoints", "apportion", "apportioned", "apportioning", "apportionment", "apportions", "apposite", "apposition", "appraisal", "appraisals", "appraise", "appraised", "appraisees", "appraiser", "appraisers", "appraises", "appraising", "appraisingly", "appreciable", "appreciably", "appreciate", "appreciated", "appreciates", "appreciating", "appreciation", "appreciations", "appreciative", "appreciatively", "apprehend", "apprehended", "apprehending", "apprehends", "apprehension", "apprehensions", "apprehensive", "apprehensively", "apprentice", "apprenticed", "apprentices", "apprenticeship", "apprenticeships", "apprise", "apprised", "apprising", "appro", "approach", "approachability", "approachable", "approached", "approaches", "approaching", "approbation", "appropriate", "appropriated", "appropriately", "appropriateness", "appropriates", "appropriating", "appropriation", "appropriations", "approval", "approvals", "approve", "approved", "approves", "approving", "approvingly", "approximate", "approximated", "approximately", "approximates", "approximating", "approximation", "approximations", "apricot", "apricots", "april", "apriori", "apron", "aprons", "apropos", "apse", "apses", "apsis", "apt", "aptest", "aptitude", "aptitudes", "aptly", "aptness", "aqua", "aqualung", "aquamarine", "aquanaut", "aquaria", "aquarium", "aquariums", "aquatic", "aquatics", "aqueduct", "aqueducts", "aqueous", "aquifer", "aquifers", "aquiline", "arab", "arabesque", "arabesques", "arabia", "arabian", "arabians", "arabic", "arable", "arabs", "arachnid", "arachnids", "arachnoid", "arachnophobia", "arak", "araks", "ararat", "arbiter", "arbiters", "arbitrage", "arbitrageur", "arbitrageurs", "arbitral", "arbitrarily", "arbitrariness", "arbitrary", "arbitrate", "arbitrated", "arbitrates", "arbitrating", "arbitration", "arbitrations", "arbitrator", "arbitrators", "arbor", "arboreal", "arboretum", "arbour", "arc", "arcade", "arcades", "arcadia", "arcading", "arcana", "arcane", "arcanely", "arcaneness", "arced", "arch", "archaeological", "archaeologically", "archaeologist", "archaeologists", "archaeology", "archaeopteryx", "archaic", "archaism", "archaisms", "archangel", "archangels", "archbishop", "archbishops", "archdeacon", "archdeaconry", "archdeacons", "archdiocese", "archduke", "archdukes", "arched", "archenemies", "archenemy", "archer", "archers", "archery", "arches", "archetypal", "archetype", "archetypes", "archetypical", "arching", "archipelago", "architect", "architectonic", "architects", "architectural", "architecturally", "architecture", "architectures", "architrave", "architraves", "archival", "archive", "archived", "archives", "archiving", "archivist", "archivists", "archly", "archness", "archway", "archways", "arcing", "arcs", "arctic", "ardency", "ardent", "ardently", "ardour", "arduous", "are", "area", "areal", "areas", "arena", "arenas", "arent", "argent", "argon", "argot", "arguable", "arguably", "argue", "argued", "arguer", "arguers", "argues", "arguing", "argument", "argumentation", "argumentative", "argumentatively", "arguments", "argus", "aria", "arias", "arid", "aridity", "aridness", "aright", "arise", "arisen", "arises", "arising", "aristocracies", "aristocracy", "aristocrat", "aristocratic", "aristocrats", "arithmetic", "arithmetical", "arithmetically", "arizona", "ark", "arkansas", "arks", "arm", "armada", "armadas", "armadillo", "armament", "armaments", "armature", "armatures", "armband", "armbands", "armchair", "armchairs", "armed", "armenia", "armful", "armfuls", "armhole", "armholes", "armies", "arming", "armistice", "armless", "armlet", "armlets", "armour", "armoured", "armourer", "armourers", "armouries", "armourplated", "armoury", "armpit", "armpits", "armrest", "arms", "army", "aroma", "aromas", "aromatherapist", "aromatherapy", "aromatic", "aromaticity", "aromatics", "arose", "around", "arousal", "arousals", "arouse", "aroused", "arouses", "arousing", "arrange", "arrangeable", "arranged", "arrangement", "arrangements", "arranger", "arranges", "arranging", "arrant", "arrases", "array", "arrayed", "arraying", "arrays", "arrears", "arrest", "arrestable", "arrested", "arrester", "arresting", "arrests", "arrhythmia", "arrival", "arrivals", "arrive", "arrived", "arriver", "arrives", "arriving", "arrogance", "arrogant", "arrogantly", "arrow", "arrowed", "arrowhead", "arrowheads", "arrowing", "arrowroot", "arrows", "arsenal", "arsenals", "arsenic", "arsenide", "arson", "arsonist", "arsonists", "art", "artefact", "artefacts", "artefactual", "arterial", "arteries", "artery", "artful", "artfully", "artfulness", "arthritic", "arthritis", "arthropod", "arthropods", "arthur", "artichoke", "artichokes", "article", "articled", "articles", "articulacy", "articular", "articulate", "articulated", "articulately", "articulates", "articulating", "articulation", "articulations", "articulatory", "artier", "artifice", "artificial", "artificiality", "artificially", "artillery", "artisan", "artisans", "artist", "artiste", "artistes", "artistic", "artistically", "artistry", "artists", "artless", "artlessly", "artlessness", "arts", "artwork", "artworks", "arty", "arum", "as", "asbestos", "asbestosis", "ascend", "ascendancy", "ascendant", "ascended", "ascendency", "ascender", "ascending", "ascends", "ascension", "ascensions", "ascent", "ascents", "ascertain", "ascertainable", "ascertained", "ascertaining", "ascertainment", "ascertains", "ascetic", "asceticism", "ascetics", "ascorbic", "ascribable", "ascribe", "ascribed", "ascribes", "ascribing", "ascription", "ascriptions", "aseptic", "asexual", "ash", "ashamed", "ashamedly", "ashbin", "ashbins", "ashcans", "ashen", "ashes", "ashore", "ashtray", "ashtrays", "ashy", "asia", "asian", "asians", "asiatic", "aside", "asides", "asinine", "ask", "askance", "asked", "askers", "askew", "asking", "asks", "aslant", "asleep", "asocial", "asp", "asparagus", "aspect", "aspects", "asperity", "aspersion", "aspersions", "asphalt", "asphyxia", "asphyxiate", "asphyxiated", "asphyxiation", "aspic", "aspidistra", "aspirant", "aspirants", "aspirate", "aspirated", "aspirates", "aspirating", "aspiration", "aspirational", "aspirations", "aspirators", "aspire", "aspired", "aspires", "aspirin", "aspiring", "aspirins", "asps", "ass", "assail", "assailable", "assailant", "assailants", "assailed", "assailing", "assails", "assassin", "assassinate", "assassinated", "assassinating", "assassination", "assassinations", "assassins", "assault", "assaulted", "assaulting", "assaults", "assay", "assayed", "assayer", "assays", "assegai", "assegais", "assemblage", "assemblages", "assemble", "assembled", "assembler", "assemblers", "assembles", "assemblies", "assembling", "assembly", "assent", "assented", "assenting", "assents", "assert", "asserted", "asserting", "assertion", "assertions", "assertive", "assertively", "assertiveness", "asserts", "asses", "assess", "assessable", "assessed", "assesses", "assessing", "assessment", "assessments", "assessor", "assessors", "asset", "assets", "assiduity", "assiduous", "assiduously", "assign", "assignable", "assignation", "assignations", "assigned", "assignees", "assigner", "assigning", "assignment", "assignments", "assigns", "assimilable", "assimilate", "assimilated", "assimilates", "assimilating", "assimilation", "assist", "assistance", "assistant", "assistants", "assisted", "assisting", "assists", "assizes", "associate", "associated", "associates", "associateship", "associating", "association", "associational", "associations", "associative", "associatively", "associativity", "assonance", "assort", "assorted", "assortment", "assortments", "assuage", "assuaged", "assuages", "assuaging", "assume", "assumed", "assumes", "assuming", "assumption", "assumptions", "assurance", "assurances", "assure", "assured", "assuredly", "assures", "assuring", "assyria", "assyrian", "aster", "asterisk", "asterisked", "asterisks", "astern", "asteroid", "asteroids", "asters", "asthma", "asthmatic", "asthmatics", "astigmatic", "astigmatism", "astir", "astonish", "astonished", "astonishes", "astonishing", "astonishingly", "astonishment", "astound", "astounded", "astounding", "astoundingly", "astounds", "astraddle", "astral", "astrally", "astray", "astride", "astringent", "astrolabe", "astrolabes", "astrologer", "astrologers", "astrological", "astrology", "astronaut", "astronautical", "astronautics", "astronauts", "astronomer", "astronomers", "astronomic", "astronomical", "astronomically", "astronomy", "astrophysical", "astrophysicist", "astrophysicists", "astrophysics", "astute", "astutely", "astuteness", "asunder", "aswan", "asylum", "asylums", "asymmetric", "asymmetrical", "asymmetrically", "asymmetries", "asymmetry", "asymptomatic", "asymptote", "asymptotes", "asymptotic", "asymptotically", "asynchronous", "asynchronously", "at", "atavism", "atavistic", "ate", "atelier", "atheism", "atheist", "atheistic", "atheistically", "atheists", "athena", "athens", "atherosclerosis", "athlete", "athletes", "athletic", "athletically", "athleticism", "athletics", "atlanta", "atlantic", "atlantis", "atlas", "atlases", "atmosphere", "atmospheres", "atmospheric", "atmospherically", "atmospherics", "atoll", "atolls", "atom", "atombomb", "atomic", "atomically", "atomicity", "atomisation", "atomised", "atomistic", "atoms", "atonal", "atonality", "atone", "atoned", "atonement", "atones", "atonic", "atoning", "atop", "atrial", "atrium", "atrocious", "atrociously", "atrocities", "atrocity", "atrophied", "atrophies", "atrophy", "atrophying", "atropine", "attach", "attachable", "attache", "attached", "attaches", "attaching", "attachment", "attachments", "attack", "attacked", "attacker", "attackers", "attacking", "attacks", "attain", "attainable", "attained", "attaining", "attainment", "attainments", "attains", "attempt", "attempted", "attempting", "attempts", "attend", "attendance", "attendances", "attendant", "attendants", "attended", "attendees", "attender", "attenders", "attending", "attends", "attention", "attentional", "attentions", "attentive", "attentively", "attentiveness", "attenuate", "attenuated", "attenuates", "attenuating", "attenuation", "attenuator", "attenuators", "attest", "attestation", "attested", "attesting", "attests", "attic", "attics", "attila", "attire", "attired", "attiring", "attitude", "attitudes", "attitudinal", "attorney", "attorneys", "attract", "attracted", "attracting", "attraction", "attractions", "attractive", "attractively", "attractiveness", "attractor", "attractors", "attracts", "attributable", "attribute", "attributed", "attributes", "attributing", "attribution", "attributions", "attributive", "attrition", "attritional", "attune", "attuned", "atypical", "atypically", "aubergine", "aubergines", "auburn", "auction", "auctioned", "auctioneer", "auctioneers", "auctioning", "auctions", "audacious", "audaciously", "audacity", "audibility", "audible", "audibly", "audience", "audiences", "audio", "audiovisual", "audit", "audited", "auditing", "audition", "auditioned", "auditioning", "auditions", "auditive", "auditor", "auditorium", "auditors", "auditory", "audits", "auger", "augers", "augite", "augment", "augmentation", "augmentations", "augmented", "augmenting", "augments", "augur", "augured", "augurs", "augury", "august", "augustus", "auk", "auks", "aunt", "auntie", "aunties", "aunts", "aupair", "aupairs", "aura", "aural", "aurally", "auras", "aurevoir", "auric", "auriculas", "aurora", "aurorae", "auroral", "auroras", "auspice", "auspices", "auspicious", "auspiciously", "aussie", "aussies", "austere", "austerely", "austerity", "austral", "australian", "austria", "autarchy", "auteur", "authentic", "authentically", "authenticate", "authenticated", "authenticates", "authenticating", "authentication", "authenticator", "authenticators", "authenticity", "author", "authored", "authoress", "authorial", "authoring", "authorisation", "authorisations", "authorise", "authorised", "authorises", "authorising", "authoritarian", "authoritarianism", "authoritarians", "authoritative", "authoritatively", "authorities", "authority", "authors", "authorship", "autism", "autistic", "auto", "autobahn", "autobahns", "autobiographical", "autobiographically", "autobiographies", "autobiography", "autocracies", "autocracy", "autocrat", "autocratic", "autocratically", "autocrats", "autocue", "autograph", "autographed", "autographing", "autographs", "autoignition", "autoimmune", "automat", "automata", "automate", "automated", "automates", "automatic", "automatically", "automatics", "automating", "automation", "automaton", "automats", "automobile", "automorphism", "automorphisms", "automotive", "autonomic", "autonomous", "autonomously", "autonomy", "autopilot", "autopsies", "autopsy", "autosuggestion", "autumn", "autumnal", "autumns", "auxiliaries", "auxiliary", "avail", "availabilities", "availability", "available", "availed", "availing", "avails", "avalanche", "avalanches", "avalanching", "avantgarde", "avarice", "avaricious", "avariciousness", "ave", "avenge", "avenged", "avenger", "avengers", "avenges", "avenging", "avens", "avenue", "avenues", "aver", "average", "averaged", "averagely", "averages", "averaging", "averred", "averring", "avers", "averse", "aversion", "aversions", "aversive", "avert", "averted", "averting", "averts", "avian", "aviaries", "aviary", "aviate", "aviation", "aviator", "aviators", "avid", "avidity", "avidly", "avionics", "avocado", "avoid", "avoidable", "avoidance", "avoided", "avoiding", "avoids", "avoirdupois", "avow", "avowal", "avowals", "avowed", "avowedly", "avowing", "avulsion", "avuncular", "await", "awaited", "awaiting", "awaits", "awake", "awaken", "awakened", "awakening", "awakenings", "awakens", "awakes", "awaking", "award", "awarded", "awarding", "awards", "aware", "awareness", "awash", "away", "awe", "awed", "aweless", "awesome", "awesomely", "awesomeness", "awestruck", "awful", "awfully", "awfulness", "awhile", "awkward", "awkwardest", "awkwardly", "awkwardness", "awls", "awn", "awning", "awnings", "awoke", "awoken", "awol", "awry", "axe", "axed", "axehead", "axeheads", "axeman", "axes", "axial", "axially", "axillary", "axing", "axiom", "axiomatic", "axiomatically", "axiomatising", "axioms", "axis", "axle", "axles", "axolotl", "axon", "axons", "aye", "ayurvedic", "azalea", "azaleas", "azimuth", "azimuthal", "azores", "aztec", "aztecs", "azure", "baa", "baaing", "baal", "babas", "babble", "babbled", "babbler", "babblers", "babbles", "babbling", "babe", "babel", "babes", "babies", "baboon", "baboons", "baby", "babyface", "babyhood", "babying", "babyish", "babylon", "babysit", "babysitter", "babysitters", "babysitting", "baccarat", "bacchus", "bach", "bachelor", "bachelors", "bacilli", "bacillus", "back", "backache", "backbench", "backbencher", "backbenchers", "backbone", "backbones", "backchat", "backdate", "backdated", "backdrop", "backed", "backer", "backers", "backfire", "backfired", "backfires", "backfiring", "backgammon", "background", "backgrounds", "backhand", "backhanded", "backing", "backlash", "backless", "backlight", "backlit", "backlog", "backlogs", "backpack", "backpacker", "backpackers", "backpacking", "backpacks", "backpedal", "backpedalled", "backpedalling", "backrest", "backs", "backseat", "backside", "backsides", "backslapping", "backslash", "backsliding", "backspace", "backspaces", "backspacing", "backstabbing", "backstage", "backstairs", "backstreet", "backstreets", "backstroke", "backtrack", "backtracked", "backtracking", "backtracks", "backup", "backups", "backward", "backwardness", "backwards", "backwash", "backwater", "backwaters", "backwoods", "backwoodsmen", "backyard", "bacon", "bacteria", "bacterial", "bactericidal", "bacteriological", "bacteriologist", "bacteriologists", "bacteriology", "bacteriophage", "bacterium", "bad", "baddy", "bade", "bader", "badge", "badged", "badger", "badgered", "badgering", "badgers", "badges", "badinage", "badlands", "badly", "badminton", "badness", "badtempered", "baffle", "baffled", "bafflement", "baffler", "baffles", "baffling", "bafflingly", "bag", "bagatelle", "bagdad", "bagels", "bagful", "bagfuls", "baggage", "baggages", "bagged", "bagger", "baggier", "baggiest", "bagging", "baggy", "baghdad", "bagman", "bagmen", "bagpipe", "bagpiper", "bagpipes", "bags", "baguette", "baguettes", "bah", "bahamas", "bail", "bailed", "bailiff", "bailiffs", "bailing", "bailiwick", "bailout", "bails", "bait", "baited", "baiters", "baiting", "baitings", "baits", "bake", "baked", "bakehouse", "baker", "bakeries", "bakers", "bakery", "bakes", "baking", "bakings", "baklavas", "balaclava", "balaclavas", "balalaika", "balance", "balanced", "balancer", "balances", "balancing", "balconies", "balcony", "bald", "balder", "balderdash", "baldest", "balding", "baldly", "baldness", "baldy", "bale", "baled", "baleen", "baleful", "balefully", "bales", "bali", "baling", "ball", "ballad", "ballade", "ballades", "ballads", "ballast", "ballasts", "ballbearing", "ballbearings", "ballerina", "ballerinas", "ballet", "balletic", "ballets", "ballistic", "ballistics", "balloon", "ballooned", "ballooning", "balloonist", "balloonists", "balloons", "ballot", "balloted", "balloting", "ballots", "ballpen", "ballpens", "ballpoint", "ballroom", "ballrooms", "balls", "ballyhoo", "balm", "balmier", "balmiest", "balmoral", "balms", "balmy", "baloney", "balsa", "balsam", "baltic", "baluster", "balusters", "balustrade", "balustraded", "balustrades", "bambino", "bamboo", "bamboos", "bamboozle", "bamboozled", "bamboozles", "ban", "banal", "banalities", "banality", "banana", "bananas", "band", "bandage", "bandaged", "bandages", "bandaging", "bandanna", "banded", "bandied", "bandier", "bandiest", "banding", "bandit", "banditry", "bandits", "bandpass", "bands", "bandstand", "bandwagon", "bandwagons", "bandwidth", "bandwidths", "bane", "bang", "banged", "banger", "bangers", "banging", "bangkok", "bangle", "bangles", "bangs", "banish", "banished", "banishes", "banishing", "banishment", "banister", "banisters", "banjo", "bank", "bankable", "banked", "banker", "bankers", "banking", "banknote", "banknotes", "bankrupt", "bankruptcies", "bankruptcy", "bankrupted", "bankrupting", "bankrupts", "banks", "banned", "banner", "banners", "banning", "bannister", "bannisters", "banns", "banquet", "banqueting", "banquets", "bans", "banshee", "banshees", "bantam", "bantams", "bantamweight", "banter", "bantered", "bantering", "baobab", "baobabs", "bap", "baptise", "baptised", "baptises", "baptising", "baptism", "baptismal", "baptisms", "baptist", "baptists", "bar", "barb", "barbarian", "barbarians", "barbaric", "barbarically", "barbarism", "barbarities", "barbarity", "barbarous", "barbarously", "barbecue", "barbecued", "barbecues", "barbed", "barbell", "barbels", "barber", "barbers", "barbie", "barbiturate", "barbiturates", "barbs", "barcode", "bard", "bards", "bare", "bareback", "bared", "barefaced", "barefoot", "barefooted", "barely", "bareness", "barer", "bares", "barest", "bargain", "bargained", "bargainers", "bargaining", "bargains", "barge", "barged", "bargepole", "barges", "barging", "baring", "baritone", "baritones", "barium", "bark", "barked", "barker", "barkers", "barking", "barks", "barky", "barley", "barleycorn", "barleycorns", "barmaid", "barmaids", "barman", "barmen", "barn", "barnacle", "barnacles", "barns", "barnstorming", "barnyard", "barometer", "barometers", "barometric", "baron", "baronage", "baroness", "baronesses", "baronet", "baronets", "baronial", "baronies", "barons", "barony", "baroque", "barrack", "barracking", "barracks", "barracuda", "barrage", "barrages", "barre", "barred", "barrel", "barrelled", "barrels", "barren", "barrenness", "barricade", "barricaded", "barricades", "barrier", "barriers", "barring", "barrister", "barristers", "barrow", "barrows", "bars", "bart", "bartender", "barter", "bartered", "barterer", "bartering", "basal", "basalt", "basaltic", "basalts", "base", "baseball", "baseballs", "based", "baseless", "baseline", "baselines", "basely", "basement", "basements", "baseness", "baser", "bases", "basest", "bash", "bashed", "bashes", "bashful", "bashfully", "bashfulness", "bashing", "basic", "basically", "basics", "basify", "basil", "basilica", "basilicas", "basilisk", "basilisks", "basin", "basinful", "basing", "basins", "basis", "bask", "basked", "basket", "basketball", "basketful", "basketry", "baskets", "basking", "basks", "basque", "basrelief", "basreliefs", "bass", "basses", "bassist", "bassoon", "bassoons", "bastard", "bastardisation", "bastardise", "bastardised", "bastards", "bastardy", "baste", "basted", "basting", "bastion", "bastions", "bat", "batch", "batched", "batches", "batching", "bate", "bated", "bates", "bath", "bathe", "bathed", "bather", "bathers", "bathes", "bathetic", "bathhouse", "bathing", "bathos", "bathrobe", "bathroom", "bathrooms", "baths", "bathtub", "bathtubs", "bathurst", "bathwater", "batik", "batiks", "bating", "batman", "batmen", "baton", "batons", "bats", "batsman", "batsmen", "battalion", "battalions", "batted", "batten", "battened", "battening", "battens", "batter", "battered", "batteries", "battering", "batters", "battery", "batting", "battle", "battleaxe", "battlecry", "battled", "battledress", "battlefield", "battlefields", "battleground", "battlegrounds", "battlement", "battlemented", "battlements", "battler", "battlers", "battles", "battleship", "battleships", "battling", "batty", "bauble", "baubles", "baud", "baulk", "baulked", "baulking", "baulks", "baulky", "bauxite", "bavaria", "bavarian", "bawdier", "bawdiest", "bawdy", "bawl", "bawled", "bawling", "bawls", "bay", "bayed", "baying", "bayonet", "bayonets", "bays", "bazaar", "bazaars", "bazooka", "bazookas", "be", "beach", "beachcomber", "beached", "beaches", "beachhead", "beaching", "beachside", "beachy", "beacon", "beaconed", "beacons", "bead", "beaded", "beadier", "beadiest", "beading", "beadings", "beadle", "beadles", "beads", "beadwork", "beady", "beadyeyed", "beagle", "beagles", "beak", "beaked", "beaker", "beakers", "beaks", "beam", "beamed", "beaming", "beams", "beamy", "bean", "beanbag", "beanery", "beanie", "beanpole", "beans", "beanstalk", "beanstalks", "beany", "bear", "bearable", "bearably", "beard", "bearded", "beardless", "beards", "bearer", "bearers", "bearing", "bearings", "bearish", "bears", "bearskin", "bearskins", "beast", "beastliest", "beastliness", "beastly", "beasts", "beat", "beaten", "beater", "beaters", "beatific", "beatification", "beatifications", "beatified", "beatifies", "beatify", "beating", "beatings", "beatitude", "beatitudes", "beatnik", "beatniks", "beats", "beatup", "beau", "beaus", "beauteous", "beautician", "beauties", "beautified", "beautifier", "beautifiers", "beautifies", "beautiful", "beautifully", "beautify", "beauts", "beauty", "beaux", "beaver", "beavering", "beavers", "bebop", "becalm", "becalmed", "became", "because", "beck", "beckon", "beckoned", "beckoning", "beckons", "becks", "become", "becomes", "becoming", "bed", "bedazzle", "bedazzled", "bedbug", "bedbugs", "bedchamber", "bedclothes", "bedcover", "bedded", "bedder", "bedding", "beddings", "bedecked", "bedecks", "bedevil", "bedevilled", "bedevilment", "bedevils", "bedfellow", "bedfellows", "bedlam", "bedlinen", "bedmaker", "bedmakers", "bedouin", "bedouins", "bedpan", "bedpans", "bedpost", "bedraggled", "bedridden", "bedrock", "bedroom", "bedrooms", "beds", "bedsheets", "bedside", "bedsit", "bedsitter", "bedsitters", "bedsore", "bedsores", "bedspread", "bedspreads", "bedstead", "bedsteads", "bedtime", "bedtimes", "bee", "beech", "beeches", "beechnut", "beechwood", "beef", "beefburger", "beefburgers", "beefcake", "beefeater", "beefier", "beefiest", "beefs", "beefy", "beehive", "beehives", "beekeepers", "beeline", "beelines", "been", "beep", "beeper", "beeping", "beeps", "beer", "beermat", "beermats", "beers", "beery", "bees", "beeswax", "beet", "beetle", "beetles", "beetroot", "beets", "befall", "befallen", "befalling", "befalls", "befell", "befit", "befits", "befitted", "befitting", "befog", "before", "beforehand", "befoul", "befriend", "befriended", "befriending", "befriends", "befuddle", "befuddled", "befuddling", "beg", "began", "begat", "beget", "begets", "begetting", "beggar", "beggared", "beggarly", "beggars", "beggary", "begged", "begging", "beggings", "begin", "beginner", "beginners", "beginning", "beginnings", "begins", "begone", "begonias", "begot", "begotten", "begrudge", "begrudged", "begrudgingly", "begs", "beguile", "beguiled", "beguilement", "beguiling", "begun", "behalf", "behave", "behaved", "behaves", "behaving", "behaviour", "behavioural", "behaviourally", "behaviourism", "behaviourist", "behaviourists", "behaviours", "behead", "beheaded", "beheading", "beheld", "behemoth", "behest", "behind", "behindhand", "behinds", "behold", "beholden", "beholder", "beholders", "beholding", "beholds", "behoved", "behoves", "beige", "beijing", "being", "beings", "beirut", "bejewel", "bejewelled", "bel", "belabour", "belated", "belatedly", "belatedness", "belay", "belayed", "belays", "belch", "belched", "belches", "belching", "beleaguered", "belfast", "belfries", "belfry", "belgian", "belgians", "belgium", "belgrade", "belie", "belied", "belief", "beliefs", "belies", "believability", "believable", "believably", "believe", "believed", "believer", "believers", "believes", "believing", "belike", "belittle", "belittled", "belittles", "belittling", "bell", "belladonna", "bellbottoms", "belle", "belled", "belles", "bellicose", "bellicosity", "bellies", "belligerence", "belligerent", "belligerently", "belligerents", "bellow", "bellowed", "bellowing", "bellows", "bells", "belly", "bellyful", "belong", "belonged", "belonging", "belongings", "belongs", "beloved", "below", "belt", "belted", "belting", "beltings", "belts", "belying", "bemoan", "bemoaned", "bemoaning", "bemoans", "bemuse", "bemused", "bemusedly", "bemusement", "ben", "bench", "benches", "benchmark", "benchmarking", "benchmarks", "bend", "bendable", "bended", "bender", "benders", "bending", "bendings", "bends", "beneath", "benediction", "benedictions", "benefaction", "benefactions", "benefactor", "benefactors", "benefactress", "benefice", "beneficence", "beneficent", "beneficial", "beneficially", "beneficiaries", "beneficiary", "benefit", "benefited", "benefiting", "benefits", "benelux", "benevolence", "benevolent", "benevolently", "bengal", "benighted", "benightedly", "benign", "benignity", "benignly", "benjamin", "bent", "benzene", "bequeath", "bequeathed", "bequeathing", "bequest", "bequests", "berate", "berated", "berating", "berber", "bereave", "bereaved", "bereavement", "bereavements", "bereaving", "bereft", "beret", "berets", "bergs", "berk", "berlin", "berliner", "bermuda", "bern", "berries", "berry", "berserk", "berth", "berthed", "berths", "beryl", "beryllium", "beseech", "beseeched", "beseeches", "beseeching", "beseechingly", "beset", "besets", "besetting", "beside", "besides", "besiege", "besieged", "besieging", "besmirch", "besot", "besotted", "bespattered", "bespeak", "bespeaking", "bespeaks", "bespectacled", "bespoke", "best", "bestial", "bestiality", "bestiary", "bestir", "bestirred", "bestirring", "bestknown", "bestow", "bestowal", "bestowals", "bestowed", "bestowing", "bestows", "bestride", "bestrode", "bests", "bestseller", "bestsellers", "bestselling", "bet", "beta", "betel", "betide", "betimes", "betoken", "betokened", "betokens", "betray", "betrayal", "betrayals", "betrayed", "betrayer", "betrayers", "betraying", "betrays", "betroth", "betrothal", "betrothed", "betroths", "bets", "betted", "better", "bettered", "bettering", "betterment", "betters", "betting", "between", "betwixt", "bevel", "bevelled", "bevelling", "bevels", "beverage", "beverages", "bevvy", "bevy", "bewail", "bewailed", "bewailing", "bewails", "beware", "bewhiskered", "bewilder", "bewildered", "bewildering", "bewilderingly", "bewilderment", "bewilders", "bewitch", "bewitched", "bewitching", "beyond", "biannual", "bias", "biased", "biases", "biasing", "biassed", "biasses", "biassing", "bib", "bible", "bibles", "biblical", "biblically", "biblicists", "bibliographic", "bibliographical", "bibliographies", "bibliography", "bibliophile", "bibs", "bicameral", "bicarb", "bicarbonate", "bicentenary", "bicentennial", "biceps", "bicker", "bickering", "bickerings", "bicycle", "bicycled", "bicycles", "bicycling", "bid", "bidden", "bidder", "bidders", "bidding", "biddings", "bide", "bided", "bides", "bidet", "biding", "bidirectional", "bids", "biennial", "biennials", "bier", "bifocal", "bifocals", "bifurcated", "bifurcation", "bifurcations", "big", "bigamist", "bigamists", "bigamous", "bigamy", "bigapple", "bigben", "bigger", "biggest", "biggish", "bigheads", "bigness", "bigot", "bigoted", "bigotry", "bigots", "bijou", "bijoux", "bike", "biker", "bikes", "biking", "bikini", "bikinis", "bilabial", "bilateral", "bilaterally", "bile", "biles", "bilge", "bilges", "bilharzia", "biliary", "bilingual", "bilingualism", "bilinguals", "bilious", "bill", "billable", "billboard", "billboards", "billed", "billet", "billeted", "billeting", "billets", "billiard", "billiards", "billing", "billings", "billion", "billionaire", "billionaires", "billions", "billionth", "billow", "billowed", "billowing", "billows", "billowy", "billposters", "bills", "billy", "biltong", "bimbo", "bimodal", "bimonthly", "bin", "binaries", "binary", "bind", "binder", "binders", "bindery", "binding", "bindings", "binds", "bindweed", "bing", "binge", "bingo", "binnacle", "binocular", "binoculars", "binodal", "binomial", "bins", "biochemical", "biochemically", "biochemist", "biochemistry", "biochemists", "biodegradable", "biodiversity", "bioengineering", "biofeedback", "biogeographical", "biographer", "biographers", "biographical", "biographically", "biographies", "biography", "biological", "biologically", "biologist", "biologists", "biology", "biomass", "biomedical", "biometric", "biometrics", "biometry", "biomorph", "bionic", "bionics", "biophysical", "biopsies", "biopsy", "biorhythm", "biorhythms", "bioscope", "biosphere", "biospheres", "biosynthesis", "biota", "biotechnological", "biotechnologist", "biotechnologists", "biotechnology", "biotic", "bipartisan", "bipartite", "biped", "bipedal", "bipedalism", "bipeds", "biplane", "biplanes", "bipolar", "birch", "birched", "birches", "bird", "birdbath", "birdbaths", "birdcage", "birdcages", "birdie", "birdies", "birds", "birdsong", "birdtables", "birdwatcher", "birdwatchers", "birdwatching", "birefringence", "birefringent", "birth", "birthday", "birthdays", "birthmark", "birthmarks", "birthplace", "birthrate", "birthright", "birthrights", "births", "biscuit", "biscuits", "biscuity", "bisect", "bisected", "bisecting", "bisects", "bisexual", "bisexuality", "bisexuals", "bishop", "bishopric", "bishoprics", "bishops", "bismarck", "bismuth", "bison", "bisons", "bissau", "bistable", "bistro", "bit", "bitch", "bitches", "bitchiness", "bitching", "bitchy", "bite", "biter", "biters", "bites", "biting", "bitingly", "bitmap", "bits", "bitten", "bitter", "bitterest", "bitterly", "bittern", "bitterness", "bitters", "bittersweet", "bittiness", "bitts", "bitty", "bitumen", "bituminous", "bivalve", "bivalves", "bivouac", "bivouacked", "bivouacs", "biweekly", "biz", "bizarre", "bizarrely", "bizarreness", "blab", "blabbed", "blabber", "blabbering", "blabs", "black", "blackball", "blackballed", "blackballing", "blackberries", "blackberry", "blackbird", "blackbirds", "blackboard", "blackboards", "blackcurrant", "blackcurrants", "blacked", "blacken", "blackened", "blackening", "blackens", "blacker", "blackest", "blackfly", "blackguard", "blackhead", "blackheads", "blacking", "blackish", "blackjack", "blackleg", "blacklist", "blacklisted", "blacklisting", "blacklists", "blackly", "blackmail", "blackmailed", "blackmailer", "blackmailers", "blackmailing", "blackmails", "blackness", "blackout", "blackouts", "blacks", "blacksea", "blackshirts", "blacksmith", "blacksmiths", "blackthorn", "bladder", "bladders", "blade", "bladed", "blades", "blah", "blame", "blameable", "blamed", "blameful", "blameless", "blamelessly", "blamelessness", "blames", "blameworthy", "blaming", "blanch", "blanched", "blanching", "blancmange", "bland", "blandest", "blandishments", "blandly", "blandness", "blank", "blanked", "blanker", "blanket", "blanketed", "blanketing", "blankets", "blanking", "blankly", "blankness", "blanks", "blare", "blared", "blares", "blaring", "blase", "blaspheme", "blasphemed", "blasphemer", "blasphemers", "blasphemies", "blaspheming", "blasphemous", "blasphemously", "blasphemy", "blast", "blasted", "blaster", "blasters", "blasting", "blasts", "blat", "blatancy", "blatant", "blatantly", "blaze", "blazed", "blazer", "blazers", "blazes", "blazing", "bleach", "bleached", "bleacher", "bleachers", "bleaches", "bleaching", "bleak", "bleaker", "bleakest", "bleakly", "bleakness", "blearily", "bleary", "blearyeyed", "bleat", "bleated", "bleating", "bleats", "bled", "bleed", "bleeder", "bleeders", "bleeding", "bleeds", "bleep", "bleeped", "bleeper", "bleeping", "bleeps", "blemish", "blemished", "blemishes", "blench", "blenched", "blend", "blended", "blender", "blenders", "blending", "blends", "blesbok", "bless", "blessed", "blessedness", "blesses", "blessing", "blessings", "blew", "blight", "blighted", "blighting", "blights", "blimp", "blimps", "blind", "blinded", "blinder", "blindest", "blindfold", "blindfolded", "blindfolds", "blinding", "blindingly", "blindly", "blindness", "blinds", "blink", "blinked", "blinker", "blinkered", "blinkering", "blinkers", "blinking", "blinks", "blip", "blips", "bliss", "blissful", "blissfully", "blister", "blistered", "blistering", "blisteringly", "blisters", "blithe", "blithely", "blithering", "blitz", "blitzkrieg", "blizzard", "blizzards", "bloat", "bloated", "bloating", "blob", "blobs", "bloc", "block", "blockade", "blockaded", "blockades", "blockading", "blockage", "blockages", "blockbuster", "blockbusters", "blockbusting", "blocked", "blockers", "blockhead", "blockheads", "blocking", "blockish", "blocks", "blocky", "blocs", "bloke", "blokes", "blond", "blonde", "blonder", "blondes", "blondest", "blondhaired", "blonds", "blood", "bloodbath", "bloodcurdling", "blooded", "bloodhound", "bloodhounds", "bloodied", "bloodier", "bloodies", "bloodiest", "bloodily", "bloodless", "bloodlessness", "bloodletting", "bloodline", "bloodlust", "bloodred", "bloods", "bloodshed", "bloodshot", "bloodsport", "bloodsports", "bloodstain", "bloodstained", "bloodstains", "bloodstock", "bloodstone", "bloodstream", "bloodsuckers", "bloodthirstier", "bloodthirstiest", "bloodthirsty", "bloodworm", "bloody", "bloodymindedness", "bloom", "bloomed", "bloomer", "bloomers", "blooming", "blooms", "bloomy", "blossom", "blossomed", "blossoming", "blossoms", "blot", "blotch", "blotched", "blotches", "blotchy", "blots", "blotted", "blotter", "blotting", "blouse", "blouses", "blow", "blowdried", "blowdrying", "blowed", "blower", "blowers", "blowfly", "blowing", "blowlamp", "blown", "blowpipe", "blowpipes", "blows", "blowtorch", "blowtorches", "blowup", "blubber", "blubbered", "blubbering", "bludgeon", "bludgeoned", "bludgeoning", "bludgeons", "blue", "bluebell", "bluebells", "blueberries", "blueberry", "bluebird", "bluebirds", "blueblooded", "bluebottle", "bluebottles", "bluecollar", "blueish", "bluemoon", "blueness", "bluenile", "blueprint", "blueprints", "bluer", "blues", "bluest", "bluesy", "bluff", "bluffed", "bluffer", "bluffers", "bluffing", "bluffs", "bluish", "blunder", "blunderbuss", "blundered", "blundering", "blunderings", "blunders", "blunt", "blunted", "blunter", "bluntest", "blunting", "bluntly", "bluntness", "blunts", "blur", "blurb", "blurbs", "blurred", "blurring", "blurry", "blurs", "blurt", "blurted", "blurting", "blurts", "blush", "blushed", "blusher", "blushers", "blushes", "blushing", "blushingly", "bluster", "blustered", "blustering", "blusters", "blustery", "bmus", "boa", "boar", "board", "boarded", "boarder", "boarders", "boardgames", "boarding", "boardings", "boardroom", "boardrooms", "boards", "boars", "boas", "boast", "boasted", "boaster", "boasters", "boastful", "boastfully", "boastfulness", "boasting", "boasts", "boat", "boated", "boater", "boaters", "boathouse", "boathouses", "boating", "boatload", "boatman", "boatmen", "boats", "boatswain", "bob", "bobbed", "bobbies", "bobbin", "bobbing", "bobbins", "bobble", "bobbles", "bobby", "bobcat", "bobs", "bobsled", "bobtail", "bobtails", "bode", "boded", "bodes", "bodice", "bodices", "bodied", "bodies", "bodiless", "bodily", "boding", "bodkin", "body", "bodybuilding", "bodyguard", "bodyguards", "bodywork", "boer", "boers", "boerwar", "boffin", "boffins", "bog", "bogey", "bogeyman", "bogeymen", "bogeys", "bogged", "boggiest", "bogging", "boggle", "boggled", "boggles", "boggling", "bogglingly", "boggy", "bogies", "bogs", "bogus", "bogy", "bohemian", "boil", "boiled", "boiler", "boilermakers", "boilers", "boiling", "boils", "boisterous", "boisterously", "bola", "bold", "bolder", "boldest", "boldface", "boldly", "boldness", "bole", "bolero", "boleyn", "bolivia", "bollard", "bollards", "bologna", "bolster", "bolstered", "bolstering", "bolsters", "bolt", "bolted", "bolting", "bolts", "bomb", "bombard", "bombarded", "bombardier", "bombarding", "bombardment", "bombardments", "bombards", "bombast", "bombastic", "bombasts", "bombay", "bombed", "bomber", "bombers", "bombing", "bombings", "bombs", "bombshell", "bonanza", "bonanzas", "bonbon", "bonbons", "bond", "bondage", "bonded", "bondholders", "bonding", "bondings", "bonds", "bone", "boned", "boneless", "bonemeal", "bones", "boney", "bonfire", "bonfires", "bong", "bongs", "bonier", "boniest", "bonn", "bonnet", "bonneted", "bonnets", "bonnie", "bonniest", "bonny", "bonobo", "bonsai", "bonus", "bonuses", "bony", "boo", "boobies", "booboo", "booby", "boobytrap", "boobytrapped", "boobytraps", "booed", "boohoo", "booing", "book", "bookable", "bookbinder", "bookbinders", "bookbinding", "bookcase", "bookcases", "booked", "bookends", "bookers", "bookie", "bookies", "booking", "bookings", "bookish", "bookkeeper", "bookkeeping", "booklet", "booklets", "bookmaker", "bookmakers", "bookmaking", "bookmark", "bookmarks", "books", "bookseller", "booksellers", "bookshelf", "bookshelves", "bookshop", "bookshops", "bookstall", "bookstalls", "bookwork", "bookworm", "bookworms", "boom", "boomed", "boomer", "boomerang", "boomeranging", "boomerangs", "booming", "booms", "boon", "boons", "boor", "boorish", "boorishly", "boorishness", "boors", "boos", "boost", "boosted", "booster", "boosters", "boosting", "boosts", "boot", "booted", "bootees", "booth", "booths", "booting", "bootlace", "bootlaces", "bootleg", "bootless", "bootprints", "boots", "bootstrap", "bootstraps", "booty", "booze", "boozed", "boozer", "boozers", "boozes", "bop", "bops", "boracic", "borate", "borates", "borax", "bordeaux", "border", "bordered", "borderer", "bordering", "borderline", "borders", "bore", "boreal", "bored", "boredom", "borehole", "boreholes", "borer", "borers", "bores", "boring", "boringly", "born", "bornagain", "borne", "borneo", "boron", "borough", "boroughs", "borrow", "borrowable", "borrowed", "borrower", "borrowers", "borrowing", "borrowings", "borrows", "borstal", "borstals", "bosnia", "bosom", "bosoms", "boson", "bosons", "boss", "bossed", "bosses", "bossier", "bossiest", "bossiness", "bossing", "bossy", "boston", "bosun", "botanic", "botanical", "botanically", "botanist", "botanists", "botany", "botch", "botched", "both", "bother", "bothered", "bothering", "bothers", "bothersome", "bothy", "botswana", "bottle", "bottled", "bottlefed", "bottlefeed", "bottleneck", "bottlenecks", "bottler", "bottles", "bottling", "bottom", "bottomed", "bottoming", "bottomless", "bottommost", "bottoms", "botulism", "boudoir", "boudoirs", "bouffant", "bougainvillea", "bough", "boughs", "bought", "boulder", "boulders", "boulevard", "boulevards", "bounce", "bounced", "bouncer", "bouncers", "bounces", "bouncier", "bounciest", "bouncing", "bouncy", "bound", "boundaries", "boundary", "bounded", "boundedness", "bounder", "bounders", "bounding", "boundless", "bounds", "bounteous", "bounties", "bountiful", "bountifully", "bounty", "bouquet", "bouquets", "bourbon", "bourbons", "bourgeois", "bourgeoisie", "bout", "boutique", "boutiques", "bouts", "bovine", "bow", "bowdlerisation", "bowdlerised", "bowdlerising", "bowed", "bowel", "bowels", "bower", "bowers", "bowie", "bowing", "bowl", "bowlder", "bowled", "bowler", "bowlers", "bowlines", "bowling", "bowls", "bowman", "bowmen", "bows", "bowsprit", "bowstring", "box", "boxed", "boxer", "boxers", "boxes", "boxful", "boxing", "boxoffice", "boxtops", "boxwood", "boxy", "boy", "boycott", "boycotted", "boycotting", "boycotts", "boyfriend", "boyfriends", "boyhood", "boyish", "boyishly", "boys", "boyscout", "bra", "brabble", "brabbled", "brabbles", "brace", "braced", "bracelet", "bracelets", "bracer", "braces", "brachiopods", "bracing", "bracingly", "bracken", "bracket", "bracketed", "bracketing", "brackets", "brackish", "bradawl", "bradycardia", "brag", "braggart", "braggarts", "bragged", "bragging", "brags", "brahman", "brahms", "braid", "braided", "braiding", "braids", "brail", "braille", "brain", "braincell", "braincells", "brainchild", "braindamaged", "braindead", "brainier", "brainless", "brainlessly", "brainlessness", "brainpower", "brains", "brainstorm", "brainstorming", "brainstorms", "brainteasers", "brainteasing", "brainwash", "brainwashed", "brainwashing", "brainwave", "brainwaves", "brainy", "braise", "braised", "brake", "braked", "brakes", "braking", "bramble", "brambles", "bran", "branch", "branched", "branches", "branching", "branchy", "brand", "branded", "brandies", "branding", "brandish", "brandished", "brandishes", "brandishing", "brands", "brandy", "brans", "bras", "brash", "brasher", "brashly", "brashness", "brasiers", "brasil", "brasilia", "brass", "brasserie", "brasses", "brassiere", "brassy", "brat", "brats", "bratty", "bravado", "brave", "braved", "bravely", "braver", "bravery", "braves", "bravest", "braving", "bravo", "braw", "brawl", "brawled", "brawler", "brawling", "brawls", "brawn", "brawnier", "brawniest", "brawny", "bray", "brayed", "braying", "brays", "braze", "brazen", "brazened", "brazenly", "brazenness", "brazier", "braziers", "brazil", "brazing", "breach", "breached", "breaches", "breaching", "bread", "breadandbutter", "breadboard", "breadboards", "breadcrumbs", "breaded", "breadfruit", "breadline", "breads", "breadth", "breadths", "breadwinner", "breadwinners", "break", "breakable", "breakage", "breakages", "breakaway", "breakaways", "breakdown", "breakdowns", "breaker", "breakers", "breakfast", "breakfasted", "breakfasting", "breakfasts", "breakin", "breaking", "breakins", "breakneck", "breakout", "breakpoint", "breakpoints", "breaks", "breakthrough", "breakthroughs", "breakup", "breakups", "breakwater", "breakwaters", "bream", "breast", "breastbone", "breasted", "breastfeed", "breastfeeding", "breasting", "breastplate", "breasts", "breaststroke", "breath", "breathable", "breathalysed", "breathalyser", "breathalysers", "breathe", "breathed", "breather", "breathes", "breathing", "breathings", "breathingspace", "breathless", "breathlessly", "breathlessness", "breaths", "breathtaking", "breathtakingly", "breathy", "breccias", "brecciated", "bred", "breech", "breeches", "breed", "breeder", "breeders", "breeding", "breeds", "breeze", "breezed", "breezes", "breezier", "breeziest", "breezily", "breezing", "breezy", "brethren", "breton", "breviary", "brevity", "brew", "brewage", "brewed", "brewer", "breweries", "brewers", "brewery", "brewing", "brews", "briar", "bribe", "bribed", "briber", "bribers", "bribery", "bribes", "bribing", "bricabrac", "brick", "brickbat", "brickbats", "bricked", "bricking", "bricklayer", "bricklayers", "bricklaying", "brickred", "bricks", "brickwork", "bridal", "bridals", "bride", "bridegroom", "bridegrooms", "brides", "bridesmaid", "bridesmaids", "bridge", "bridgebuilding", "bridged", "bridgehead", "bridges", "bridging", "bridle", "bridled", "bridles", "bridleway", "bridleways", "bridling", "brief", "briefcase", "briefcases", "briefed", "briefer", "briefest", "briefing", "briefings", "briefly", "briefs", "briers", "brig", "brigade", "brigades", "brigadier", "brigadiers", "brigand", "brigands", "bright", "brighten", "brightened", "brightening", "brightens", "brighter", "brightest", "brighteyed", "brightly", "brightness", "brightnesses", "brighton", "brilliance", "brilliancy", "brilliant", "brilliantly", "brim", "brimmed", "brimming", "brims", "brimstone", "brindled", "brine", "brines", "bring", "bringer", "bringing", "brings", "brink", "brinkmanship", "brinks", "briny", "brio", "brioche", "briquettes", "brisbane", "brisk", "brisker", "briskest", "briskly", "briskness", "bristle", "bristled", "bristles", "bristling", "bristly", "brit", "britain", "british", "britons", "brittle", "brittleness", "broach", "broached", "broaches", "broaching", "broad", "broadband", "broadcast", "broadcaster", "broadcasters", "broadcasting", "broadcasts", "broaden", "broadened", "broadening", "broadens", "broader", "broadest", "broadleaved", "broadloom", "broadly", "broadminded", "broadmindedness", "broadness", "broadsheet", "broadsheets", "broadside", "broadsides", "broadsword", "broadswords", "broadway", "brocade", "brocaded", "broccoli", "brochure", "brochures", "brogue", "brogues", "broil", "broiled", "broiler", "broiling", "broils", "broke", "broken", "brokenhearted", "brokenly", "broker", "brokerage", "brokered", "brokers", "broking", "bromide", "bromides", "bromine", "bronchi", "bronchial", "bronchitis", "bronco", "brontosaurus", "bronze", "bronzed", "bronzes", "brooch", "brooches", "brood", "brooded", "broodiness", "brooding", "broodingly", "broods", "broody", "brook", "brooklyn", "brooks", "broom", "brooms", "broomstick", "broomsticks", "broth", "brothel", "brothels", "brother", "brotherhood", "brotherinlaw", "brotherly", "brothers", "brothersinlaw", "broths", "brought", "brouhaha", "brow", "browbeat", "browbeaten", "browbeating", "brown", "browned", "browner", "brownest", "brownie", "brownies", "browning", "brownish", "brownness", "browns", "brows", "browse", "browsed", "browser", "browsers", "browses", "browsing", "bruise", "bruised", "bruiser", "bruisers", "bruises", "bruising", "brunch", "brunches", "brunei", "brunet", "brunets", "brunette", "brunettes", "brunt", "brunts", "brush", "brushed", "brushes", "brushing", "brushoff", "brushup", "brushwood", "brushwork", "brushy", "brusque", "brusquely", "brusqueness", "brussels", "brutal", "brutalisation", "brutalise", "brutalised", "brutalising", "brutalism", "brutalities", "brutality", "brutally", "brute", "brutes", "brutish", "brutishness", "brutus", "bub", "bubble", "bubbled", "bubblegum", "bubbles", "bubblier", "bubbliest", "bubbling", "bubbly", "bubonic", "buccaneer", "buccaneering", "buccaneers", "buck", "bucked", "bucket", "bucketful", "bucketfuls", "bucketing", "buckets", "bucking", "buckle", "buckled", "buckler", "bucklers", "buckles", "buckling", "buckminsterfullerene", "buckpassing", "bucks", "buckshot", "buckskin", "bucolic", "bud", "budapest", "budded", "buddhism", "buddhist", "buddies", "budding", "buddings", "buddy", "budge", "budged", "budgerigar", "budget", "budgetary", "budgeted", "budgeting", "budgets", "budgie", "budgies", "budging", "buds", "buff", "buffalo", "buffer", "buffered", "buffering", "buffers", "buffet", "buffeted", "buffeting", "buffetings", "buffets", "buffing", "buffoon", "buffoonery", "buffoons", "buffs", "bug", "bugbear", "bugbears", "bugeyed", "bugged", "bugger", "buggered", "buggering", "buggers", "buggery", "buggies", "bugging", "buggy", "bugle", "bugler", "buglers", "bugles", "bugs", "build", "builder", "builders", "building", "buildings", "builds", "buildup", "buildups", "built", "builtin", "builtup", "bulb", "bulbous", "bulbs", "bulgaria", "bulge", "bulged", "bulges", "bulging", "bulgy", "bulimia", "bulimic", "bulk", "bulkhead", "bulkheads", "bulkier", "bulkiest", "bulks", "bulky", "bull", "bulldog", "bulldogs", "bulldoze", "bulldozed", "bulldozer", "bulldozers", "bulldozing", "bullet", "bulletin", "bulletins", "bulletproof", "bullets", "bullfight", "bullfighting", "bullfinch", "bullfrog", "bullied", "bullies", "bullion", "bullish", "bullock", "bullocks", "bulls", "bully", "bullying", "bulrushes", "bulwark", "bulwarks", "bum", "bumble", "bumbled", "bumbler", "bumblers", "bumbles", "bumbling", "bump", "bumped", "bumper", "bumpers", "bumpier", "bumpiest", "bumping", "bumpkin", "bumpkins", "bumps", "bumptious", "bumpy", "bums", "bun", "bunch", "bunched", "bunches", "bunching", "bundle", "bundled", "bundles", "bundling", "bung", "bungalow", "bungalows", "bungee", "bungle", "bungled", "bungler", "bunglers", "bungles", "bungling", "bunion", "bunions", "bunk", "bunked", "bunker", "bunkered", "bunkers", "bunks", "bunkum", "bunnies", "bunny", "buns", "bunting", "bunyan", "buoy", "buoyancy", "buoyant", "buoyantly", "buoyed", "buoys", "bur", "burble", "burbled", "burbles", "burbling", "burden", "burdened", "burdening", "burdens", "burdensome", "burdock", "bureau", "bureaucracies", "bureaucracy", "bureaucrat", "bureaucratic", "bureaucratically", "bureaucratisation", "bureaucrats", "bureaus", "bureaux", "burette", "burg", "burgeon", "burgeoned", "burgeoning", "burgeons", "burger", "burgers", "burghers", "burglar", "burglaries", "burglars", "burglary", "burgle", "burgled", "burgles", "burgling", "burgundy", "burial", "burials", "buried", "buries", "burlesque", "burlesquing", "burlier", "burliest", "burly", "burma", "burmese", "burn", "burned", "burner", "burners", "burning", "burnings", "burnished", "burnishing", "burns", "burnt", "burp", "burped", "burping", "burps", "burr", "burrow", "burrowed", "burrowing", "burrows", "burs", "bursar", "bursaries", "bursars", "bursary", "burst", "bursted", "bursting", "bursts", "burundi", "bury", "burying", "bus", "buses", "bush", "bushel", "bushels", "bushes", "bushfire", "bushier", "bushiest", "bushiness", "bushing", "bushland", "bushman", "bushmen", "bushy", "busied", "busier", "busies", "busiest", "busily", "business", "businesses", "businesslike", "businessman", "businessmen", "businesswoman", "busk", "busker", "buskers", "busking", "busman", "busmen", "bussed", "bussing", "bust", "bustard", "bustards", "busted", "busters", "bustier", "busting", "bustle", "bustled", "bustles", "bustling", "busts", "busty", "busy", "busybodies", "busybody", "busying", "but", "butane", "butcher", "butchered", "butchering", "butchers", "butchery", "butler", "butlers", "buts", "butt", "butted", "butter", "buttercup", "buttercups", "buttered", "butterfat", "butterflies", "butterfly", "buttering", "buttermilk", "butters", "butterscotch", "buttery", "butting", "buttock", "buttocks", "button", "buttoned", "buttonhole", "buttonholed", "buttonholes", "buttoning", "buttons", "buttress", "buttressed", "buttresses", "buttressing", "butts", "buxom", "buy", "buyer", "buyers", "buying", "buyout", "buys", "buzz", "buzzard", "buzzards", "buzzed", "buzzer", "buzzers", "buzzes", "buzzing", "buzzwords", "by", "bye", "byebye", "byelaw", "byelaws", "byelection", "byelections", "byes", "bygone", "bygones", "bylaw", "bylaws", "byline", "bypass", "bypassed", "bypasses", "bypassing", "bypath", "bypaths", "byproduct", "byproducts", "bystander", "bystanders", "byte", "bytes", "byway", "byways", "byword", "cab", "cabal", "cabals", "cabaret", "cabarets", "cabbage", "cabbages", "cabby", "cabin", "cabinet", "cabinetmaker", "cabinets", "cabins", "cable", "cabled", "cables", "cableway", "cabling", "cabman", "cabmen", "caboodle", "caboose", "cabriolet", "cabs", "cacao", "cache", "cached", "caches", "cachet", "caching", "cackle", "cackled", "cackles", "cackling", "cacophonous", "cacophony", "cacti", "cactus", "cactuses", "cad", "cadaver", "cadaverous", "cadavers", "caddie", "caddied", "caddies", "caddy", "caddying", "cade", "cadence", "cadences", "cadenza", "cadenzas", "cadet", "cadets", "cadge", "cadged", "cadger", "cadges", "cadmium", "cads", "caesar", "cafe", "cafes", "cafeteria", "cafeterias", "caftan", "caftans", "cage", "caged", "cages", "cagey", "cagiest", "caging", "cagoule", "cagoules", "cagy", "cahoots", "caiman", "caimans", "cain", "cairn", "cairns", "cairo", "cajole", "cajoled", "cajoling", "cake", "caked", "cakes", "caking", "calamities", "calamitous", "calamitously", "calamity", "calcareous", "calcification", "calcified", "calcify", "calcite", "calcium", "calculable", "calculate", "calculated", "calculatedly", "calculates", "calculating", "calculation", "calculations", "calculative", "calculator", "calculators", "calculus", "calcutta", "caldera", "caldron", "caldrons", "calendar", "calendars", "calf", "calibrate", "calibrated", "calibrates", "calibrating", "calibration", "calibrations", "calibrator", "calibrators", "calibre", "calico", "calif", "california", "caliper", "calipers", "caliph", "call", "callable", "called", "caller", "callers", "callgirl", "callgirls", "calligrapher", "calligraphic", "calligraphy", "calling", "callings", "calliper", "callipers", "callisthenics", "callous", "calloused", "callously", "callousness", "callow", "callowness", "calls", "callup", "callus", "calm", "calmed", "calmer", "calmest", "calming", "calmly", "calmness", "calms", "calorie", "calories", "calorific", "calorimeter", "calorimeters", "calorimetry", "calory", "calumniate", "calumnies", "calumny", "calvary", "calve", "calves", "calvin", "calving", "calypso", "cam", "camaraderie", "camber", "cambodia", "camcorder", "camcorders", "came", "camel", "camelhair", "camelot", "camels", "cameo", "camera", "cameraman", "cameramen", "cameras", "camerawork", "camisole", "camomile", "camouflage", "camouflaged", "camouflages", "camouflaging", "camp", "campaign", "campaigned", "campaigner", "campaigners", "campaigning", "campaigns", "campanile", "campanological", "campanologist", "campanology", "camped", "camper", "campers", "campfire", "campfires", "camphor", "camping", "camps", "campsite", "campsites", "campus", "campuses", "cams", "camshaft", "can", "canaan", "canada", "canadian", "canal", "canalisation", "canals", "canape", "canapes", "canard", "canaries", "canary", "canberra", "cancan", "cancel", "cancellation", "cancellations", "cancelled", "cancelling", "cancels", "cancer", "cancerous", "cancers", "candelabra", "candelas", "candid", "candidacy", "candidate", "candidates", "candidature", "candidatures", "candidly", "candies", "candle", "candlelight", "candlelit", "candlepower", "candles", "candlestick", "candlesticks", "candour", "candy", "cane", "caned", "canes", "canine", "canines", "caning", "canings", "canister", "canisters", "cannabis", "canned", "cannel", "cannery", "cannes", "cannibal", "cannibalise", "cannibalised", "cannibalising", "cannibalism", "cannibalistic", "cannibals", "cannily", "canning", "cannon", "cannonball", "cannonballs", "cannoned", "cannoning", "cannons", "cannot", "cannula", "canny", "canoe", "canoed", "canoeing", "canoeist", "canoeists", "canoes", "canon", "canonic", "canonical", "canonically", "canonisation", "canonise", "canonised", "canonry", "canons", "canopener", "canopied", "canopies", "canopy", "cans", "cant", "cantaloupe", "cantankerous", "cantata", "cantatas", "canted", "canteen", "canteens", "canter", "cantered", "cantering", "canters", "canticle", "canticles", "cantilever", "cantilevered", "canton", "cantons", "cantor", "canvas", "canvased", "canvases", "canvass", "canvassed", "canvasser", "canvassers", "canvasses", "canvassing", "canyon", "canyons", "cap", "capabilities", "capability", "capable", "capably", "capacious", "capacitance", "capacities", "capacitive", "capacitor", "capacitors", "capacity", "caparisoned", "cape", "caped", "caper", "capered", "capering", "capers", "capes", "capetown", "capillaries", "capillary", "capita", "capital", "capitalisation", "capitalise", "capitalised", "capitalises", "capitalising", "capitalism", "capitalist", "capitalistic", "capitalists", "capitally", "capitals", "capitate", "capitation", "capitol", "capitulate", "capitulated", "capitulates", "capitulating", "capitulation", "capped", "capping", "cappuccino", "capri", "caprice", "caprices", "capricious", "capriciously", "capriciousness", "capriole", "capris", "caps", "capsize", "capsized", "capsizes", "capsizing", "capstan", "capstans", "capsule", "capsules", "captain", "captaincy", "captained", "captaining", "captains", "caption", "captioned", "captions", "captious", "captivate", "captivated", "captivating", "captivation", "captive", "captives", "captivity", "captor", "captors", "capture", "captured", "captures", "capturing", "capybara", "car", "carabinieri", "caracal", "caracals", "carafe", "caramel", "caramelised", "caramels", "carapace", "carat", "carats", "caravan", "caravanning", "caravans", "caravel", "caraway", "carbide", "carbine", "carbines", "carbohydrate", "carbohydrates", "carbolic", "carbon", "carbonaceous", "carbonate", "carbonated", "carbonates", "carbonic", "carboniferous", "carbonise", "carbons", "carbonyl", "carborundum", "carboxyl", "carbuncle", "carbuncles", "carburettor", "carburettors", "carcase", "carcases", "carcass", "carcasses", "carcinogen", "carcinogenesis", "carcinogenic", "carcinogens", "carcinoma", "carcinomas", "card", "cardboard", "carded", "cardholders", "cardiac", "cardiff", "cardigan", "cardigans", "cardinal", "cardinality", "cardinals", "carding", "cardioid", "cardiologist", "cardiology", "cardiopulmonary", "cardiovascular", "cards", "care", "cared", "career", "careered", "careering", "careerism", "careerist", "careerists", "careers", "carefree", "careful", "carefully", "carefulness", "careless", "carelessly", "carelessness", "carer", "carers", "cares", "caress", "caressed", "caresses", "caressing", "caressingly", "caretaker", "caretakers", "carets", "careworn", "cargo", "caribou", "caricature", "caricatured", "caricatures", "caricaturisation", "caries", "caring", "carmine", "carnage", "carnages", "carnal", "carnality", "carnally", "carnation", "carnations", "carnival", "carnivals", "carnivore", "carnivores", "carnivorous", "carnivorousness", "carol", "carols", "carotene", "carotid", "carotin", "carouse", "carousel", "carousing", "carp", "carpal", "carpenter", "carpenters", "carpentry", "carpet", "carpeted", "carpeting", "carpets", "carping", "carport", "carports", "carps", "carrel", "carriage", "carriages", "carriageway", "carriageways", "carried", "carrier", "carriers", "carries", "carrion", "carrot", "carrots", "carroty", "carry", "carrycot", "carrying", "cars", "carsick", "cart", "carted", "cartel", "cartels", "carter", "carthorses", "cartilage", "carting", "cartload", "cartloads", "cartographer", "cartographers", "cartographic", "cartography", "carton", "cartons", "cartoon", "cartoonist", "cartoonists", "cartoons", "cartouche", "cartridge", "cartridges", "carts", "cartwheel", "cartwheels", "carve", "carved", "carver", "carvers", "carvery", "carves", "carving", "carvings", "caryatids", "casanova", "cascade", "cascaded", "cascades", "cascading", "cascara", "case", "casebook", "cased", "caseload", "caseloads", "casement", "casements", "cases", "casework", "cash", "cashbox", "cashed", "cashes", "cashew", "cashier", "cashiers", "cashing", "cashless", "cashmere", "casing", "casings", "casino", "cask", "casket", "caskets", "casks", "cassava", "casserole", "casseroles", "cassette", "cassettes", "cassock", "cassocks", "cassowary", "cast", "castanet", "castanets", "castaway", "castaways", "caste", "castellated", "caster", "casters", "castes", "castigate", "castigated", "castigates", "castigating", "casting", "castings", "castiron", "castle", "castled", "castles", "castling", "castoff", "castoffs", "castor", "castors", "castrate", "castrated", "castrating", "castration", "castrato", "casts", "casual", "casually", "casualness", "casuals", "casualties", "casualty", "casuistry", "cat", "cataclysm", "cataclysmic", "catacomb", "catacombs", "catalepsy", "catalogue", "catalogued", "cataloguer", "cataloguers", "catalogues", "cataloguing", "catalyse", "catalysed", "catalyses", "catalysing", "catalysis", "catalyst", "catalysts", "catalytic", "catamaran", "catamarans", "catanddog", "catapult", "catapulted", "catapulting", "catapults", "cataract", "cataracts", "catarrh", "catastrophe", "catastrophes", "catastrophic", "catastrophically", "catatonic", "catcalls", "catch", "catched", "catcher", "catchers", "catches", "catchier", "catchiest", "catching", "catchment", "catchphrase", "catchphrases", "catchword", "catchwords", "catchy", "catechism", "catechisms", "catechist", "catechists", "categorical", "categorically", "categories", "categorisation", "categorisations", "categorise", "categorised", "categorises", "categorising", "category", "cater", "catered", "caterer", "caterers", "catering", "caterpillar", "caterpillars", "caters", "caterwaul", "caterwauls", "catfish", "catgut", "catguts", "catharsis", "cathartic", "cathedral", "cathedrals", "catheter", "catheterisation", "catheters", "cathode", "cathodes", "catholic", "cation", "cationic", "cations", "catlike", "catnap", "catnip", "cats", "catsuit", "cattery", "cattle", "catwalk", "catwalks", "caucus", "caucuses", "caudal", "caught", "cauldron", "cauldrons", "cauliflower", "cauliflowers", "caulking", "causal", "causality", "causally", "causation", "causative", "cause", "caused", "causes", "causeway", "causeways", "causing", "caustic", "caustically", "caustics", "cauterise", "cauterising", "caution", "cautionary", "cautioned", "cautioning", "cautions", "cautious", "cautiously", "cautiousness", "cavalcade", "cavalier", "cavalierly", "cavaliers", "cavalry", "cavalryman", "cavalrymen", "cave", "caveat", "caveats", "caved", "cavein", "caveman", "cavemen", "caver", "cavern", "cavernous", "caverns", "cavers", "caves", "caviar", "caviare", "caviars", "caving", "cavitation", "cavities", "cavity", "cavort", "cavorted", "cavorting", "cavorts", "caw", "cawing", "cayman", "caymans", "cease", "ceased", "ceasefire", "ceasefires", "ceaseless", "ceaselessly", "ceases", "ceasing", "cedar", "cedars", "cedarwood", "cede", "ceded", "cedilla", "ceding", "ceilidh", "ceilidhs", "ceiling", "ceilings", "celandine", "celeb", "celebrant", "celebrants", "celebrate", "celebrated", "celebrates", "celebrating", "celebration", "celebrations", "celebratory", "celebrities", "celebrity", "celeriac", "celery", "celestial", "celestially", "celibacy", "celibate", "cell", "cellar", "cellars", "cellist", "cellists", "cello", "cellophane", "cells", "cellular", "cellulite", "celluloid", "cellulose", "celsius", "celtic", "cement", "cemented", "cementing", "cements", "cemeteries", "cemetery", "cenotaph", "censer", "censor", "censored", "censorial", "censoring", "censorious", "censoriousness", "censors", "censorship", "censure", "censured", "censures", "censuring", "census", "censuses", "cent", "centaur", "centaurs", "centenarians", "centenary", "centennial", "centigrade", "centime", "centimes", "centimetre", "centimetres", "centipede", "centipedes", "central", "centralisation", "centralise", "centralised", "centraliser", "centralisers", "centralises", "centralising", "centralism", "centralist", "centrality", "centrally", "centre", "centred", "centrefold", "centrefolds", "centreing", "centrepiece", "centrepieces", "centres", "centric", "centrifugal", "centrifugally", "centrifugation", "centrifuge", "centrifuged", "centrifuges", "centrifuging", "centring", "centripetal", "centrist", "centrists", "centroid", "centroids", "cents", "centuries", "centurion", "centurions", "century", "cephalopods", "ceramic", "ceramics", "ceramist", "cereal", "cereals", "cerebellum", "cerebral", "cerebrum", "ceremonial", "ceremonially", "ceremonials", "ceremonies", "ceremonious", "ceremoniously", "ceremony", "ceres", "cerise", "certain", "certainly", "certainties", "certainty", "certifiable", "certifiably", "certificate", "certificated", "certificates", "certification", "certified", "certifies", "certify", "certifying", "certitude", "certitudes", "cervical", "cervix", "cess", "cessation", "cessations", "cession", "cesspit", "cesspool", "cesspools", "cetacean", "ceylon", "chacha", "chad", "chafe", "chafed", "chafes", "chaff", "chaffed", "chaffinch", "chaffinches", "chaffing", "chafing", "chagrin", "chagrined", "chain", "chained", "chaining", "chains", "chainsaw", "chainsaws", "chainsmoke", "chainsmoked", "chainsmoking", "chair", "chaired", "chairing", "chairlift", "chairman", "chairmanship", "chairmanships", "chairmen", "chairperson", "chairpersons", "chairs", "chairwoman", "chairwomen", "chaldron", "chalet", "chalets", "chalice", "chalices", "chalk", "chalked", "chalking", "chalks", "chalky", "challenge", "challenged", "challenger", "challengers", "challenges", "challenging", "challengingly", "chamber", "chambered", "chamberlain", "chamberlains", "chambermaid", "chambermaids", "chamberpot", "chamberpots", "chambers", "chameleon", "chameleons", "chamfer", "chamfered", "chamois", "chamomile", "champ", "champagne", "champagnes", "champing", "champion", "championed", "championing", "champions", "championship", "championships", "champs", "chance", "chanced", "chancel", "chancellery", "chancellor", "chancellors", "chancellorship", "chancer", "chancery", "chances", "chancier", "chanciest", "chancing", "chancy", "chandelier", "chandeliers", "chandler", "change", "changeability", "changeable", "changed", "changeless", "changeling", "changeover", "changeovers", "changer", "changers", "changes", "changing", "channel", "channelled", "channelling", "channels", "chant", "chanted", "chanter", "chanteuse", "chanting", "chantings", "chantries", "chantry", "chants", "chaos", "chaotic", "chaotically", "chap", "chapel", "chapels", "chaperon", "chaperone", "chaperoned", "chaperones", "chaplain", "chaplaincy", "chaplains", "chaplain", "chapman", "chapped", "chapping", "chaps", "chapter", "chapters", "char", "charabanc", "character", "characterful", "characterisation", "characterisations", "characterise", "characterised", "characterises", "characterising", "characteristic", "characteristically", "characteristics", "characterless", "characters", "charade", "charades", "charcoal", "charcuterie", "chared", "charge", "chargeable", "charged", "charger", "chargers", "charges", "charging", "chariot", "charioteer", "charioteers", "chariots", "charisma", "charismas", "charismatic", "charismatically", "charismatics", "charitable", "charitably", "charities", "charity", "charlady", "charlatan", "charlatans", "charles", "charlie", "charm", "charmed", "charmer", "charmers", "charming", "charmingly", "charmless", "charms", "charon", "charred", "charring", "chars", "chart", "charted", "charter", "chartered", "chartering", "charters", "charting", "chartists", "charts", "charwoman", "chary", "chase", "chased", "chaser", "chasers", "chases", "chasing", "chasm", "chasms", "chassis", "chaste", "chastely", "chastened", "chastening", "chastise", "chastised", "chastisement", "chastises", "chastising", "chastity", "chat", "chateau", "chats", "chatted", "chattel", "chattels", "chatter", "chatterbox", "chattered", "chatterer", "chattering", "chatters", "chattily", "chatting", "chatty", "chauffeur", "chauffeured", "chauffeurs", "chauvinism", "chauvinist", "chauvinistic", "chauvinists", "cheap", "cheapen", "cheapened", "cheapening", "cheapens", "cheaper", "cheapest", "cheapish", "cheaply", "cheapness", "cheapskates", "cheat", "cheated", "cheater", "cheaters", "cheating", "cheats", "check", "checked", "checker", "checkered", "checkering", "checkers", "checkin", "checking", "checklist", "checklists", "checkmate", "checkout", "checkouts", "checkpoint", "checkpoints", "checks", "checkup", "checkups", "cheddar", "cheek", "cheekbone", "cheekbones", "cheeked", "cheekier", "cheekiest", "cheekily", "cheeking", "cheeks", "cheeky", "cheep", "cheeping", "cheer", "cheered", "cheerful", "cheerfully", "cheerfulness", "cheerier", "cheeriest", "cheerily", "cheering", "cheerio", "cheerleader", "cheerleaders", "cheerless", "cheerlessness", "cheers", "cheery", "cheese", "cheeseboard", "cheeseburger", "cheeseburgers", "cheesecake", "cheesecloth", "cheesemaking", "cheeses", "cheesy", "cheetah", "cheetahs", "chef", "chefs", "chekov", "chemic", "chemical", "chemically", "chemicals", "chemiluminescence", "chemiluminescent", "chemise", "chemist", "chemistry", "chemists", "chemosynthesis", "chemotherapeutic", "chemotherapy", "cheque", "chequebook", "chequebooks", "chequer", "chequerboard", "chequered", "chequering", "chequers", "cheques", "cherish", "cherished", "cherishes", "cherishing", "cheroot", "cheroots", "cherries", "cherry", "cherryred", "cherub", "cherubic", "cherubim", "cherubs", "chess", "chessboard", "chessboards", "chessmen", "chest", "chested", "chester", "chesterfield", "chestnut", "chestnuts", "chests", "chesty", "chevalier", "chevron", "chevrons", "chew", "chewable", "chewed", "chewer", "chewier", "chewiest", "chewing", "chews", "chewy", "chic", "chicago", "chicane", "chicanery", "chick", "chicken", "chickens", "chicks", "chicory", "chide", "chided", "chides", "chiding", "chief", "chiefly", "chiefs", "chieftain", "chieftains", "chiffon", "chihuahua", "chihuahuas", "chilblain", "chilblains", "child", "childbearing", "childbirth", "childcare", "childhood", "childhoods", "childish", "childishly", "childishness", "childless", "childlessness", "childlike", "childly", "childminders", "childproof", "children", "chilean", "chili", "chill", "chilled", "chiller", "chillers", "chilli", "chillier", "chillies", "chilliest", "chilliness", "chilling", "chillingly", "chills", "chilly", "chimaera", "chimaerical", "chime", "chimed", "chimera", "chimeras", "chimerical", "chimes", "chiming", "chimney", "chimneys", "chimp", "chimpanzee", "chimpanzees", "chimps", "chin", "china", "chinese", "chink", "chinked", "chinking", "chinks", "chinless", "chinoiserie", "chins", "chintz", "chintzy", "chip", "chipboard", "chipmunk", "chipped", "chipping", "chippings", "chips", "chiral", "chiropodist", "chiropody", "chiropractic", "chiropractor", "chiropractors", "chirp", "chirped", "chirping", "chirps", "chirpy", "chirruped", "chisel", "chiseled", "chiselled", "chiselling", "chisels", "chit", "chits", "chivalric", "chivalrous", "chivalrously", "chivalry", "chives", "chivvied", "chivvy", "chivvying", "chlamydia", "chlorate", "chloride", "chlorinated", "chlorination", "chlorine", "chlorofluorocarbon", "chlorofluorocarbons", "chloroform", "chloroformed", "chloroforming", "chlorophyll", "chloroquine", "chock", "chockablock", "chockfull", "chocks", "chocolate", "chocolates", "choice", "choices", "choicest", "choir", "choirboy", "choirboys", "choirmaster", "choirs", "choke", "choked", "choker", "chokes", "choking", "cholera", "cholesterol", "choline", "chomp", "chomped", "chomping", "chomps", "choose", "chooser", "choosers", "chooses", "choosey", "choosier", "choosing", "choosy", "chop", "chopin", "chopped", "chopper", "choppers", "choppier", "choppiest", "chopping", "choppy", "chops", "chopsticks", "choral", "chorale", "chorales", "chorals", "chord", "chordal", "chords", "chore", "chorea", "choreographed", "choreographer", "choreographers", "choreographic", "choreographing", "choreography", "chores", "chorister", "choristers", "chortle", "chortled", "chortles", "chortling", "chorus", "chorused", "choruses", "chose", "chosen", "choughs", "chow", "christ", "christen", "christened", "christening", "christenings", "christian", "chroma", "chromatic", "chromaticism", "chromatograph", "chromatographic", "chromatography", "chrome", "chromed", "chromite", "chromium", "chromosomal", "chromosome", "chromosomes", "chronic", "chronically", "chronicle", "chronicled", "chronicler", "chroniclers", "chronicles", "chronicling", "chronograph", "chronological", "chronologically", "chronologies", "chronology", "chronometer", "chronometric", "chrysalis", "chrysanthemum", "chrysanthemums", "chubbiness", "chubby", "chuck", "chucked", "chucking", "chuckle", "chuckled", "chuckles", "chuckling", "chucks", "chuff", "chuffed", "chug", "chugged", "chugging", "chugs", "chum", "chump", "chums", "chunk", "chunkier", "chunks", "chunky", "chunnel", "chuntering", "church", "churches", "churchgoer", "churchgoers", "churchman", "churchmen", "churchwarden", "churchwardens", "churchyard", "churchyards", "churlish", "churlishly", "churlishness", "churn", "churned", "churning", "churns", "chute", "chutes", "chutney", "chutzpah", "cicada", "cicadas", "cicero", "cider", "ciders", "cigar", "cigaret", "cigarette", "cigarettes", "cigars", "cilia", "cilium", "cinch", "cinder", "cinders", "cine", "cinema", "cinemas", "cinematic", "cinematographer", "cinematography", "cinnamon", "cipher", "ciphered", "ciphers", "circa", "circadian", "circle", "circled", "circles", "circlet", "circlets", "circling", "circuit", "circuitous", "circuitry", "circuits", "circulant", "circular", "circularise", "circularised", "circularity", "circularly", "circulars", "circulate", "circulated", "circulates", "circulating", "circulation", "circulations", "circulatory", "circumcise", "circumcised", "circumcision", "circumference", "circumferences", "circumferential", "circumflex", "circumflexes", "circumlocution", "circumlocutions", "circumlocutory", "circumnavigate", "circumnavigated", "circumnavigates", "circumnavigation", "circumnavigational", "circumscribe", "circumscribed", "circumscribing", "circumspect", "circumspection", "circumspectly", "circumstance", "circumstances", "circumstantial", "circumstantially", "circumvent", "circumventable", "circumvented", "circumventing", "circumvention", "circumventions", "circumvents", "circus", "circuses", "cirrhosis", "cirrhotic", "cirrus", "cist", "cistern", "cisterns", "citadel", "citadels", "citation", "citations", "cite", "cited", "cites", "cithers", "cities", "citing", "citizen", "citizenry", "citizens", "citizenship", "citrate", "citrates", "citric", "citron", "citrons", "citrus", "citruses", "cittern", "city", "cityscape", "civic", "civics", "civies", "civil", "civilian", "civilians", "civilisation", "civilisations", "civilise", "civilised", "civilising", "civilities", "civility", "civilly", "clacking", "clad", "cladding", "claim", "claimable", "claimant", "claimants", "claimed", "claiming", "claims", "clairvoyance", "clairvoyant", "clairvoyants", "clam", "clamber", "clambered", "clambering", "clambers", "clammed", "clamming", "clammy", "clamorous", "clamorously", "clamour", "clamoured", "clamouring", "clamours", "clamp", "clampdown", "clamped", "clamping", "clamps", "clams", "clan", "clandestine", "clandestinely", "clang", "clanged", "clangers", "clanging", "clank", "clanked", "clanking", "clannish", "clans", "clansmen", "clap", "clapped", "clapper", "clappers", "clapping", "claps", "claptrap", "claret", "clarets", "clarification", "clarifications", "clarified", "clarifies", "clarify", "clarifying", "clarinet", "clarinets", "clarinettist", "clarion", "clarity", "clash", "clashed", "clashes", "clashing", "clasp", "clasped", "clasper", "clasping", "clasps", "class", "classed", "classes", "classic", "classical", "classically", "classicism", "classicist", "classicists", "classics", "classier", "classiest", "classifiable", "classification", "classifications", "classificatory", "classified", "classifier", "classifiers", "classifies", "classify", "classifying", "classing", "classless", "classlessness", "classmate", "classmates", "classroom", "classrooms", "classy", "clatter", "clattered", "clattering", "clatters", "clausal", "clause", "clauses", "claustrophobia", "claustrophobic", "clavichord", "clavicle", "claw", "clawed", "clawing", "claws", "clay", "clayey", "claymore", "claymores", "clays", "clean", "cleancut", "cleaned", "cleaner", "cleaners", "cleanest", "cleaning", "cleanliness", "cleanliving", "cleanly", "cleanness", "cleans", "cleanse", "cleansed", "cleanser", "cleanses", "cleanshaven", "cleansing", "cleanup", "clear", "clearance", "clearances", "clearcut", "cleared", "clearer", "clearest", "clearheaded", "clearing", "clearings", "clearly", "clearness", "clears", "clearsighted", "clearup", "clearups", "clearway", "cleat", "cleavage", "cleavages", "cleave", "cleaved", "cleaver", "cleavers", "cleaves", "cleaving", "clef", "cleft", "clefts", "cleg", "clematis", "clemency", "clement", "clench", "clenched", "clenches", "clenching", "clergies", "clergy", "clergyman", "clergymen", "cleric", "clerical", "clerically", "clerics", "clerk", "clerks", "clever", "cleverer", "cleverest", "cleverly", "cleverness", "cliche", "cliches", "click", "clicked", "clicking", "clicks", "client", "clientele", "clients", "cliff", "cliffhanger", "cliffs", "climactic", "climate", "climates", "climatic", "climatically", "climatological", "climatologists", "climatology", "climax", "climaxed", "climaxes", "climaxing", "climb", "climbable", "climbdown", "climbed", "climber", "climbers", "climbing", "climbs", "climes", "clinch", "clinched", "clinches", "clinching", "cling", "clingers", "clinging", "clings", "clinic", "clinical", "clinically", "clinician", "clinicians", "clinics", "clink", "clinked", "clinker", "clinking", "clip", "clipboard", "clipboards", "clipped", "clipper", "clippers", "clipping", "clippings", "clips", "clique", "cliques", "cliquey", "clitoral", "clitoris", "cloaca", "cloak", "cloakanddagger", "cloaked", "cloaking", "cloakroom", "cloakrooms", "cloaks", "clobber", "clock", "clocked", "clocking", "clockmaker", "clocks", "clockwise", "clockwork", "clod", "clods", "clog", "clogged", "clogging", "clogs", "cloister", "cloistered", "cloisters", "clonal", "clone", "cloned", "clones", "cloning", "closable", "close", "closed", "closedcircuit", "closeknit", "closely", "closeness", "closer", "closers", "closes", "closest", "closet", "closeted", "closets", "closeup", "closeups", "closing", "closings", "closure", "closures", "clot", "cloth", "clothe", "clothed", "clothes", "clothespeg", "clothespegs", "clothier", "clothiers", "clothing", "cloths", "clots", "clotted", "clotting", "cloud", "cloudburst", "cloudbursts", "clouded", "cloudier", "cloudiest", "cloudiness", "clouding", "cloudless", "clouds", "cloudscape", "cloudscapes", "cloudy", "clout", "clouted", "clouts", "clove", "cloven", "clover", "cloves", "clown", "clowned", "clowning", "clownish", "clowns", "cloying", "cloyingly", "club", "clubbed", "clubbing", "clubfooted", "clubhouse", "clubman", "clubroom", "clubs", "cluck", "clucked", "clucking", "clucks", "clue", "clued", "cluedup", "clueless", "clues", "clumber", "clump", "clumped", "clumping", "clumps", "clumpy", "clumsier", "clumsiest", "clumsily", "clumsiness", "clumsy", "clung", "cluster", "clustered", "clustering", "clusters", "clutch", "clutched", "clutches", "clutching", "clutter", "cluttered", "cluttering", "clutters", "coach", "coached", "coaches", "coaching", "coachload", "coachloads", "coachman", "coachmen", "coachwork", "coacted", "coaction", "coacts", "coagulate", "coagulated", "coagulation", "coal", "coalblack", "coalesce", "coalesced", "coalescence", "coalesces", "coalescing", "coalface", "coalfield", "coalfields", "coalition", "coalitions", "coalminers", "coals", "coapts", "coarse", "coarsely", "coarseness", "coarsens", "coarser", "coarsest", "coast", "coastal", "coasted", "coaster", "coasters", "coastguard", "coastguards", "coasting", "coastlands", "coastline", "coastlines", "coasts", "coat", "coated", "coathanger", "coating", "coatings", "coats", "coauthor", "coauthored", "coauthoring", "coauthors", "coax", "coaxed", "coaxes", "coaxial", "coaxing", "coaxingly", "cob", "cobalt", "cobble", "cobbled", "cobbler", "cobblers", "cobbles", "cobblestones", "cobbling", "coble", "cobra", "cobras", "cobs", "cobweb", "cobwebbed", "cobwebby", "cobwebs", "coca", "cocain", "cocaine", "cochlea", "cochlear", "cock", "cockatoo", "cockatoos", "cockatrice", "cockatrices", "cockcrow", "cocked", "cockerel", "cockerels", "cockeyed", "cockier", "cockiest", "cockiness", "cocking", "cockle", "cockles", "cockney", "cockneys", "cockpit", "cockpits", "cockroach", "cockroaches", "cocks", "cockshies", "cocksure", "cocktail", "cocktails", "cocky", "cocoa", "coconut", "coconuts", "cocoon", "cocooned", "cocoons", "cod", "coda", "coddle", "coddling", "code", "codebreaker", "coded", "codeine", "codename", "codenamed", "coder", "coders", "codes", "codeword", "codewords", "codex", "codfish", "codices", "codicil", "codicils", "codification", "codifications", "codified", "codifies", "codify", "codifying", "coding", "codling", "codpiece", "cods", "coefficient", "coefficients", "coelenterates", "coerce", "coerced", "coercer", "coerces", "coercible", "coercing", "coercion", "coercions", "coercive", "coercively", "coeval", "coexist", "coexisted", "coexistence", "coexistent", "coexisting", "coexists", "coextensive", "coffee", "coffees", "coffer", "cofferdam", "cofferdams", "coffers", "coffin", "coffins", "cog", "cogency", "cogent", "cogently", "cogitate", "cogitated", "cogitating", "cogitation", "cogitations", "cogitative", "cognac", "cognacs", "cognate", "cognates", "cognisance", "cognisant", "cognition", "cognitive", "cognitively", "cognizance", "cognizant", "cognoscenti", "cogs", "cohabit", "cohabitation", "cohabitees", "cohabiting", "cohere", "cohered", "coherence", "coherency", "coherent", "coherently", "coheres", "cohesion", "cohesive", "cohesively", "cohesiveness", "cohort", "cohorts", "coiffure", "coil", "coiled", "coiling", "coils", "coin", "coinage", "coinages", "coincide", "coincided", "coincidence", "coincidences", "coincident", "coincidental", "coincidentally", "coincides", "coinciding", "coined", "coiner", "coiners", "coining", "coins", "coital", "coitus", "coke", "col", "cola", "colander", "colas", "cold", "coldblooded", "coldbloodedly", "colder", "coldest", "coldhearted", "coldish", "coldly", "coldness", "colds", "coldwar", "cole", "coleslaw", "colitis", "collaborate", "collaborated", "collaborates", "collaborating", "collaboration", "collaborationist", "collaborations", "collaborative", "collaboratively", "collaborator", "collaborators", "collage", "collagen", "collages", "collapse", "collapsed", "collapses", "collapsible", "collapsing", "collar", "collarbone", "collared", "collaring", "collarless", "collars", "collate", "collated", "collateral", "collaterally", "collates", "collating", "collation", "colleague", "colleagues", "collect", "collectability", "collectable", "collectables", "collected", "collecting", "collection", "collections", "collective", "collectively", "collectives", "collectivisation", "collectivism", "collectivist", "collectivity", "collector", "collectors", "collects", "college", "colleges", "collegial", "collegiate", "collide", "collided", "collides", "colliding", "collie", "collier", "collieries", "colliers", "colliery", "collies", "collimation", "collimator", "collinear", "collins", "collision", "collisional", "collisions", "collocated", "collocation", "collocational", "collocations", "colloid", "colloidal", "colloids", "colloquia", "colloquial", "colloquialism", "colloquialisms", "colloquially", "colloquium", "collude", "colluded", "colluding", "collusion", "colobus", "cologne", "colon", "colonel", "colonels", "colonial", "colonialism", "colonialist", "colonialists", "colonials", "colonic", "colonies", "colonisation", "colonisations", "colonise", "colonised", "colonisers", "colonising", "colonist", "colonists", "colonnade", "colonnaded", "colonnades", "colons", "colony", "colossal", "colossally", "colossus", "colostomies", "colostomy", "colour", "colourant", "colourants", "colouration", "colourblind", "coloure", "colourful", "colourfully", "colouring", "colourings", "colourisation", "colourise", "colourised", "colourising", "colourless", "colours", "coloury", "cols", "colt", "colts", "columbus", "column", "columnar", "columned", "columnist", "columnists", "columns", "coma", "comas", "comatose", "comb", "combat", "combatant", "combatants", "combated", "combating", "combative", "combativeness", "combats", "combed", "comber", "combination", "combinations", "combinatorial", "combine", "combined", "combines", "combing", "combining", "combs", "combusted", "combustible", "combustibles", "combustion", "combusts", "come", "comeback", "comedian", "comedians", "comedies", "comedown", "comedy", "comeliness", "comely", "comer", "comers", "comes", "comestible", "comestibles", "comet", "cometary", "comets", "comfort", "comfortable", "comfortably", "comforted", "comforter", "comforters", "comforting", "comfortingly", "comforts", "comfy", "comic", "comical", "comically", "comics", "coming", "comings", "comity", "comma", "command", "commandant", "commanded", "commandeer", "commandeered", "commandeering", "commander", "commanders", "commanding", "commandingly", "commandment", "commandments", "commando", "commands", "commas", "commemorate", "commemorated", "commemorates", "commemorating", "commemoration", "commemorations", "commemorative", "commence", "commenced", "commencement", "commences", "commencing", "commend", "commendable", "commendably", "commendation", "commendations", "commended", "commending", "commends", "commensurate", "commensurately", "comment", "commentaries", "commentary", "commentate", "commentating", "commentator", "commentators", "commented", "commenter", "commenting", "comments", "commerce", "commercial", "commercialisation", "commercialise", "commercialised", "commercialism", "commercially", "commercials", "commiserate", "commiserated", "commiserating", "commiseration", "commiserations", "commissar", "commissariat", "commissars", "commission", "commissionaire", "commissioned", "commissioner", "commissioners", "commissioning", "commissions", "commit", "commitment", "commitments", "commits", "committal", "committed", "committee", "committees", "committing", "commode", "commodes", "commodious", "commodities", "commodity", "commodore", "commodores", "common", "commonalities", "commonality", "commoner", "commoners", "commonest", "commonlaw", "commonly", "commonness", "commonplace", "commonplaces", "commons", "commonsense", "commonsensical", "commonwealth", "commotion", "commotions", "communal", "communality", "communally", "commune", "communed", "communes", "communicable", "communicant", "communicants", "communicate", "communicated", "communicates", "communicating", "communication", "communications", "communicative", "communicativeness", "communicator", "communicators", "communing", "communion", "communions", "communique", "communiques", "communism", "communist", "communists", "communitarian", "communities", "community", "commutation", "commutative", "commutativity", "commutator", "commute", "commuted", "commuter", "commuters", "commutes", "commuting", "compact", "compacted", "compacting", "compaction", "compactions", "compactly", "compactness", "compacts", "companies", "companion", "companionable", "companionably", "companions", "companionship", "company", "comparability", "comparable", "comparably", "comparative", "comparatively", "comparatives", "comparator", "comparators", "compare", "compared", "compares", "comparing", "comparison", "comparisons", "compartment", "compartmentalisation", "compartmentalised", "compartmentalising", "compartments", "compass", "compassed", "compasses", "compassion", "compassionate", "compassionately", "compatibilities", "compatibility", "compatible", "compatibles", "compatibly", "compatriot", "compatriots", "compel", "compelled", "compelling", "compellingly", "compels", "compendia", "compendium", "compendiums", "compensate", "compensated", "compensates", "compensating", "compensation", "compensations", "compensator", "compensatory", "compere", "compete", "competed", "competence", "competences", "competencies", "competency", "competent", "competently", "competes", "competing", "competition", "competitions", "competitive", "competitively", "competitiveness", "competitor", "competitors", "compilable", "compilation", "compilations", "compile", "compiled", "compiler", "compilers", "compiles", "compiling", "complacency", "complacent", "complacently", "complain", "complainant", "complainants", "complained", "complainer", "complaining", "complainingly", "complains", "complaint", "complaints", "complaisant", "complement", "complementarity", "complementary", "complemented", "complementing", "complements", "completable", "complete", "completed", "completely", "completeness", "completes", "completing", "completion", "completions", "complex", "complexes", "complexion", "complexioned", "complexions", "complexities", "complexity", "complexly", "compliance", "compliant", "complicate", "complicated", "complicates", "complicating", "complication", "complications", "complicit", "complicity", "complied", "complies", "compliment", "complimentary", "complimented", "complimenting", "compliments", "complot", "comply", "complying", "component", "components", "comport", "compose", "composed", "composedly", "composer", "composers", "composes", "composing", "composite", "composites", "composition", "compositional", "compositions", "compositor", "compositors", "compost", "composts", "composure", "compound", "compounded", "compounding", "compounds", "comprehend", "comprehended", "comprehending", "comprehends", "comprehensibility", "comprehensible", "comprehensibly", "comprehension", "comprehensive", "comprehensively", "comprehensiveness", "comprehensives", "compress", "compressed", "compresses", "compressibility", "compressible", "compressing", "compression", "compressional", "compressions", "compressive", "compressor", "compressors", "comprise", "comprised", "comprises", "comprising", "compromise", "compromised", "compromises", "compromising", "comptroller", "compulsion", "compulsions", "compulsive", "compulsively", "compulsorily", "compulsory", "compunction", "computability", "computable", "computably", "computation", "computational", "computationally", "computations", "compute", "computed", "computer", "computerisation", "computerise", "computerised", "computerising", "computerliterate", "computers", "computes", "computing", "comrade", "comradeinarms", "comradely", "comrades", "comradeship", "con", "conakry", "concatenate", "concatenated", "concatenates", "concatenating", "concatenation", "concatenations", "concave", "concavity", "conceal", "concealed", "concealing", "concealment", "conceals", "concede", "conceded", "concedes", "conceding", "conceit", "conceited", "conceits", "conceivability", "conceivable", "conceivably", "conceive", "conceived", "conceives", "conceiving", "concentrate", "concentrated", "concentrates", "concentrating", "concentration", "concentrations", "concentrator", "concentrators", "concentric", "concept", "conception", "conceptions", "concepts", "conceptual", "conceptualisation", "conceptualisations", "conceptualise", "conceptualised", "conceptualising", "conceptually", "concern", "concerned", "concernedly", "concerning", "concerns", "concert", "concerted", "concertgoers", "concerti", "concertina", "concerto", "concerts", "concession", "concessional", "concessionary", "concessions", "concierge", "conciliar", "conciliate", "conciliating", "conciliation", "conciliator", "conciliatory", "concise", "concisely", "conciseness", "conclave", "conclaves", "conclude", "concluded", "concludes", "concluding", "conclusion", "conclusions", "conclusive", "conclusively", "concoct", "concocted", "concocting", "concoction", "concoctions", "concocts", "concomitant", "concomitantly", "concord", "concordance", "concordances", "concordant", "concordat", "concords", "concourse", "concourses", "concrete", "concreted", "concretely", "concreteness", "concretes", "concreting", "concretions", "concubine", "concubines", "concur", "concurred", "concurrence", "concurrency", "concurrent", "concurrently", "concurring", "concurs", "concuss", "concussed", "concussion", "condemn", "condemnable", "condemnation", "condemnations", "condemnatory", "condemned", "condemning", "condemns", "condensate", "condensation", "condensations", "condense", "condensed", "condenser", "condensers", "condenses", "condensing", "condescend", "condescended", "condescending", "condescendingly", "condescends", "condescension", "condiment", "condiments", "condition", "conditional", "conditionality", "conditionally", "conditionals", "conditioned", "conditioner", "conditioners", "conditioning", "conditions", "condole", "condoled", "condolence", "condolences", "condoles", "condonable", "condone", "condoned", "condones", "condoning", "condor", "condors", "conducive", "conduct", "conductance", "conducted", "conducting", "conduction", "conductive", "conductivities", "conductivity", "conductor", "conductors", "conductress", "conducts", "conduit", "conduits", "cone", "coned", "cones", "confabulate", "confection", "confectioner", "confectioners", "confectionery", "confectionist", "confections", "confederacy", "confederate", "confederates", "confederation", "confederations", "confer", "conference", "conferences", "conferencing", "conferment", "conferred", "conferring", "confers", "confess", "confessed", "confesses", "confessing", "confession", "confessional", "confessionals", "confessions", "confessor", "confessors", "confetti", "confidant", "confidante", "confidantes", "confidants", "confide", "confided", "confidence", "confidences", "confident", "confidential", "confidentiality", "confidentially", "confidently", "confides", "confiding", "confidingly", "configurable", "configuration", "configurations", "configure", "configured", "configures", "configuring", "confine", "confined", "confinement", "confinements", "confines", "confining", "confirm", "confirmation", "confirmations", "confirmatory", "confirmed", "confirming", "confirms", "confiscate", "confiscated", "confiscates", "confiscating", "confiscation", "confiscations", "confiscatory", "conflagration", "conflagrations", "conflated", "conflates", "conflating", "conflation", "conflict", "conflicted", "conflicting", "conflictingly", "conflicts", "conflictual", "confluence", "confluent", "confocal", "conform", "conformable", "conformal", "conformance", "conformation", "conformational", "conformed", "conforming", "conformism", "conformist", "conformists", "conformity", "conforms", "confound", "confounded", "confoundedly", "confounding", "confounds", "confront", "confrontation", "confrontational", "confrontations", "confronted", "confronting", "confronts", "confusable", "confuse", "confused", "confusedly", "confuser", "confuses", "confusing", "confusingly", "confusion", "confusions", "conga", "congeal", "congealed", "congealing", "congeals", "congenial", "congeniality", "congenital", "congenitally", "conger", "congest", "congested", "congesting", "congestion", "congestive", "conglomerate", "conglomerated", "conglomerates", "conglomeration", "congo", "congratulate", "congratulated", "congratulates", "congratulating", "congratulation", "congratulations", "congratulatory", "congregate", "congregated", "congregating", "congregation", "congregational", "congregations", "congress", "congresses", "congressional", "congressman", "congressmen", "congruence", "congruences", "congruency", "congruent", "congruential", "congruity", "conic", "conical", "conics", "conifer", "coniferous", "conifers", "conjectural", "conjecture", "conjectured", "conjectures", "conjecturing", "conjoin", "conjoined", "conjoining", "conjoint", "conjugacy", "conjugal", "conjugate", "conjugated", "conjugates", "conjugating", "conjugation", "conjugations", "conjunct", "conjunction", "conjunctions", "conjunctive", "conjunctivitis", "conjunctures", "conjure", "conjured", "conjurer", "conjurers", "conjures", "conjuring", "conjuror", "conjurors", "conjury", "conk", "conker", "conkers", "conman", "conmen", "connect", "connected", "connectedness", "connecting", "connection", "connectionless", "connections", "connective", "connectives", "connectivity", "connector", "connectors", "connects", "conned", "connexion", "connexions", "connivance", "connive", "connived", "conniving", "connoisseur", "connoisseurs", "connoisseurship", "connotation", "connotations", "connote", "connoted", "connotes", "connoting", "conquer", "conquerable", "conquered", "conquering", "conqueror", "conquerors", "conquers", "conquest", "conquests", "conquistador", "conquistadores", "cons", "consanguineous", "consanguinity", "conscience", "consciences", "consciencestricken", "conscientious", "conscientiously", "conscientiousness", "conscionable", "conscious", "consciously", "consciousness", "consciousnesses", "conscript", "conscripted", "conscripting", "conscription", "conscripts", "consecrate", "consecrated", "consecrating", "consecration", "consecutive", "consecutively", "consensual", "consensually", "consensus", "consent", "consented", "consenting", "consents", "consequence", "consequences", "consequent", "consequential", "consequentially", "consequently", "conservation", "conservationist", "conservationists", "conservations", "conservatism", "conservative", "conservatively", "conservativeness", "conservatives", "conservatoire", "conservator", "conservatories", "conservators", "conservatory", "conserve", "conserved", "conserves", "conserving", "consider", "considerable", "considerably", "considerate", "considerately", "consideration", "considerations", "considered", "considering", "considers", "consign", "consigned", "consignee", "consigning", "consignment", "consignments", "consigns", "consist", "consisted", "consistencies", "consistency", "consistent", "consistently", "consisting", "consists", "consolation", "consolations", "console", "consoled", "consoles", "consolidate", "consolidated", "consolidates", "consolidating", "consolidation", "consolidations", "consoling", "consolingly", "consonance", "consonant", "consonantal", "consonants", "consort", "consorted", "consortia", "consorting", "consortium", "consorts", "conspecific", "conspicuous", "conspicuously", "conspicuousness", "conspiracies", "conspiracy", "conspirator", "conspiratorial", "conspiratorially", "conspirators", "conspire", "conspired", "conspires", "conspiring", "constable", "constables", "constabularies", "constabulary", "constancy", "constant", "constantly", "constants", "constellation", "constellations", "consternating", "consternation", "constipated", "constipation", "constituencies", "constituency", "constituent", "constituents", "constitute", "constituted", "constitutes", "constituting", "constitution", "constitutional", "constitutionalism", "constitutionalists", "constitutionality", "constitutionally", "constitutions", "constitutive", "constitutively", "constrain", "constrained", "constraining", "constrains", "constraint", "constraints", "constrict", "constricted", "constricting", "constriction", "constrictions", "constrictive", "constrictor", "constrictors", "constricts", "construct", "constructable", "constructed", "constructing", "construction", "constructional", "constructions", "constructive", "constructively", "constructivism", "constructivist", "constructor", "constructors", "constructs", "construe", "construed", "construes", "construing", "consul", "consular", "consulate", "consulates", "consuls", "consult", "consultancies", "consultancy", "consultant", "consultants", "consultation", "consultations", "consultative", "consulted", "consulting", "consults", "consumable", "consumables", "consume", "consumed", "consumer", "consumerism", "consumerist", "consumers", "consumes", "consuming", "consummate", "consummated", "consummately", "consummation", "consumption", "consumptions", "consumptive", "contact", "contactable", "contacted", "contacting", "contacts", "contagion", "contagious", "contain", "containable", "contained", "container", "containers", "containing", "containment", "contains", "contaminant", "contaminants", "contaminate", "contaminated", "contaminates", "contaminating", "contamination", "contemplate", "contemplated", "contemplates", "contemplating", "contemplation", "contemplations", "contemplative", "contemporaneity", "contemporaneous", "contemporaneously", "contemporaries", "contemporary", "contempt", "contemptible", "contemptibly", "contemptuous", "contemptuously", "contend", "contended", "contender", "contenders", "contending", "contends", "content", "contented", "contentedly", "contenting", "contention", "contentions", "contentious", "contentiously", "contentment", "contents", "contest", "contestable", "contestant", "contestants", "contested", "contesting", "contests", "context", "contexts", "contextual", "contextualisation", "contextually", "contiguity", "contiguous", "contiguously", "continence", "continent", "continental", "continentals", "continents", "contingencies", "contingency", "contingent", "contingently", "contingents", "continua", "continuable", "continual", "continually", "continuance", "continuation", "continuations", "continue", "continued", "continues", "continuing", "continuities", "continuity", "continuous", "continuously", "continuum", "contort", "contorted", "contorting", "contortion", "contortionist", "contortions", "contorts", "contour", "contoured", "contouring", "contours", "contra", "contraband", "contraception", "contraceptive", "contraceptives", "contract", "contracted", "contractible", "contractile", "contracting", "contraction", "contractions", "contractor", "contractors", "contracts", "contractual", "contractually", "contradict", "contradicted", "contradicting", "contradiction", "contradictions", "contradictorily", "contradictory", "contradicts", "contradistinction", "contraflow", "contraflows", "contraindication", "contraindications", "contralto", "contraption", "contraptions", "contrapuntal", "contrarily", "contrariness", "contrariwise", "contrary", "contras", "contrast", "contrasted", "contrasting", "contrastingly", "contrastive", "contrasts", "contrasty", "contravene", "contravened", "contravenes", "contravening", "contravention", "contraventions", "contretemps", "contribute", "contributed", "contributes", "contributing", "contribution", "contributions", "contributor", "contributors", "contributory", "contrite", "contritely", "contrition", "contrivance", "contrivances", "contrive", "contrived", "contrives", "contriving", "control", "controllable", "controlled", "controller", "controllers", "controlling", "controls", "controversial", "controversially", "controversies", "controversy", "controvert", "controverted", "contumely", "contuse", "contusion", "contusions", "conundrum", "conundrums", "conurbation", "conurbations", "convalesce", "convalescence", "convalescent", "convalescing", "convect", "convected", "convecting", "convection", "convectional", "convective", "convector", "convects", "convene", "convened", "convener", "convenes", "convenience", "conveniences", "convenient", "conveniently", "convening", "convenor", "convenors", "convent", "conventicle", "convention", "conventional", "conventionalism", "conventionalist", "conventionality", "conventionally", "conventions", "convents", "converge", "converged", "convergence", "convergences", "convergent", "converges", "converging", "conversant", "conversation", "conversational", "conversationalist", "conversationalists", "conversationally", "conversations", "conversazione", "converse", "conversed", "conversely", "converses", "conversing", "conversion", "conversions", "convert", "converted", "converter", "converters", "convertibility", "convertible", "convertibles", "converting", "convertor", "convertors", "converts", "convex", "convexity", "convey", "conveyance", "conveyancing", "conveyed", "conveying", "conveyor", "conveyors", "conveys", "convict", "convicted", "convicting", "conviction", "convictions", "convicts", "convince", "convinced", "convinces", "convincing", "convincingly", "convivial", "conviviality", "convocation", "convocations", "convoluted", "convolution", "convolutions", "convolve", "convolved", "convoy", "convoys", "convulse", "convulsed", "convulses", "convulsing", "convulsion", "convulsions", "convulsive", "convulsively", "cony", "coo", "cooed", "cooing", "cook", "cookbook", "cookbooks", "cooked", "cooker", "cookers", "cookery", "cookies", "cooking", "cooks", "cookware", "cool", "coolant", "coolants", "cooled", "cooler", "coolers", "coolest", "cooling", "coolness", "cools", "coon", "coons", "coop", "cooped", "cooper", "cooperate", "cooperated", "cooperates", "cooperating", "cooperation", "cooperative", "cooperatively", "cooperatives", "coopers", "coops", "coordinate", "coordinated", "coordinates", "coordinating", "coordination", "coordinator", "coordinators", "coos", "cop", "cope", "coped", "copes", "copied", "copier", "copiers", "copies", "copilot", "coping", "copious", "copiously", "coplanar", "copout", "copouts", "copper", "copperplate", "coppers", "coppery", "coppice", "coppiced", "coppices", "coppicing", "copra", "coprocessor", "coprocessors", "coproduced", "coprolite", "coprophagous", "cops", "copse", "copses", "copulate", "copulating", "copulation", "copulations", "copulatory", "copy", "copyable", "copycat", "copycats", "copying", "copyist", "copyists", "copyright", "copyrightable", "copyrighted", "copyrighting", "copyrights", "copywriter", "coquette", "coquettes", "coquettish", "coquettishly", "cor", "coracle", "coral", "coralline", "corals", "cord", "cordage", "cordate", "corded", "cordial", "cordiality", "cordially", "cordials", "cordillera", "cordite", "cordless", "cordon", "cordoned", "cordons", "cords", "corduroy", "corduroys", "core", "cores", "corespondent", "corgi", "corgis", "coriander", "corinth", "cork", "corkage", "corked", "corks", "corkscrew", "corkscrews", "corky", "cormorant", "cormorants", "corn", "corncrake", "cornea", "corneal", "corneas", "corned", "corner", "cornered", "cornering", "corners", "cornerstone", "cornerstones", "cornet", "cornets", "cornfield", "cornfields", "cornflake", "cornflakes", "cornflour", "cornflower", "cornflowers", "cornice", "cornices", "cornish", "cornmeal", "corns", "cornucopia", "corny", "corollaries", "corollary", "corona", "coronal", "coronaries", "coronary", "coronas", "coronation", "coronations", "coroner", "coroners", "coronet", "coronets", "corpora", "corporal", "corporals", "corporate", "corporately", "corporates", "corporation", "corporations", "corporatism", "corporatist", "corporeal", "corporeally", "corps", "corpse", "corpses", "corpulent", "corpus", "corpuscle", "corpuscles", "corpuscular", "corral", "corralled", "corrals", "correct", "correctable", "corrected", "correcting", "correction", "correctional", "corrections", "corrective", "correctly", "correctness", "corrector", "correctors", "corrects", "correlate", "correlated", "correlates", "correlating", "correlation", "correlations", "correlative", "correspond", "corresponded", "correspondence", "correspondences", "correspondent", "correspondents", "corresponding", "correspondingly", "corresponds", "corridor", "corridors", "corrigenda", "corroborate", "corroborated", "corroborates", "corroborating", "corroboration", "corroborative", "corroboratory", "corrode", "corroded", "corrodes", "corroding", "corrosion", "corrosive", "corrugated", "corrugations", "corrupt", "corrupted", "corruptible", "corrupting", "corruption", "corruptions", "corruptly", "corrupts", "corsage", "corse", "corset", "corsets", "corsica", "corslet", "cortege", "cortex", "cortical", "corticosteroid", "corticosteroids", "cortisol", "cortisone", "coruscates", "corvette", "corvettes", "cosier", "cosiest", "cosily", "cosine", "cosines", "cosiness", "cosmetic", "cosmetically", "cosmetics", "cosmic", "cosmical", "cosmically", "cosmological", "cosmologically", "cosmologies", "cosmologist", "cosmologists", "cosmology", "cosmonaut", "cosmonauts", "cosmopolitan", "cosmopolitans", "cosmos", "cossacks", "cosset", "cosseted", "cossets", "cost", "costar", "costarred", "costarring", "costars", "costcutting", "costed", "costeffective", "costeffectiveness", "costefficient", "costing", "costings", "costive", "costless", "costlier", "costliest", "costliness", "costly", "costs", "costume", "costumed", "costumes", "cosy", "cot", "coterie", "coterminous", "cots", "cottage", "cottages", "cotton", "cottoned", "cottons", "couch", "couched", "couches", "couching", "cougar", "cougars", "cough", "coughed", "coughing", "coughs", "could", "couloir", "coulomb", "coulombs", "council", "councillor", "councillors", "councils", "counsel", "counselled", "counselling", "counsellor", "counsellors", "counsels", "count", "countability", "countable", "countably", "countdown", "counted", "countenance", "countenanced", "countenances", "countenancing", "counter", "counteract", "counteracted", "counteracting", "counteracts", "counterattack", "counterattacked", "counterattacks", "counterbalance", "counterbalanced", "counterbalancing", "countered", "counterfeit", "counterfeited", "counterfeiters", "counterfeiting", "counterfeits", "counterfoil", "counterfoils", "countering", "counterintelligence", "counterintuitive", "countermanded", "countermeasures", "counteroffensive", "counterpane", "counterpart", "counterparts", "counterpoint", "counterpointed", "counterpoints", "counterpoise", "counterproductive", "counterrevolution", "counterrevolutionaries", "counterrevolutionary", "counters", "countersign", "countersigned", "countersigns", "countess", "countesses", "counties", "counting", "countless", "countries", "country", "countryman", "countrymen", "countryside", "countrywide", "counts", "county", "coup", "coupe", "coupes", "couple", "coupled", "coupler", "couplers", "couples", "couplet", "couplets", "coupling", "couplings", "coupon", "coupons", "coups", "courage", "courageous", "courageously", "courgette", "courgettes", "courier", "couriers", "course", "coursebook", "coursed", "courses", "coursework", "coursing", "court", "courted", "courteous", "courteously", "courtesan", "courtesans", "courtesies", "courtesy", "courthouse", "courtier", "courtiers", "courting", "courtly", "courtmartial", "courtroom", "courtrooms", "courts", "courtship", "courtships", "courtyard", "courtyards", "couscous", "cousin", "cousinly", "cousins", "couther", "couture", "couturier", "couturiers", "covalent", "covalently", "covariance", "covariances", "cove", "coven", "covenant", "covenanted", "covenanters", "covenants", "covens", "cover", "coverage", "coverages", "coveralls", "covered", "covering", "coverings", "coverlet", "coverlets", "covers", "coversheet", "covert", "covertly", "coverts", "coverup", "coverups", "coves", "covet", "coveted", "coveting", "covetous", "covetousness", "covets", "cow", "coward", "cowardice", "cowardly", "cowards", "cowboy", "cowboys", "cowed", "cower", "cowered", "cowering", "cowers", "cowgirl", "cowgirls", "cowhand", "cowherd", "cowing", "cowl", "cowled", "cowling", "coworker", "coworkers", "cowriter", "cowritten", "cows", "cowshed", "cowsheds", "cowslip", "cowslips", "cox", "coxcomb", "coxcombs", "coxed", "coxes", "coxing", "coxswain", "coy", "coyly", "coyness", "coyote", "coyotes", "cozier", "crab", "crabby", "crabs", "crack", "crackable", "crackdown", "crackdowns", "cracked", "cracker", "crackers", "cracking", "crackle", "crackled", "crackles", "crackling", "crackly", "crackpot", "crackpots", "cracks", "cradle", "cradled", "cradles", "cradling", "craft", "crafted", "crafter", "craftier", "craftiest", "craftily", "crafting", "crafts", "craftsman", "craftsmanship", "craftsmen", "craftspeople", "crafty", "crag", "craggy", "crags", "cram", "crammed", "crammer", "cramming", "cramp", "cramped", "cramping", "crampon", "crampons", "cramps", "crams", "cran", "cranberries", "cranberry", "crane", "craned", "cranes", "cranial", "craning", "cranium", "crank", "cranked", "cranking", "cranks", "crankshaft", "cranky", "crannies", "cranny", "crap", "crash", "crashed", "crasher", "crashers", "crashes", "crashing", "crashingly", "crashland", "crashlanded", "crashlanding", "crass", "crasser", "crassly", "crassness", "crate", "crateful", "crater", "cratered", "craters", "crates", "cravat", "cravats", "crave", "craved", "craven", "cravenly", "craves", "craving", "cravings", "crawl", "crawled", "crawler", "crawlers", "crawling", "crawls", "craws", "crayfish", "crayon", "crayoned", "crayons", "craze", "crazed", "crazes", "crazier", "craziest", "crazily", "craziness", "crazy", "creak", "creaked", "creakier", "creakiest", "creaking", "creaks", "creaky", "cream", "creamed", "creamer", "creamery", "creamier", "creamiest", "creaming", "creams", "creamy", "crease", "creased", "creases", "creasing", "creatable", "create", "created", "creates", "creating", "creation", "creationism", "creationist", "creationists", "creations", "creative", "creatively", "creativeness", "creativity", "creator", "creators", "creature", "creatures", "creche", "creches", "credence", "credentials", "credibility", "credible", "credibly", "credit", "creditability", "creditable", "creditably", "credited", "crediting", "creditor", "creditors", "credits", "creditworthiness", "creditworthy", "credo", "credulity", "credulous", "creed", "creeds", "creek", "creeks", "creel", "creep", "creeper", "creepers", "creeping", "creeps", "creepy", "cremate", "cremated", "cremates", "cremation", "cremations", "crematoria", "crematorium", "creme", "crenellated", "crenellation", "crenellations", "creole", "creoles", "creosote", "crepe", "crept", "crepuscular", "crescendo", "crescent", "crescents", "cress", "crest", "crested", "crestfallen", "cresting", "crests", "cretaceous", "cretan", "cretans", "crete", "cretin", "cretinous", "cretins", "crevasse", "crevasses", "crevice", "crevices", "crew", "crewed", "crewing", "crewman", "crewmen", "crews", "crib", "cribbage", "cribbed", "cribbing", "cribs", "crick", "cricket", "cricketer", "cricketers", "cricketing", "crickets", "cried", "crier", "cries", "crim", "crime", "crimea", "crimes", "criminal", "criminalisation", "criminalise", "criminalised", "criminalising", "criminality", "criminally", "criminals", "criminological", "criminologist", "criminologists", "criminology", "crimp", "crimped", "crimping", "crimson", "cringe", "cringed", "cringes", "cringing", "crinkle", "crinkled", "crinkling", "crinkly", "crinoline", "cripple", "crippled", "cripples", "crippling", "cripplingly", "crises", "crisis", "crisp", "crisped", "crisper", "crispier", "crispiest", "crisply", "crispness", "crisps", "crispy", "crisscrossed", "crisscrosses", "criteria", "criterion", "critic", "critical", "critically", "criticise", "criticised", "criticises", "criticising", "criticism", "criticisms", "critics", "critique", "critiques", "critter", "croak", "croaked", "croakier", "croakiest", "croaking", "croaks", "croatia", "croatian", "crochet", "crocheted", "crochets", "crock", "crockery", "crocks", "crocodile", "crocodiles", "crocus", "crocuses", "croft", "crofter", "crofters", "crofting", "crofts", "croissant", "croissants", "crone", "crones", "cronies", "crony", "crook", "crooked", "crookedly", "crookedness", "crooking", "crooks", "croon", "crooned", "crooner", "crooners", "crooning", "croons", "crop", "cropped", "cropper", "croppers", "cropping", "crops", "croquet", "croqueted", "croqueting", "croquette", "crores", "crosier", "crosiers", "cross", "cross-bun", "crossbar", "crossbars", "crossbones", "crossbow", "crossbows", "crossbred", "crosscheck", "crosschecked", "crosschecking", "crosschecks", "crosscountry", "crossed", "crosser", "crosses", "crossexamination", "crossexamine", "crossexamined", "crossexamines", "crossexamining", "crossfertilisation", "crossfire", "crossing", "crossings", "crossly", "crossness", "crossover", "crossovers", "crossreference", "crossreferenced", "crossreferences", "crossreferencing", "crossroads", "crosssection", "crosssectional", "crosssections", "crosstalk", "crossways", "crosswind", "crosswinds", "crossword", "crosswords", "crotch", "crotchet", "crotchetiness", "crotchety", "crotchless", "crouch", "crouched", "crouches", "crouching", "croup", "croupier", "croutons", "crow", "crowbar", "crowbars", "crowd", "crowded", "crowding", "crowds", "crowed", "crowing", "crown", "crowned", "crowning", "crowns", "crows", "crozier", "croziers", "crucial", "crucially", "cruciate", "crucible", "crucibles", "crucifiable", "crucified", "crucifix", "crucifixes", "crucifixion", "crucifixions", "cruciform", "crucify", "crucifying", "crude", "crudely", "crudeness", "cruder", "crudest", "crudities", "crudity", "cruel", "crueler", "cruelest", "crueller", "cruellest", "cruelly", "cruelness", "cruelties", "cruelty", "cruise", "cruised", "cruiser", "cruisers", "cruises", "cruising", "cruller", "crumb", "crumbing", "crumble", "crumbled", "crumbles", "crumblier", "crumbliest", "crumbling", "crumbly", "crumbs", "crumby", "crummy", "crumpet", "crumpets", "crumple", "crumpled", "crumples", "crumpling", "crunch", "crunched", "cruncher", "crunchers", "crunches", "crunchier", "crunchiest", "crunching", "crunchy", "crusade", "crusaded", "crusader", "crusaders", "crusades", "crusading", "crush", "crushed", "crusher", "crushers", "crushes", "crushing", "crushingly", "crust", "crustacean", "crustaceans", "crustal", "crusted", "crustier", "crustiest", "crusts", "crusty", "crutch", "crutches", "crux", "cruxes", "cry", "crying", "cryings", "cryogenic", "cryogenics", "cryostat", "crypt", "cryptanalysis", "cryptanalyst", "cryptanalytic", "cryptic", "cryptically", "cryptogram", "cryptographer", "cryptographers", "cryptographic", "cryptographically", "cryptography", "cryptology", "crypts", "crystal", "crystalclear", "crystalline", "crystallisation", "crystallise", "crystallised", "crystallises", "crystallising", "crystallographer", "crystallographers", "crystallographic", "crystallography", "crystals", "cub", "cuba", "cuban", "cubans", "cube", "cubed", "cubes", "cubic", "cubical", "cubically", "cubicle", "cubicles", "cubing", "cubism", "cubist", "cubistic", "cubists", "cubit", "cubits", "cuboid", "cubs", "cuckold", "cuckolded", "cuckoo", "cuckoos", "cucumber", "cucumbers", "cud", "cuddle", "cuddled", "cuddles", "cuddlier", "cuddliest", "cuddliness", "cuddling", "cuddly", "cudgel", "cudgels", "cuds", "cue", "cued", "cueing", "cues", "cuff", "cuffed", "cuffing", "cuffs", "cuing", "cuirass", "cuisine", "culdesac", "culinary", "cull", "culled", "culling", "culls", "culminate", "culminated", "culminates", "culminating", "culmination", "culpability", "culpable", "culpably", "culprit", "culprits", "cult", "cultivable", "cultivar", "cultivate", "cultivated", "cultivates", "cultivating", "cultivation", "cultivations", "cultivator", "cultivators", "cults", "cultural", "culturally", "culture", "cultured", "cultures", "culturing", "cultus", "culvert", "cumbersome", "cumbersomely", "cumlaude", "cummerbund", "cumulative", "cumulatively", "cumulus", "cuneiform", "cunnilingus", "cunning", "cunningly", "cup", "cupboard", "cupboards", "cupful", "cupid", "cupidinously", "cupidity", "cupola", "cupolas", "cupped", "cupping", "cuprous", "cups", "cur", "curable", "curare", "curate", "curated", "curates", "curative", "curator", "curatorial", "curators", "curatorships", "curb", "curbed", "curbing", "curbs", "curd", "curdle", "curdled", "curdles", "curdling", "curds", "cure", "cured", "curer", "cures", "curfew", "curfews", "curia", "curial", "curie", "curies", "curing", "curio", "curiosities", "curiosity", "curious", "curiously", "curl", "curled", "curlers", "curlew", "curlews", "curlicues", "curlier", "curliest", "curliness", "curling", "curls", "curly", "curmudgeons", "currant", "currants", "currencies", "currency", "current", "currently", "currents", "curricle", "curricula", "curricular", "curriculum", "curried", "curries", "curry", "currying", "curs", "curse", "cursed", "curses", "cursing", "cursive", "cursor", "cursorily", "cursors", "cursory", "curt", "curtail", "curtailed", "curtailing", "curtailment", "curtailments", "curtails", "curtain", "curtained", "curtaining", "curtains", "curtilage", "curtly", "curtness", "curtsey", "curtseyed", "curtseying", "curtseys", "curtsied", "curtsies", "curtsy", "curtsying", "curvaceous", "curvature", "curvatures", "curve", "curved", "curves", "curvilinear", "curving", "curvy", "cushion", "cushioned", "cushioning", "cushions", "cusp", "cusps", "cuss", "cussedness", "custard", "custards", "custodial", "custodian", "custodians", "custodianship", "custody", "custom", "customarily", "customary", "customer", "customers", "customisable", "customisation", "customisations", "customise", "customised", "customising", "customs", "cut", "cutback", "cutbacks", "cute", "cutely", "cuteness", "cutest", "cuticle", "cuticles", "cutlass", "cutlasses", "cutler", "cutlery", "cutlet", "cutlets", "cutout", "cutouts", "cutprice", "cutrate", "cuts", "cutter", "cutters", "cutthroat", "cutting", "cuttingly", "cuttings", "cuttle", "cuttlefish", "cyan", "cyanide", "cyanogen", "cybernetic", "cybernetics", "cyberpunk", "cyberspace", "cyborg", "cycad", "cycads", "cycle", "cycled", "cycles", "cycleway", "cycleways", "cyclic", "cyclical", "cyclically", "cycling", "cyclist", "cyclists", "cycloid", "cyclone", "cyclones", "cyclops", "cyclotron", "cyclotrons", "cygnet", "cygnets", "cylinder", "cylinders", "cylindrical", "cylindrically", "cymbal", "cymbals", "cynic", "cynical", "cynically", "cynicism", "cynics", "cypher", "cyphers", "cypress", "cypresses", "cyprian", "cyprians", "cypriot", "cypriots", "cyprus", "cyst", "cysteine", "cystic", "cystine", "cystitis", "cysts", "cytochrome", "cytogenetic", "cytological", "cytology", "cytoplasm", "cytoplasmic", "cytosine", "cytotoxic", "czar", "czars", "czech", "czechs", "dab", "dabbed", "dabbing", "dabble", "dabbled", "dabbler", "dabbles", "dabbling", "dabs", "dace", "dacha", "dachau", "dachshund", "dactyl", "dactylic", "dactyls", "dad", "daddies", "daddy", "daddylonglegs", "dado", "dads", "daemon", "daemonic", "daemons", "daffodil", "daffodils", "daffy", "daft", "dafter", "daftest", "daftness", "dagama", "dagga", "dagger", "daggers", "dahlia", "dahlias", "dahomey", "dailies", "daily", "daintier", "daintiest", "daintily", "daintiness", "dainty", "dairies", "dairy", "dairying", "dairyman", "dairymen", "dais", "daisies", "daisy", "dakar", "dakoits", "dale", "dales", "dallas", "dalliance", "dallied", "dally", "dallying", "dam", "damage", "damaged", "damages", "damaging", "damagingly", "damascus", "damask", "dame", "dames", "dammed", "damming", "damn", "damnable", "damnably", "damnation", "damned", "damnify", "damning", "damningly", "damns", "damp", "damped", "dampen", "dampened", "dampening", "dampens", "damper", "dampers", "dampest", "damping", "dampish", "damply", "dampness", "damps", "dams", "damsel", "damsels", "damson", "damsons", "dan", "dance", "danceable", "danced", "dancer", "dancers", "dances", "dancing", "dandelion", "dandelions", "dandies", "dandruff", "dandy", "dane", "danes", "danger", "dangerous", "dangerously", "dangerousness", "dangers", "dangle", "dangled", "dangles", "dangling", "daniel", "danish", "dank", "dankest", "dante", "danube", "danzig", "dapper", "dapple", "dappled", "dapples", "dare", "dared", "daredevil", "dares", "daring", "daringly", "dark", "darken", "darkened", "darkening", "darkens", "darker", "darkest", "darkish", "darkly", "darkness", "darkroom", "darkrooms", "darling", "darlings", "darn", "darned", "darning", "darns", "dart", "dartboard", "dartboards", "darted", "darter", "darters", "darting", "darts", "darwin", "dash", "dashboard", "dashed", "dashes", "dashing", "dassie", "dassies", "dastardly", "data", "database", "databases", "datable", "date", "dated", "dateline", "dates", "dating", "dative", "datum", "daub", "daubed", "dauber", "daubing", "daughter", "daughterinlaw", "daughters", "daughtersinlaw", "daunt", "daunted", "daunting", "dauntingly", "dauntless", "daunts", "dauphin", "dauphins", "david", "davinci", "dawdle", "dawdled", "dawdling", "dawn", "dawned", "dawning", "dawns", "day", "daybreak", "daycare", "daydream", "daydreaming", "daydreams", "daylight", "daylights", "daylong", "dayold", "days", "daytime", "daze", "dazed", "dazedly", "dazing", "dazzle", "dazzled", "dazzler", "dazzles", "dazzling", "dazzlingly", "dday", "deacon", "deaconess", "deaconesses", "deacons", "deactivate", "deactivated", "deactivates", "deactivating", "deactivation", "dead", "deadbeat", "deaden", "deadend", "deadened", "deadening", "deadens", "deader", "deadlier", "deadliest", "deadline", "deadlines", "deadlock", "deadlocked", "deadlocking", "deadlocks", "deadly", "deadness", "deadon", "deadpan", "deadsea", "deaf", "deafanddumb", "deafen", "deafened", "deafening", "deafeningly", "deafens", "deafer", "deafest", "deafness", "deal", "dealer", "dealers", "dealership", "dealerships", "dealing", "dealings", "deals", "dealt", "dean", "deanery", "deans", "dear", "dearer", "dearest", "dearie", "dearies", "dearly", "dearness", "dears", "dearth", "deary", "death", "deathbed", "deathless", "deathly", "deaths", "deb", "debacle", "debacles", "debar", "debark", "debarred", "debars", "debase", "debased", "debasement", "debaser", "debasing", "debatable", "debate", "debated", "debater", "debaters", "debates", "debating", "debauch", "debauched", "debauchery", "debenture", "debentures", "debilitate", "debilitated", "debilitating", "debility", "debit", "debited", "debiting", "debits", "debonair", "debone", "deboned", "debones", "debrief", "debriefed", "debriefing", "debris", "debt", "debtor", "debtors", "debts", "debug", "debugged", "debugger", "debuggers", "debugging", "debugs", "debunk", "debunks", "debut", "debutant", "debutante", "debutantes", "debutants", "debuts", "decade", "decadence", "decadent", "decades", "decaf", "decaffeinate", "decaffeinated", "decagon", "decagons", "decamp", "decamped", "decant", "decanted", "decanter", "decanters", "decanting", "decants", "decapitate", "decapitated", "decapitates", "decapitating", "decapitation", "decapitations", "decapod", "decathlon", "decay", "decayed", "decaying", "decays", "decease", "deceased", "deceases", "deceit", "deceitful", "deceitfulness", "deceits", "deceive", "deceived", "deceiver", "deceives", "deceiving", "decelerate", "decelerated", "decelerates", "decelerating", "deceleration", "decelerations", "december", "decency", "decent", "decently", "decentralisation", "decentralise", "decentralised", "decentralising", "deception", "deceptions", "deceptive", "deceptively", "decibel", "decibels", "decidability", "decidable", "decide", "decided", "decidedly", "decider", "decides", "deciding", "deciduous", "decile", "deciles", "decilitre", "decimal", "decimalisation", "decimalise", "decimals", "decimate", "decimated", "decimating", "decimation", "decimetres", "decipher", "decipherable", "deciphered", "deciphering", "decipherment", "decipherments", "decision", "decisions", "decisive", "decisively", "decisiveness", "deck", "deckchair", "deckchairs", "decked", "decker", "decking", "decks", "declaim", "declaimed", "declaiming", "declaims", "declamation", "declamatory", "declaration", "declarations", "declarative", "declaratory", "declare", "declared", "declarer", "declarers", "declares", "declaring", "declassification", "declassified", "declension", "declensions", "declination", "declinations", "decline", "declined", "declines", "declining", "declivity", "deco", "decode", "decoded", "decoder", "decoders", "decodes", "decoding", "decoke", "decolonisation", "decommission", "decommissioned", "decommissioning", "decomposable", "decompose", "decomposed", "decomposes", "decomposing", "decomposition", "decompositions", "decompress", "decompressed", "decompressing", "decompression", "decongestants", "deconstruct", "deconstructed", "deconstructing", "deconstruction", "deconstructionist", "deconstructive", "decontaminated", "decontaminating", "decontamination", "deconvolution", "deconvolve", "decor", "decorate", "decorated", "decorates", "decorating", "decoration", "decorations", "decorative", "decoratively", "decorator", "decorators", "decorous", "decorously", "decors", "decorum", "decouple", "decoupled", "decoupling", "decoy", "decoyed", "decoying", "decoys", "decrease", "decreased", "decreases", "decreasing", "decreasingly", "decree", "decreed", "decreeing", "decrees", "decrement", "decremental", "decremented", "decrementing", "decrements", "decrepit", "decrepitude", "decried", "decries", "decriminalisation", "decriminalise", "decriminalised", "decriminalising", "decry", "decrying", "decrypt", "decrypted", "decrypting", "decryption", "decrypts", "decustomised", "dedicate", "dedicated", "dedicates", "dedicating", "dedication", "dedications", "deduce", "deduced", "deduces", "deducible", "deducing", "deduct", "deducted", "deductible", "deducting", "deduction", "deductions", "deductive", "deductively", "deducts", "dee", "deed", "deeds", "deejay", "deem", "deemed", "deeming", "deems", "deep", "deepen", "deepened", "deepening", "deepens", "deeper", "deepest", "deepfreeze", "deepfreezing", "deepfried", "deepfrozen", "deepish", "deeply", "deepness", "deeprooted", "deeps", "deepsea", "deepseated", "deer", "deerstalker", "deerstalkers", "deerstalking", "deface", "defaced", "defaces", "defacing", "defacto", "defamation", "defamatory", "defame", "defamed", "defamer", "defames", "defaming", "default", "defaulted", "defaulter", "defaulters", "defaulting", "defaults", "defeat", "defeated", "defeater", "defeating", "defeatism", "defeatist", "defeats", "defecate", "defecating", "defect", "defected", "defecting", "defection", "defections", "defective", "defectiveness", "defectives", "defector", "defectors", "defects", "defence", "defenceless", "defencelessness", "defences", "defend", "defendant", "defendants", "defended", "defender", "defenders", "defending", "defends", "defenestrate", "defenestrated", "defenestration", "defenses", "defensibility", "defensible", "defensive", "defensively", "defensiveness", "defer", "deference", "deferential", "deferentially", "deferment", "deferral", "deferred", "deferring", "defers", "defiance", "defiant", "defiantly", "defibrillator", "defibrillators", "deficiencies", "deficiency", "deficient", "deficit", "deficits", "defied", "defier", "defies", "defile", "defiled", "defilement", "defiles", "defiling", "definable", "definably", "define", "defined", "definer", "defines", "defining", "definite", "definitely", "definiteness", "definition", "definitional", "definitions", "definitive", "definitively", "definitiveness", "deflatable", "deflate", "deflated", "deflates", "deflating", "deflation", "deflationary", "deflect", "deflected", "deflecting", "deflection", "deflections", "deflector", "deflectors", "deflects", "deflower", "deflowering", "defoliants", "defoliation", "deforestation", "deforested", "deform", "deformable", "deformation", "deformations", "deformed", "deforming", "deformities", "deformity", "deforms", "defragmentation", "defraud", "defrauded", "defrauding", "defrauds", "defray", "defrayed", "defrost", "defrosted", "defrosting", "defrosts", "deft", "defter", "deftly", "deftness", "defunct", "defuse", "defused", "defuses", "defusing", "defy", "defying", "degas", "degauss", "degaussed", "degaussing", "degeneracies", "degeneracy", "degenerate", "degenerated", "degenerates", "degenerating", "degeneration", "degenerative", "degradable", "degradation", "degradations", "degrade", "degraded", "degrades", "degrading", "degrease", "degree", "degrees", "dehorn", "dehumanised", "dehumanises", "dehumanising", "dehumidifier", "dehydrate", "dehydrated", "dehydrating", "dehydration", "deification", "deified", "deifies", "deify", "deifying", "deism", "deist", "deists", "deities", "deity", "deject", "dejected", "dejectedly", "dejection", "dejects", "deklerk", "delate", "delay", "delayed", "delaying", "delays", "delectable", "delectation", "delegate", "delegated", "delegates", "delegating", "delegation", "delegations", "deletable", "delete", "deleted", "deleter", "deleterious", "deleteriously", "deletes", "deleting", "deletion", "deletions", "delhi", "deli", "deliberate", "deliberated", "deliberately", "deliberating", "deliberation", "deliberations", "deliberative", "delible", "delicacies", "delicacy", "delicate", "delicately", "delicatessen", "delicatessens", "delicious", "deliciously", "delict", "delight", "delighted", "delightedly", "delightful", "delightfully", "delighting", "delights", "delilah", "delimit", "delimited", "delimiter", "delimiters", "delimiting", "delimits", "delineate", "delineated", "delineates", "delineating", "delineation", "delinquency", "delinquent", "delinquents", "deliquesced", "deliquescent", "delirious", "deliriously", "delirium", "deliver", "deliverable", "deliverance", "delivered", "deliverer", "deliverers", "deliveries", "delivering", "delivers", "delivery", "dell", "dells", "delphi", "delphiniums", "delta", "deltas", "deltoid", "deltoids", "delude", "deluded", "deludes", "deluding", "deluge", "deluged", "deluges", "deluging", "delusion", "delusional", "delusions", "delusive", "deluxe", "delve", "delved", "delves", "delving", "demagnetisation", "demagnetise", "demagog", "demagogic", "demagogue", "demagoguery", "demagogues", "demagogy", "demand", "demanded", "demander", "demanding", "demands", "demarcate", "demarcated", "demarcating", "demarcation", "demarcations", "dematerialise", "dematerialised", "dematerialises", "demean", "demeaned", "demeaning", "demeanour", "demeans", "dement", "demented", "dementedly", "dementia", "demerge", "demerit", "demigod", "demigods", "demijohns", "demilitarisation", "demilitarised", "demise", "demised", "demises", "demist", "demists", "demo", "demobilisation", "demobilised", "demobs", "democracies", "democracy", "democrat", "democratic", "democratically", "democratisation", "democratising", "democrats", "demodulator", "demographer", "demographers", "demographic", "demographically", "demographics", "demography", "demolish", "demolished", "demolisher", "demolishes", "demolishing", "demolition", "demolitions", "demon", "demonic", "demonise", "demonology", "demons", "demonstrable", "demonstrably", "demonstrate", "demonstrated", "demonstrates", "demonstrating", "demonstration", "demonstrations", "demonstrative", "demonstratively", "demonstratives", "demonstrator", "demonstrators", "demoralisation", "demoralise", "demoralised", "demoralising", "demote", "demoted", "demotes", "demotic", "demotion", "demount", "demountable", "demounted", "demounting", "demur", "demure", "demurely", "demurred", "demurring", "demurs", "demystification", "demystify", "demystifying", "den", "denationalisation", "denatured", "denaturing", "dendrites", "dendritic", "dendrochronological", "dendrochronology", "deniable", "denial", "denials", "denied", "denier", "deniers", "denies", "denigrate", "denigrated", "denigrates", "denigrating", "denigration", "denigrations", "denim", "denims", "denizen", "denizens", "denmark", "denominated", "denomination", "denominational", "denominations", "denominator", "denominators", "denotation", "denotational", "denotations", "denote", "denoted", "denotes", "denoting", "denouement", "denounce", "denounced", "denouncements", "denounces", "denouncing", "dens", "dense", "densely", "denseness", "denser", "densest", "densities", "densitometry", "density", "dent", "dental", "dented", "dentin", "dentine", "denting", "dentist", "dentistry", "dentists", "dentition", "dents", "denture", "dentures", "denudation", "denude", "denuded", "denudes", "denunciation", "denunciations", "denver", "deny", "denying", "deodorant", "deodorants", "deodorised", "depart", "departed", "departer", "departing", "department", "departmental", "departmentally", "departments", "departs", "departure", "departures", "depend", "dependability", "dependable", "dependant", "dependants", "depended", "dependence", "dependencies", "dependency", "dependent", "depending", "depends", "depersonalisation", "depersonalising", "depict", "depicted", "depicting", "depiction", "depictions", "depicts", "deplete", "depleted", "depleting", "depletion", "deplorable", "deplorably", "deplore", "deplored", "deplores", "deploring", "deploy", "deployed", "deploying", "deployment", "deployments", "deploys", "depolarisation", "depolarisations", "depoliticisation", "deponent", "depopulated", "depopulation", "deport", "deportation", "deportations", "deported", "deportee", "deportees", "deporting", "deportment", "deports", "depose", "deposed", "deposing", "deposit", "depositary", "deposited", "depositing", "deposition", "depositional", "depositions", "depositories", "depositors", "depository", "deposits", "depot", "depots", "deprave", "depraved", "depraves", "depraving", "depravity", "deprecate", "deprecated", "deprecates", "deprecating", "deprecatingly", "deprecation", "deprecations", "deprecatory", "depreciate", "depreciated", "depreciating", "depreciation", "depredation", "depredations", "depress", "depressant", "depressants", "depressed", "depresses", "depressing", "depressingly", "depression", "depressions", "depressive", "depressives", "deprivation", "deprivations", "deprive", "deprived", "deprives", "depriving", "depth", "depths", "deputation", "deputations", "depute", "deputed", "deputes", "deputies", "deputise", "deputised", "deputises", "deputising", "deputy", "derail", "derailed", "derailing", "derailment", "derails", "derange", "deranged", "derangement", "derate", "derated", "derates", "derbies", "derby", "deregulate", "deregulated", "deregulating", "deregulation", "derelict", "dereliction", "derelictions", "deride", "derided", "deriders", "derides", "deriding", "derision", "derisive", "derisively", "derisory", "derivable", "derivation", "derivations", "derivative", "derivatively", "derivatives", "derive", "derived", "derives", "deriving", "dermal", "dermatitis", "dermatological", "dermatologist", "dermatologists", "dermatology", "dermic", "dermis", "derogate", "derogation", "derogations", "derogatory", "derrick", "dervishes", "desalination", "desalt", "desaturated", "descant", "descend", "descendant", "descendants", "descended", "descendent", "descender", "descenders", "descending", "descends", "descent", "descents", "describable", "describe", "described", "describer", "describers", "describes", "describing", "description", "descriptions", "descriptive", "descriptively", "descriptiveness", "descriptivism", "descriptor", "descriptors", "desecrate", "desecrated", "desecrates", "desecrating", "desecration", "desegregation", "deselected", "desensitising", "desert", "deserted", "deserter", "deserters", "desertification", "deserting", "desertion", "desertions", "deserts", "deserve", "deserved", "deservedly", "deserves", "deserving", "desiccated", "desiccation", "desiccator", "desiderata", "desideratum", "design", "designable", "designate", "designated", "designates", "designating", "designation", "designational", "designations", "designator", "designators", "designed", "designedly", "designer", "designers", "designing", "designs", "desirabilia", "desirability", "desirable", "desirableness", "desirably", "desire", "desired", "desires", "desiring", "desirous", "desist", "desisted", "desisting", "desk", "deskilling", "desks", "desktop", "desktops", "desolate", "desolated", "desolating", "desolation", "desorption", "despair", "despaired", "despairing", "despairingly", "despairs", "despatch", "despatched", "despatches", "despatching", "desperado", "desperate", "desperately", "desperation", "despicable", "despicably", "despisal", "despise", "despised", "despises", "despising", "despite", "despoil", "despoiled", "despoiling", "despond", "despondency", "despondent", "despondently", "despot", "despotic", "despotism", "despots", "dessert", "desserts", "dessicated", "dessication", "destabilisation", "destabilise", "destabilised", "destabilising", "destination", "destinations", "destine", "destined", "destinies", "destiny", "destitute", "destitution", "destroy", "destroyable", "destroyed", "destroyer", "destroyers", "destroying", "destroys", "destruct", "destruction", "destructive", "destructively", "destructiveness", "desuetude", "desultorily", "desultoriness", "desultory", "detach", "detachable", "detached", "detaches", "detaching", "detachment", "detachments", "detail", "detailed", "detailing", "details", "detain", "detained", "detainee", "detainees", "detainer", "detaining", "detains", "detect", "detectability", "detectable", "detectably", "detected", "detecting", "detection", "detections", "detective", "detectives", "detector", "detectors", "detects", "detent", "detente", "detention", "detentions", "deter", "detergent", "detergents", "deteriorate", "deteriorated", "deteriorates", "deteriorating", "deterioration", "determinable", "determinacy", "determinant", "determinants", "determinate", "determinately", "determination", "determinations", "determinative", "determine", "determined", "determinedly", "determiner", "determines", "determining", "determinism", "determinist", "deterministic", "deterministically", "deterred", "deterrence", "deterrent", "deterrents", "deterring", "deters", "detest", "detestable", "detestably", "detestation", "detested", "detester", "detesters", "detesting", "detests", "dethrone", "dethroned", "detonate", "detonated", "detonates", "detonating", "detonation", "detonations", "detonator", "detonators", "detour", "detoured", "detours", "detox", "detoxification", "detoxify", "detract", "detracted", "detracting", "detraction", "detractor", "detractors", "detracts", "detriment", "detrimental", "detrimentally", "detrital", "detritus", "detroit", "deuce", "deuced", "deuces", "deuterium", "deuteron", "devaluation", "devaluations", "devalue", "devalued", "devalues", "devaluing", "devastate", "devastated", "devastating", "devastatingly", "devastation", "develop", "developed", "developer", "developers", "developing", "development", "developmental", "developmentally", "developments", "develops", "deviance", "deviancy", "deviant", "deviants", "deviate", "deviated", "deviates", "deviating", "deviation", "deviations", "device", "devices", "devil", "devilish", "devilishly", "devilled", "devilment", "devilry", "devils", "devious", "deviously", "deviousness", "devisal", "devise", "devised", "deviser", "devises", "devising", "devoice", "devoid", "devoir", "devolution", "devolve", "devolved", "devolving", "devote", "devoted", "devotedly", "devotedness", "devotee", "devotees", "devotes", "devoting", "devotion", "devotional", "devotions", "devour", "devoured", "devourer", "devourers", "devouring", "devours", "devout", "devoutly", "devoutness", "dew", "dewdrop", "dewdrops", "dews", "dewy", "dexterity", "dexterous", "dexterously", "dextral", "dextrose", "dextrous", "dextrously", "dhow", "diabetes", "diabetic", "diabetics", "diabolic", "diabolical", "diabolically", "diabolism", "diachronic", "diaconal", "diacritical", "diacriticals", "diacritics", "diadem", "diadems", "diagnosable", "diagnose", "diagnosed", "diagnoses", "diagnosing", "diagnosis", "diagnostic", "diagnostically", "diagnostician", "diagnostics", "diagonal", "diagonalise", "diagonalised", "diagonalises", "diagonalising", "diagonally", "diagonals", "diagram", "diagrammatic", "diagrammatically", "diagrams", "dial", "dialect", "dialectal", "dialectic", "dialectical", "dialectically", "dialectics", "dialects", "dialing", "dialled", "dialler", "dialling", "dialog", "dialogue", "dialogues", "dials", "dialysis", "diamante", "diameter", "diameters", "diametric", "diametrically", "diamond", "diamonds", "diana", "diapason", "diaper", "diapers", "diaphanous", "diaphragm", "diaphragmatic", "diaphragms", "diaries", "diarist", "diarrhea", "diarrhoea", "diarrhoeal", "diary", "diaspora", "diastolic", "diathermy", "diatom", "diatomic", "diatoms", "diatonic", "diatribe", "diatribes", "dice", "diced", "dices", "dicey", "dichloride", "dichotomies", "dichotomous", "dichotomy", "diciest", "dicing", "dickens", "dictate", "dictated", "dictates", "dictating", "dictation", "dictator", "dictatorial", "dictatorially", "dictators", "dictatorship", "dictatorships", "diction", "dictionaries", "dictionary", "dictions", "dictum", "did", "didactic", "didnt", "die", "died", "diehard", "diehards", "dielectric", "dielectrics", "dies", "diesel", "dieselelectric", "diesels", "diet", "dietary", "dieted", "dieter", "dietetic", "dietician", "dieticians", "dieting", "dietitian", "dietitians", "diets", "differ", "differed", "difference", "differences", "differencing", "different", "differentiability", "differentiable", "differential", "differentially", "differentials", "differentiate", "differentiated", "differentiates", "differentiating", "differentiation", "differentiations", "differentiators", "differently", "differing", "differs", "difficult", "difficulties", "difficulty", "diffidence", "diffident", "diffidently", "diffract", "diffracted", "diffracting", "diffraction", "diffracts", "diffuse", "diffused", "diffuser", "diffusers", "diffuses", "diffusing", "diffusion", "diffusional", "diffusive", "diffusivity", "dig", "digest", "digested", "digester", "digestible", "digesting", "digestion", "digestions", "digestive", "digestives", "digests", "digger", "diggers", "digging", "diggings", "digit", "digital", "digitalis", "digitally", "digitisation", "digitise", "digitised", "digitiser", "digitisers", "digitising", "digits", "dignified", "dignify", "dignifying", "dignitaries", "dignitary", "dignities", "dignity", "digraphs", "digress", "digressed", "digressing", "digression", "digressions", "digs", "dihedral", "dikes", "diktat", "diktats", "dilapidated", "dilapidation", "dilatation", "dilate", "dilated", "dilates", "dilating", "dilation", "dilator", "dilatory", "dildo", "dilemma", "dilemmas", "dilettante", "dilettantes", "diligence", "diligent", "diligently", "dill", "dilly", "diluent", "dilute", "diluted", "diluter", "dilutes", "diluting", "dilution", "dilutions", "dim", "dime", "dimension", "dimensional", "dimensionality", "dimensionally", "dimensioned", "dimensioning", "dimensionless", "dimensions", "dimer", "dimers", "dimes", "diminish", "diminishable", "diminished", "diminishes", "diminishing", "diminuendo", "diminution", "diminutive", "diminutives", "dimly", "dimmed", "dimmer", "dimmers", "dimmest", "dimming", "dimness", "dimorphic", "dimorphism", "dimple", "dimpled", "dimples", "dims", "dimwit", "din", "dinar", "dinars", "dine", "dined", "diner", "diners", "dines", "ding", "dingdong", "dinged", "dinghies", "dinghy", "dingier", "dingiest", "dinginess", "dingle", "dingo", "dingy", "dining", "dinky", "dinner", "dinners", "dinosaur", "dinosaurs", "dint", "dints", "diocesan", "diocese", "diode", "diodes", "dioptre", "dioptres", "dioxide", "dioxides", "dioxin", "dioxins", "dip", "diphtheria", "diphthong", "diphthongs", "diplexers", "diploid", "diploma", "diplomacy", "diplomas", "diplomat", "diplomatic", "diplomatically", "diplomats", "dipolar", "dipole", "dipoles", "dipped", "dipper", "dipping", "dips", "dipsomania", "dipsomaniac", "dipsomaniacs", "dipstick", "dipsticks", "dire", "direct", "directed", "directing", "direction", "directional", "directionality", "directionally", "directionless", "directions", "directive", "directives", "directly", "directness", "director", "directorate", "directorates", "directorial", "directories", "directors", "directorship", "directorships", "directory", "directs", "direly", "direness", "direst", "dirge", "dirges", "dirigible", "dirigiste", "dirt", "dirtied", "dirtier", "dirties", "dirtiest", "dirtily", "dirtiness", "dirts", "dirty", "dirtying", "disabilities", "disability", "disable", "disabled", "disablement", "disables", "disabling", "disabuse", "disabused", "disadvantage", "disadvantaged", "disadvantageous", "disadvantageously", "disadvantages", "disaffected", "disaffection", "disaffiliate", "disaffiliated", "disaffiliating", "disaffiliation", "disaggregate", "disaggregated", "disaggregation", "disagree", "disagreeable", "disagreeably", "disagreed", "disagreeing", "disagreement", "disagreements", "disagrees", "disallow", "disallowed", "disallowing", "disallows", "disambiguate", "disambiguated", "disambiguating", "disambiguation", "disappear", "disappearance", "disappearances", "disappeared", "disappearing", "disappears", "disappoint", "disappointed", "disappointing", "disappointingly", "disappointment", "disappointments", "disappoints", "disapprobation", "disapproval", "disapprove", "disapproved", "disapproves", "disapproving", "disapprovingly", "disarm", "disarmament", "disarmed", "disarmer", "disarming", "disarmingly", "disarms", "disarranging", "disarray", "disarrayed", "disassemble", "disassembled", "disassembler", "disassembles", "disassembling", "disassembly", "disassociate", "disassociated", "disassociating", "disassociation", "disaster", "disasters", "disastrous", "disastrously", "disavow", "disavowal", "disavowed", "disavowing", "disband", "disbanded", "disbanding", "disbandment", "disbands", "disbars", "disbelief", "disbelieve", "disbelieved", "disbeliever", "disbelievers", "disbelieving", "disbelievingly", "disburse", "disbursed", "disbursement", "disbursements", "disc", "discant", "discard", "discarded", "discarding", "discards", "discern", "discerned", "discernible", "discernibly", "discerning", "discernment", "discerns", "discharge", "discharged", "discharges", "discharging", "disciple", "disciples", "discipleship", "disciplinarian", "disciplinarians", "disciplinary", "discipline", "disciplined", "disciplines", "disciplining", "disclaim", "disclaimed", "disclaimer", "disclaimers", "disclaiming", "disclaims", "disclose", "disclosed", "discloses", "disclosing", "disclosure", "disclosures", "disco", "discography", "discolour", "discolouration", "discoloured", "discolours", "discomfit", "discomfited", "discomfiture", "discomfort", "discomforting", "discomforts", "disconcert", "disconcerted", "disconcerting", "disconcertingly", "disconnect", "disconnected", "disconnecting", "disconnection", "disconnections", "disconnects", "disconsolate", "disconsolately", "disconsolation", "discontent", "discontented", "discontentedly", "discontents", "discontinuance", "discontinuation", "discontinue", "discontinued", "discontinues", "discontinuing", "discontinuities", "discontinuity", "discontinuous", "discontinuously", "discord", "discordance", "discordant", "discords", "discotheque", "discotheques", "discount", "discountability", "discountable", "discounted", "discounting", "discounts", "discourage", "discouraged", "discouragement", "discouragements", "discourages", "discouraging", "discouragingly", "discourse", "discoursed", "discourses", "discoursing", "discourteous", "discourteously", "discourtesy", "discover", "discoverable", "discovered", "discoverer", "discoverers", "discoveries", "discovering", "discovers", "discovery", "discredit", "discreditable", "discredited", "discrediting", "discredits", "discreet", "discreetly", "discreetness", "discrepancies", "discrepancy", "discrepant", "discrete", "discretely", "discretion", "discretionary", "discriminant", "discriminants", "discriminate", "discriminated", "discriminates", "discriminating", "discrimination", "discriminative", "discriminator", "discriminators", "discriminatory", "discs", "discursive", "discursively", "discus", "discuss", "discussable", "discussed", "discusses", "discussing", "discussion", "discussions", "disdain", "disdained", "disdainful", "disdainfully", "disdaining", "disease", "diseased", "diseases", "disembark", "disembarkation", "disembarked", "disembarking", "disembodied", "disembodiment", "disembowel", "disembowelled", "disembowelment", "disembowels", "disenchanted", "disenchantment", "disenfranchise", "disenfranchised", "disenfranchisement", "disenfranchises", "disenfranchising", "disengage", "disengaged", "disengagement", "disengaging", "disentangle", "disentangled", "disentangles", "disentangling", "disequilibrium", "disestablish", "disestablished", "disestablishing", "disestablishment", "disfavour", "disfigure", "disfigured", "disfigurement", "disfigurements", "disfigures", "disfiguring", "disfranchise", "disgorge", "disgorged", "disgorging", "disgrace", "disgraced", "disgraceful", "disgracefully", "disgraces", "disgracing", "disgruntled", "disgruntlement", "disguise", "disguised", "disguises", "disguising", "disgust", "disgusted", "disgustedly", "disgusting", "disgustingly", "disgusts", "dish", "disharmonious", "disharmony", "dishcloth", "disheartened", "disheartening", "dished", "dishes", "dishevelled", "dishier", "dishing", "dishonest", "dishonestly", "dishonesty", "dishonour", "dishonourable", "dishonourably", "dishonoured", "dishpan", "dishwasher", "dishwashers", "dishwater", "dishy", "disillusion", "disillusioned", "disillusioning", "disillusionment", "disincentive", "disincentives", "disinclination", "disinclined", "disinfect", "disinfectant", "disinfectants", "disinfected", "disinfecting", "disinfection", "disinformation", "disingenuous", "disingenuously", "disinherit", "disinherited", "disintegrate", "disintegrated", "disintegrates", "disintegrating", "disintegration", "disinter", "disinterest", "disinterested", "disinterestedly", "disinterestedness", "disinterred", "disinvest", "disinvestment", "disjoin", "disjoint", "disjointed", "disjointedly", "disjointness", "disjunct", "disjunction", "disjunctions", "disjunctive", "diskette", "diskettes", "dislike", "disliked", "dislikes", "disliking", "dislocate", "dislocated", "dislocates", "dislocating", "dislocation", "dislocations", "dislodge", "dislodged", "dislodges", "dislodging", "disloyal", "disloyalty", "dismal", "dismally", "dismantle", "dismantled", "dismantles", "dismantling", "dismay", "dismayed", "dismaying", "dismays", "dismember", "dismembered", "dismembering", "dismemberment", "dismembers", "dismiss", "dismissal", "dismissals", "dismissed", "dismisses", "dismissible", "dismissing", "dismissive", "dismissively", "dismount", "dismounted", "dismounting", "dismounts", "disobedience", "disobedient", "disobey", "disobeyed", "disobeying", "disobeys", "disorder", "disordered", "disorderly", "disorders", "disorganisation", "disorganise", "disorganised", "disorganising", "disorient", "disorientated", "disorientating", "disorientation", "disoriented", "disown", "disowned", "disowning", "disowns", "disparage", "disparaged", "disparagement", "disparaging", "disparagingly", "disparate", "disparities", "disparity", "dispassionate", "dispassionately", "dispatch", "dispatched", "dispatcher", "dispatchers", "dispatches", "dispatching", "dispel", "dispelled", "dispelling", "dispels", "dispensable", "dispensaries", "dispensary", "dispensation", "dispensations", "dispense", "dispensed", "dispenser", "dispensers", "dispenses", "dispensing", "dispersal", "dispersant", "disperse", "dispersed", "disperser", "dispersers", "disperses", "dispersing", "dispersion", "dispersions", "dispersive", "dispersively", "dispirited", "dispiritedly", "dispiriting", "displace", "displaced", "displacement", "displacements", "displacer", "displaces", "displacing", "display", "displayable", "displayed", "displaying", "displays", "displease", "displeased", "displeasing", "displeasure", "disporting", "disposable", "disposables", "disposal", "disposals", "dispose", "disposed", "disposer", "disposers", "disposes", "disposing", "disposition", "dispositions", "dispossess", "dispossessed", "dispossession", "disproof", "disproofs", "disproportional", "disproportionally", "disproportionate", "disproportionately", "disprovable", "disprove", "disproved", "disproves", "disproving", "disputable", "disputant", "disputants", "disputation", "disputatious", "dispute", "disputed", "disputes", "disputing", "disqualification", "disqualifications", "disqualified", "disqualifies", "disqualify", "disqualifying", "disquiet", "disquieting", "disquietude", "disquisition", "disquisitions", "disregard", "disregarded", "disregarding", "disregards", "disrepair", "disreputable", "disrepute", "disrespect", "disrespectful", "disrespectfully", "disrespects", "disrobe", "disrobing", "disrupt", "disrupted", "disrupting", "disruption", "disruptions", "disruptive", "disruptively", "disruptor", "disrupts", "dissatisfaction", "dissatisfactions", "dissatisfied", "dissatisfies", "dissatisfy", "dissatisfying", "dissect", "dissected", "dissecting", "dissection", "dissections", "dissector", "dissects", "dissemble", "dissembled", "dissembling", "disseminate", "disseminated", "disseminating", "dissemination", "dissension", "dissensions", "dissent", "dissented", "dissenter", "dissenters", "dissenting", "dissertation", "dissertations", "disservice", "dissidence", "dissident", "dissidents", "dissimilar", "dissimilarities", "dissimilarity", "dissimulation", "dissipate", "dissipated", "dissipates", "dissipating", "dissipation", "dissipative", "dissociate", "dissociated", "dissociating", "dissociation", "dissociative", "dissociatively", "dissolute", "dissolution", "dissolve", "dissolved", "dissolves", "dissolving", "dissonance", "dissonances", "dissonant", "dissuade", "dissuaded", "dissuades", "dissuading", "distaff", "distal", "distally", "distance", "distanced", "distances", "distancing", "distant", "distantly", "distaste", "distasteful", "distastefully", "distemper", "distempered", "distempers", "distended", "distension", "distil", "distillate", "distillation", "distillations", "distilled", "distiller", "distilleries", "distillers", "distillery", "distilling", "distils", "distinct", "distinction", "distinctions", "distinctive", "distinctively", "distinctiveness", "distinctly", "distinctness", "distinguish", "distinguishable", "distinguishably", "distinguished", "distinguishes", "distinguishing", "distort", "distorted", "distorter", "distorting", "distortion", "distortions", "distorts", "distract", "distracted", "distractedly", "distractedness", "distracting", "distractingly", "distraction", "distractions", "distracts", "distraught", "distress", "distressed", "distresses", "distressing", "distressingly", "distributable", "distribute", "distributed", "distributes", "distributing", "distribution", "distributional", "distributions", "distributive", "distributivity", "distributor", "distributors", "district", "districts", "distrust", "distrusted", "distrustful", "distrustfully", "distrusting", "distrusts", "disturb", "disturbance", "disturbances", "disturbed", "disturbing", "disturbingly", "disturbs", "disulphide", "disunion", "disunite", "disunity", "disuse", "disused", "disyllabic", "disyllable", "ditch", "ditched", "ditches", "ditching", "dither", "dithered", "dithering", "dithers", "ditties", "ditto", "ditty", "diuresis", "diuretic", "diuretics", "diurnal", "diva", "divan", "divans", "divas", "dive", "divebombing", "dived", "diver", "diverge", "diverged", "divergence", "divergences", "divergent", "diverges", "diverging", "divers", "diverse", "diversely", "diversification", "diversified", "diversifies", "diversify", "diversifying", "diversion", "diversionary", "diversions", "diversities", "diversity", "divert", "diverted", "diverticular", "diverting", "diverts", "dives", "divest", "divested", "divesting", "divide", "divided", "dividend", "dividends", "divider", "dividers", "divides", "dividing", "divination", "divine", "divined", "divinely", "diviner", "divines", "divinest", "diving", "divining", "divinities", "divinity", "divisibility", "divisible", "division", "divisional", "divisions", "divisive", "divisiveness", "divisor", "divisors", "divorce", "divorced", "divorcee", "divorcees", "divorces", "divorcing", "divot", "divots", "divulge", "divulged", "divulges", "divulging", "dizzier", "dizziest", "dizzily", "dizziness", "dizzy", "dizzying", "dizzyingly", "do", "doberman", "doc", "docile", "docilely", "docility", "dock", "dockage", "docked", "docker", "dockers", "docket", "dockets", "docking", "dockland", "docklands", "docks", "dockside", "dockyard", "dockyards", "docs", "doctor", "doctoral", "doctorate", "doctorates", "doctored", "doctoring", "doctors", "doctrinaire", "doctrinal", "doctrinally", "doctrine", "doctrines", "document", "documentaries", "documentary", "documentation", "documented", "documenting", "documents", "dodecahedra", "dodecahedral", "dodecahedron", "dodge", "dodged", "dodgem", "dodgems", "dodger", "dodgers", "dodges", "dodgier", "dodging", "dodgy", "dodo", "doe", "doer", "doers", "does", "doesnt", "doffed", "doffing", "dog", "dogdays", "doge", "dogeared", "doges", "dogfight", "dogfights", "dogfish", "dogged", "doggedly", "doggedness", "doggerel", "dogging", "doggy", "doglike", "dogma", "dogmas", "dogmatic", "dogmatically", "dogmatism", "dogmatist", "dogmatists", "dogood", "dogooder", "dogooders", "dogs", "dogsbody", "dogtag", "dogy", "doh", "dohs", "doily", "doing", "doings", "doityourself", "doldrums", "dole", "doled", "doleful", "dolefully", "dolerite", "doles", "doling", "doll", "dollar", "dollars", "dolled", "dollies", "dollop", "dolls", "dolly", "dolman", "dolmen", "dolomite", "dolorous", "dolphin", "dolphinarium", "dolphins", "dolt", "domain", "domains", "dome", "domed", "domes", "domestic", "domestically", "domesticated", "domestication", "domesticity", "domestics", "domicile", "domiciled", "domiciliary", "dominance", "dominant", "dominantly", "dominate", "dominated", "dominates", "dominating", "domination", "domineer", "domineered", "domineering", "dominion", "dominions", "domino", "don", "donate", "donated", "donates", "donating", "donation", "donations", "done", "dong", "donga", "donjuan", "donkey", "donkeys", "donned", "donning", "donor", "donors", "dons", "dont", "donut", "doodle", "doodled", "doodles", "doodling", "doom", "doomed", "dooming", "dooms", "doomsday", "door", "doorbell", "doorbells", "doorhandles", "doorkeeper", "doorkeepers", "doorknob", "doorknobs", "doorman", "doormat", "doormats", "doormen", "doornail", "doorpost", "doors", "doorstep", "doorsteps", "doorstop", "doorstops", "doorway", "doorways", "dopamine", "dope", "doped", "dopes", "dopey", "dopier", "doping", "dopy", "dor", "dorado", "dormancy", "dormant", "dormer", "dormers", "dormice", "dormitories", "dormitory", "dormouse", "dorsal", "dorsally", "dosage", "dosages", "dose", "dosed", "doses", "dosing", "dossier", "dossiers", "dot", "dotage", "dote", "doted", "dotes", "doting", "dots", "dotted", "dottiness", "dotting", "dotty", "double", "doublebarrelled", "doublecross", "doublecrossing", "doubled", "doubledealing", "doubledecker", "doubledeckers", "doubles", "doublet", "doubletalk", "doublets", "doubling", "doubly", "doubt", "doubted", "doubter", "doubters", "doubtful", "doubtfully", "doubting", "doubtingly", "doubtless", "doubtlessly", "doubts", "douche", "douching", "dough", "doughnut", "doughnuts", "doughs", "doughty", "dour", "dourly", "dourness", "douse", "doused", "dousing", "dove", "dovecot", "dovecote", "dover", "doves", "dovetail", "dovetails", "dowager", "dowagers", "dowdier", "dowdiest", "dowdy", "dowel", "dowelling", "dowels", "down", "downbeat", "downcast", "downed", "downfall", "downgrade", "downgraded", "downgrades", "downgrading", "downhearted", "downhill", "downing", "downland", "downlands", "download", "downloaded", "downloading", "downloads", "downpipe", "downpipes", "downplay", "downplayed", "downpour", "downpours", "downright", "downs", "downside", "downsize", "downsized", "downsizing", "downstage", "downstairs", "downstream", "downswing", "downtoearth", "downtrodden", "downturn", "downturns", "downward", "downwardly", "downwards", "downwind", "downy", "dowries", "dowry", "dowse", "dowser", "dowsers", "dowsing", "doyen", "doyenne", "doyens", "doze", "dozed", "dozen", "dozens", "dozes", "dozier", "dozing", "dozy", "dr", "drab", "drabness", "drachm", "drachma", "drachmas", "dracone", "draconian", "dracula", "draft", "drafted", "draftee", "draftees", "drafter", "drafters", "draftier", "drafting", "drafts", "draftsman", "drafty", "drag", "dragged", "dragging", "dragnet", "dragon", "dragonflies", "dragonfly", "dragons", "dragoon", "dragooned", "dragoons", "drags", "drain", "drainage", "drained", "drainer", "draining", "drainpipe", "drainpipes", "drains", "drake", "drakes", "dram", "drama", "dramas", "dramatic", "dramatically", "dramatics", "dramatisation", "dramatisations", "dramatise", "dramatised", "dramatising", "dramatist", "dramatists", "dramaturgical", "drank", "drape", "draped", "draper", "draperies", "drapers", "drapery", "drapes", "draping", "drastic", "drastically", "drat", "draught", "draughtier", "draughtiest", "draughts", "draughtsman", "draughtsmanship", "draughtsmen", "draughty", "draw", "drawable", "drawback", "drawbacks", "drawbridge", "drawbridges", "drawcord", "drawees", "drawer", "drawers", "drawing", "drawings", "drawl", "drawled", "drawling", "drawls", "drawn", "draws", "dray", "drays", "dread", "dreaded", "dreadful", "dreadfully", "dreadfulness", "dreading", "dreadlocks", "dreadnought", "dreads", "dream", "dreamed", "dreamer", "dreamers", "dreamier", "dreamiest", "dreamily", "dreaming", "dreamland", "dreamless", "dreamlike", "dreams", "dreamt", "dreamy", "drear", "drearier", "dreariest", "drearily", "dreariness", "dreary", "dredge", "dredged", "dredger", "dredges", "dredging", "dregs", "drench", "drenched", "drenches", "drenching", "dress", "dressage", "dressed", "dresser", "dressers", "dresses", "dressing", "dressings", "dressmaker", "dressmakers", "dressmaking", "dressy", "drew", "dribble", "dribbled", "dribbler", "dribbles", "dribbling", "dried", "drier", "driers", "dries", "driest", "drift", "drifted", "drifter", "drifters", "drifting", "drifts", "driftwood", "drill", "drilled", "driller", "drilling", "drills", "drily", "drink", "drinkable", "drinker", "drinkers", "drinking", "drinks", "drip", "dripdry", "dripped", "dripping", "drippy", "drips", "drivable", "drive", "drivein", "driveins", "drivel", "drivelled", "drivelling", "drivels", "driven", "driver", "driverless", "drivers", "drives", "driveway", "driveways", "driving", "drizzle", "drizzled", "drizzles", "drizzling", "drizzly", "droll", "droller", "drollery", "drollest", "dromedaries", "dromedary", "drone", "droned", "drones", "droning", "drool", "drooled", "drooling", "drools", "droop", "drooped", "droopier", "droopiest", "drooping", "droopingly", "droops", "droopy", "drop", "droplet", "droplets", "dropout", "dropouts", "dropped", "dropper", "dropping", "droppings", "drops", "dropsy", "dross", "drought", "droughts", "drove", "drover", "drovers", "droves", "droving", "drown", "drowned", "drowning", "drownings", "drowns", "drowse", "drowsed", "drowses", "drowsier", "drowsiest", "drowsily", "drowsiness", "drowsy", "drub", "drubbed", "drubbing", "drudge", "drudgery", "drudges", "drug", "drugged", "drugging", "druggist", "drugs", "druid", "druids", "drum", "drumbeat", "drumbeats", "drummed", "drummer", "drummers", "drumming", "drums", "drumsticks", "drunk", "drunkard", "drunkards", "drunken", "drunkenly", "drunkenness", "drunker", "drunks", "dry", "drycleaned", "drycleaning", "dryer", "dryers", "dryeyed", "drying", "dryish", "dryly", "dryness", "drystone", "dual", "dualism", "dualisms", "dualist", "dualistic", "dualities", "duality", "dually", "duals", "dub", "dubbed", "dubbing", "dubious", "dubiously", "dubiousness", "dublin", "dubs", "duce", "duchess", "duchesses", "duchies", "duchy", "duck", "duckbill", "duckbilled", "duckboards", "ducked", "ducking", "duckings", "duckling", "ducklings", "duckpond", "ducks", "duct", "ducted", "ductile", "ducting", "ducts", "dud", "dude", "dudes", "dudgeon", "duds", "due", "duel", "duelled", "dueller", "duellers", "duelling", "duellist", "duels", "dues", "duet", "duets", "duff", "duffel", "dug", "dugout", "dugouts", "duiker", "duke", "dukedom", "dukedoms", "dukes", "dulcet", "dulcimer", "dull", "dullard", "dullards", "dulled", "duller", "dullest", "dulling", "dullness", "dulls", "dully", "dulness", "duly", "dumb", "dumbbell", "dumber", "dumbest", "dumbfound", "dumbfounded", "dumbfounding", "dumbfounds", "dumbly", "dumbness", "dumbstruck", "dumfound", "dumfounded", "dumfounding", "dumfounds", "dummied", "dummies", "dummy", "dump", "dumped", "dumper", "dumping", "dumpling", "dumplings", "dumps", "dumpy", "dun", "dunce", "dunces", "dune", "dunes", "dung", "dungarees", "dungbeetle", "dungeon", "dungeons", "dunghill", "dunked", "dunking", "dunkirk", "duo", "duodenal", "duodenum", "duologue", "duomo", "duopoly", "dupe", "duped", "dupes", "duplex", "duplicability", "duplicate", "duplicated", "duplicates", "duplicating", "duplication", "duplications", "duplicator", "duplicators", "duplicities", "duplicitous", "duplicity", "durability", "durable", "durables", "durance", "duration", "durations", "durban", "duress", "during", "dusk", "duskier", "dusky", "dust", "dustbin", "dustbins", "dustcart", "dusted", "duster", "dusters", "dustier", "dustily", "dusting", "dustman", "dustmen", "dustpan", "dusts", "dusty", "dutch", "dutchman", "dutchmen", "duties", "dutiful", "dutifully", "dutifulness", "duty", "dutyfree", "duvet", "duvets", "dux", "dwarf", "dwarfed", "dwarfing", "dwarfish", "dwarfs", "dwarves", "dwell", "dwelled", "dweller", "dwellers", "dwelling", "dwellings", "dwells", "dwelt", "dwindle", "dwindled", "dwindles", "dwindling", "dyad", "dyadic", "dye", "dyed", "dyeing", "dyeings", "dyer", "dyers", "dyes", "dyestuff", "dyestuffs", "dying", "dyke", "dykes", "dynamic", "dynamical", "dynamically", "dynamics", "dynamism", "dynamite", "dynamited", "dynamo", "dynast", "dynastic", "dynasties", "dynasts", "dynasty", "dyne", "dysentery", "dysfunction", "dysfunctional", "dysfunctions", "dyslexia", "dyslexic", "dyslexically", "dyslexics", "dyspepsia", "dyspeptic", "dystrophy", "each", "eager", "eagerly", "eagerness", "eagle", "eagles", "eaglet", "eaglets", "ear", "earache", "earaches", "eardrop", "eardrops", "eardrum", "eardrums", "eared", "earful", "earholes", "earl", "earldom", "earldoms", "earlier", "earliest", "earlobe", "earlobes", "earls", "early", "earmark", "earmarked", "earmarking", "earn", "earned", "earner", "earners", "earnest", "earnestly", "earnestness", "earning", "earnings", "earns", "earphone", "earphones", "earpiece", "earpieces", "earplug", "earplugs", "earring", "earrings", "ears", "earshot", "earsplitting", "earth", "earthbound", "earthed", "earthen", "earthenware", "earthiness", "earthing", "earthling", "earthlings", "earthly", "earthquake", "earthquakes", "earths", "earthshaking", "earthshattering", "earthwards", "earthwork", "earthworks", "earthworm", "earthworms", "earthy", "earwax", "earwig", "earwigs", "ease", "eased", "easel", "easels", "easement", "easements", "eases", "easier", "easiest", "easily", "easiness", "easing", "east", "eastbound", "easter", "easterly", "eastern", "easterners", "easternmost", "easting", "eastward", "eastwards", "easy", "easygoing", "eat", "eatable", "eatage", "eaten", "eater", "eaters", "eatery", "eating", "eatings", "eats", "eaves", "eavesdrop", "eavesdropped", "eavesdropper", "eavesdroppers", "eavesdropping", "eavesdrops", "ebb", "ebbed", "ebbing", "ebbs", "ebbtide", "ebony", "ebullience", "ebullient", "eccentric", "eccentrically", "eccentricities", "eccentricity", "eccentrics", "ecclesiastic", "ecclesiastical", "ecclesiastically", "echelon", "echelons", "echidna", "echidnas", "echinoderm", "echinoderms", "echo", "echoed", "echoic", "echoing", "eclair", "eclairs", "eclectic", "eclecticism", "eclipse", "eclipsed", "eclipses", "eclipsing", "ecliptic", "ecological", "ecologically", "ecologist", "ecologists", "ecology", "econometric", "econometrics", "economic", "economical", "economically", "economics", "economies", "economisation", "economise", "economised", "economises", "economising", "economist", "economists", "economy", "ecosystem", "ecosystems", "ecstasies", "ecstasy", "ecstatic", "ecstatically", "ectopic", "ectoplasm", "ecuador", "ecumenical", "ecumenically", "ecumenism", "eczema", "eddied", "eddies", "eddy", "eddying", "edema", "eden", "edge", "edged", "edgeless", "edges", "edgeways", "edgewise", "edgier", "edgily", "edginess", "edging", "edgings", "edgy", "edibility", "edible", "edibles", "edict", "edicts", "edification", "edifice", "edifices", "edified", "edifies", "edify", "edifying", "edison", "edit", "editable", "edited", "editing", "edition", "editions", "editor", "editorial", "editorialised", "editorially", "editorials", "editors", "editorship", "editorships", "edits", "educate", "educated", "educates", "educating", "education", "educational", "educationalist", "educationalists", "educationally", "educationist", "educationists", "educations", "educative", "educator", "educators", "eduction", "eel", "eels", "eelworm", "eelworms", "eerie", "eerier", "eeriest", "eerily", "eeriness", "eery", "efface", "effaced", "effacing", "effect", "effected", "effecting", "effective", "effectively", "effectiveness", "effector", "effectors", "effects", "effectual", "effectually", "effeminacy", "effeminate", "efferent", "effervescence", "effervescent", "effete", "efficacious", "efficacy", "efficiencies", "efficiency", "efficient", "efficiently", "effigies", "effigy", "effluent", "effluents", "effluvia", "effluxion", "effort", "effortless", "effortlessly", "efforts", "effrontery", "effulgence", "effulgent", "effusion", "effusions", "effusive", "effusively", "eg", "egalitarian", "egalitarianism", "egalitarians", "egg", "egged", "eggheads", "egging", "eggs", "eggshell", "eggshells", "ego", "egocentric", "egocentricity", "egoism", "egoist", "egoistic", "egoists", "egomania", "egomaniac", "egomaniacs", "egotism", "egotist", "egotistic", "egotistical", "egotistically", "egotists", "egregious", "egress", "egret", "egrets", "egypt", "egyptian", "eh", "eider", "eiderdown", "eidetic", "eigenfunction", "eigenfunctions", "eigenstate", "eigenstates", "eigenvalue", "eigenvalues", "eight", "eighteen", "eighteenth", "eightfold", "eighth", "eighties", "eightieth", "eightpence", "eights", "eighty", "einstein", "eire", "eisteddfod", "either", "eject", "ejected", "ejecting", "ejection", "ejections", "ejector", "ejectors", "ejects", "eke", "eked", "eking", "elaborate", "elaborated", "elaborately", "elaborateness", "elaborates", "elaborating", "elaboration", "elaborations", "elal", "elan", "eland", "elands", "elapse", "elapsed", "elapses", "elapsing", "elastic", "elastically", "elasticated", "elasticities", "elasticity", "elastics", "elastin", "elastodynamics", "elate", "elated", "elates", "elation", "elbe", "elbow", "elbowed", "elbowing", "elbows", "elder", "elderberries", "elderberry", "elderflower", "elderly", "elders", "eldest", "eldorado", "elect", "electability", "electable", "elected", "electing", "election", "electioneering", "elections", "elective", "elector", "electoral", "electorally", "electorate", "electorates", "electors", "electric", "electrical", "electrically", "electrician", "electricians", "electricity", "electrics", "electrification", "electrified", "electrify", "electrifying", "electro", "electrocardiogram", "electrocardiographic", "electrochemical", "electrochemically", "electrocute", "electrocuted", "electrocutes", "electrocuting", "electrocution", "electrode", "electrodes", "electrodynamic", "electrodynamics", "electroencephalogram", "electroluminescent", "electrolyse", "electrolysed", "electrolysing", "electrolysis", "electrolyte", "electrolytes", "electrolytic", "electrolytically", "electromagnet", "electromagnetic", "electromagnetically", "electromagnetism", "electromechanical", "electromechanics", "electromotive", "electron", "electronegative", "electronic", "electronically", "electronics", "electrons", "electrophoresis", "electrostatic", "electrostatics", "electrotechnical", "elects", "elegance", "elegant", "elegantly", "elegiac", "elegies", "elegy", "element", "elemental", "elementally", "elementarily", "elementary", "elements", "elephant", "elephantiasis", "elephantine", "elephants", "elevate", "elevated", "elevates", "elevating", "elevation", "elevations", "elevator", "elevators", "eleven", "eleventh", "elf", "elfin", "elflike", "elgreco", "elicit", "elicitation", "elicited", "eliciting", "elicits", "elide", "elided", "elides", "eliding", "eligibility", "eligible", "eligibly", "elijah", "eliminate", "eliminated", "eliminates", "eliminating", "elimination", "eliminations", "eliminator", "elision", "elisions", "elite", "elites", "elitism", "elitist", "elitists", "elixir", "elixirs", "elk", "elks", "ell", "ellipse", "ellipses", "ellipsis", "ellipsoid", "ellipsoidal", "ellipsoids", "elliptic", "elliptical", "elliptically", "ells", "elm", "elms", "elnino", "elocution", "elongate", "elongated", "elongates", "elongating", "elongation", "elongations", "elope", "eloped", "elopement", "elopes", "eloping", "eloquence", "eloquent", "eloquently", "els", "else", "elsewhere", "elucidate", "elucidated", "elucidates", "elucidating", "elucidation", "elude", "eluded", "eludes", "eluding", "elusion", "elusions", "elusive", "elusively", "elusiveness", "eluted", "elution", "elven", "elves", "elvish", "elysee", "em", "emaciate", "emaciated", "emaciation", "email", "emailed", "emanate", "emanated", "emanates", "emanating", "emanation", "emanations", "emancipate", "emancipated", "emancipates", "emancipating", "emancipation", "emancipator", "emancipatory", "emasculate", "emasculated", "emasculating", "emasculation", "embalm", "embalmed", "embalmer", "embalmers", "embalming", "embalms", "embank", "embankment", "embankments", "embargo", "embargoed", "embark", "embarkation", "embarked", "embarking", "embarks", "embarrass", "embarrassed", "embarrassedly", "embarrasses", "embarrassing", "embarrassingly", "embarrassment", "embarrassments", "embassies", "embassy", "embattle", "embattled", "embed", "embeddable", "embedded", "embedding", "embeddings", "embeds", "embellish", "embellished", "embellishing", "embellishment", "embellishments", "ember", "embers", "embezzle", "embezzled", "embezzlement", "embezzler", "embezzlers", "embezzling", "embitter", "embittered", "embittering", "embitterment", "emblazoned", "emblem", "emblematic", "emblems", "embodied", "embodies", "embodiment", "embodiments", "embody", "embodying", "embolden", "emboldened", "emboldening", "emboldens", "embolism", "embosom", "emboss", "embossed", "embrace", "embraced", "embraces", "embracing", "embrasure", "embrocation", "embroider", "embroidered", "embroiderers", "embroideries", "embroidering", "embroidery", "embroil", "embroiled", "embroiling", "embryo", "embryological", "embryology", "embryonal", "embryonic", "emendation", "emendations", "emended", "emerald", "emeralds", "emerge", "emerged", "emergence", "emergencies", "emergency", "emergent", "emerges", "emerging", "emeritus", "emersion", "emery", "emetic", "emigrant", "emigrants", "emigrate", "emigrated", "emigrating", "emigration", "emigre", "emigres", "eminence", "eminences", "eminent", "eminently", "emir", "emirate", "emirates", "emirs", "emissaries", "emissary", "emission", "emissions", "emissivities", "emissivity", "emit", "emits", "emitted", "emitter", "emitters", "emitting", "emollient", "emolument", "emoluments", "emotion", "emotional", "emotionalism", "emotionality", "emotionally", "emotionless", "emotions", "emotive", "emotively", "empathetic", "empathetical", "empathic", "empathise", "empathising", "empathy", "emperor", "emperors", "emphases", "emphasis", "emphasise", "emphasised", "emphasises", "emphasising", "emphatic", "emphatically", "emphysema", "empire", "empires", "empiric", "empirical", "empirically", "empiricism", "empiricist", "empiricists", "emplacement", "emplacements", "employ", "employability", "employable", "employed", "employee", "employees", "employer", "employers", "employing", "employment", "employments", "employs", "emporia", "emporium", "empower", "empowered", "empowering", "empowerment", "empowers", "empress", "emptied", "emptier", "empties", "emptiest", "emptily", "emptiness", "empty", "emptyhanded", "emptying", "ems", "emu", "emulate", "emulated", "emulates", "emulating", "emulation", "emulations", "emulator", "emulators", "emulsifies", "emulsion", "emulsions", "emus", "enable", "enabled", "enables", "enabling", "enact", "enacted", "enacting", "enactment", "enactments", "enacts", "enamel", "enamelled", "enamels", "enamoured", "encage", "encamp", "encamped", "encampment", "encampments", "encapsulate", "encapsulated", "encapsulates", "encapsulating", "encapsulation", "encapsulations", "encase", "encased", "encases", "encashment", "encasing", "encephalitis", "encephalopathy", "enchain", "enchant", "enchanted", "enchanter", "enchanters", "enchanting", "enchantingly", "enchantment", "enchantments", "enchantress", "enchants", "enchiladas", "enciphering", "encircle", "encircled", "encirclement", "encirclements", "encircles", "encircling", "enclasp", "enclave", "enclaves", "enclose", "enclosed", "encloses", "enclosing", "enclosure", "enclosures", "encode", "encoded", "encoder", "encoders", "encodes", "encoding", "encomium", "encompass", "encompassed", "encompasses", "encompassing", "encore", "encored", "encores", "encounter", "encountered", "encountering", "encounters", "encourage", "encouraged", "encouragement", "encouragements", "encourager", "encourages", "encouraging", "encouragingly", "encroach", "encroached", "encroaches", "encroaching", "encroachment", "encroachments", "encrust", "encrustation", "encrusted", "encrusting", "encrypt", "encrypted", "encrypting", "encryption", "encrypts", "encumber", "encumbered", "encumbering", "encumbrance", "encumbrances", "encyclical", "encyclopaedia", "encyclopaedias", "encyclopaedic", "encyclopedia", "encyclopedias", "encyclopedic", "end", "endanger", "endangered", "endangering", "endangers", "endear", "endeared", "endearing", "endearingly", "endearment", "endearments", "endears", "endeavour", "endeavoured", "endeavouring", "endeavours", "ended", "endemic", "endemically", "endgame", "ending", "endings", "endive", "endless", "endlessly", "endlessness", "endocrine", "endogenous", "endogenously", "endometrial", "endometriosis", "endometrium", "endomorphism", "endomorphisms", "endoplasmic", "endorphins", "endorse", "endorsed", "endorsement", "endorsements", "endorser", "endorses", "endorsing", "endoscope", "endoscopic", "endoscopy", "endothermic", "endotoxin", "endow", "endowed", "endowing", "endowment", "endowments", "endows", "endpapers", "ends", "endued", "endues", "endungeoned", "endurable", "endurance", "endure", "endured", "endures", "enduring", "enema", "enemas", "enemies", "enemy", "energetic", "energetically", "energetics", "energies", "energise", "energised", "energiser", "energisers", "energising", "energy", "enervate", "enervated", "enervating", "enfeeble", "enfeebled", "enfeeblement", "enfold", "enfolded", "enfolding", "enfolds", "enforce", "enforceability", "enforceable", "enforced", "enforcement", "enforcements", "enforcer", "enforcers", "enforces", "enforcing", "enfranchise", "enfranchised", "enfranchisement", "enfranchiser", "enfranchising", "engage", "engaged", "engagement", "engagements", "engages", "engaging", "engagingly", "engarde", "engels", "engender", "engendered", "engendering", "engenders", "engine", "engined", "engineer", "engineered", "engineering", "engineers", "engines", "england", "english", "engorge", "engorged", "engrained", "engrave", "engraved", "engraver", "engravers", "engraves", "engraving", "engravings", "engross", "engrossed", "engrossing", "engulf", "engulfed", "engulfing", "engulfs", "enhance", "enhanceable", "enhanced", "enhancement", "enhancements", "enhancer", "enhancers", "enhances", "enhancing", "enharmonic", "enigma", "enigmas", "enigmatic", "enigmatically", "enjoin", "enjoined", "enjoining", "enjoins", "enjoy", "enjoyability", "enjoyable", "enjoyably", "enjoyed", "enjoyer", "enjoying", "enjoyment", "enjoyments", "enjoys", "enlace", "enlarge", "enlarged", "enlargement", "enlargements", "enlarger", "enlarges", "enlarging", "enlighten", "enlightened", "enlightening", "enlightenment", "enlightens", "enlist", "enlisted", "enlisting", "enlistment", "enlists", "enliven", "enlivened", "enlivening", "enlivens", "enmasse", "enmeshed", "enmities", "enmity", "enneads", "ennoble", "ennobled", "ennobles", "ennobling", "ennui", "enormities", "enormity", "enormous", "enormously", "enough", "enounced", "enounces", "enquire", "enquired", "enquirer", "enquirers", "enquires", "enquiries", "enquiring", "enquiringly", "enquiry", "enrage", "enraged", "enrages", "enraging", "enraptured", "enrich", "enriched", "enriches", "enriching", "enrichment", "enrichments", "enrobe", "enrobed", "enrol", "enroll", "enrolled", "enrolling", "enrolls", "enrolment", "enrolments", "enrols", "enroute", "ensconce", "ensconced", "ensemble", "ensembles", "enshrine", "enshrined", "enshrines", "enshrining", "enshroud", "enshrouded", "ensign", "ensigns", "enslave", "enslaved", "enslavement", "enslaves", "enslaving", "ensnare", "ensnared", "ensnaring", "ensnarl", "ensue", "ensued", "ensues", "ensuing", "ensure", "ensured", "ensures", "ensuring", "entablature", "entail", "entailed", "entailing", "entailment", "entails", "entangle", "entangled", "entanglement", "entanglements", "entangler", "entangles", "entangling", "entente", "enter", "entered", "entering", "enteritis", "enterprise", "enterprises", "enterprising", "enters", "entertain", "entertained", "entertainer", "entertainers", "entertaining", "entertainingly", "entertainment", "entertainments", "entertains", "enthalpies", "enthalpy", "enthralled", "enthralling", "enthrone", "enthroned", "enthronement", "enthuse", "enthused", "enthuses", "enthusiasm", "enthusiasms", "enthusiast", "enthusiastic", "enthusiastically", "enthusiasts", "enthusing", "entice", "enticed", "enticement", "enticements", "entices", "enticing", "enticingly", "entire", "entirely", "entires", "entirety", "entities", "entitle", "entitled", "entitlement", "entitlements", "entitles", "entitling", "entity", "entomb", "entombed", "entombment", "entombs", "entomological", "entomologist", "entomologists", "entomology", "entourage", "entrails", "entrain", "entrained", "entrainment", "entrance", "entranced", "entrances", "entrancing", "entrant", "entrants", "entrap", "entrapment", "entrapped", "entrapping", "entreat", "entreated", "entreaties", "entreating", "entreatingly", "entreats", "entreaty", "entree", "entrench", "entrenched", "entrenching", "entrenchment", "entrepreneur", "entrepreneurial", "entrepreneurs", "entrepreneurship", "entries", "entropic", "entropy", "entrust", "entrusted", "entrusting", "entrusts", "entry", "entwine", "entwined", "entwines", "entwining", "enumerable", "enumerate", "enumerated", "enumerates", "enumerating", "enumeration", "enumerations", "enumerator", "enumerators", "enunciate", "enunciated", "enunciating", "enunciation", "envelop", "envelope", "enveloped", "enveloper", "envelopers", "envelopes", "enveloping", "envelops", "enviable", "enviably", "envied", "envies", "envious", "enviously", "environ", "environment", "environmental", "environmentalism", "environmentalist", "environmentalists", "environmentally", "environments", "environs", "envisage", "envisaged", "envisages", "envisaging", "envision", "envisioned", "envoy", "envoys", "envy", "envying", "enwrap", "enzymatic", "enzyme", "enzymes", "eon", "eons", "eosin", "epaulettes", "ephemera", "ephemeral", "ephemeris", "ephor", "epic", "epically", "epicarp", "epicentre", "epics", "epicure", "epicurean", "epicycles", "epicycloid", "epidemic", "epidemics", "epidemiological", "epidemiologist", "epidemiologists", "epidemiology", "epidermal", "epidermis", "epidural", "epigenetic", "epigon", "epigones", "epigram", "epigrammatic", "epigrams", "epigraph", "epigraphical", "epigraphy", "epilepsy", "epileptic", "epileptics", "epilogue", "epinephrine", "epiphanies", "epiphenomena", "epiphenomenon", "episcopacy", "episcopal", "episcopalian", "episcopate", "episode", "episodes", "episodic", "episodically", "epistemic", "epistemological", "epistemology", "epistle", "epistles", "epistolary", "epitap", "epitaph", "epitaphs", "epitaxial", "epitaxy", "epithelial", "epithelium", "epithet", "epithetic", "epithets", "epitome", "epitomise", "epitomised", "epitomises", "epoch", "epochal", "epochs", "epoxies", "epoxy", "epsilon", "equable", "equably", "equal", "equalisation", "equalise", "equalised", "equaliser", "equalisers", "equalising", "equalities", "equality", "equalled", "equalling", "equally", "equals", "equanimity", "equate", "equated", "equates", "equating", "equation", "equations", "equator", "equatorial", "equerry", "equestrian", "equestrianism", "equiangular", "equidistant", "equilateral", "equilibrating", "equilibration", "equilibria", "equilibrium", "equine", "equinoctial", "equinox", "equinoxes", "equip", "equipartition", "equipment", "equipments", "equipped", "equipping", "equips", "equitable", "equitably", "equities", "equity", "equivalence", "equivalences", "equivalent", "equivalently", "equivalents", "equivocal", "equivocated", "equivocating", "equivocation", "equivocations", "era", "eradicate", "eradicated", "eradicating", "eradication", "eras", "erasable", "erase", "erased", "eraser", "erasers", "erases", "erasing", "erasure", "erasures", "erbium", "ere", "erect", "erected", "erecter", "erectile", "erecting", "erection", "erections", "erectly", "erects", "erg", "ergo", "ergodic", "ergonomic", "ergonomically", "ergonomics", "ergophobia", "ergot", "ergs", "erica", "ericas", "eritrea", "ermine", "erode", "eroded", "erodes", "eroding", "erogenous", "eros", "erose", "erosion", "erosional", "erosions", "erosive", "erotic", "erotica", "erotically", "eroticism", "err", "errand", "errands", "errant", "errata", "erratic", "erratically", "erratum", "erred", "erring", "erroneous", "erroneously", "error", "errors", "errs", "ersatz", "erst", "erstwhile", "erudite", "erudition", "erupt", "erupted", "erupting", "eruption", "eruptions", "eruptive", "erupts", "erysipelas", "esau", "escalade", "escalate", "escalated", "escalates", "escalating", "escalation", "escalator", "escalators", "escapade", "escapades", "escape", "escaped", "escapee", "escapees", "escapement", "escapes", "escaping", "escapism", "escapist", "escapology", "escarp", "escarpment", "escarpments", "escarps", "eschatological", "eschatology", "eschew", "eschewed", "eschewing", "eschews", "escort", "escorted", "escorting", "escorts", "escudo", "eskimo", "esoteric", "esoterica", "esoterically", "espadrilles", "especial", "especially", "espied", "espionage", "esplanade", "espousal", "espouse", "espoused", "espouses", "espousing", "espresso", "esprit", "espy", "espying", "esquire", "esquires", "essay", "essayed", "essayist", "essayists", "essays", "essen", "essence", "essences", "essential", "essentialism", "essentialist", "essentially", "essentials", "est", "establish", "established", "establishes", "establishing", "establishment", "establishments", "estate", "estates", "esteem", "esteemed", "esteems", "ester", "esters", "esthete", "esthetic", "estimable", "estimate", "estimated", "estimates", "estimating", "estimation", "estimations", "estimator", "estimators", "estonia", "estranged", "estrangement", "estrangements", "estuaries", "estuarine", "estuary", "eta", "etal", "etcetera", "etch", "etched", "etcher", "etchers", "etches", "etching", "etchings", "eternal", "eternally", "eternity", "ethane", "ethanol", "ether", "ethereal", "ethereally", "etherised", "ethic", "ethical", "ethically", "ethicist", "ethics", "ethiopia", "ethnic", "ethnical", "ethnically", "ethnicity", "ethnocentric", "ethnographer", "ethnographers", "ethnographic", "ethnography", "ethnological", "ethnology", "ethological", "ethologist", "ethologists", "ethology", "ethos", "ethyl", "ethylene", "etiquette", "etna", "etudes", "etui", "etymological", "etymologically", "etymologies", "etymologist", "etymologists", "etymology", "eucalyptus", "eugenic", "eugenics", "eukaryote", "eukaryotes", "eukaryotic", "eulogies", "eulogise", "eulogises", "eulogising", "eulogistic", "eulogy", "eunuch", "eunuchs", "euphemism", "euphemisms", "euphemistic", "euphemistically", "euphonious", "euphonium", "euphoniums", "euphony", "euphoria", "euphoric", "eurasia", "eurasian", "eureka", "eurekas", "euro", "europe", "european", "eurydice", "eutectic", "euthanasia", "evacuate", "evacuated", "evacuating", "evacuation", "evacuations", "evacuee", "evacuees", "evadable", "evade", "evaded", "evader", "evaders", "evades", "evading", "evaluable", "evaluate", "evaluated", "evaluates", "evaluating", "evaluation", "evaluational", "evaluations", "evaluative", "evaluator", "evaluators", "evanescent", "evangelical", "evangelicalism", "evangelicals", "evangelisation", "evangelise", "evangelising", "evangelism", "evangelist", "evangelistic", "evangelists", "evaporate", "evaporated", "evaporates", "evaporating", "evaporation", "evaporator", "evasion", "evasions", "evasive", "evasively", "evasiveness", "eve", "even", "evened", "evener", "evenhanded", "evening", "evenings", "evenly", "evenness", "evens", "evensong", "event", "eventful", "eventide", "eventing", "events", "eventual", "eventualities", "eventuality", "eventually", "ever", "everchanging", "everest", "evergreen", "evergreens", "everincreasing", "everlasting", "everlastingly", "everliving", "evermore", "everpresent", "eversion", "everting", "every", "everybody", "everyday", "everyone", "everything", "everywhere", "eves", "evict", "evicted", "evicting", "eviction", "evictions", "evicts", "evidence", "evidenced", "evidences", "evident", "evidential", "evidently", "evil", "evildoer", "evilly", "evilness", "evils", "evince", "evinced", "evinces", "evincing", "eviscerate", "evocation", "evocations", "evocative", "evocatively", "evoke", "evoked", "evokes", "evoking", "evolute", "evolution", "evolutionarily", "evolutionary", "evolutionism", "evolutionist", "evolutionists", "evolutions", "evolve", "evolved", "evolves", "evolving", "ewe", "ewes", "exacerbate", "exacerbated", "exacerbates", "exacerbating", "exacerbation", "exact", "exacted", "exacting", "exaction", "exactitude", "exactly", "exactness", "exacts", "exaggerate", "exaggerated", "exaggeratedly", "exaggerates", "exaggerating", "exaggeration", "exaggerations", "exalt", "exaltation", "exalted", "exalting", "exalts", "exam", "examinable", "examination", "examinations", "examine", "examined", "examinees", "examiner", "examiners", "examines", "examining", "example", "examples", "exams", "exasperate", "exasperated", "exasperatedly", "exasperating", "exasperation", "excavate", "excavated", "excavating", "excavation", "excavations", "excavator", "excavators", "exceed", "exceeded", "exceeding", "exceedingly", "exceeds", "excel", "excelled", "excellence", "excellencies", "excellency", "excellent", "excellently", "excelling", "excels", "excelsior", "except", "excepted", "excepting", "exception", "exceptionable", "exceptional", "exceptionally", "exceptions", "excepts", "excerpt", "excerpted", "excerpts", "excess", "excesses", "excessive", "excessively", "exchange", "exchangeable", "exchanged", "exchanger", "exchangers", "exchanges", "exchanging", "exchequer", "excise", "excised", "excising", "excision", "excitability", "excitable", "excitation", "excitations", "excite", "excited", "excitedly", "excitement", "excitements", "excites", "exciting", "excitingly", "exciton", "exclaim", "exclaimed", "exclaiming", "exclaims", "exclamation", "exclamations", "exclamatory", "exclude", "excluded", "excludes", "excluding", "exclusion", "exclusionary", "exclusions", "exclusive", "exclusively", "exclusiveness", "exclusivist", "exclusivity", "excommunicate", "excommunicated", "excommunicating", "excommunication", "excrete", "excruciating", "excruciatingly", "excruciation", "excursion", "excursionists", "excursions", "excursus", "excusable", "excuse", "excused", "excuses", "excusing", "executable", "execute", "executed", "executes", "executing", "execution", "executioner", "executioners", "executions", "executive", "executives", "executor", "executors", "exegesis", "exegetical", "exemplar", "exemplars", "exemplary", "exemplification", "exemplified", "exemplifies", "exemplify", "exemplifying", "exempt", "exempted", "exempting", "exemption", "exemptions", "exempts", "exercisable", "exercise", "exercised", "exerciser", "exercises", "exercising", "exert", "exerted", "exerting", "exertion", "exertions", "exerts", "exes", "exeunt", "exfoliation", "exhalation", "exhalations", "exhale", "exhaled", "exhales", "exhaling", "exhaust", "exhausted", "exhaustible", "exhausting", "exhaustion", "exhaustive", "exhaustively", "exhausts", "exhibit", "exhibited", "exhibiting", "exhibition", "exhibitioner", "exhibitioners", "exhibitionism", "exhibitionist", "exhibitionists", "exhibitions", "exhibitor", "exhibitors", "exhibits", "exhilarate", "exhilarated", "exhilarating", "exhilaration", "exhort", "exhortation", "exhortations", "exhorted", "exhorting", "exhorts", "exhumation", "exhume", "exhumed", "exhumes", "exhuming", "exhusband", "exigencies", "exigency", "exigent", "exiguous", "exile", "exiled", "exiles", "exiling", "exist", "existed", "existence", "existences", "existent", "existential", "existentialism", "existentialist", "existentialistic", "existentially", "existing", "exists", "exit", "exited", "exiting", "exits", "exmember", "exmembers", "exocrine", "exoderm", "exodus", "exogenous", "exogenously", "exonerate", "exonerated", "exonerates", "exonerating", "exoneration", "exorbitant", "exorbitantly", "exorcise", "exorcised", "exorcising", "exorcism", "exorcisms", "exorcist", "exoskeleton", "exothermic", "exothermically", "exotic", "exotica", "exotically", "exoticism", "expand", "expandability", "expandable", "expanded", "expander", "expanding", "expands", "expanse", "expanses", "expansible", "expansion", "expansionary", "expansionism", "expansionist", "expansions", "expansive", "expansively", "expansiveness", "expatriate", "expatriated", "expatriates", "expect", "expectancies", "expectancy", "expectant", "expectantly", "expectation", "expectational", "expectations", "expected", "expecting", "expectorate", "expectorated", "expectoration", "expects", "expedience", "expediency", "expedient", "expedients", "expedite", "expedited", "expedites", "expediting", "expedition", "expeditionary", "expeditions", "expeditious", "expeditiously", "expel", "expelled", "expelling", "expels", "expend", "expendable", "expended", "expending", "expenditure", "expenditures", "expends", "expense", "expenses", "expensive", "expensively", "experience", "experienced", "experiences", "experiencing", "experiential", "experiment", "experimental", "experimentalist", "experimentalists", "experimentally", "experimentation", "experimented", "experimenter", "experimenters", "experimenting", "experiments", "expert", "expertise", "expertly", "expertness", "experts", "expiate", "expiation", "expiatory", "expiration", "expiratory", "expire", "expired", "expires", "expiring", "expiry", "explain", "explainable", "explained", "explaining", "explains", "explanation", "explanations", "explanatory", "expletive", "expletives", "explicable", "explicate", "explicated", "explication", "explicative", "explicit", "explicitly", "explicitness", "explode", "exploded", "exploder", "exploders", "explodes", "exploding", "exploit", "exploitable", "exploitation", "exploitations", "exploitative", "exploited", "exploiter", "exploiters", "exploiting", "exploits", "explorable", "exploration", "explorations", "exploratory", "explore", "explored", "explorer", "explorers", "explores", "exploring", "explosion", "explosions", "explosive", "explosively", "explosiveness", "explosives", "expo", "exponent", "exponential", "exponentially", "exponentiation", "exponents", "export", "exportability", "exportable", "exported", "exporter", "exporters", "exporting", "exports", "expose", "exposed", "exposes", "exposing", "exposition", "expositions", "expository", "expostulate", "expostulated", "expostulating", "expostulation", "expostulations", "exposure", "exposures", "expound", "expounded", "expounding", "expounds", "express", "expressed", "expresses", "expressible", "expressing", "expression", "expressionism", "expressionist", "expressionistic", "expressionists", "expressionless", "expressionlessly", "expressions", "expressive", "expressively", "expressiveness", "expressly", "expropriate", "expropriated", "expropriation", "expropriations", "expulsion", "expulsions", "expunge", "expunged", "expunges", "expunging", "expurgate", "expurgated", "expurgating", "exquisite", "exquisitely", "exquisiteness", "ext", "extend", "extendability", "extendable", "extended", "extender", "extenders", "extendible", "extending", "extends", "extensibility", "extensible", "extension", "extensional", "extensionally", "extensions", "extensive", "extensively", "extensiveness", "extensors", "extent", "extents", "extenuate", "extenuated", "extenuating", "extenuation", "exterior", "exteriors", "exterminate", "exterminated", "exterminates", "exterminating", "extermination", "exterminations", "exterminator", "exterminators", "extern", "external", "externalised", "externally", "externals", "externs", "extinct", "extinction", "extinctions", "extinguish", "extinguished", "extinguisher", "extinguishers", "extinguishes", "extinguishing", "extinguishment", "extirpate", "extirpation", "extol", "extolled", "extolling", "extols", "extort", "extorted", "extorting", "extortion", "extortionate", "extortionately", "extortionists", "extorts", "extra", "extracellular", "extract", "extractable", "extracted", "extracting", "extraction", "extractions", "extractive", "extractor", "extracts", "extraditable", "extradite", "extradited", "extraditing", "extradition", "extragalactic", "extrajudicial", "extralinguistic", "extramarital", "extramural", "extraneous", "extraordinarily", "extraordinary", "extrapolate", "extrapolated", "extrapolating", "extrapolation", "extrapolations", "extras", "extrasolar", "extraterrestrial", "extraterrestrials", "extraterritorial", "extravagance", "extravagances", "extravagant", "extravagantly", "extravaganza", "extravaganzas", "extrema", "extremal", "extreme", "extremely", "extremes", "extremest", "extremism", "extremist", "extremists", "extremities", "extremity", "extricate", "extricated", "extricating", "extrication", "extrinsic", "extrinsically", "extroversion", "extrovert", "extroverts", "extrude", "extruded", "extrusion", "extrusions", "exuberance", "exuberant", "exuberantly", "exudate", "exude", "exuded", "exudes", "exuding", "exult", "exultant", "exultantly", "exultation", "exulted", "exulting", "exultingly", "exults", "exwife", "exwives", "eye", "eyeball", "eyeballs", "eyebrow", "eyebrows", "eyecatching", "eyed", "eyeful", "eyeglass", "eyeglasses", "eyeing", "eyelash", "eyelashes", "eyeless", "eyelet", "eyelets", "eyelevel", "eyelid", "eyelids", "eyelike", "eyeliner", "eyepatch", "eyepiece", "eyes", "eyeshadow", "eyesight", "eyesore", "eyesores", "eyeteeth", "eyetooth", "eyewash", "eyewitness", "eyewitnesses", "fab", "fable", "fabled", "fables", "fabric", "fabricate", "fabricated", "fabricates", "fabricating", "fabrication", "fabrications", "fabricator", "fabrics", "fabulists", "fabulous", "fabulously", "facade", "facades", "face", "faced", "faceless", "facelift", "faceplate", "facer", "facers", "faces", "facet", "faceted", "faceting", "facetious", "facetiously", "facetiousness", "facets", "facia", "facial", "facials", "facile", "facilitate", "facilitated", "facilitates", "facilitating", "facilitation", "facilitative", "facilitator", "facilitators", "facilities", "facility", "facing", "facings", "facsimile", "facsimiles", "fact", "faction", "factional", "factionalism", "factions", "factious", "factitious", "factor", "factored", "factorial", "factorials", "factories", "factoring", "factorisable", "factorisation", "factorisations", "factorise", "factorised", "factorises", "factorising", "factors", "factory", "factotum", "facts", "factual", "factually", "faculties", "faculty", "fad", "fade", "faded", "fadeout", "fades", "fading", "fads", "faecal", "faeces", "fag", "faggot", "faggots", "fagot", "fags", "fail", "failed", "failing", "failings", "fails", "failure", "failures", "faint", "fainted", "fainter", "faintest", "fainthearted", "fainting", "faintly", "faintness", "faints", "fair", "fairer", "fairest", "fairground", "fairgrounds", "fairies", "fairing", "fairish", "fairly", "fairness", "fairs", "fairsex", "fairway", "fairways", "fairy", "fairytale", "faith", "faithful", "faithfully", "faithfulness", "faithless", "faithlessness", "faiths", "fake", "faked", "fakers", "fakery", "fakes", "faking", "falcon", "falconer", "falconry", "falcons", "fall", "fallacies", "fallacious", "fallacy", "fallen", "faller", "fallers", "fallguy", "fallibility", "fallible", "falling", "fallopian", "fallout", "fallow", "falls", "false", "falsebay", "falsehood", "falsehoods", "falsely", "falseness", "falser", "falsetto", "falsifiability", "falsifiable", "falsification", "falsifications", "falsified", "falsifier", "falsifiers", "falsifies", "falsify", "falsifying", "falsities", "falsity", "falter", "faltered", "faltering", "falteringly", "falters", "fame", "famed", "familial", "familiar", "familiarisation", "familiarise", "familiarised", "familiarising", "familiarities", "familiarity", "familiarly", "families", "family", "famine", "famines", "famish", "famished", "famous", "famously", "fan", "fanatic", "fanatical", "fanatically", "fanaticism", "fanatics", "fanbelt", "fanciable", "fancied", "fancier", "fanciers", "fancies", "fanciest", "fanciful", "fancifully", "fancy", "fancying", "fandango", "fanfare", "fanfares", "fang", "fangs", "fanlight", "fanned", "fanning", "fanny", "fans", "fantail", "fantails", "fantasia", "fantastic", "far", "farad", "faraday", "faraway", "farce", "farces", "farcical", "fare", "fared", "fares", "farewell", "farewells", "farfetched", "farflung", "faring", "farm", "farmed", "farmer", "farmers", "farmhouse", "farmhouses", "farming", "farmings", "farmland", "farms", "farmstead", "farmsteads", "farmyard", "farmyards", "faroff", "farout", "farrago", "farreaching", "farrier", "farriers", "farrow", "farseeing", "farsighted", "farther", "farthest", "farthing", "farthings", "fascia", "fascias", "fascinate", "fascinated", "fascinates", "fascinating", "fascinatingly", "fascination", "fascinations", "fascism", "fascist", "fascists", "fashion", "fashionable", "fashionably", "fashioned", "fashioning", "fashions", "fast", "fasted", "fasten", "fastened", "fastener", "fasteners", "fastening", "fastenings", "fastens", "faster", "fastest", "fastidious", "fastidiously", "fastidiousness", "fasting", "fastings", "fastness", "fastnesses", "fasts", "fat", "fatal", "fatalism", "fatalist", "fatalistic", "fatalistically", "fatalities", "fatality", "fatally", "fatcat", "fate", "fated", "fateful", "fates", "fatheadedness", "father", "fathered", "fatherhood", "fathering", "fatherinlaw", "fatherland", "fatherless", "fatherly", "fathers", "fathersinlaw", "fathom", "fathomed", "fathoming", "fathomless", "fathoms", "fatigue", "fatigued", "fatigues", "fatiguing", "fatless", "fatness", "fats", "fatted", "fatten", "fattened", "fattening", "fattens", "fatter", "fattest", "fattier", "fattiest", "fatty", "fatuity", "fatuous", "fatuously", "fatwa", "faucet", "faucets", "fault", "faulted", "faulting", "faultless", "faultlessly", "faults", "faulty", "faun", "fauna", "faunal", "faunas", "fauns", "faust", "faustus", "favour", "favourable", "favourably", "favoured", "favouring", "favourite", "favourites", "favouritism", "favours", "fawn", "fawned", "fawning", "fawningly", "fawns", "fax", "faxed", "faxes", "faxing", "fealty", "fear", "feared", "fearful", "fearfully", "fearfulness", "fearing", "fearless", "fearlessly", "fearlessness", "fears", "fearsome", "fearsomely", "fearsomeness", "feasibility", "feasible", "feasibly", "feast", "feasted", "feasting", "feasts", "feat", "feather", "feathered", "feathering", "featherlight", "feathers", "featherweight", "feathery", "feats", "feature", "featured", "featureless", "features", "featuring", "febrile", "february", "feckless", "fecklessness", "fecund", "fecundity", "fed", "federal", "federalism", "federalist", "federalists", "federally", "federate", "federated", "federation", "federations", "fedora", "feds", "fedup", "fee", "feeble", "feebleminded", "feebleness", "feebler", "feeblest", "feebly", "feed", "feedback", "feeder", "feeders", "feeding", "feedings", "feeds", "feedstock", "feedstuffs", "feel", "feeler", "feelers", "feeling", "feelingly", "feelings", "feels", "fees", "feet", "feign", "feigned", "feigning", "feigns", "feint", "feinted", "feinting", "feints", "feldspar", "feldspars", "felicia", "felicitation", "felicitations", "felicities", "felicitous", "felicity", "feline", "felines", "fell", "fellatio", "felled", "feller", "felling", "fellow", "fellows", "fellowship", "fellowships", "fells", "felon", "felonious", "felons", "felony", "felt", "feltpen", "female", "femaleness", "females", "feminine", "femininely", "femininity", "feminism", "feminist", "feminists", "femur", "femurs", "fen", "fence", "fenced", "fencepost", "fencer", "fencers", "fences", "fencing", "fencings", "fend", "fended", "fender", "fenders", "fending", "fends", "fenland", "fennel", "fens", "feral", "ferment", "fermentation", "fermented", "fermenting", "ferments", "fermion", "fermions", "fern", "ferns", "ferny", "ferocious", "ferociously", "ferociousness", "ferocity", "ferret", "ferreted", "ferreting", "ferrets", "ferric", "ferried", "ferries", "ferrite", "ferromagnetic", "ferrous", "ferrule", "ferry", "ferrying", "ferryman", "fertile", "fertilisation", "fertilise", "fertilised", "fertiliser", "fertilisers", "fertilises", "fertilising", "fertility", "fervent", "fervently", "fervid", "fervidly", "fervour", "fescue", "fest", "festal", "fester", "festered", "festering", "festers", "festival", "festivals", "festive", "festivities", "festivity", "festoon", "festooned", "festooning", "festoons", "fetal", "fetch", "fetched", "fetches", "fetching", "fete", "feted", "fetes", "fetid", "fetish", "fetishes", "fetishism", "fetishist", "fetishistic", "fetishists", "fetlock", "fetlocks", "fetter", "fettered", "fetters", "fettle", "fetus", "feud", "feudal", "feudalism", "feuded", "feuding", "feudist", "feuds", "fever", "fevered", "feverish", "feverishly", "fevers", "few", "fewer", "fewest", "fewness", "fez", "fiance", "fiancee", "fiasco", "fiat", "fib", "fibbed", "fibber", "fibbers", "fibbing", "fibers", "fibre", "fibreboard", "fibred", "fibreglass", "fibres", "fibrillating", "fibrillation", "fibroblast", "fibroblasts", "fibrosis", "fibrous", "fibs", "fibula", "fiche", "fiches", "fickle", "fickleness", "fiction", "fictional", "fictions", "fictitious", "fictive", "ficus", "fiddle", "fiddled", "fiddler", "fiddlers", "fiddles", "fiddlesticks", "fiddling", "fiddlings", "fiddly", "fidelity", "fidget", "fidgeted", "fidgeting", "fidgets", "fidgety", "fiduciary", "fief", "fiefdom", "fiefdoms", "fiefs", "field", "fielded", "fielder", "fielders", "fielding", "fields", "fieldwork", "fieldworker", "fieldworkers", "fiend", "fiendish", "fiendishly", "fiends", "fierce", "fiercely", "fierceness", "fiercer", "fiercest", "fierier", "fieriest", "fierily", "fiery", "fiesta", "fiestas", "fife", "fifes", "fifteen", "fifteenth", "fifth", "fifthly", "fifths", "fifties", "fiftieth", "fifty", "fig", "fight", "fightback", "fighter", "fighters", "fighting", "fights", "figleaf", "figment", "figments", "figs", "figtree", "figural", "figuration", "figurative", "figuratively", "figure", "figured", "figurehead", "figureheads", "figurer", "figures", "figurine", "figurines", "figuring", "fiji", "fijians", "filament", "filamentary", "filamentous", "filaments", "filch", "filched", "file", "filed", "filer", "filers", "files", "filet", "filial", "filibuster", "filigree", "filing", "filings", "fill", "filled", "filler", "fillers", "fillet", "fillets", "fillies", "filling", "fillings", "fillip", "fills", "filly", "film", "filmed", "filmic", "filming", "filmmakers", "films", "filmset", "filmy", "filter", "filtered", "filtering", "filters", "filth", "filthier", "filthiest", "filthily", "filthy", "filtrate", "filtration", "fin", "final", "finale", "finales", "finalisation", "finalise", "finalised", "finalising", "finalist", "finalists", "finality", "finally", "finals", "finance", "financed", "finances", "financial", "financially", "financier", "financiers", "financing", "finch", "finches", "find", "findable", "finder", "finders", "finding", "findings", "finds", "fine", "fined", "finely", "fineness", "finer", "finery", "fines", "finesse", "finest", "finetune", "finetuned", "finetunes", "finetuning", "finger", "fingerboard", "fingered", "fingering", "fingerings", "fingerless", "fingermarks", "fingernail", "fingernails", "fingerprint", "fingerprinted", "fingerprinting", "fingerprints", "fingers", "fingertip", "fingertips", "finial", "finicky", "fining", "finis", "finish", "finished", "finisher", "finishers", "finishes", "finishing", "finite", "finitely", "finiteness", "finland", "finn", "finned", "finnish", "fins", "fiord", "fiords", "fir", "fire", "firearm", "firearms", "fireball", "fireballs", "firebomb", "firebombed", "firebombing", "firebombs", "firebox", "firebrand", "firecontrol", "fired", "firefight", "firefighter", "firefighters", "firefighting", "fireflies", "firefly", "fireguard", "firelight", "firelighters", "fireman", "firemen", "fireplace", "fireplaces", "firepower", "fireproof", "fireproofed", "firer", "fires", "fireside", "firesides", "firewood", "firework", "fireworks", "firing", "firings", "firkin", "firm", "firmament", "firmed", "firmer", "firmest", "firming", "firmly", "firmness", "firms", "firmware", "firs", "first", "firstaid", "firstborn", "firstborns", "firsthand", "firstly", "firsts", "firth", "fiscal", "fiscally", "fish", "fished", "fisher", "fisheries", "fisherman", "fishermen", "fishers", "fishery", "fishes", "fishhook", "fishhooks", "fishier", "fishiest", "fishing", "fishings", "fishlike", "fishmonger", "fishmongers", "fishnet", "fishwife", "fishy", "fissile", "fission", "fissions", "fissure", "fissured", "fissures", "fist", "fisted", "fistful", "fisticuffs", "fists", "fistula", "fit", "fitful", "fitfully", "fitfulness", "fitly", "fitment", "fitments", "fitness", "fits", "fitted", "fitter", "fitters", "fittest", "fitting", "fittingly", "fittings", "five", "fivefold", "fiver", "fivers", "fives", "fix", "fixable", "fixate", "fixated", "fixates", "fixation", "fixations", "fixative", "fixed", "fixedly", "fixer", "fixers", "fixes", "fixing", "fixings", "fixture", "fixtures", "fizz", "fizzed", "fizzes", "fizzier", "fizziest", "fizzing", "fizzle", "fizzled", "fizzles", "fizzy", "fjord", "fjords", "flab", "flabbergasted", "flabbier", "flabbiest", "flabby", "flabs", "flaccid", "flaccidity", "flack", "flag", "flagella", "flagellate", "flagellation", "flagged", "flagging", "flagon", "flagons", "flagpole", "flagrant", "flagrantly", "flags", "flagship", "flagships", "flair", "flak", "flake", "flaked", "flakes", "flakiest", "flaking", "flaky", "flamboyance", "flamboyant", "flamboyantly", "flame", "flamed", "flamenco", "flameproof", "flames", "flaming", "flamingo", "flammability", "flammable", "flan", "flange", "flanged", "flanges", "flank", "flanked", "flanker", "flanking", "flanks", "flannel", "flannelette", "flannels", "flans", "flap", "flapjack", "flapped", "flapper", "flappers", "flapping", "flaps", "flare", "flared", "flares", "flareup", "flareups", "flaring", "flash", "flashback", "flashbacks", "flashbulb", "flashed", "flasher", "flashes", "flashier", "flashiest", "flashily", "flashing", "flashlight", "flashlights", "flashpoint", "flashpoints", "flashy", "flask", "flasks", "flat", "flatfish", "flatly", "flatmate", "flatmates", "flatness", "flats", "flatten", "flattened", "flattening", "flattens", "flatter", "flattered", "flatterer", "flatterers", "flattering", "flatteringly", "flatters", "flattery", "flattest", "flattish", "flatulence", "flatulent", "flatus", "flatworms", "flaunt", "flaunted", "flaunting", "flaunts", "flautist", "flavour", "flavoured", "flavouring", "flavourings", "flavours", "flaw", "flawed", "flawless", "flawlessly", "flaws", "flax", "flaxen", "flay", "flayed", "flayer", "flayers", "flaying", "flea", "fleabites", "fleas", "fleck", "flecked", "flecks", "fled", "fledge", "fledged", "fledgeling", "fledges", "fledgling", "fledglings", "flee", "fleece", "fleeced", "fleeces", "fleecing", "fleecy", "fleeing", "flees", "fleet", "fleeted", "fleeter", "fleeting", "fleetingly", "fleetly", "fleets", "flemish", "flesh", "fleshed", "flesher", "fleshes", "fleshier", "fleshiest", "fleshing", "fleshless", "fleshly", "fleshpots", "fleshy", "flew", "flex", "flexed", "flexes", "flexibilities", "flexibility", "flexible", "flexibly", "flexile", "flexing", "flexion", "flexor", "flick", "flicked", "flicker", "flickered", "flickering", "flickers", "flickery", "flicking", "flicks", "flier", "fliers", "flies", "flight", "flighted", "flightless", "flightpath", "flights", "flighty", "flimsier", "flimsiest", "flimsily", "flimsiness", "flimsy", "flinch", "flinched", "flinching", "fling", "flinging", "flings", "flint", "flintlock", "flintlocks", "flints", "flinty", "flip", "flipflop", "flipflops", "flippable", "flippancy", "flippant", "flippantly", "flipped", "flipper", "flippers", "flipping", "flips", "flirt", "flirtation", "flirtations", "flirtatious", "flirtatiously", "flirted", "flirting", "flirts", "flit", "fliting", "flits", "flitted", "flitting", "float", "floated", "floater", "floaters", "floating", "floats", "floaty", "flock", "flocked", "flocking", "flocks", "floe", "flog", "flogged", "flogger", "floggers", "flogging", "floggings", "flogs", "flood", "flooded", "floodgates", "flooding", "floodlight", "floodlighting", "floodlights", "floodlit", "floods", "floor", "floorboard", "floorboards", "floored", "flooring", "floors", "floorspace", "floozie", "floozies", "floozy", "flop", "flopped", "flopper", "floppier", "floppies", "floppiest", "flopping", "floppy", "flops", "flora", "floral", "floras", "floreat", "florence", "floret", "florid", "florida", "floridly", "florin", "florins", "florist", "florists", "floss", "flosses", "flossing", "flossy", "flotation", "flotations", "flotilla", "flotillas", "flotsam", "flounce", "flounced", "flounces", "flouncing", "flounder", "floundered", "floundering", "flounders", "flour", "floured", "flourish", "flourished", "flourishes", "flourishing", "flours", "floury", "flout", "flouted", "flouting", "flouts", "flow", "flowed", "flower", "flowered", "flowering", "flowerless", "flowerpot", "flowerpots", "flowers", "flowery", "flowing", "flown", "flows", "flub", "flubbed", "fluctuate", "fluctuated", "fluctuates", "fluctuating", "fluctuation", "fluctuations", "flue", "fluency", "fluent", "fluently", "flues", "fluff", "fluffed", "fluffier", "fluffiest", "fluffing", "fluffs", "fluffy", "fluid", "fluidised", "fluidity", "fluidly", "fluids", "fluke", "flukes", "flukey", "flukier", "flukiest", "flumes", "flumped", "flung", "flunked", "fluor", "fluoresce", "fluorescence", "fluorescent", "fluoresces", "fluorescing", "fluoridation", "fluoride", "fluorine", "fluorocarbon", "fluorocarbons", "flurried", "flurries", "flurry", "flush", "flushed", "flusher", "flushes", "flushing", "fluster", "flustered", "flute", "fluted", "flutes", "fluting", "flutist", "flutter", "fluttered", "fluttering", "flutters", "fluttery", "fluvial", "flux", "fluxes", "fly", "flyaway", "flyer", "flyers", "flyhalf", "flying", "flyover", "flyovers", "flypaper", "flypast", "flyway", "flyways", "flyweight", "flywheel", "foal", "foaled", "foaling", "foals", "foam", "foamed", "foamier", "foamiest", "foaming", "foams", "foamy", "fob", "fobbed", "fobbing", "fobs", "focal", "focally", "foci", "focus", "focused", "focuses", "focusing", "focussed", "focusses", "focussing", "fodder", "fodders", "foe", "foehns", "foes", "foetal", "foetid", "foetus", "foetuses", "fog", "fogbank", "fogey", "fogged", "foggier", "foggiest", "fogging", "foggy", "foghorn", "foghorns", "fogs", "fogy", "foible", "foibles", "foil", "foiled", "foiling", "foils", "foist", "foisted", "foisting", "fold", "folded", "folder", "folders", "folding", "folds", "foliage", "foliate", "foliated", "folio", "folk", "folkart", "folkish", "folklore", "folklorist", "folklorists", "folks", "folktale", "follicle", "follicles", "follicular", "follies", "follow", "followable", "followed", "follower", "followers", "following", "followings", "follows", "folly", "foment", "fomented", "fomenting", "fond", "fondant", "fonder", "fondest", "fondle", "fondled", "fondles", "fondling", "fondly", "fondness", "fondue", "fondues", "font", "fontanel", "fonts", "food", "foodless", "foods", "foodstuff", "foodstuffs", "fool", "fooled", "foolery", "foolhardily", "foolhardiness", "foolhardy", "fooling", "foolish", "foolishly", "foolishness", "foolproof", "fools", "foolscap", "foot", "footage", "footages", "football", "footballer", "footballers", "footballing", "footballs", "footbath", "footbridge", "footed", "footfall", "footfalls", "footgear", "foothill", "foothills", "foothold", "footholds", "footing", "footings", "footless", "footlights", "footloose", "footman", "footmarks", "footmen", "footnote", "footnotes", "footpads", "footpath", "footpaths", "footplate", "footprint", "footprints", "footrest", "foots", "footsie", "footsore", "footstep", "footsteps", "footstool", "footstools", "footway", "footwear", "footwork", "fop", "fops", "for", "forage", "foraged", "foragers", "forages", "foraging", "foramen", "foray", "forays", "forbad", "forbade", "forbear", "forbearance", "forbearing", "forbears", "forbid", "forbidden", "forbidding", "forbiddingly", "forbids", "forbore", "force", "forced", "forcefeed", "forcefeeding", "forceful", "forcefully", "forcefulness", "forceps", "forces", "forcible", "forcibly", "forcing", "ford", "forded", "fording", "fords", "fore", "forearm", "forearmed", "forearms", "forebear", "forebears", "foreboded", "foreboding", "forebodings", "forebrain", "forecast", "forecaster", "forecasters", "forecasting", "forecasts", "foreclose", "foreclosed", "foreclosure", "forecourt", "forecourts", "foredeck", "forefather", "forefathers", "forefinger", "forefingers", "forefront", "foregather", "foregathered", "forego", "foregoing", "foregone", "foreground", "foregrounded", "foregrounding", "foregrounds", "forehand", "forehead", "foreheads", "foreign", "foreigner", "foreigners", "foreignness", "foreknowledge", "foreland", "foreleg", "forelegs", "forelimbs", "forelock", "foreman", "foremen", "foremost", "forename", "forenames", "forensic", "forensically", "forepaw", "forepaws", "foreplay", "forerunner", "forerunners", "foresail", "foresaw", "foresee", "foreseeability", "foreseeable", "foreseeing", "foreseen", "foresees", "foreshadow", "foreshadowed", "foreshadowing", "foreshadows", "foreshore", "foreshores", "foreshortened", "foreshortening", "foresight", "foreskin", "foreskins", "forest", "forestall", "forestalled", "forestalling", "forestalls", "forested", "forester", "foresters", "forestry", "forests", "foretaste", "foretastes", "foretell", "foretelling", "forethought", "foretold", "forever", "forewarn", "forewarned", "forewarning", "foreword", "forewords", "forfeit", "forfeited", "forfeiting", "forfeits", "forfeiture", "forgave", "forge", "forged", "forger", "forgeries", "forgers", "forgery", "forges", "forget", "forgetful", "forgetfulness", "forgetmenot", "forgetmenots", "forgets", "forgettable", "forgetting", "forging", "forgings", "forgivable", "forgive", "forgiven", "forgiveness", "forgives", "forgiving", "forgo", "forgoing", "forgone", "forgot", "forgotten", "fork", "forked", "forking", "forks", "forlorn", "forlornly", "forlornness", "form", "formal", "formaldehyde", "formalin", "formalisation", "formalisations", "formalise", "formalised", "formalises", "formalising", "formalism", "formalisms", "formalist", "formalistic", "formalities", "formality", "formally", "formant", "format", "formated", "formation", "formations", "formative", "formats", "formatted", "formatting", "formed", "former", "formerly", "formers", "formic", "formidable", "formidably", "forming", "formless", "formlessness", "formosa", "forms", "formula", "formulae", "formulaic", "formulary", "formulas", "formulate", "formulated", "formulates", "formulating", "formulation", "formulations", "formulator", "fornicate", "fornicated", "fornicates", "fornicating", "fornication", "fornicator", "fornicators", "forsake", "forsaken", "forsakes", "forsaking", "forsook", "forswear", "forswearing", "forswore", "forsworn", "forsythia", "fort", "forte", "forth", "forthcoming", "forthright", "forthrightly", "forthrightness", "forthwith", "forties", "fortieth", "fortification", "fortifications", "fortified", "fortify", "fortifying", "fortissimo", "fortitude", "fortknox", "fortnight", "fortnightly", "fortnights", "fortress", "fortresses", "forts", "fortuitous", "fortuitously", "fortunate", "fortunately", "fortune", "fortunes", "fortuneteller", "fortunetellers", "fortunetelling", "forty", "forum", "forums", "forward", "forwarded", "forwarder", "forwarding", "forwardlooking", "forwardly", "forwardness", "forwards", "fossa", "fossil", "fossiliferous", "fossilise", "fossilised", "fossilising", "fossils", "foster", "fostered", "fostering", "fosters", "fought", "foul", "fouled", "fouler", "foulest", "fouling", "foully", "foulmouthed", "foulness", "fouls", "foulup", "foulups", "found", "foundation", "foundational", "foundations", "founded", "founder", "foundered", "foundering", "founders", "founding", "foundling", "foundries", "foundry", "founds", "fount", "fountain", "fountains", "founts", "four", "fourfold", "fours", "foursome", "fourteen", "fourteenth", "fourth", "fourthly", "fourths", "fowl", "fowls", "fox", "foxed", "foxes", "foxhole", "foxholes", "foxhounds", "foxhunt", "foxhunting", "foxhunts", "foxier", "foxiest", "foxily", "foxiness", "foxing", "foxtrot", "foxtrots", "foxy", "foyer", "foyers", "fracas", "fractal", "fractals", "fraction", "fractional", "fractionally", "fractionate", "fractionated", "fractionating", "fractionation", "fractions", "fractious", "fracture", "fractured", "fractures", "fracturing", "fragile", "fragility", "fragment", "fragmentary", "fragmentation", "fragmented", "fragmenting", "fragments", "fragrance", "fragrances", "fragrant", "frail", "frailer", "frailest", "frailly", "frailties", "frailty", "frame", "framed", "framer", "framers", "frames", "frameup", "framework", "frameworks", "framing", "franc", "france", "franchise", "franchised", "franchisee", "franchisees", "franchises", "franchising", "franchisor", "francophone", "francs", "frangipani", "frank", "franked", "franker", "frankest", "frankfurter", "frankincense", "franking", "frankly", "frankness", "franks", "frantic", "frantically", "fraternal", "fraternise", "fraternising", "fraternities", "fraternity", "fratricidal", "fratricide", "fraud", "frauds", "fraudster", "fraudsters", "fraudulent", "fraudulently", "fraught", "fray", "frayed", "fraying", "frays", "frazzle", "frazzled", "freak", "freaked", "freakish", "freaks", "freaky", "freckle", "freckled", "freckles", "free", "freebie", "freebooters", "freed", "freedom", "freedoms", "freefall", "freefalling", "freeforall", "freehand", "freehold", "freeholder", "freeholders", "freeholds", "freeing", "freelance", "freelancer", "freelancers", "freelances", "freelancing", "freely", "freeman", "freemasonry", "freemen", "freer", "freerange", "frees", "freesia", "freesias", "freestanding", "freestyle", "freeway", "freewheeling", "freewheels", "freeze", "freezer", "freezers", "freezes", "freezing", "freight", "freighted", "freighter", "freighters", "freights", "french", "frenetic", "frenetically", "frenzied", "frenziedly", "frenzies", "frenzy", "freon", "freons", "frequencies", "frequency", "frequent", "frequented", "frequenting", "frequently", "frequents", "fresco", "fresh", "freshen", "freshened", "freshener", "fresheners", "freshening", "freshens", "fresher", "freshers", "freshest", "freshly", "freshman", "freshmen", "freshness", "freshwater", "fret", "fretboard", "fretful", "fretfully", "fretfulness", "fretless", "frets", "fretsaw", "fretsaws", "fretted", "fretting", "fretwork", "freud", "freya", "friable", "friar", "friars", "friary", "fricative", "fricatives", "friction", "frictional", "frictionless", "frictions", "friday", "fridays", "fridge", "fridges", "fried", "friend", "friendless", "friendlessness", "friendlier", "friendlies", "friendliest", "friendlily", "friendliness", "friendly", "friends", "friendship", "friendships", "friers", "fries", "frieze", "friezes", "frigate", "frigates", "fright", "frighted", "frighten", "frightened", "frighteners", "frightening", "frighteningly", "frightens", "frightful", "frightfully", "frights", "frigid", "frigidity", "frigidly", "frijole", "frill", "frilled", "frillier", "frilliest", "frills", "frilly", "fringe", "fringed", "fringes", "fringing", "fringy", "frippery", "frisk", "frisked", "friskier", "friskiest", "friskily", "frisking", "frisks", "frisky", "frisson", "fritter", "frittered", "frittering", "fritters", "frivol", "frivolities", "frivolity", "frivolous", "frivolously", "frivols", "frizzle", "frizzles", "frizzy", "fro", "frock", "frocks", "frog", "froggy", "frogman", "frogmarched", "frogmen", "frogs", "frolic", "frolicked", "frolicking", "frolics", "frolicsome", "from", "frond", "fronds", "front", "frontage", "frontages", "frontal", "frontally", "frontals", "fronted", "frontier", "frontiers", "fronting", "frontispiece", "frontispieces", "frontline", "frontpage", "fronts", "frost", "frostbite", "frostbitten", "frosted", "frostier", "frostiest", "frostily", "frosting", "frosts", "frosty", "froth", "frothed", "frothier", "frothiest", "frothing", "froths", "frothy", "froward", "frown", "frowned", "frowning", "frowningly", "frowns", "froze", "frozen", "fructose", "frugal", "frugality", "frugally", "fruit", "fruitcake", "fruitcakes", "fruited", "fruiter", "fruitful", "fruitfully", "fruitfulness", "fruitier", "fruitiest", "fruitiness", "fruiting", "fruition", "fruitless", "fruitlessly", "fruitlessness", "fruits", "fruity", "frumps", "frumpy", "frustrate", "frustrated", "frustratedly", "frustrates", "frustrating", "frustratingly", "frustration", "frustrations", "frustum", "fry", "fryer", "fryers", "frying", "fryings", "fuchsia", "fuchsias", "fuddle", "fuddled", "fuddles", "fudge", "fudged", "fudges", "fudging", "fuel", "fuelled", "fuelling", "fuels", "fug", "fugal", "fugitive", "fugitives", "fugue", "fugues", "fuhrer", "fulcrum", "fulfil", "fulfilled", "fulfilling", "fulfilment", "fulfils", "full", "fullback", "fullbacks", "fullblooded", "fullblown", "fullbodied", "fullcolour", "fuller", "fullest", "fullgrown", "fulling", "fullish", "fulllength", "fullmoon", "fullness", "fullpage", "fullscale", "fullstop", "fullstops", "fulltime", "fulltimer", "fulltimers", "fully", "fulminant", "fulminate", "fulminating", "fulmination", "fulminations", "fulsome", "fulsomely", "fumarole", "fumaroles", "fumble", "fumbled", "fumbles", "fumbling", "fume", "fumed", "fumes", "fumigate", "fumigating", "fumigation", "fuming", "fumingly", "fun", "function", "functional", "functionalism", "functionalist", "functionalities", "functionality", "functionally", "functionaries", "functionary", "functioned", "functioning", "functionless", "functions", "fund", "fundamental", "fundamentalism", "fundamentalist", "fundamentalists", "fundamentally", "fundamentals", "funded", "fundholders", "fundholding", "funding", "fundings", "fundraiser", "fundraisers", "fundraising", "funds", "funeral", "funerals", "funerary", "funereal", "funfair", "fungal", "fungi", "fungicidal", "fungicide", "fungicides", "fungoid", "fungous", "fungus", "funguses", "funicular", "funk", "funked", "funkier", "funky", "funnel", "funnelled", "funnelling", "funnels", "funnier", "funnies", "funniest", "funnily", "funny", "fur", "furbished", "furbishing", "furies", "furious", "furiously", "furled", "furling", "furlong", "furlongs", "furlough", "furls", "furnace", "furnaces", "furnish", "furnished", "furnishers", "furnishes", "furnishing", "furnishings", "furniture", "furore", "furores", "furred", "furrier", "furriers", "furriest", "furriness", "furring", "furrow", "furrowed", "furrows", "furry", "furs", "further", "furtherance", "furthered", "furthering", "furthermore", "furthers", "furthest", "furtive", "furtively", "furtiveness", "fury", "furze", "fuse", "fused", "fuselage", "fuses", "fusible", "fusilier", "fusiliers", "fusillade", "fusing", "fusion", "fusions", "fuss", "fussed", "fusses", "fussier", "fussiest", "fussily", "fussiness", "fussing", "fussy", "fustian", "fusty", "futile", "futilely", "futility", "futon", "future", "futures", "futurism", "futurist", "futuristic", "futurists", "futurity", "futurologists", "fuzz", "fuzzed", "fuzzes", "fuzzier", "fuzziest", "fuzzily", "fuzziness", "fuzzy", "gab", "gabble", "gabbled", "gabbles", "gabbling", "gaberdine", "gable", "gabled", "gables", "gabon", "gad", "gadded", "gadding", "gadfly", "gadget", "gadgetry", "gadgets", "gaff", "gaffe", "gaffes", "gag", "gaga", "gage", "gagged", "gagging", "gaggle", "gaggled", "gaging", "gags", "gagster", "gaiety", "gaijin", "gaily", "gain", "gained", "gainer", "gainers", "gainful", "gainfully", "gaining", "gainly", "gains", "gainsay", "gainsaying", "gait", "gaiter", "gaiters", "gaits", "gal", "gala", "galactic", "galas", "galaxies", "galaxy", "gale", "galena", "gales", "galilean", "galileo", "gall", "gallant", "gallantly", "gallantries", "gallantry", "gallants", "galled", "galleon", "galleons", "galleried", "galleries", "gallery", "galley", "galleys", "gallic", "galling", "gallium", "gallivanted", "gallivanting", "gallon", "gallons", "gallop", "galloped", "galloping", "gallops", "gallows", "galls", "gallstones", "galop", "galore", "galoshes", "gals", "galvanic", "galvanise", "galvanised", "galvanising", "galvanometer", "galvanometric", "gambia", "gambian", "gambit", "gambits", "gamble", "gambled", "gambler", "gamblers", "gambles", "gambling", "gambol", "gambolling", "gambols", "game", "gamed", "gamekeeper", "gamekeepers", "gamely", "gamers", "games", "gamesmanship", "gamesmen", "gamete", "gametes", "gaming", "gamma", "gammon", "gamut", "gamy", "gander", "ganders", "gandhi", "gang", "ganged", "ganger", "gangers", "ganges", "ganging", "gangland", "ganglia", "gangling", "ganglion", "ganglionic", "gangly", "gangplank", "gangrene", "gangrenous", "gangs", "gangster", "gangsterism", "gangsters", "gangway", "gangways", "gannet", "gannets", "gantries", "gantry", "gaol", "gaoled", "gaoler", "gaolers", "gaols", "gap", "gape", "gaped", "gapes", "gaping", "gapingly", "gaps", "garage", "garaged", "garages", "garb", "garbage", "garbed", "garble", "garbled", "garbles", "garbling", "garbs", "garden", "gardener", "gardeners", "gardening", "gardens", "gargantuan", "gargle", "gargled", "gargles", "gargling", "gargoyle", "gargoyles", "garish", "garishly", "garland", "garlanded", "garlands", "garlic", "garment", "garments", "garner", "garnered", "garnering", "garnet", "garnets", "garnish", "garnished", "garnishing", "garotte", "garotted", "garottes", "garotting", "garret", "garrets", "garrison", "garrisoned", "garrisons", "garrotte", "garrotted", "garrottes", "garrotting", "garrulous", "garter", "garters", "gas", "gaseous", "gases", "gash", "gashed", "gashes", "gashing", "gasholder", "gasify", "gasket", "gaskets", "gaslight", "gasometer", "gasp", "gasped", "gasper", "gasping", "gasps", "gassed", "gasses", "gassier", "gassiest", "gassing", "gassy", "gastrectomy", "gastric", "gastritis", "gastroenteritis", "gastrointestinal", "gastronomic", "gastronomy", "gastropod", "gastropods", "gasworks", "gate", "gateau", "gateaus", "gateaux", "gatecrash", "gatecrashed", "gatecrasher", "gatecrashers", "gatecrashing", "gated", "gatehouse", "gatehouses", "gatekeeper", "gatekeepers", "gatepost", "gateposts", "gates", "gateway", "gateways", "gather", "gathered", "gatherer", "gatherers", "gathering", "gatherings", "gathers", "gating", "gauche", "gaucheness", "gaucherie", "gaud", "gaudiest", "gaudily", "gaudiness", "gaudy", "gauge", "gauged", "gauges", "gauging", "gaul", "gauls", "gaunt", "gaunter", "gauntlet", "gauntlets", "gauntly", "gauze", "gave", "gavel", "gavial", "gavials", "gavotte", "gawk", "gawking", "gawky", "gawpin", "gay", "gayest", "gays", "gaze", "gazebo", "gazed", "gazelle", "gazelles", "gazes", "gazette", "gazetteer", "gazettes", "gazing", "gdansk", "gear", "gearbox", "gearboxes", "geared", "gearing", "gears", "gearstick", "gecko", "geek", "geeks", "geese", "geezer", "geiger", "geisha", "geishas", "gel", "gelatin", "gelatine", "gelatinous", "gelding", "geldings", "gelignite", "gelled", "gels", "gem", "gemini", "gemmed", "gems", "gemsbok", "gemstone", "gemstones", "gen", "gender", "gendered", "genderless", "genders", "gene", "genealogical", "genealogies", "genealogist", "genealogy", "genera", "general", "generalisable", "generalisation", "generalisations", "generalise", "generalised", "generalises", "generalising", "generalist", "generalists", "generalities", "generality", "generally", "generals", "generalship", "generate", "generated", "generates", "generating", "generation", "generational", "generations", "generative", "generator", "generators", "generic", "generically", "generosities", "generosity", "generous", "generously", "genes", "genesis", "genetic", "genetically", "geneticist", "geneticists", "genetics", "genets", "geneva", "genial", "geniality", "genially", "genie", "genii", "genital", "genitalia", "genitals", "genitive", "genitives", "genius", "geniuses", "genoa", "genocidal", "genocide", "genome", "genomes", "genomic", "genotype", "genotypes", "genre", "genres", "gent", "genteel", "genteelest", "genteelly", "gentians", "gentile", "gentiles", "gentility", "gentle", "gentlefolk", "gentleman", "gentlemanly", "gentlemen", "gentleness", "gentler", "gentlest", "gentling", "gently", "gentrification", "gentrified", "gentrifying", "gentry", "gents", "genuflect", "genuflections", "genuine", "genuinely", "genuineness", "genus", "geocentric", "geochemical", "geochemistry", "geodesic", "geodesics", "geographer", "geographers", "geographic", "geographical", "geographically", "geography", "geologic", "geological", "geologically", "geologist", "geologists", "geology", "geomagnetic", "geomagnetically", "geomagnetism", "geometer", "geometers", "geometric", "geometrical", "geometrically", "geometries", "geometry", "geomorphological", "geomorphologists", "geomorphology", "geophysical", "geophysicist", "geophysicists", "geophysics", "geopolitical", "george", "georgia", "geoscientific", "geostationary", "geosynchronous", "geothermal", "geranium", "geraniums", "gerbil", "gerbils", "geriatric", "geriatrics", "germ", "german", "germane", "germanic", "germanium", "germans", "germany", "germicidal", "germicides", "germinal", "germinate", "germinated", "germinating", "germination", "germs", "gerontocracy", "gerontologist", "gerontology", "gerrymander", "gerrymandered", "gerund", "gerundive", "gestalt", "gestapo", "gestate", "gestating", "gestation", "gestational", "gesticulate", "gesticulated", "gesticulating", "gesticulation", "gesticulations", "gestural", "gesture", "gestured", "gestures", "gesturing", "get", "getable", "getaway", "getrichquick", "gets", "gettable", "getter", "getting", "geyser", "geysers", "ghana", "ghanian", "ghastlier", "ghastliest", "ghastliness", "ghastly", "gherkin", "gherkins", "ghetto", "ghost", "ghosted", "ghosting", "ghostlier", "ghostliest", "ghostlike", "ghostly", "ghosts", "ghoul", "ghoulish", "ghouls", "giant", "giantess", "giantism", "giantkiller", "giantkillers", "giants", "gibber", "gibbered", "gibbering", "gibberish", "gibbet", "gibbets", "gibbon", "gibbons", "gibbous", "gibed", "gibes", "giblets", "giddier", "giddiest", "giddily", "giddiness", "giddy", "gift", "gifted", "gifting", "gifts", "giftware", "gig", "gigabytes", "gigantic", "gigantically", "gigavolt", "giggle", "giggled", "giggles", "giggling", "giggly", "gigolo", "gilded", "gilders", "gilding", "gilds", "gill", "gillie", "gills", "gilt", "giltedged", "gilts", "gimcrack", "gimlet", "gimlets", "gimmick", "gimmickry", "gimmicks", "gimmicky", "gin", "ginger", "gingerbread", "gingerly", "gingers", "gingery", "gingham", "gingivitis", "gins", "ginseng", "gipsies", "gipsy", "giraffe", "giraffes", "gird", "girded", "girder", "girders", "girding", "girdle", "girdled", "girdles", "girdling", "girl", "girlfriend", "girlfriends", "girlhood", "girlie", "girlish", "girlishly", "girlishness", "girls", "giro", "girt", "girth", "girths", "gist", "give", "giveaway", "given", "giver", "givers", "gives", "giving", "givings", "gizzard", "glace", "glacial", "glacially", "glaciated", "glaciation", "glaciations", "glacier", "glaciers", "glaciological", "glaciologist", "glaciologists", "glaciology", "glad", "gladden", "gladdened", "gladdening", "gladdens", "gladder", "gladdest", "glade", "glades", "gladiator", "gladiatorial", "gladiators", "gladioli", "gladiolus", "gladly", "gladness", "glamorous", "glamour", "glance", "glanced", "glances", "glancing", "gland", "glands", "glandular", "glans", "glare", "glared", "glares", "glaring", "glaringly", "glasgow", "glasnost", "glass", "glassed", "glasses", "glassful", "glasshouse", "glasshouses", "glassier", "glassiest", "glassless", "glassware", "glassy", "glaucoma", "glaucous", "glaze", "glazed", "glazer", "glazes", "glazier", "glaziers", "glazing", "gleam", "gleamed", "gleaming", "gleams", "glean", "gleaned", "gleaning", "gleanings", "gleans", "glebe", "glee", "gleeful", "gleefully", "gleefulness", "glen", "glenn", "glens", "glia", "glib", "glibly", "glibness", "glide", "glided", "glider", "gliders", "glides", "gliding", "glim", "glimmer", "glimmered", "glimmering", "glimmerings", "glimmers", "glimpse", "glimpsed", "glimpses", "glimpsing", "glint", "glinted", "glinting", "glints", "glisten", "glistened", "glistening", "glistens", "glitter", "glittered", "glittering", "glitters", "glittery", "glitzy", "gloaming", "gloat", "gloated", "gloating", "glob", "global", "globalisation", "globally", "globe", "globed", "globes", "globetrotters", "globetrotting", "globose", "globular", "globule", "globules", "gloom", "gloomful", "gloomier", "gloomiest", "gloomily", "gloominess", "glooms", "gloomy", "gloried", "glories", "glorification", "glorified", "glorifies", "glorify", "glorifying", "glorious", "gloriously", "glory", "glorying", "gloss", "glossaries", "glossary", "glossed", "glosses", "glossier", "glossiest", "glossily", "glossing", "glossy", "glottal", "glove", "gloved", "gloves", "glow", "glowed", "glower", "glowered", "glowering", "glowers", "glowing", "glowingly", "glows", "glowworm", "glowworms", "glucose", "glue", "glued", "glueing", "glues", "gluey", "gluing", "glum", "glumly", "gluon", "glut", "glutamate", "gluten", "glutinous", "glutted", "glutton", "gluttonous", "gluttons", "gluttony", "glycerine", "glycerol", "glycine", "glycol", "glyph", "glyphs", "gnarl", "gnarled", "gnarling", "gnarls", "gnash", "gnashed", "gnashes", "gnashing", "gnat", "gnats", "gnaw", "gnawed", "gnawer", "gnawers", "gnawing", "gnaws", "gneiss", "gnome", "gnomes", "gnomic", "gnostic", "gnosticism", "gnu", "gnus", "go", "goad", "goaded", "goading", "goads", "goahead", "goal", "goalies", "goalkeeper", "goalkeepers", "goalkeeping", "goalless", "goalmouth", "goalpost", "goalposts", "goals", "goalscorer", "goalscorers", "goalscoring", "goat", "goatee", "goatees", "goats", "goatskin", "gobbet", "gobbets", "gobble", "gobbled", "gobbledegook", "gobbledygook", "gobbler", "gobbles", "gobbling", "gobetween", "gobi", "gobies", "goblet", "goblets", "goblin", "goblins", "god", "godchild", "goddess", "goddesses", "godfather", "godfathers", "godforsaken", "godhead", "godless", "godlessness", "godlier", "godlike", "godliness", "godly", "godmother", "godmothers", "godparents", "gods", "godsend", "godson", "godsons", "goer", "goers", "goes", "goethe", "gofer", "goggled", "goggles", "goggling", "going", "goings", "goitre", "goitres", "gold", "golden", "goldfish", "golds", "goldsmith", "goldsmiths", "golf", "golfer", "golfers", "golfing", "golgotha", "goliath", "golliwog", "golly", "gonad", "gonads", "gondola", "gondolas", "gondolier", "gondoliers", "gone", "gong", "gongs", "gonorrhoea", "goo", "good", "goodbye", "goodbyes", "goodfornothing", "goodfornothings", "goodhope", "goodhumoured", "goodhumouredly", "goodies", "goodish", "goodlooking", "goodly", "goodnatured", "goodnaturedly", "goodness", "goodnight", "goods", "goodtempered", "goodwill", "goody", "gooey", "goof", "goofed", "goofing", "goofs", "goofy", "googlies", "googly", "goon", "goons", "goose", "gooseberries", "gooseberry", "goosestep", "goosestepping", "gopher", "gophers", "gordian", "gore", "gored", "gores", "gorge", "gorged", "gorgeous", "gorgeously", "gorgeousness", "gorges", "gorging", "gorgon", "gorgons", "gorier", "goriest", "gorilla", "gorillas", "goring", "gormless", "gorse", "gory", "gosh", "gosling", "goslings", "goslow", "goslows", "gospel", "gospels", "gossamer", "gossip", "gossiped", "gossiping", "gossips", "gossipy", "got", "goth", "gothic", "goths", "gotten", "gouda", "gouge", "gouged", "gouges", "gouging", "goulash", "gourd", "gourds", "gourmand", "gourmet", "gourmets", "gout", "govern", "governance", "governed", "governess", "governesses", "governing", "government", "governmental", "governments", "governor", "governors", "governorship", "governorships", "governs", "gown", "gowned", "gowns", "grab", "grabbed", "grabber", "grabbers", "grabbing", "grabs", "grace", "graced", "graceful", "gracefully", "gracefulness", "graceless", "gracelessly", "graces", "gracing", "gracious", "graciously", "graciousness", "gradation", "gradations", "grade", "graded", "grader", "graders", "grades", "gradient", "gradients", "grading", "gradings", "gradual", "gradualism", "gradualist", "gradually", "graduand", "graduands", "graduate", "graduated", "graduates", "graduating", "graduation", "graduations", "graffiti", "graffito", "graft", "grafted", "grafting", "grafts", "graham", "grail", "grails", "grain", "grained", "grainier", "grainiest", "graininess", "grains", "grainy", "gram", "grammar", "grammarian", "grammarians", "grammars", "grammatical", "grammatically", "gramme", "grammes", "gramophone", "gramophones", "grams", "granaries", "granary", "grand", "grandads", "grandchild", "grandchildren", "granddad", "granddaughter", "granddaughters", "grandee", "grandees", "grander", "grandest", "grandeur", "grandfather", "grandfathers", "grandiloquent", "grandiose", "grandiosity", "grandly", "grandma", "grandmas", "grandmaster", "grandmasters", "grandmother", "grandmothers", "grandpa", "grandparent", "grandparents", "grandpas", "grands", "grandson", "grandsons", "grandstand", "grange", "granite", "granites", "granitic", "grannie", "grannies", "granny", "grant", "granted", "grantee", "granting", "grants", "granular", "granularity", "granulated", "granulation", "granule", "granules", "granulocyte", "grape", "grapefruit", "grapes", "grapeshot", "grapevine", "graph", "graphed", "graphic", "graphical", "graphically", "graphics", "graphite", "graphologist", "graphologists", "graphology", "graphs", "grapnel", "grapple", "grappled", "grapples", "grappling", "graptolites", "grasp", "grasped", "grasper", "grasping", "grasps", "grass", "grassed", "grasses", "grasshopper", "grasshoppers", "grassier", "grassiest", "grassland", "grasslands", "grassroots", "grassy", "grate", "grated", "grateful", "gratefully", "grater", "graters", "grates", "graticule", "gratification", "gratifications", "gratified", "gratifies", "gratify", "gratifying", "gratifyingly", "grating", "gratings", "gratis", "gratitude", "gratuities", "gratuitous", "gratuitously", "gratuitousness", "gratuity", "grave", "gravedigger", "gravediggers", "gravel", "gravelled", "gravelly", "gravels", "gravely", "graven", "graver", "graves", "graveside", "gravest", "gravestone", "gravestones", "graveyard", "graveyards", "gravies", "gravitas", "gravitate", "gravitated", "gravitating", "gravitation", "gravitational", "gravitationally", "gravities", "graviton", "gravitons", "gravity", "gravures", "gravy", "graze", "grazed", "grazer", "grazes", "grazing", "grease", "greased", "greasepaint", "greaseproof", "greasers", "greases", "greasier", "greasiest", "greasing", "greasy", "great", "greataunt", "greataunts", "greatcoat", "greatcoats", "greater", "greatest", "greatgrandchildren", "greatgranddaughter", "greatgrandfather", "greatgrandmother", "greatgrandmothers", "greatgrandson", "greatly", "greatness", "grecian", "greece", "greed", "greedier", "greediest", "greedily", "greediness", "greeds", "greedy", "greek", "greeks", "green", "greened", "greener", "greenery", "greenest", "greeneyed", "greenfield", "greenfly", "greengages", "greengrocer", "greengrocers", "greengrocery", "greenhorn", "greenhorns", "greenhouse", "greenhouses", "greenie", "greening", "greenish", "greenly", "greenness", "greens", "greenstone", "greensward", "greenwich", "greet", "greeted", "greeting", "greetings", "greets", "gregarious", "gregariously", "gregariousness", "gremlin", "gremlins", "grenade", "grenades", "grenadier", "grenadiers", "grew", "grey", "greybeard", "greyed", "greyer", "greyest", "greyhound", "greyhounds", "greying", "greyish", "greyness", "greys", "grid", "gridded", "gridiron", "gridlock", "grids", "grief", "griefs", "grievance", "grievances", "grieve", "grieved", "griever", "grievers", "grieves", "grieving", "grievous", "grievously", "griffin", "griffins", "griffon", "grill", "grille", "grilled", "grilles", "grilling", "grills", "grim", "grimace", "grimaced", "grimaces", "grimacing", "grime", "grimiest", "grimly", "grimm", "grimmer", "grimmest", "grimness", "grimy", "grin", "grind", "grinded", "grinder", "grinders", "grinding", "grinds", "grindstone", "grinned", "grinner", "grinning", "grins", "grip", "gripe", "griped", "gripes", "griping", "gripped", "gripper", "grippers", "gripping", "grips", "grislier", "grisliest", "grisly", "grist", "gristle", "grit", "grits", "gritted", "grittier", "grittiest", "gritting", "gritty", "grizzled", "grizzlier", "grizzliest", "grizzly", "groan", "groaned", "groaner", "groaners", "groaning", "groans", "groat", "groats", "grocer", "groceries", "grocers", "grocery", "grog", "groggiest", "groggily", "groggy", "groin", "groins", "grommet", "grommets", "groom", "groomed", "groomer", "groomers", "grooming", "grooms", "groove", "grooved", "grooves", "groovier", "grooving", "groovy", "grope", "groped", "groper", "gropers", "gropes", "groping", "gropingly", "gropings", "gross", "grossed", "grosser", "grossest", "grossly", "grossness", "grotesque", "grotesquely", "grotesqueness", "grotto", "grouch", "grouchy", "ground", "grounded", "grounding", "groundless", "groundnut", "groundnuts", "grounds", "groundsheet", "groundsman", "groundswell", "groundwater", "groundwork", "group", "grouped", "grouper", "groupie", "groupies", "grouping", "groupings", "groups", "grouse", "grouses", "grout", "grouting", "grove", "grovel", "grovelled", "groveller", "grovelling", "grovels", "groves", "grow", "grower", "growers", "growing", "growl", "growled", "growler", "growling", "growls", "grown", "grownup", "grownups", "grows", "growth", "growths", "grub", "grubbed", "grubbier", "grubbiest", "grubbing", "grubby", "grubs", "grudge", "grudges", "grudging", "grudgingly", "gruel", "grueling", "gruelling", "gruesome", "gruesomely", "gruesomeness", "gruff", "gruffly", "gruffness", "grumble", "grumbled", "grumbler", "grumbles", "grumbling", "grumblings", "grumpier", "grumpiest", "grumpily", "grumps", "grumpy", "grunge", "grunt", "grunted", "grunter", "grunting", "grunts", "guacamole", "guanaco", "guanine", "guano", "guarantee", "guaranteed", "guaranteeing", "guarantees", "guarantor", "guarantors", "guard", "guarded", "guardedly", "guardedness", "guardhouse", "guardian", "guardians", "guardianship", "guarding", "guardroom", "guards", "guardsman", "guardsmen", "guava", "guavas", "gubernatorial", "gudgeon", "guerilla", "guerillas", "guerrilla", "guerrillas", "guess", "guessable", "guessed", "guesses", "guessing", "guesswork", "guest", "guesting", "guests", "guffaw", "guffawed", "guffaws", "guidance", "guide", "guidebook", "guidebooks", "guided", "guideline", "guidelines", "guider", "guiders", "guides", "guiding", "guidings", "guild", "guilder", "guilders", "guilds", "guile", "guileless", "guilelessness", "guillemot", "guillemots", "guillotine", "guillotined", "guillotines", "guillotining", "guilt", "guiltier", "guiltiest", "guiltily", "guiltiness", "guiltless", "guilts", "guilty", "guinea", "guineas", "guise", "guises", "guitar", "guitarist", "guitarists", "guitars", "gulf", "gulfs", "gulfwar", "gull", "gullet", "gullets", "gulley", "gulleys", "gullibility", "gullible", "gullies", "gulls", "gully", "gulp", "gulped", "gulping", "gulps", "gum", "gumboil", "gumboils", "gumboots", "gumdrop", "gumdrops", "gummed", "gumming", "gums", "gumshoe", "gumtree", "gumtrees", "gun", "gunboat", "gunboats", "gunfight", "gunfire", "gunfires", "gunite", "gunk", "gunman", "gunmen", "gunmetal", "gunned", "gunner", "gunners", "gunnery", "gunning", "gunpoint", "gunpowder", "guns", "gunship", "gunships", "gunshot", "gunshots", "gunsight", "gunsmith", "gunsmiths", "gunwale", "gunwales", "guppies", "guppy", "gurgle", "gurgled", "gurgles", "gurgling", "guru", "gurus", "gush", "gushed", "gusher", "gushes", "gushing", "gusset", "gust", "gusted", "gustier", "gustiest", "gusting", "gusto", "gusts", "gusty", "gut", "gutless", "guts", "gutsier", "gutsy", "gutted", "gutter", "guttered", "guttering", "gutters", "guttersnipe", "guttersnipes", "gutting", "guttural", "gutturally", "guy", "guys", "guzzle", "guzzled", "guzzler", "guzzlers", "guzzling", "gym", "gymkhana", "gymnasia", "gymnasium", "gymnasiums", "gymnast", "gymnastic", "gymnastics", "gymnasts", "gyms", "gynaecological", "gynaecologist", "gynaecologists", "gynaecology", "gypsies", "gypsum", "gypsy", "gyrate", "gyrated", "gyrates", "gyrating", "gyration", "gyrations", "gyro", "gyromagnetic", "gyroscope", "gyroscopes", "gyroscopic", "ha", "haberdasher", "haberdashers", "haberdashery", "habit", "habitability", "habitable", "habitat", "habitation", "habitations", "habitats", "habitforming", "habits", "habitual", "habitually", "habituate", "habituated", "habituation", "hacienda", "hack", "hackable", "hacked", "hacker", "hackers", "hacking", "hackle", "hackles", "hackling", "hackney", "hackneyed", "hacks", "hacksaw", "had", "haddock", "haddocks", "hades", "hadnt", "hadron", "hadrons", "haematological", "haematologist", "haematology", "haematoma", "haematuria", "haemoglobin", "haemolytic", "haemophilia", "haemophiliac", "haemophiliacs", "haemorrhage", "haemorrhages", "haemorrhagic", "haemorrhaging", "haemorrhoid", "haemorrhoids", "haft", "hafts", "hag", "haggard", "haggardness", "haggis", "haggle", "haggled", "haggler", "haggling", "hagiography", "hags", "haha", "haiku", "hail", "hailed", "hailing", "hails", "hailstone", "hailstones", "hailstorm", "hailstorms", "hair", "hairbrush", "haircare", "haircut", "haircuts", "hairdo", "hairdresser", "hairdressers", "hairdressing", "haired", "hairier", "hairiest", "hairiness", "hairless", "hairline", "hairnet", "hairpiece", "hairpin", "hairpins", "hairraising", "hairs", "hairsplitting", "hairspray", "hairsprays", "hairstyle", "hairstyles", "hairstyling", "hairy", "haiti", "haitian", "hake", "hakea", "hale", "half", "halfhearted", "halfheartedly", "halfheartedness", "halfhour", "halfhourly", "halfhours", "halfsister", "halftruth", "halftruths", "halfway", "halibut", "halifax", "halite", "halitosis", "hall", "hallelujah", "hallmark", "hallmarks", "hallo", "hallow", "hallowed", "hallows", "halls", "hallucinate", "hallucinated", "hallucinating", "hallucination", "hallucinations", "hallucinatory", "hallway", "hallways", "halo", "haloed", "halogen", "halogenated", "halogens", "halon", "halons", "halt", "halted", "halter", "haltered", "halters", "halting", "haltingly", "halts", "halve", "halved", "halves", "halving", "ham", "hamburg", "hamburger", "hamburgers", "hamitic", "hamlet", "hamlets", "hammer", "hammered", "hammerhead", "hammering", "hammers", "hammock", "hammocks", "hamper", "hampered", "hampering", "hampers", "hams", "hamster", "hamsters", "hamstring", "hamstrings", "hamstrung", "hand", "handbag", "handbags", "handball", "handbasin", "handbell", "handbill", "handbills", "handbook", "handbooks", "handbrake", "handbrakes", "handcar", "handcart", "handcuff", "handcuffed", "handcuffing", "handcuffs", "handed", "handedness", "handel", "handful", "handfuls", "handgun", "handguns", "handhold", "handholds", "handicap", "handicapped", "handicapping", "handicaps", "handicraft", "handicrafts", "handier", "handiest", "handily", "handing", "handiwork", "handkerchief", "handkerchiefs", "handle", "handlebar", "handlebars", "handled", "handler", "handlers", "handles", "handling", "handmade", "handmaiden", "handmaidens", "handout", "handouts", "handover", "handovers", "handpicked", "handrail", "handrails", "hands", "handset", "handsets", "handshake", "handshakes", "handshaking", "handsome", "handsomely", "handsomeness", "handsomer", "handsomest", "handstand", "handstands", "handwriting", "handwritten", "handy", "handyman", "handymen", "hang", "hangar", "hangars", "hangdog", "hanged", "hanger", "hangers", "hangglide", "hangglided", "hangglider", "hanggliders", "hangglides", "hanggliding", "hanging", "hangings", "hangman", "hangmen", "hangouts", "hangover", "hangovers", "hangs", "hangup", "hanker", "hankered", "hankering", "hankers", "hankie", "hankies", "hanoi", "hanover", "hansard", "hansom", "haphazard", "haphazardly", "hapless", "happen", "happened", "happening", "happenings", "happens", "happier", "happiest", "happily", "happiness", "happy", "happygolucky", "harangue", "harangued", "harangues", "haranguing", "harare", "harass", "harassed", "harassers", "harasses", "harassing", "harassment", "harbinger", "harbingers", "harbour", "harboured", "harbouring", "harbours", "hard", "hardback", "hardbacks", "hardboard", "hardboiled", "hardcore", "hardearned", "harden", "hardened", "hardener", "hardeners", "hardening", "hardens", "harder", "hardest", "hardheaded", "hardhearted", "hardheartedness", "hardhit", "hardhitting", "hardier", "hardiest", "hardily", "hardiness", "hardline", "hardliner", "hardliners", "hardly", "hardness", "hardpressed", "hardship", "hardships", "hardup", "hardware", "hardwood", "hardwoods", "hardworking", "hardy", "hare", "harebell", "harebells", "harebrained", "hared", "harem", "harems", "hares", "hark", "harked", "harken", "harkened", "harkens", "harking", "harks", "harlequin", "harlequins", "harlot", "harlots", "harm", "harmed", "harmer", "harmful", "harmfully", "harmfulness", "harming", "harmless", "harmlessly", "harmlessness", "harmonic", "harmonica", "harmonically", "harmonics", "harmonies", "harmonious", "harmoniously", "harmonisation", "harmonise", "harmonised", "harmonising", "harmonium", "harmony", "harms", "harness", "harnessed", "harnesses", "harnessing", "harp", "harped", "harping", "harpist", "harpists", "harpoon", "harpoons", "harps", "harpsichord", "harpsichords", "harridan", "harried", "harrier", "harriers", "harrow", "harrowed", "harrowing", "harrows", "harry", "harrying", "harsh", "harshen", "harshens", "harsher", "harshest", "harshly", "harshness", "hart", "harts", "harvard", "harvest", "harvested", "harvester", "harvesters", "harvesting", "harvests", "has", "hasbeen", "hasbeens", "hash", "hashed", "hashes", "hashing", "hashish", "hasnt", "hasp", "hassle", "haste", "hasted", "hasten", "hastened", "hastening", "hastens", "hastes", "hastier", "hastiest", "hastily", "hastiness", "hasty", "hat", "hatch", "hatchback", "hatchbacks", "hatched", "hatcheries", "hatchery", "hatches", "hatchet", "hatchets", "hatching", "hatchway", "hate", "hated", "hateful", "hatefully", "hater", "haters", "hates", "hatful", "hating", "hatless", "hatrack", "hatracks", "hatred", "hatreds", "hats", "hatstands", "hatted", "hatter", "hatters", "hattrick", "hattricks", "haughtier", "haughtiest", "haughtily", "haughtiness", "haughty", "haul", "haulage", "haulages", "hauled", "hauler", "haulers", "haulier", "hauliers", "hauling", "haulms", "hauls", "haunch", "haunches", "haunt", "haunted", "haunting", "hauntingly", "haunts", "hauteur", "havana", "have", "haven", "havenots", "havens", "havent", "havering", "haversack", "haves", "having", "havoc", "hawaii", "hawaiian", "hawk", "hawked", "hawker", "hawkers", "hawking", "hawkish", "hawks", "hawser", "hawsers", "hawthorn", "hawthorns", "hay", "haydn", "hayfever", "hayfield", "hayloft", "haystack", "haystacks", "haywain", "haywire", "hazard", "hazarded", "hazarding", "hazardous", "hazards", "haze", "hazel", "hazelnut", "hazelnuts", "hazier", "haziest", "hazily", "haziness", "hazy", "he", "head", "headache", "headaches", "headband", "headbands", "headboard", "headboards", "headcount", "headdress", "headdresses", "headed", "header", "headers", "headfast", "headgear", "headhunted", "headhunters", "headier", "headiest", "heading", "headings", "headlamp", "headlamps", "headland", "headlands", "headless", "headlight", "headlights", "headline", "headlined", "headlines", "headlining", "headlock", "headlong", "headman", "headmaster", "headmasters", "headmastership", "headmen", "headmistress", "headmistresses", "headnote", "headon", "headphone", "headphones", "headpiece", "headquarters", "headrest", "headroom", "heads", "headscarf", "headscarves", "headset", "headsets", "headship", "headstand", "headstock", "headstone", "headstones", "headstrong", "headwaters", "headway", "headwind", "headwinds", "headword", "headwords", "headwork", "heady", "heal", "healed", "healer", "healers", "healing", "heals", "health", "healthful", "healthier", "healthiest", "healthily", "healthiness", "healths", "healthy", "heap", "heaped", "heaping", "heaps", "hear", "hearable", "heard", "hearer", "hearers", "hearing", "hearings", "hearken", "hearkened", "hearkening", "hearkens", "hears", "hearsay", "hearse", "hearses", "heart", "heartache", "heartbeat", "heartbeats", "heartbreak", "heartbreaking", "heartbreaks", "heartbroken", "heartburn", "hearten", "heartened", "heartening", "heartfelt", "hearth", "hearthrug", "hearths", "hearties", "heartiest", "heartily", "heartiness", "heartland", "heartlands", "heartless", "heartlessly", "heartlessness", "heartrending", "hearts", "heartsearching", "heartstrings", "hearttoheart", "heartwarming", "heartwood", "hearty", "heat", "heated", "heatedly", "heater", "heaters", "heath", "heathen", "heathenish", "heathenism", "heathens", "heather", "heathers", "heathery", "heathland", "heaths", "heating", "heatresistant", "heats", "heatwave", "heave", "heaved", "heaveho", "heaven", "heavenly", "heavens", "heavensent", "heavenward", "heavenwards", "heaves", "heavier", "heavies", "heaviest", "heavily", "heaviness", "heaving", "heavings", "heavy", "heavyduty", "heavyweight", "heavyweights", "hebrew", "hebrews", "heck", "heckle", "heckled", "heckler", "hecklers", "heckles", "heckling", "hectare", "hectares", "hectic", "hectically", "hectolitres", "hector", "hectoring", "hedge", "hedged", "hedgehog", "hedgehogs", "hedgerow", "hedgerows", "hedges", "hedging", "hedonism", "hedonist", "hedonistic", "hedonists", "heed", "heeded", "heedful", "heeding", "heedless", "heedlessly", "heedlessness", "heeds", "heel", "heeled", "heels", "heft", "hefted", "heftier", "hefting", "hefty", "hegemonic", "hegemony", "heifer", "heifers", "height", "heighten", "heightened", "heightening", "heightens", "heights", "heinous", "heir", "heiress", "heiresses", "heirloom", "heirlooms", "heirs", "heist", "heists", "held", "helen", "helical", "helices", "helicopter", "helicopters", "heliocentric", "heliography", "heliosphere", "heliotrope", "helipad", "helium", "helix", "helixes", "hell", "hellenic", "hellfire", "hellish", "hellishly", "hello", "hellraiser", "hells", "helm", "helmet", "helmeted", "helmets", "helms", "helmsman", "helots", "help", "helped", "helper", "helpers", "helpful", "helpfully", "helpfulness", "helping", "helpings", "helpless", "helplessly", "helplessness", "helpline", "helplines", "helpmate", "helpmates", "helps", "helsinki", "helterskelter", "hem", "heman", "hemen", "hemisphere", "hemispheres", "hemispheric", "hemispherical", "hemline", "hemlines", "hemlock", "hemmed", "hemming", "hemp", "hems", "hen", "hence", "henceforth", "henceforward", "henchman", "henchmen", "henge", "henna", "henpeck", "henry", "hens", "hepatic", "hepatitis", "heptagon", "heptagonal", "heptagons", "heptane", "her", "herald", "heralded", "heraldic", "heralding", "heraldry", "heralds", "herb", "herbaceous", "herbage", "herbal", "herbalism", "herbalist", "herbalists", "herbicide", "herbicides", "herbivore", "herbivores", "herbivorous", "herbs", "herd", "herded", "herding", "herds", "herdsman", "herdsmen", "here", "hereabouts", "hereafter", "hereby", "hereditary", "heredity", "herein", "hereinafter", "hereof", "heresies", "heresy", "heretic", "heretical", "heretics", "hereto", "heretofore", "hereunder", "hereupon", "herewith", "heritability", "heritable", "heritage", "heritors", "herm", "hermaphrodite", "hermaphrodites", "hermaphroditic", "hermeneutic", "hermeneutics", "hermetic", "hermetically", "hermit", "hermitage", "hermits", "hernia", "hernias", "hero", "herod", "heroic", "heroical", "heroically", "heroics", "heroin", "heroine", "heroines", "heroism", "heron", "heronry", "herons", "herpes", "herring", "herringbone", "herrings", "hers", "herself", "hertz", "hesitancy", "hesitant", "hesitantly", "hesitate", "hesitated", "hesitates", "hesitating", "hesitatingly", "hesitation", "hesitations", "heterodox", "heterodoxy", "heterogeneity", "heterogeneous", "heterologous", "heterosexist", "heterosexual", "heterosexuality", "heterosexually", "heterosexuals", "heterozygous", "heuristic", "heuristically", "heuristics", "hew", "hewed", "hewer", "hewing", "hewn", "hex", "hexadecimal", "hexagon", "hexagonal", "hexagons", "hexagram", "hexagrams", "hexameter", "hexane", "hexed", "hey", "heyday", "heydays", "hi", "hiatus", "hiatuses", "hibernal", "hibernate", "hibernating", "hibernation", "hibiscus", "hic", "hiccough", "hiccup", "hiccups", "hickory", "hid", "hidden", "hide", "hideandseek", "hideaway", "hideaways", "hidebound", "hideous", "hideously", "hideousness", "hideout", "hideouts", "hider", "hides", "hiding", "hidings", "hierarch", "hierarchic", "hierarchical", "hierarchically", "hierarchies", "hierarchy", "hieratic", "hieroglyph", "hieroglyphic", "hieroglyphics", "hieroglyphs", "higgledypiggledy", "high", "highbrow", "higher", "highest", "highhandedness", "highheeled", "highish", "highjack", "highland", "highlander", "highlanders", "highlands", "highlight", "highlighted", "highlighter", "highlighting", "highlights", "highly", "highness", "highpitched", "highpoint", "highranking", "highs", "highspirited", "hight", "highway", "highwayman", "highwaymen", "highways", "hijack", "hijacked", "hijacker", "hijackers", "hijacking", "hijackings", "hijacks", "hike", "hiked", "hiker", "hikers", "hikes", "hiking", "hilarious", "hilariously", "hilarity", "hill", "hilled", "hillier", "hilliest", "hillman", "hillock", "hillocks", "hillocky", "hills", "hillside", "hillsides", "hilltop", "hilltops", "hillwalking", "hilly", "hilt", "hilts", "him", "himself", "hind", "hindbrain", "hinder", "hindered", "hinderer", "hindering", "hinders", "hindmost", "hindquarters", "hindrance", "hindrances", "hindsight", "hindu", "hinduism", "hinge", "hinged", "hinges", "hinnies", "hinny", "hint", "hinted", "hinterland", "hinterlands", "hinting", "hints", "hip", "hipbone", "hippie", "hippies", "hippo", "hippocampus", "hippodrome", "hippopotamus", "hippy", "hips", "hipster", "hipsters", "hire", "hired", "hireling", "hirer", "hires", "hiring", "hirings", "hirsute", "hirsuteness", "his", "hispanic", "hiss", "hissed", "hisses", "hissing", "hissings", "histamine", "histogram", "histograms", "histological", "histologically", "histologists", "histology", "historian", "historians", "historic", "historical", "historically", "historicist", "histories", "historiographical", "historiography", "history", "histrionic", "histrionics", "hit", "hitandrun", "hitch", "hitched", "hitcher", "hitches", "hitchhike", "hitchhiked", "hitchhiker", "hitchhikers", "hitchhiking", "hitching", "hither", "hitherto", "hitler", "hits", "hittable", "hitters", "hitting", "hive", "hived", "hives", "hiving", "hmm", "ho", "hoar", "hoard", "hoarded", "hoarder", "hoarders", "hoarding", "hoardings", "hoards", "hoarfrost", "hoarse", "hoarsely", "hoarseness", "hoarser", "hoary", "hoax", "hoaxed", "hoaxer", "hoaxers", "hoaxes", "hoaxing", "hob", "hobbies", "hobbit", "hobble", "hobbled", "hobbles", "hobbling", "hobby", "hobbyist", "hobbyists", "hobgoblin", "hobgoblins", "hobnailed", "hobnails", "hobo", "hobs", "hock", "hockey", "hocks", "hocus", "hocuspocus", "hod", "hoe", "hoed", "hoeing", "hoes", "hog", "hogg", "hogged", "hogger", "hogging", "hoggs", "hogs", "hogwash", "hoist", "hoisted", "hoisting", "hoists", "hold", "holdable", "holdall", "holdalls", "holder", "holders", "holding", "holdings", "holdout", "holds", "holdup", "holdups", "hole", "holed", "holeinone", "holes", "holiday", "holidaying", "holidaymaker", "holidaymakers", "holidays", "holier", "holies", "holiest", "holily", "holiness", "holing", "holism", "holistic", "holistically", "holland", "holler", "hollered", "hollies", "hollow", "hollowed", "hollowly", "hollowness", "hollows", "holly", "hollyhocks", "holmes", "holocaust", "holocausts", "hologram", "holograms", "holographic", "holography", "holster", "holsters", "holy", "homage", "homages", "hombre", "home", "homecoming", "homecomings", "homed", "homeland", "homelands", "homeless", "homelessness", "homelier", "homeliness", "homely", "homemade", "homeowner", "homeowners", "homes", "homesick", "homesickness", "homespun", "homestead", "homesteads", "homeward", "homewardbound", "homewards", "homework", "homicidal", "homicide", "homicides", "homiest", "homilies", "homily", "homing", "hominid", "hominids", "homoeopathic", "homoeopathy", "homogenates", "homogeneity", "homogeneous", "homogeneously", "homogenisation", "homogenise", "homogenised", "homogenising", "homological", "homologies", "homologous", "homologue", "homologues", "homology", "homomorphism", "homomorphisms", "homonym", "homonyms", "homophobes", "homophobia", "homophobic", "homophones", "homophony", "homosexual", "homosexuality", "homosexually", "homosexuals", "homotopy", "homozygous", "homunculus", "homy", "hone", "honed", "hones", "honest", "honestly", "honesty", "honey", "honeybee", "honeycomb", "honeycombed", "honeycombing", "honeydew", "honeyed", "honeymoon", "honeymooners", "honeymoons", "honeysuckle", "honeysuckles", "honing", "honk", "honking", "honks", "honorarium", "honorary", "honorific", "honors", "honour", "honourable", "honourably", "honoured", "honouring", "honours", "honshu", "hood", "hooded", "hoodlum", "hoodlums", "hoods", "hoodwink", "hoodwinked", "hoodwinking", "hoof", "hoofs", "hook", "hookah", "hooked", "hooker", "hookers", "hooking", "hooknosed", "hooks", "hooky", "hooligan", "hooliganism", "hooligans", "hoop", "hooped", "hoops", "hooray", "hoot", "hooted", "hooter", "hooters", "hooting", "hoots", "hoover", "hoovered", "hoovering", "hooves", "hop", "hope", "hoped", "hopeful", "hopefully", "hopefulness", "hopefuls", "hopeless", "hopelessly", "hopelessness", "hopes", "hoping", "hopped", "hopper", "hoppers", "hopping", "hops", "horde", "hordes", "horizon", "horizons", "horizontal", "horizontally", "horizontals", "hormonal", "hormonally", "hormone", "hormones", "horn", "hornbeam", "hornbills", "horned", "hornet", "hornets", "hornpipe", "hornpipes", "horns", "horny", "horoscope", "horoscopes", "horrendous", "horrendously", "horrible", "horribly", "horrid", "horridly", "horrific", "horrifically", "horrified", "horrifies", "horrify", "horrifying", "horrifyingly", "horror", "horrors", "horrorstricken", "horse", "horseback", "horsebox", "horseflesh", "horsefly", "horsehair", "horseless", "horseman", "horsemen", "horseplay", "horsepower", "horseradish", "horses", "horseshoe", "horseshoes", "horsewhip", "horsewhipped", "horsey", "horsing", "horticultural", "horticulture", "horticulturist", "horticulturists", "hosanna", "hosannas", "hose", "hosed", "hosepipe", "hoses", "hosier", "hosiery", "hosing", "hospice", "hospices", "hospitable", "hospitably", "hospital", "hospitalisation", "hospitalised", "hospitality", "hospitals", "host", "hosta", "hostage", "hostages", "hosted", "hostel", "hostelries", "hostelry", "hostels", "hostess", "hostesses", "hostile", "hostilely", "hostilities", "hostility", "hosting", "hostler", "hosts", "hot", "hotair", "hotbed", "hotbeds", "hotblooded", "hotchpotch", "hotdog", "hotdogs", "hotel", "hotelier", "hoteliers", "hotels", "hotheaded", "hotheads", "hothouse", "hothouses", "hotline", "hotly", "hotness", "hotplate", "hotplates", "hotpot", "hotrod", "hotspot", "hotspots", "hottempered", "hotter", "hottest", "hotting", "hound", "hounded", "hounding", "hounds", "hour", "hourglass", "hourly", "hours", "house", "houseboat", "houseboats", "housebound", "housebreaker", "housebreakers", "housebreaking", "housebuilder", "housebuilders", "housebuilding", "housebuyers", "housed", "houseflies", "houseful", "household", "householder", "householders", "households", "househunting", "housekeeper", "housekeepers", "housekeeping", "housemaid", "housemaids", "houseroom", "houses", "housewife", "housewives", "housework", "housing", "housings", "houston", "hove", "hovel", "hovels", "hover", "hovercraft", "hovered", "hoverer", "hovering", "hovers", "how", "howdy", "however", "howitzer", "howitzers", "howl", "howled", "howler", "howlers", "howling", "howlings", "howls", "howsoever", "hub", "hubbies", "hubbub", "hubby", "hubcap", "hubcaps", "hubris", "hubristic", "hubs", "huckleberry", "huddle", "huddled", "huddles", "huddling", "hue", "hues", "huff", "huffed", "huffily", "huffing", "huffy", "hug", "huge", "hugely", "hugeness", "hugged", "hugging", "hugs", "huguenot", "huh", "hulk", "hulking", "hulks", "hull", "hullabaloo", "hulled", "hullo", "hulls", "hum", "human", "humane", "humanely", "humaner", "humanise", "humanised", "humanising", "humanism", "humanist", "humanistic", "humanists", "humanitarian", "humanitarianism", "humanities", "humanity", "humankind", "humanly", "humanness", "humanoid", "humanoids", "humans", "humble", "humbled", "humbleness", "humbler", "humbles", "humblest", "humbling", "humbly", "humbug", "humbugs", "humdrum", "humerus", "humid", "humidifier", "humidifiers", "humidity", "humify", "humiliate", "humiliated", "humiliates", "humiliating", "humiliatingly", "humiliation", "humiliations", "humility", "hummable", "hummed", "hummer", "humming", "hummingbird", "hummingbirds", "hummock", "hummocks", "hummocky", "humorist", "humorous", "humorously", "humour", "humoured", "humouring", "humourless", "humours", "hump", "humpback", "humped", "humping", "humps", "hums", "humus", "hunch", "hunchback", "hunchbacked", "hunched", "hunches", "hunching", "hundred", "hundredfold", "hundreds", "hundredth", "hundredths", "hundredweight", "hundredweights", "hung", "hungary", "hunger", "hungered", "hungering", "hungers", "hungrier", "hungriest", "hungrily", "hungry", "hunk", "hunkers", "hunks", "hunt", "hunted", "hunter", "huntergatherer", "huntergatherers", "hunters", "hunting", "hunts", "huntsman", "huntsmen", "hurdle", "hurdled", "hurdler", "hurdlers", "hurdles", "hurl", "hurled", "hurling", "hurls", "hurlyburly", "hurrah", "hurrahs", "hurray", "hurricane", "hurricanes", "hurried", "hurriedly", "hurries", "hurry", "hurrying", "hurt", "hurtful", "hurting", "hurtle", "hurtled", "hurtles", "hurtling", "hurts", "husband", "husbandman", "husbandmen", "husbandry", "husbands", "hush", "hushed", "hushes", "hushhush", "hushing", "husk", "husked", "huskier", "huskies", "huskiest", "huskily", "husks", "husky", "hussies", "hussy", "hustings", "hustle", "hustled", "hustler", "hustlers", "hustles", "hustling", "hut", "hutch", "hutches", "huts", "hyacinth", "hyacinths", "hyaena", "hyaenas", "hybrid", "hybridisation", "hybridised", "hybrids", "hydra", "hydrangea", "hydrangeas", "hydrant", "hydrants", "hydrate", "hydrated", "hydration", "hydraulic", "hydraulically", "hydraulics", "hydrazine", "hydride", "hydro", "hydrocarbon", "hydrocarbons", "hydrochloric", "hydrochloride", "hydrodynamic", "hydrodynamical", "hydrodynamics", "hydroelectric", "hydroelectricity", "hydrofluoric", "hydrofoil", "hydrofoils", "hydrogen", "hydrogenated", "hydrogenation", "hydrographer", "hydrographic", "hydrological", "hydrologically", "hydrologists", "hydrology", "hydrolysis", "hydromagnetic", "hydromechanics", "hydrophobia", "hydrophobic", "hydroponically", "hydrosphere", "hydrostatic", "hydrostatics", "hydrothermal", "hydrous", "hydroxide", "hydroxides", "hyena", "hyenas", "hygiene", "hygienic", "hygienically", "hygienist", "hygienists", "hygroscopic", "hymen", "hymens", "hymn", "hymnal", "hymnbook", "hymns", "hype", "hyperactive", "hyperactivity", "hyperbola", "hyperbolas", "hyperbole", "hyperbolic", "hyperboloid", "hyperboloids", "hypercholesterolaemia", "hypercube", "hypercubes", "hyperfine", "hyperinflation", "hypermarket", "hypermarkets", "hyperplane", "hyperplanes", "hypersensitive", "hypersensitiveness", "hypersensitivity", "hypersonic", "hyperspace", "hypersphere", "hypertension", "hypertext", "hypertonic", "hyperventilated", "hyperventilating", "hyperventilation", "hyphen", "hyphenate", "hyphenated", "hyphenates", "hyphenating", "hyphenation", "hyphenations", "hyphened", "hyphens", "hypnosis", "hypnotherapists", "hypnotherapy", "hypnotic", "hypnotically", "hypnotise", "hypnotised", "hypnotises", "hypnotising", "hypnotism", "hypnotist", "hypochondria", "hypochondriac", "hypochondriacal", "hypochondriacs", "hypocrisies", "hypocrisy", "hypocrite", "hypocrites", "hypocritical", "hypocritically", "hypodermic", "hypoglycaemia", "hypoglycaemic", "hypotension", "hypothalamus", "hypothermia", "hypotheses", "hypothesis", "hypothesise", "hypothesised", "hypothesiser", "hypothesises", "hypothesising", "hypothetical", "hypothetically", "hypoxia", "hyssop", "hysterectomy", "hysteresis", "hysteria", "hysteric", "hysterical", "hysterically", "hysterics", "iambic", "iambus", "iatrogenic", "iberia", "iberian", "ibex", "ibexes", "ibis", "ibises", "ibsen", "icarus", "ice", "iceage", "iceberg", "icebergs", "icebox", "icecap", "icecold", "icecream", "iced", "iceland", "iceman", "icepack", "icepick", "icepicks", "ices", "iceskate", "iceskating", "ichneumon", "icicle", "icicles", "icier", "iciest", "icily", "iciness", "icing", "icings", "icon", "iconic", "iconoclasm", "iconoclast", "iconoclastic", "iconoclasts", "iconographic", "iconographical", "iconography", "icons", "icosahedra", "icosahedral", "icosahedron", "icy", "id", "idaho", "idea", "ideal", "idealisation", "idealisations", "idealise", "idealised", "idealises", "idealising", "idealism", "idealist", "idealistic", "idealistically", "idealists", "ideality", "ideally", "ideals", "ideas", "idem", "identical", "identically", "identifiable", "identifiably", "identification", "identifications", "identified", "identifier", "identifiers", "identifies", "identify", "identifying", "identities", "identity", "ideograms", "ideographic", "ideographs", "ideological", "ideologically", "ideologies", "ideologist", "ideologists", "ideologue", "ideologues", "ideology", "ides", "idiocies", "idiocy", "idiolect", "idiom", "idiomatic", "idiomatically", "idioms", "idiopathic", "idiosyncrasies", "idiosyncrasy", "idiosyncratic", "idiosyncratically", "idiot", "idiotic", "idiotically", "idiots", "idle", "idled", "idleness", "idler", "idlers", "idles", "idlest", "idling", "idly", "idol", "idolaters", "idolatrous", "idolatry", "idolisation", "idolise", "idolised", "idols", "ids", "idyll", "idyllic", "idyllically", "if", "ifs", "igloo", "igloos", "iglu", "igneous", "ignite", "ignited", "igniter", "ignites", "igniting", "ignition", "ignoble", "ignobly", "ignominious", "ignominiously", "ignominy", "ignorable", "ignoramus", "ignoramuses", "ignorance", "ignorant", "ignorantly", "ignore", "ignored", "ignores", "ignoring", "iguana", "iguanas", "ileum", "iliad", "ilk", "ill", "illadvised", "illbehaved", "illconceived", "illdefined", "illegal", "illegalities", "illegality", "illegally", "illegibility", "illegible", "illegibly", "illegitimacy", "illegitimate", "illegitimately", "illequipped", "illfated", "illfavoured", "illhumoured", "illiberal", "illicit", "illicitly", "illimitable", "illinformed", "illinois", "illiquid", "illiteracy", "illiterate", "illiterates", "illmannered", "illness", "illnesses", "illogic", "illogical", "illogicality", "illogically", "ills", "illtempered", "illtreated", "illuminant", "illuminate", "illuminated", "illuminates", "illuminating", "illumination", "illuminations", "illumine", "illusion", "illusionist", "illusionists", "illusions", "illusive", "illusory", "illustrate", "illustrated", "illustrates", "illustrating", "illustration", "illustrations", "illustrative", "illustrator", "illustrators", "illustrious", "ilmenite", "im", "image", "imaged", "imagery", "images", "imaginable", "imaginary", "imagination", "imaginations", "imaginative", "imaginatively", "imagine", "imagined", "imagines", "imaging", "imagining", "imaginings", "imago", "imam", "imams", "imbalance", "imbalanced", "imbalances", "imbecile", "imbeciles", "imbecilic", "imbecilities", "imbecility", "imbedded", "imbeds", "imbibe", "imbibed", "imbiber", "imbibers", "imbibing", "imbroglio", "imbue", "imbued", "imitate", "imitated", "imitates", "imitating", "imitation", "imitations", "imitative", "imitator", "imitators", "immaculate", "immaculately", "immanence", "immanent", "immanently", "immaterial", "immature", "immaturely", "immaturity", "immeasurable", "immeasurably", "immediacy", "immediate", "immediately", "immediateness", "immemorial", "immense", "immensely", "immenseness", "immensities", "immensity", "immerse", "immersed", "immerses", "immersing", "immersion", "immigrant", "immigrants", "immigrate", "immigrated", "immigrating", "immigration", "immigrations", "imminence", "imminent", "imminently", "immiscible", "immobile", "immobilisation", "immobilise", "immobilised", "immobiliser", "immobilises", "immobilising", "immobility", "immoderate", "immoderately", "immodest", "immolate", "immolated", "immolation", "immoral", "immorality", "immorally", "immortal", "immortalised", "immortality", "immortally", "immortals", "immovability", "immovable", "immoveable", "immune", "immunisation", "immunisations", "immunise", "immunised", "immunises", "immunities", "immunity", "immunoassay", "immunocompromised", "immunodeficiency", "immunological", "immunologically", "immunologist", "immunologists", "immunology", "immunosuppression", "immunosuppressive", "immured", "immutability", "immutable", "immutably", "imp", "impact", "impacted", "impacting", "impaction", "impacts", "impair", "impaired", "impairing", "impairment", "impairments", "impairs", "impala", "impalas", "impale", "impaled", "impaler", "impales", "impaling", "impalpable", "impart", "imparted", "impartial", "impartiality", "impartially", "imparting", "imparts", "impassable", "impasse", "impassioned", "impassive", "impassively", "impassiveness", "impassivity", "impatience", "impatient", "impatiently", "impeach", "impeached", "impeaches", "impeachment", "impeachments", "impeccable", "impeccably", "impecunious", "impedance", "impede", "impeded", "impedes", "impediment", "impedimenta", "impediments", "impeding", "impel", "impelled", "impelling", "impels", "impend", "impending", "impenetrability", "impenetrable", "impenetrably", "imperative", "imperatively", "imperatives", "imperceptible", "imperceptibly", "imperfect", "imperfection", "imperfections", "imperfectly", "imperial", "imperialism", "imperialist", "imperialistic", "imperialists", "imperially", "imperil", "imperilled", "imperious", "imperiously", "imperiousness", "imperishable", "imperium", "impermanence", "impermanent", "impermeability", "impermeable", "impermissible", "impersonal", "impersonality", "impersonally", "impersonate", "impersonated", "impersonates", "impersonating", "impersonation", "impersonations", "impersonator", "impersonators", "impertinence", "impertinent", "impertinently", "imperturbability", "imperturbable", "imperturbably", "impervious", "impetuosity", "impetuous", "impetuously", "impetus", "impi", "impiety", "impinge", "impinged", "impingement", "impinges", "impinging", "impious", "impish", "impishly", "impishness", "implacable", "implacably", "implant", "implantation", "implanted", "implanting", "implants", "implausibility", "implausible", "implausibly", "implement", "implementable", "implementation", "implementations", "implemented", "implementer", "implementers", "implementing", "implements", "implicate", "implicated", "implicates", "implicating", "implication", "implications", "implicit", "implicitly", "implied", "impliedly", "implies", "implode", "imploded", "implodes", "imploding", "implore", "implored", "implores", "imploring", "imploringly", "implosion", "imply", "implying", "impolite", "impoliteness", "impolitic", "imponderable", "imponderables", "import", "importable", "importance", "important", "importantly", "importation", "imported", "importer", "importers", "importing", "imports", "importunate", "importunately", "importune", "importuned", "importunity", "imposable", "impose", "imposed", "imposes", "imposing", "imposition", "impositions", "impossibilities", "impossibility", "impossible", "impossibly", "imposter", "imposters", "impostor", "impostors", "impotence", "impotency", "impotent", "impotently", "impound", "impounded", "impounding", "impoverish", "impoverished", "impoverishing", "impoverishment", "impracticability", "impracticable", "impractical", "impracticalities", "impracticality", "impractically", "imprecation", "imprecations", "imprecise", "imprecisely", "impreciseness", "imprecision", "impregnable", "impregnably", "impregnate", "impregnated", "impregnating", "impregnation", "impresario", "impress", "impressed", "impresses", "impressing", "impression", "impressionable", "impressionism", "impressionist", "impressionistic", "impressionists", "impressions", "impressive", "impressively", "impressiveness", "imprimatur", "imprint", "imprinted", "imprinting", "imprints", "imprison", "imprisoned", "imprisoning", "imprisonment", "imprisonments", "imprisons", "improbabilities", "improbability", "improbable", "improbably", "impromptu", "improper", "improperly", "improprieties", "impropriety", "improvable", "improve", "improved", "improvement", "improvements", "improver", "improves", "improvidence", "improvident", "improving", "improvisation", "improvisational", "improvisations", "improvisatory", "improvise", "improvised", "improvises", "improvising", "imprudence", "imprudent", "imprudently", "imps", "impudence", "impudent", "impudently", "impugn", "impugnable", "impugned", "impugning", "impulse", "impulses", "impulsion", "impulsive", "impulsively", "impulsiveness", "impunity", "impure", "impurities", "impurity", "imputation", "imputations", "impute", "imputed", "imputing", "in", "inabilities", "inability", "inaccessibility", "inaccessible", "inaccuracies", "inaccuracy", "inaccurate", "inaccurately", "inaction", "inactivated", "inactivating", "inactivation", "inactive", "inactivity", "inadequacies", "inadequacy", "inadequate", "inadequately", "inadmissible", "inadvertence", "inadvertent", "inadvertently", "inadvisability", "inadvisable", "inadvisedly", "inalienable", "inane", "inanely", "inanimate", "inanities", "inanity", "inapplicability", "inapplicable", "inappropriate", "inappropriately", "inappropriateness", "inaptly", "inarticulacy", "inarticulate", "inarticulateness", "inasmuch", "inattention", "inattentive", "inattentively", "inaudibility", "inaudible", "inaudibly", "inaugural", "inaugurate", "inaugurated", "inaugurates", "inaugurating", "inauguration", "inauspicious", "inauspiciously", "inauthenticity", "inboard", "inborn", "inbound", "inbred", "inbreeding", "inbuilt", "inca", "incalculable", "incalculably", "incandescence", "incandescent", "incandescently", "incant", "incantation", "incantations", "incantatory", "incapability", "incapable", "incapacitate", "incapacitated", "incapacitates", "incapacitating", "incapacitation", "incapacity", "incarcerated", "incarcerating", "incarceration", "incarnate", "incarnated", "incarnation", "incarnations", "incas", "incased", "incautious", "incautiously", "incendiaries", "incendiary", "incense", "incensed", "incenses", "incensing", "incentive", "incentives", "inception", "incessant", "incessantly", "incest", "incests", "incestuous", "incestuousness", "inch", "inched", "inches", "inching", "inchoate", "incidence", "incidences", "incident", "incidental", "incidentally", "incidents", "incinerate", "incinerated", "incinerates", "incinerating", "incineration", "incinerator", "incinerators", "incipient", "incised", "incision", "incisions", "incisive", "incisively", "incisiveness", "incisor", "incisors", "incite", "incited", "incitement", "incitements", "inciter", "inciters", "incites", "inciting", "inclemency", "inclement", "inclination", "inclinations", "incline", "inclined", "inclines", "inclining", "include", "included", "includes", "including", "inclusion", "inclusions", "inclusive", "inclusively", "inclusiveness", "incognito", "incoherence", "incoherency", "incoherent", "incoherently", "incombustible", "income", "incomer", "incomers", "incomes", "incoming", "incommensurable", "incommoding", "incommunicable", "incommunicado", "incomparable", "incomparably", "incompatibilities", "incompatibility", "incompatible", "incompatibly", "incompetence", "incompetent", "incompetently", "incompetents", "incomplete", "incompletely", "incompleteness", "incomprehensibility", "incomprehensible", "incomprehensibly", "incomprehension", "incompressible", "inconceivable", "inconceivably", "inconclusive", "inconclusively", "incongruities", "incongruity", "incongruous", "incongruously", "inconsequential", "inconsequentially", "inconsiderable", "inconsiderate", "inconsiderately", "inconsiderateness", "inconsistencies", "inconsistency", "inconsistent", "inconsistently", "inconsolable", "inconsolably", "inconspicuous", "inconspicuously", "inconspicuousness", "inconstancy", "inconstant", "incontestable", "incontestably", "incontinence", "incontinent", "incontinently", "incontrovertible", "incontrovertibly", "inconvenience", "inconvenienced", "inconveniences", "inconveniencing", "inconvenient", "inconveniently", "incorporable", "incorporate", "incorporated", "incorporates", "incorporating", "incorporation", "incorrect", "incorrectly", "incorrectness", "incorrigible", "incorrigibly", "incorruptible", "increase", "increased", "increases", "increasing", "increasingly", "incredible", "incredibly", "incredulity", "incredulous", "incredulously", "increment", "incremental", "incrementally", "incrementation", "incremented", "incrementing", "increments", "incriminate", "incriminated", "incriminates", "incriminating", "incrimination", "incubate", "incubated", "incubating", "incubation", "incubations", "incubator", "incubators", "inculcate", "inculcated", "inculcating", "inculcation", "incumbency", "incumbent", "incumbents", "incur", "incurable", "incurably", "incuriously", "incurred", "incurring", "incurs", "incursion", "incursions", "indaba", "indebted", "indebtedness", "indecency", "indecent", "indecently", "indecipherable", "indecision", "indecisive", "indecisively", "indecisiveness", "indeclinable", "indecorous", "indeed", "indefatigable", "indefeasible", "indefensible", "indefinable", "indefinably", "indefinite", "indefinitely", "indelible", "indelibly", "indelicacy", "indelicate", "indemnified", "indemnify", "indemnities", "indemnity", "indent", "indentation", "indentations", "indented", "indenting", "indents", "indentures", "independence", "independent", "independently", "independents", "indepth", "indescribable", "indescribably", "indestructibility", "indestructible", "indeterminable", "indeterminacy", "indeterminate", "index", "indexation", "indexed", "indexer", "indexers", "indexes", "indexing", "india", "indian", "indiana", "indians", "indicant", "indicants", "indicate", "indicated", "indicates", "indicating", "indication", "indications", "indicative", "indicator", "indicators", "indices", "indict", "indictable", "indicted", "indicting", "indictment", "indictments", "indicts", "indifference", "indifferent", "indifferently", "indigenous", "indigestible", "indigestion", "indignant", "indignantly", "indignation", "indignities", "indignity", "indigo", "indirect", "indirection", "indirections", "indirectly", "indirectness", "indiscipline", "indiscreet", "indiscreetly", "indiscretion", "indiscretions", "indiscriminate", "indiscriminately", "indispensability", "indispensable", "indispensably", "indispose", "indisposed", "indisposition", "indisputable", "indisputably", "indissoluble", "indissolubly", "indistinct", "indistinctly", "indistinctness", "indistinguishable", "indistinguishably", "indite", "individual", "individualised", "individualism", "individualist", "individualistic", "individualists", "individuality", "individually", "individuals", "individuation", "indivisibility", "indivisible", "indivisibly", "indoctrinate", "indoctrinated", "indoctrinates", "indoctrinating", "indoctrination", "indoctrinations", "indoctrinator", "indoctrinators", "indole", "indolence", "indolent", "indolently", "indomitable", "indoor", "indoors", "indorsed", "indorses", "indrawn", "indubitable", "indubitably", "induce", "induced", "inducement", "inducements", "induces", "inducible", "inducing", "induct", "inductance", "inducted", "induction", "inductions", "inductive", "inductively", "inductor", "inductors", "inducts", "indulge", "indulged", "indulgence", "indulgences", "indulgent", "indulgently", "indulger", "indulges", "indulging", "induna", "industrial", "industrialisation", "industrialise", "industrialised", "industrialising", "industrialism", "industrialist", "industrialists", "industrially", "industries", "industrious", "industriously", "industriousness", "industry", "inebriate", "inebriated", "inebriation", "inedible", "ineffable", "ineffective", "ineffectively", "ineffectiveness", "ineffectual", "ineffectually", "ineffectualness", "inefficiencies", "inefficiency", "inefficient", "inefficiently", "inelastic", "inelegance", "inelegant", "inelegantly", "ineligibility", "ineligible", "ineluctable", "ineluctably", "inept", "ineptitude", "ineptly", "ineptness", "inequalities", "inequality", "inequitable", "inequities", "inequity", "ineradicable", "ineradicably", "inert", "inertia", "inertial", "inertness", "inescapable", "inescapably", "inessential", "inestimable", "inestimably", "inevitability", "inevitable", "inevitably", "inexact", "inexactitude", "inexactitudes", "inexcusable", "inexcusably", "inexhaustible", "inexhaustibly", "inexorability", "inexorable", "inexorably", "inexpedient", "inexpensive", "inexpensively", "inexperience", "inexperienced", "inexpert", "inexpertly", "inexplicable", "inexplicably", "inexpressibility", "inexpressible", "inexpressibly", "inextensible", "inextinguishable", "inextricable", "inextricably", "infallibility", "infallible", "infallibly", "infamous", "infamously", "infamy", "infancy", "infant", "infanta", "infante", "infanticide", "infantile", "infantry", "infantryman", "infantrymen", "infants", "infarct", "infarction", "infarctions", "infatuate", "infatuated", "infatuation", "infatuations", "infeasibility", "infeasible", "infect", "infected", "infecting", "infection", "infections", "infectious", "infectiously", "infective", "infects", "infelicities", "infelicitous", "infelicitously", "infelicity", "infer", "inference", "inferences", "inferential", "inferentially", "inferior", "inferiority", "inferiors", "infernal", "infernally", "inferno", "inferred", "inferring", "infers", "infertile", "infertility", "infest", "infestation", "infestations", "infested", "infesting", "infests", "infidel", "infidelities", "infidelity", "infidels", "infield", "infighting", "infill", "infilling", "infiltrate", "infiltrated", "infiltrates", "infiltrating", "infiltration", "infiltrations", "infiltrator", "infiltrators", "infinite", "infinitely", "infinitesimal", "infinitesimally", "infinitesimals", "infinities", "infinitive", "infinitives", "infinitude", "infinity", "infirm", "infirmaries", "infirmary", "infirmities", "infirmity", "infix", "inflame", "inflamed", "inflames", "inflaming", "inflammable", "inflammation", "inflammatory", "inflatable", "inflate", "inflated", "inflates", "inflating", "inflation", "inflationary", "inflect", "inflected", "inflecting", "inflection", "inflectional", "inflections", "inflects", "inflexibility", "inflexible", "inflexibly", "inflexion", "inflexions", "inflict", "inflicted", "inflicter", "inflicting", "infliction", "inflictions", "inflicts", "inflow", "inflowing", "inflows", "influence", "influenced", "influences", "influencing", "influential", "influenza", "influx", "influxes", "info", "inform", "informal", "informality", "informally", "informant", "informants", "informatics", "information", "informational", "informative", "informatively", "informativeness", "informatory", "informed", "informer", "informers", "informing", "informs", "infra", "infraction", "infractions", "infrared", "infrastructural", "infrastructure", "infrastructures", "infrequency", "infrequent", "infrequently", "infringe", "infringed", "infringement", "infringements", "infringes", "infringing", "infuriate", "infuriated", "infuriates", "infuriating", "infuriatingly", "infuse", "infused", "infuses", "infusing", "infusion", "infusions", "ingathered", "ingenious", "ingeniously", "ingenuity", "ingenuous", "ingenuously", "ingenuousness", "ingest", "ingested", "ingesting", "ingestion", "inglorious", "ingoing", "ingot", "ingots", "ingrained", "ingrate", "ingratiate", "ingratiated", "ingratiating", "ingratiatingly", "ingratitude", "ingredient", "ingredients", "ingress", "ingression", "ingrown", "inhabit", "inhabitable", "inhabitant", "inhabitants", "inhabited", "inhabiting", "inhabits", "inhalant", "inhalation", "inhalations", "inhale", "inhaled", "inhaler", "inhalers", "inhales", "inhaling", "inherent", "inherently", "inherit", "inheritable", "inheritance", "inheritances", "inherited", "inheriting", "inheritor", "inheritors", "inherits", "inhibit", "inhibited", "inhibiting", "inhibition", "inhibitions", "inhibitor", "inhibitors", "inhibitory", "inhibits", "inhomogeneities", "inhomogeneity", "inhomogeneous", "inhospitable", "inhouse", "inhuman", "inhumane", "inhumanely", "inhumanities", "inhumanity", "inhumanly", "inimical", "inimitable", "inimitably", "iniquities", "iniquitous", "iniquitously", "iniquity", "initial", "initialisation", "initialisations", "initialise", "initialised", "initialises", "initialising", "initialled", "initially", "initials", "initiate", "initiated", "initiates", "initiating", "initiation", "initiations", "initiative", "initiatives", "initiator", "initiators", "inject", "injectable", "injected", "injecting", "injection", "injections", "injector", "injects", "injoke", "injokes", "injudicious", "injudiciously", "injunction", "injunctions", "injure", "injured", "injures", "injuries", "injuring", "injurious", "injuriously", "injury", "injustice", "injustices", "ink", "inked", "inkier", "inkiest", "inking", "inkling", "inklings", "inkpad", "inkpot", "inkpots", "inks", "inkstand", "inkstands", "inkwell", "inkwells", "inky", "inlaid", "inland", "inlaw", "inlaws", "inlay", "inlays", "inlet", "inlets", "inmate", "inmates", "inmost", "inn", "innards", "innate", "innately", "inner", "innermost", "innervation", "innings", "innkeeper", "innkeepers", "innocence", "innocent", "innocently", "innocents", "innocuous", "innocuousness", "innovate", "innovated", "innovating", "innovation", "innovations", "innovative", "innovatively", "innovator", "innovators", "innovatory", "inns", "innuendo", "innumerable", "innumerably", "innumeracy", "innumerate", "inoculate", "inoculated", "inoculates", "inoculating", "inoculation", "inoculations", "inoffensive", "inoperable", "inoperative", "inopportune", "inordinate", "inordinately", "inorganic", "input", "inputs", "inputting", "inquest", "inquests", "inquire", "inquired", "inquirer", "inquirers", "inquires", "inquiries", "inquiring", "inquiringly", "inquiry", "inquisition", "inquisitional", "inquisitions", "inquisitive", "inquisitively", "inquisitiveness", "inquisitor", "inquisitorial", "inquisitorially", "inquisitors", "inquorate", "inroad", "inroads", "inrush", "ins", "insalubrious", "insane", "insanely", "insanitary", "insanities", "insanity", "insatiable", "insatiably", "inscribe", "inscribed", "inscribing", "inscription", "inscriptions", "inscrutability", "inscrutable", "inscrutably", "insect", "insecticidal", "insecticide", "insecticides", "insectivores", "insectivorous", "insects", "insecure", "insecurely", "insecurities", "insecurity", "insemination", "insensibility", "insensible", "insensibly", "insensitive", "insensitively", "insensitivity", "inseparable", "inseparably", "insert", "inserted", "inserting", "insertion", "insertions", "inserts", "inset", "insets", "inshore", "inside", "insideout", "insider", "insiders", "insides", "insidious", "insidiously", "insight", "insightful", "insights", "insignia", "insignificance", "insignificant", "insignificantly", "insincere", "insincerely", "insincerity", "insinuate", "insinuated", "insinuating", "insinuatingly", "insinuation", "insinuations", "insipid", "insist", "insisted", "insistence", "insistent", "insistently", "insisting", "insists", "insofar", "insole", "insolence", "insolent", "insolently", "insolubility", "insoluble", "insolvencies", "insolvency", "insolvent", "insomnia", "insomniac", "insomniacs", "insouciance", "insouciant", "inspect", "inspected", "inspecting", "inspection", "inspections", "inspector", "inspectorate", "inspectorates", "inspectors", "inspects", "inspiration", "inspirational", "inspirations", "inspire", "inspired", "inspires", "inspiring", "instabilities", "instability", "install", "installable", "installation", "installations", "installed", "installer", "installers", "installing", "installs", "instalment", "instalments", "instance", "instanced", "instances", "instancy", "instant", "instantaneous", "instantaneously", "instantiate", "instantiated", "instantiates", "instantiating", "instantiation", "instantiations", "instantly", "instants", "instated", "instead", "instep", "insteps", "instigate", "instigated", "instigates", "instigating", "instigation", "instigator", "instigators", "instil", "instillation", "instilled", "instilling", "instills", "instils", "instinct", "instinctive", "instinctively", "instincts", "instinctual", "institute", "instituted", "institutes", "instituting", "institution", "institutional", "institutionalisation", "institutionalise", "institutionalised", "institutionalising", "institutionalism", "institutionally", "institutions", "instruct", "instructed", "instructing", "instruction", "instructional", "instructions", "instructive", "instructor", "instructors", "instructs", "instrument", "instrumental", "instrumentalist", "instrumentalists", "instrumentality", "instrumentally", "instrumentals", "instrumentation", "instrumented", "instruments", "insubordinate", "insubordination", "insubstantial", "insufferable", "insufferably", "insufficiency", "insufficient", "insufficiently", "insulant", "insular", "insularity", "insulate", "insulated", "insulates", "insulating", "insulation", "insulator", "insulators", "insulin", "insult", "insulted", "insulter", "insulting", "insultingly", "insults", "insuperable", "insupportable", "insurance", "insurances", "insure", "insured", "insurer", "insurers", "insures", "insurgency", "insurgent", "insurgents", "insuring", "insurmountable", "insurmountably", "insurrection", "insurrectionary", "insurrections", "intact", "intaglio", "intake", "intakes", "intangible", "intangibles", "integer", "integers", "integrability", "integrable", "integral", "integrally", "integrals", "integrand", "integrands", "integrate", "integrated", "integrates", "integrating", "integration", "integrationist", "integrations", "integrative", "integrator", "integrators", "integrity", "intellect", "intellects", "intellectual", "intellectualism", "intellectuality", "intellectually", "intellectuals", "intelligence", "intelligences", "intelligent", "intelligently", "intelligentsia", "intelligibility", "intelligible", "intelligibly", "intemperance", "intemperate", "intend", "intended", "intending", "intends", "intense", "intensely", "intensification", "intensified", "intensifies", "intensify", "intensifying", "intensities", "intensity", "intensive", "intensively", "intent", "intention", "intentional", "intentionality", "intentionally", "intentioned", "intentions", "intently", "intentness", "intents", "inter", "interact", "interacted", "interacting", "interaction", "interactional", "interactions", "interactive", "interactively", "interactiveness", "interacts", "interatomic", "interbank", "interbred", "interbreed", "interbreeding", "intercede", "interceded", "interceding", "intercept", "intercepted", "intercepting", "interception", "interceptions", "interceptor", "interceptors", "intercepts", "intercession", "intercessions", "interchange", "interchangeability", "interchangeable", "interchangeably", "interchanged", "interchanges", "interchanging", "intercity", "intercollegiate", "intercom", "intercommunicate", "intercommunication", "interconnect", "interconnected", "interconnectedness", "interconnecting", "interconnection", "interconnections", "interconnects", "intercontinental", "interconversion", "intercountry", "intercourse", "intercut", "interdenominational", "interdepartmental", "interdependence", "interdependency", "interdependent", "interdict", "interdicted", "interdisciplinary", "interest", "interested", "interestedly", "interesting", "interestingly", "interests", "interface", "interfaced", "interfaces", "interfacing", "interfere", "interfered", "interference", "interferences", "interferer", "interferes", "interfering", "interferometer", "interferometers", "interferometric", "interferometry", "interferon", "intergalactic", "interglacial", "intergovernmental", "interim", "interims", "interior", "interiors", "interject", "interjected", "interjecting", "interjection", "interjectional", "interjections", "interjects", "interlace", "interlaced", "interlacing", "interlap", "interleave", "interleaved", "interleaves", "interleaving", "interlingual", "interlinked", "interlock", "interlocked", "interlocking", "interlocks", "interlocutor", "interlocutors", "interlocutory", "interloper", "interlopers", "interlude", "interludes", "intermarriage", "intermarriages", "intermediaries", "intermediary", "intermediate", "intermediates", "interment", "interments", "interminable", "interminably", "intermingled", "intermingling", "intermission", "intermissions", "intermittent", "intermittently", "intermix", "intermixed", "intermixing", "intermolecular", "intern", "internal", "internalisation", "internalise", "internalised", "internalises", "internalising", "internally", "internals", "international", "internationalisation", "internationalised", "internationalism", "internationalist", "internationalists", "internationally", "internationals", "interned", "internees", "internet", "interning", "internment", "internments", "interns", "internuclear", "interocular", "interoperability", "interoperable", "interpellation", "interpenetration", "interpersonal", "interplanetary", "interplay", "interplays", "interpolatable", "interpolate", "interpolated", "interpolates", "interpolating", "interpolation", "interpolations", "interpose", "interposed", "interposes", "interposing", "interposition", "interpret", "interpretable", "interpretation", "interpretational", "interpretations", "interpretative", "interpreted", "interpreter", "interpreters", "interpreting", "interpretive", "interpretively", "interprets", "interracial", "interred", "interregnum", "interrelate", "interrelated", "interrelatedness", "interrelation", "interrelations", "interrelationship", "interrelationships", "interrogate", "interrogated", "interrogates", "interrogating", "interrogation", "interrogations", "interrogative", "interrogatively", "interrogatives", "interrogator", "interrogators", "interrogatory", "interrupt", "interrupted", "interruptibility", "interrupting", "interruption", "interruptions", "interrupts", "intersect", "intersected", "intersecting", "intersection", "intersections", "intersects", "intersperse", "interspersed", "intersperses", "interspersing", "interstellar", "interstices", "interstitial", "interstitially", "intertidal", "intertwine", "intertwined", "intertwining", "interval", "intervals", "intervene", "intervened", "intervenes", "intervening", "intervention", "interventionism", "interventionist", "interventions", "interview", "interviewed", "interviewee", "interviewees", "interviewer", "interviewers", "interviewing", "interviews", "interweaving", "interwoven", "intestacy", "intestate", "intestinal", "intestine", "intestines", "intifada", "intimacies", "intimacy", "intimate", "intimated", "intimately", "intimates", "intimating", "intimation", "intimations", "intimidate", "intimidated", "intimidates", "intimidating", "intimidation", "intimidatory", "into", "intolerable", "intolerably", "intolerance", "intolerant", "intonation", "intonational", "intonations", "intone", "intoned", "intones", "intoning", "intoxicant", "intoxicants", "intoxicate", "intoxicated", "intoxicating", "intoxication", "intracellular", "intractability", "intractable", "intractably", "intramural", "intramuscular", "intransigence", "intransigent", "intransitive", "intrauterine", "intravenous", "intravenously", "intrepid", "intrepidly", "intricacies", "intricacy", "intricate", "intricately", "intrigue", "intrigued", "intrigues", "intriguing", "intriguingly", "intrinsic", "intrinsically", "intro", "introduce", "introduced", "introduces", "introducing", "introduction", "introductions", "introductory", "introspection", "introspective", "introspectively", "introversion", "introvert", "introverted", "introverts", "intrude", "intruded", "intruder", "intruders", "intrudes", "intruding", "intrusion", "intrusions", "intrusive", "intrusiveness", "intuited", "intuition", "intuitionist", "intuitions", "intuitive", "intuitively", "intuitiveness", "inuit", "inuits", "inundate", "inundated", "inundation", "inure", "inured", "invade", "invaded", "invader", "invaders", "invades", "invading", "invalid", "invalidate", "invalidated", "invalidates", "invalidating", "invalidation", "invalided", "invalidity", "invalids", "invaluable", "invariable", "invariably", "invariance", "invariant", "invariants", "invasion", "invasions", "invasive", "invective", "invectives", "inveigh", "inveighing", "inveigle", "inveigled", "inveigler", "inveiglers", "inveigling", "invent", "invented", "inventing", "invention", "inventions", "inventive", "inventively", "inventiveness", "inventor", "inventories", "inventors", "inventory", "invents", "inverse", "inversely", "inverses", "inversion", "inversions", "invert", "invertebrate", "invertebrates", "inverted", "inverter", "inverters", "invertible", "inverting", "inverts", "invest", "invested", "investigate", "investigated", "investigates", "investigating", "investigation", "investigations", "investigative", "investigator", "investigators", "investigatory", "investing", "investiture", "investment", "investments", "investor", "investors", "invests", "inveterate", "invidious", "invigilate", "invigilated", "invigilating", "invigilator", "invigilators", "invigorate", "invigorated", "invigorating", "invigoratingly", "invincibility", "invincible", "inviolability", "inviolable", "inviolate", "inviscid", "invisibilities", "invisibility", "invisible", "invisibles", "invisibly", "invitation", "invitations", "invite", "invited", "invites", "inviting", "invitingly", "invocation", "invocations", "invoice", "invoiced", "invoices", "invoicing", "invokable", "invoke", "invoked", "invoker", "invokers", "invokes", "invoking", "involuntarily", "involuntary", "involute", "involution", "involutions", "involve", "involved", "involvement", "involvements", "involves", "involving", "invulnerability", "invulnerable", "inward", "inwardly", "inwardness", "inwards", "iodide", "iodine", "ion", "ionian", "ionic", "ionisation", "ionise", "ionised", "ionising", "ionosphere", "ionospheric", "ions", "iota", "iotas", "iran", "iranian", "iranians", "iraq", "iraqi", "iraqis", "irascibility", "irascible", "irascibly", "irate", "ire", "ireland", "iridescence", "iridescent", "iridium", "iris", "irises", "irish", "irishman", "irishmen", "irk", "irked", "irking", "irks", "irksome", "irksomeness", "iron", "ironage", "ironed", "ironic", "ironical", "ironically", "ironies", "ironing", "ironlady", "ironmonger", "ironmongers", "ironmongery", "irons", "ironstone", "ironwork", "ironworks", "irony", "irradiate", "irradiated", "irradiating", "irradiation", "irrational", "irrationalities", "irrationality", "irrationally", "irreconcilable", "irrecoverable", "irrecoverably", "irredeemable", "irredeemably", "irreducibility", "irreducible", "irreducibly", "irrefutable", "irregular", "irregularities", "irregularity", "irregularly", "irregulars", "irrelevance", "irrelevances", "irrelevancy", "irrelevant", "irrelevantly", "irreligious", "irremediable", "irremovable", "irreparable", "irreparably", "irreplaceable", "irrepressible", "irrepressibly", "irreproachable", "irreproachably", "irresistible", "irresistibly", "irresolute", "irresolutely", "irresolution", "irresolvable", "irrespective", "irrespectively", "irresponsibility", "irresponsible", "irresponsibly", "irretrievable", "irretrievably", "irreverence", "irreverent", "irreverently", "irreversibility", "irreversible", "irreversibly", "irrevocable", "irrevocably", "irrigate", "irrigated", "irrigating", "irrigation", "irritability", "irritable", "irritably", "irritant", "irritants", "irritate", "irritated", "irritatedly", "irritates", "irritating", "irritatingly", "irritation", "irritations", "irrupted", "irruption", "is", "isis", "islam", "islamic", "island", "islander", "islanders", "islands", "isle", "isles", "islet", "islets", "isms", "isnt", "isobar", "isobars", "isogram", "isolate", "isolated", "isolates", "isolating", "isolation", "isolationism", "isolationist", "isolator", "isolators", "isomer", "isomeric", "isomers", "isometric", "isometrically", "isometry", "isomorph", "isomorphic", "isomorphism", "isomorphisms", "isoperimetrical", "isosceles", "isostatic", "isothermal", "isothermally", "isotonic", "isotope", "isotopes", "isotopic", "isotropic", "isotropically", "isotropy", "israel", "israeli", "israelis", "issuable", "issuance", "issue", "issued", "issuer", "issuers", "issues", "issuing", "istanbul", "isthmus", "it", "italian", "italians", "italic", "italicisation", "italicise", "italicised", "italics", "italy", "itch", "itched", "itches", "itchier", "itchiest", "itching", "itchy", "item", "itemise", "itemised", "itemises", "itemising", "items", "iterate", "iterated", "iterates", "iterating", "iteration", "iterations", "iterative", "iteratively", "iterators", "itinerant", "itinerants", "itineraries", "itinerary", "itll", "its", "itself", "ive", "ivies", "ivories", "ivory", "ivy", "jab", "jabbed", "jabber", "jabbered", "jabbering", "jabbers", "jabbing", "jabs", "jack", "jackal", "jackals", "jackass", "jackasses", "jackboot", "jackbooted", "jackboots", "jackdaw", "jackdaws", "jacked", "jacket", "jackets", "jacking", "jackinthebox", "jackpot", "jackpots", "jacks", "jacob", "jacuzzi", "jade", "jaded", "jadedly", "jadedness", "jades", "jag", "jagged", "jaggedly", "jaguar", "jaguars", "jahweh", "jail", "jailbird", "jailed", "jailer", "jailers", "jailing", "jails", "jakarta", "jalopy", "jam", "jamaica", "jamaican", "jamb", "jamboree", "jambs", "james", "jammed", "jamming", "jams", "jangle", "jangled", "jangling", "jangly", "janitor", "janitors", "january", "janus", "jap", "japan", "jape", "japes", "japonica", "jar", "jargon", "jargons", "jarl", "jarred", "jarring", "jars", "jasmine", "jaundice", "jaundiced", "jaunt", "jaunted", "jauntier", "jauntiest", "jauntily", "jaunting", "jaunts", "jaunty", "java", "javelin", "javelins", "jaw", "jawbone", "jawbones", "jawed", "jawing", "jawline", "jaws", "jay", "jays", "jaywalk", "jaywalker", "jaywalking", "jazz", "jazzed", "jazzier", "jazziest", "jazzy", "jealous", "jealousies", "jealously", "jealousy", "jeans", "jeep", "jeeps", "jeer", "jeered", "jeering", "jeeringly", "jeerings", "jeers", "jehad", "jejune", "jejunum", "jell", "jellied", "jellies", "jellify", "jelly", "jellyfish", "jemmy", "jennets", "jeopardise", "jeopardised", "jeopardises", "jeopardising", "jeopardy", "jerboas", "jeremiah", "jericho", "jerk", "jerked", "jerkier", "jerkiest", "jerkily", "jerkin", "jerking", "jerkings", "jerkins", "jerks", "jerky", "jersey", "jerseys", "jest", "jested", "jester", "jesters", "jesting", "jestingly", "jests", "jesuit", "jesus", "jet", "jetlagged", "jetplane", "jetpropelled", "jets", "jetsam", "jetsetting", "jetted", "jetties", "jetting", "jettison", "jettisoned", "jettisoning", "jetty", "jew", "jewel", "jewelled", "jeweller", "jewellers", "jewellery", "jewelry", "jewels", "jewess", "jewish", "jews", "jewsharp", "jezebel", "jiffy", "jiggle", "jiggling", "jigs", "jigsaw", "jigsaws", "jihad", "jilt", "jilted", "jilting", "jilts", "jimmy", "jingle", "jingled", "jingles", "jingling", "jingo", "jingoism", "jingoistic", "jinked", "jinks", "jinx", "jinxed", "jinxes", "jitter", "jitters", "jittery", "jiujitsu", "jive", "jived", "jives", "job", "jobbing", "jobless", "joblessness", "jobs", "jock", "jockey", "jockeying", "jockeys", "jocular", "jocularity", "jocularly", "joey", "jog", "jogged", "jogger", "joggers", "jogging", "jogs", "john", "join", "joined", "joiner", "joiners", "joinery", "joining", "joins", "joint", "jointed", "jointing", "jointly", "joints", "jointures", "joist", "joists", "joke", "joked", "joker", "jokers", "jokes", "jokey", "jokier", "jokily", "joking", "jokingly", "jollier", "jolliest", "jollify", "jollily", "jollity", "jolly", "jolt", "jolted", "jolting", "jolts", "jonah", "jonathan", "joseph", "joshua", "jostle", "jostled", "jostles", "jostling", "jot", "jots", "jotted", "jotter", "jotting", "jottings", "joule", "joules", "journal", "journalese", "journalism", "journalist", "journalistic", "journalists", "journalled", "journalling", "journals", "journey", "journeyed", "journeyer", "journeying", "journeyman", "journeys", "joust", "jouster", "jousting", "jousts", "jovial", "joviality", "jovially", "jovian", "jowl", "jowls", "joy", "joyed", "joyful", "joyfully", "joyfulness", "joyless", "joylessness", "joyous", "joyously", "joyousness", "joyride", "joyrider", "joyriders", "joyriding", "joys", "joystick", "joysticks", "jubilant", "jubilantly", "jubilate", "jubilation", "jubilee", "jubilees", "judaic", "judaism", "judas", "judder", "juddered", "juddering", "judders", "judge", "judged", "judgement", "judgemental", "judgements", "judges", "judging", "judgment", "judgmental", "judgments", "judicature", "judicial", "judicially", "judiciaries", "judiciary", "judicious", "judiciously", "judo", "jug", "jugged", "juggernaut", "juggernauts", "juggle", "juggled", "juggler", "jugglers", "juggles", "juggling", "jugs", "jugular", "juice", "juices", "juicier", "juiciest", "juiciness", "juicy", "jukebox", "jukeboxes", "julep", "juleps", "july", "jumble", "jumbled", "jumbles", "jumbo", "jump", "jumped", "jumper", "jumpers", "jumpier", "jumpiest", "jumpiness", "jumping", "jumps", "jumpstart", "jumpstarting", "jumpsuit", "jumpy", "junction", "junctions", "juncture", "june", "jungle", "jungles", "junior", "juniority", "juniors", "juniper", "junk", "junker", "junket", "junkie", "junkies", "junkmail", "junks", "junkyard", "juno", "junta", "juntas", "jupiter", "jurassic", "juridic", "juridical", "juries", "jurisdiction", "jurisdictional", "jurisdictions", "jurisprudence", "jurisprudential", "jurist", "juristic", "jurists", "juror", "jurors", "jury", "juryman", "jurymen", "jussive", "just", "justice", "justices", "justifiability", "justifiable", "justifiably", "justification", "justifications", "justificatory", "justified", "justifies", "justify", "justifying", "justly", "justness", "jut", "jute", "juts", "jutted", "jutting", "juvenile", "juveniles", "juxtapose", "juxtaposed", "juxtaposes", "juxtaposing", "juxtaposition", "juxtapositions", "kaftan", "kaftans", "kaiser", "kalahari", "kale", "kaleidoscope", "kaleidoscopic", "kalif", "kamikaze", "kampala", "kampong", "kangaroo", "kangaroos", "kaolin", "karakul", "karaoke", "karate", "karma", "karst", "katydid", "kayak", "kayaks", "kebab", "kebabs", "kedgeree", "keel", "keeled", "keelhaul", "keeling", "keels", "keen", "keener", "keenest", "keening", "keenly", "keenness", "keep", "keeper", "keepers", "keeping", "keeps", "keepsake", "keepsakes", "keg", "kegs", "kelp", "kelpers", "kelt", "kelts", "kelvin", "ken", "kennedy", "kennel", "kennelled", "kennels", "kent", "kentucky", "kenya", "kenyan", "kept", "keratin", "kerb", "kerbs", "kerbside", "kerchief", "kerned", "kernel", "kernels", "kerning", "kerosene", "kestrel", "kestrels", "ketch", "ketchup", "kettle", "kettleful", "kettles", "key", "keyboard", "keyboardist", "keyboards", "keyed", "keyhole", "keyholes", "keying", "keynote", "keynotes", "keypad", "keypads", "keyring", "keys", "keystone", "keystones", "keystroke", "keystrokes", "keyword", "keywords", "khaki", "khalif", "khan", "khans", "khoikhoi", "khoisan", "kibbutz", "kick", "kickback", "kicked", "kicker", "kicking", "kicks", "kickstart", "kickstarted", "kickstarting", "kickstarts", "kid", "kidded", "kiddie", "kidding", "kidnap", "kidnapped", "kidnapper", "kidnappers", "kidnapping", "kidnappings", "kidnaps", "kidney", "kidneys", "kidneyshaped", "kids", "kiev", "kill", "killed", "killer", "killers", "killing", "killings", "killjoy", "killjoys", "kills", "kiln", "kilns", "kilo", "kilobits", "kilobyte", "kilobytes", "kilohertz", "kilojoules", "kilometre", "kilometres", "kiloton", "kilotons", "kilovolt", "kilowatt", "kilowatts", "kilt", "kilted", "kilter", "kilts", "kimono", "kin", "kina", "kinase", "kind", "kinder", "kindergarten", "kindergartens", "kindest", "kindhearted", "kindheartedness", "kindle", "kindled", "kindles", "kindlier", "kindliest", "kindliness", "kindling", "kindly", "kindness", "kindnesses", "kindred", "kinds", "kinematic", "kinematics", "kinetic", "kinetically", "kinetics", "kinfolk", "king", "kingdom", "kingdoms", "kingfisher", "kingfishers", "kingly", "kingpin", "kings", "kingship", "kingsize", "kingsized", "kink", "kinked", "kinks", "kinky", "kinsfolk", "kinshasa", "kinship", "kinsman", "kinsmen", "kinswoman", "kiosk", "kiosks", "kipper", "kippers", "kirk", "kismet", "kiss", "kissed", "kisser", "kisses", "kissing", "kit", "kitbag", "kitbags", "kitchen", "kitchenette", "kitchens", "kitchenware", "kite", "kites", "kith", "kits", "kitsch", "kitted", "kitten", "kittenish", "kittens", "kitting", "kittiwakes", "kitty", "kiwi", "kiwis", "klaxon", "klaxons", "kleptomania", "kleptomaniac", "kleptomaniacs", "klick", "kloof", "knack", "knacker", "knackers", "knacks", "knapsack", "knapsacks", "knave", "knavery", "knaves", "knavish", "knead", "kneaded", "kneading", "kneads", "knee", "kneecap", "kneecaps", "kneed", "kneedeep", "kneel", "kneeled", "kneeler", "kneeling", "kneels", "knees", "knell", "knelt", "knesset", "knew", "knickers", "knife", "knifed", "knifepoint", "knifes", "knifing", "knight", "knighted", "knighthood", "knighthoods", "knightly", "knights", "knit", "knits", "knitted", "knitter", "knitters", "knitting", "knitwear", "knives", "knob", "knobbly", "knobs", "knock", "knocked", "knocker", "knockers", "knocking", "knockings", "knockout", "knocks", "knoll", "knolls", "knot", "knots", "knotted", "knottier", "knottiest", "knotting", "knotty", "know", "knowable", "knowhow", "knowing", "knowingly", "knowledge", "knowledgeable", "knowledgeably", "known", "knows", "knuckle", "knuckled", "knuckleduster", "knuckledusters", "knuckles", "knuckling", "koala", "koalas", "kongo", "kookaburra", "koran", "korea", "korean", "koreans", "kosher", "kraal", "kraals", "kraft", "kremlin", "kriegspiel", "krill", "krypton", "kudu", "kudus", "kungfu", "kuwait", "kwacha", "kwachas", "laager", "lab", "label", "labelled", "labelling", "labellings", "labels", "labia", "labial", "labials", "labile", "labium", "laboratories", "laboratory", "laborious", "laboriously", "laboriousness", "labour", "laboured", "labourer", "labourers", "labouring", "labourintensive", "labours", "laboursaving", "labs", "laburnum", "labyrinth", "labyrinthine", "labyrinths", "lace", "laced", "lacerate", "lacerated", "lacerating", "laceration", "lacerations", "laces", "lacework", "laches", "lachrymal", "lachrymose", "lacier", "lacing", "lacings", "lack", "lackadaisical", "lacked", "lackey", "lackeys", "lacking", "lacklustre", "lacks", "laconic", "laconically", "lacquer", "lacquered", "lacquers", "lacrosse", "lacs", "lactate", "lactation", "lacteal", "lactic", "lactose", "lacuna", "lacunae", "lacunas", "lacy", "lad", "ladder", "laddered", "ladders", "laddie", "laddies", "lade", "laden", "ladies", "lading", "ladle", "ladled", "ladles", "ladling", "lads", "lady", "ladybird", "ladybirds", "ladybug", "ladylike", "ladyship", "ladyships", "lag", "lager", "lagers", "laggard", "laggards", "lagged", "lagging", "lagoon", "lagoons", "lagos", "lags", "lagune", "laid", "lain", "lair", "laird", "lairds", "lairs", "laissezfaire", "laity", "lake", "lakes", "lakeside", "lam", "lama", "lamas", "lamb", "lambasted", "lambasting", "lambda", "lambent", "lambing", "lambs", "lambskin", "lambswool", "lame", "lamed", "lamely", "lameness", "lament", "lamentable", "lamentably", "lamentation", "lamentations", "lamented", "lamenter", "lamenting", "laments", "lamest", "lamina", "laminar", "laminate", "laminated", "laminates", "lamination", "lamp", "lamplight", "lamplighter", "lamplit", "lampoon", "lampooned", "lampoonery", "lampooning", "lampoons", "lamppost", "lampposts", "lamprey", "lampreys", "lamps", "lampshade", "lampshades", "lance", "lanced", "lancelot", "lancer", "lancers", "lances", "lancet", "lancets", "lancing", "land", "landed", "lander", "landfall", "landfill", "landform", "landforms", "landholders", "landholding", "landholdings", "landing", "landings", "landladies", "landlady", "landless", "landlines", "landlocked", "landlord", "landlords", "landman", "landmark", "landmarks", "landmass", "landmine", "landowner", "landowners", "landowning", "lands", "landscape", "landscaped", "landscapes", "landscaping", "landside", "landslide", "landslides", "landslip", "landslips", "landward", "lane", "lanes", "language", "languages", "languid", "languidly", "languish", "languished", "languishes", "languishing", "languor", "languorous", "languorously", "lank", "lankier", "lankiest", "lanky", "lanolin", "lantern", "lanterns", "lanyard", "laos", "lap", "lapdog", "lapdogs", "lapel", "lapels", "lapful", "lapidary", "lapland", "lapp", "lapped", "lapping", "laps", "lapse", "lapsed", "lapses", "lapsing", "laptop", "laptops", "lapwing", "lapwings", "larceny", "larch", "larches", "lard", "larder", "larders", "lards", "large", "largely", "largeness", "larger", "largest", "largish", "largo", "lark", "larking", "larks", "larva", "larvae", "larval", "laryngeal", "laryngitis", "larynx", "larynxes", "las", "lasagne", "lascivious", "lasciviously", "lasciviousness", "lase", "laser", "lasers", "lash", "lashed", "lashers", "lashes", "lashing", "lashings", "lasing", "lass", "lasses", "lassie", "lassies", "lassitude", "lasso", "lassoed", "lassoing", "last", "lasted", "lasting", "lastly", "lasts", "latch", "latched", "latches", "latching", "late", "latecomer", "latecomers", "lately", "latencies", "latency", "lateness", "latent", "later", "lateral", "lateralisation", "laterally", "laterals", "latest", "latex", "lath", "lathe", "lather", "lathered", "lathers", "lathes", "laths", "latices", "latin", "latino", "latitude", "latitudes", "latitudinal", "latrine", "latrines", "latter", "lattice", "latticed", "lattices", "latvia", "latvian", "laud", "laudable", "laudatory", "lauded", "lauders", "lauding", "lauds", "laugh", "laughable", "laughably", "laughed", "laugher", "laughing", "laughingly", "laughs", "laughter", "launch", "launched", "launcher", "launchers", "launches", "launching", "launder", "laundered", "launderette", "launderettes", "laundering", "laundress", "laundrette", "laundrettes", "laundries", "laundry", "laureate", "laurel", "laurels", "lava", "lavas", "lavatorial", "lavatories", "lavatory", "lavender", "lavish", "lavished", "lavishes", "lavishing", "lavishly", "lavishness", "law", "lawabiding", "lawbreaker", "lawbreakers", "lawbreaking", "lawful", "lawfully", "lawfulness", "lawless", "lawlessness", "lawmaker", "lawmakers", "lawman", "lawmen", "lawn", "lawnmower", "lawnmowers", "lawns", "laws", "lawsuit", "lawsuits", "lawyer", "lawyers", "lax", "laxative", "laxatives", "laxer", "laxity", "laxness", "lay", "layabout", "layabouts", "layby", "laybys", "layer", "layered", "layering", "layers", "laying", "layman", "laymen", "layoff", "layoffs", "layout", "layouts", "layperson", "lays", "lazaret", "lazarus", "laze", "lazed", "lazier", "laziest", "lazily", "laziness", "lazing", "lazuli", "lazy", "lazybones", "lea", "leach", "leached", "leaches", "leaching", "lead", "leaded", "leaden", "leader", "leaderless", "leaders", "leadership", "leaderships", "leadfree", "leading", "leads", "leaf", "leafed", "leafier", "leafiest", "leafiness", "leafing", "leafless", "leaflet", "leaflets", "leafy", "league", "leagues", "leak", "leakage", "leakages", "leaked", "leakier", "leakiest", "leakiness", "leaking", "leaks", "leaky", "lean", "leaned", "leaner", "leanest", "leaning", "leanings", "leanness", "leans", "leant", "leap", "leaped", "leaper", "leapfrog", "leapfrogging", "leaping", "leaps", "leapt", "leapyear", "learn", "learnable", "learned", "learnedly", "learner", "learners", "learning", "learns", "learnt", "lease", "leased", "leasehold", "leaseholder", "leaseholders", "leases", "leash", "leashed", "leashes", "leashing", "leasing", "least", "leat", "leather", "leathers", "leathery", "leave", "leaved", "leaven", "leavened", "leavening", "leaver", "leavers", "leaves", "leaving", "leavings", "lebanon", "lebensraum", "lecher", "lecherous", "lecherousness", "lechery", "lectern", "lector", "lectors", "lecture", "lectured", "lecturer", "lecturers", "lectures", "lectureship", "lectureships", "lecturing", "led", "ledge", "ledger", "ledgers", "ledges", "lee", "leech", "leeches", "leeching", "leeds", "leek", "leeks", "leer", "leered", "leering", "leeringly", "leers", "lees", "leeward", "leeway", "left", "lefthanded", "lefthandedly", "lefthandedness", "lefthander", "lefthanders", "lefties", "leftish", "leftist", "leftists", "leftmost", "leftover", "leftovers", "lefts", "leftward", "leftwards", "lefty", "leg", "legacies", "legacy", "legal", "legalese", "legalisation", "legalise", "legalised", "legalising", "legalism", "legalistic", "legalities", "legality", "legally", "legate", "legatee", "legatees", "legates", "legation", "legato", "legator", "legend", "legendary", "legends", "legerdemain", "legged", "legging", "leggings", "leggy", "leghorn", "leghorns", "legibility", "legible", "legibly", "legion", "legionaries", "legionary", "legionnaires", "legions", "legislate", "legislated", "legislating", "legislation", "legislative", "legislatively", "legislator", "legislators", "legislature", "legislatures", "legitimacy", "legitimate", "legitimated", "legitimately", "legitimating", "legitimation", "legitimisation", "legitimise", "legitimised", "legitimising", "legless", "legman", "legroom", "legs", "legume", "legumes", "leguminous", "legwork", "leipzig", "leisure", "leisured", "leisurely", "leisurewear", "leitmotif", "leitmotifs", "leitmotiv", "leitmotivs", "lemma", "lemmas", "lemming", "lemmings", "lemon", "lemonade", "lemons", "lemur", "lemurs", "lend", "lender", "lenders", "lending", "lends", "length", "lengthen", "lengthened", "lengthening", "lengthens", "lengthier", "lengthiest", "lengthily", "lengths", "lengthways", "lengthwise", "lengthy", "leniency", "lenient", "leniently", "lenin", "lens", "lenses", "lensing", "lent", "lentil", "lentils", "lento", "leonardo", "leone", "leopard", "leopards", "leopardskin", "leotard", "leotards", "leper", "lepers", "leprechaun", "leprechauns", "leprose", "leprosy", "leprous", "lepton", "leptons", "lesbian", "lesbianism", "lesbians", "lesion", "lesions", "lesotho", "less", "lessee", "lessees", "lessen", "lessened", "lessening", "lessens", "lesser", "lesson", "lessons", "lessor", "lessors", "lest", "let", "lethal", "lethality", "lethally", "lethargic", "lethargically", "lethargy", "lets", "letter", "letterbox", "letterboxes", "lettered", "letterhead", "letterheads", "lettering", "letterpress", "letters", "letterwriter", "letting", "lettings", "lettish", "lettuce", "lettuces", "leucine", "leukaemia", "leukemia", "level", "levelheaded", "levelled", "leveller", "levelling", "levelly", "levels", "lever", "leverage", "leveraged", "levered", "levering", "levers", "levi", "leviathan", "levied", "levies", "levitate", "levitated", "levitates", "levitating", "levitation", "levity", "levy", "levying", "lewd", "lewdness", "lexeme", "lexemes", "lexical", "lexically", "lexicographer", "lexicographers", "lexicographic", "lexicographical", "lexicographically", "lexicography", "lexicon", "lexicons", "leyden", "liabilities", "liability", "liable", "liaise", "liaised", "liaises", "liaising", "liaison", "liaisons", "liar", "liars", "libation", "libations", "libel", "libeled", "libeler", "libelled", "libeller", "libelling", "libellous", "libels", "liberal", "liberalisation", "liberalise", "liberalised", "liberalising", "liberalism", "liberality", "liberally", "liberals", "liberate", "liberated", "liberates", "liberating", "liberation", "liberationists", "liberator", "liberators", "liberia", "libero", "libertarian", "libertarianism", "libertarians", "liberties", "libertine", "libertines", "liberty", "libidinous", "libido", "librarian", "librarians", "librarianship", "libraries", "library", "librate", "librated", "librates", "libretti", "librettist", "librettists", "libretto", "libya", "libyan", "libyans", "lice", "licence", "licences", "license", "licensed", "licensee", "licensees", "licenses", "licensing", "licentiate", "licentious", "licentiousness", "lichee", "lichen", "lichened", "lichens", "lichi", "lichis", "lick", "licked", "lickerish", "licking", "licks", "licorice", "lid", "lidded", "lidless", "lido", "lids", "lie", "lied", "lieder", "lien", "liens", "lies", "lieu", "lieutenancy", "lieutenant", "lieutenants", "life", "lifeanddeath", "lifebelt", "lifeblood", "lifeboat", "lifeboatmen", "lifeboats", "lifeforms", "lifegiving", "lifeguard", "lifeguards", "lifeless", "lifelessly", "lifelessness", "lifelike", "lifeline", "lifelines", "lifelong", "liferaft", "liferafts", "lifesaving", "lifesize", "lifesized", "lifespan", "lifespans", "lifestyle", "lifestyles", "lifetaking", "lifethreatening", "lifetime", "lifetimes", "lifework", "lift", "lifted", "lifter", "lifters", "lifting", "liftman", "liftmen", "liftoff", "lifts", "ligament", "ligaments", "ligand", "ligands", "ligature", "ligatured", "ligatures", "ligaturing", "light", "lighted", "lighten", "lightened", "lightening", "lightens", "lighter", "lighters", "lightest", "lightheaded", "lightheadedness", "lighthearted", "lightheartedly", "lightheartedness", "lighthouse", "lighthouses", "lighting", "lightless", "lightly", "lightness", "lightning", "lights", "lightship", "lightweight", "lightweights", "lignite", "likable", "like", "likeability", "likeable", "liked", "likelier", "likeliest", "likelihood", "likely", "likeminded", "liken", "likened", "likeness", "likenesses", "likening", "likens", "likes", "likewise", "liking", "likings", "lilac", "lilacs", "lilies", "lilliput", "lilliputian", "lilongwe", "lilt", "lilting", "lily", "lilylivered", "lilywhite", "lima", "limb", "limber", "limbering", "limbers", "limbless", "limbo", "limbs", "lime", "limekiln", "limelight", "limerick", "limericks", "limes", "limestone", "limestones", "limeys", "liminal", "liming", "limit", "limitation", "limitations", "limited", "limiter", "limiters", "limiting", "limitless", "limits", "limo", "limousin", "limousine", "limousines", "limp", "limped", "limpet", "limpets", "limpid", "limping", "limply", "limpopo", "limps", "linage", "linchpin", "lincoln", "linden", "line", "lineage", "lineages", "lineally", "lineaments", "linear", "linearised", "linearity", "linearly", "lined", "linefeed", "lineman", "linemen", "linen", "linens", "lineout", "lineouts", "liner", "liners", "lines", "linesman", "linesmen", "lineup", "lineups", "linger", "lingered", "lingerer", "lingerie", "lingering", "lingeringly", "lingers", "lingua", "lingual", "linguist", "linguistic", "linguistically", "linguistics", "linguists", "liniment", "liniments", "lining", "linings", "link", "linkable", "linkage", "linkages", "linked", "linker", "linkers", "linking", "links", "linkup", "linkups", "linnet", "linnets", "lino", "linoleum", "linseed", "lint", "lintel", "lintels", "liny", "lion", "lioness", "lionesses", "lionise", "lionised", "lions", "lip", "lipase", "lipid", "lipids", "lipped", "lipread", "lipreading", "lips", "lipservice", "lipstick", "lipsticks", "liquefaction", "liquefied", "liquefy", "liqueur", "liqueurs", "liquid", "liquidate", "liquidated", "liquidating", "liquidation", "liquidations", "liquidator", "liquidators", "liquidise", "liquidised", "liquidiser", "liquidising", "liquidity", "liquids", "liquify", "liquor", "liquorice", "liquorish", "liquors", "lira", "lire", "lisbon", "lisp", "lisped", "lisping", "lisps", "lissom", "lissome", "lissomeness", "lissomness", "list", "listed", "listen", "listened", "listener", "listeners", "listening", "listens", "listeria", "listing", "listings", "listless", "listlessly", "listlessness", "lists", "lit", "litanies", "litany", "litchi", "literacy", "literal", "literalism", "literalistic", "literally", "literals", "literary", "literate", "literati", "literature", "literatures", "lithe", "lithely", "lithium", "lithograph", "lithographic", "lithographs", "lithography", "lithological", "lithologies", "lithology", "lithosphere", "litigant", "litigants", "litigate", "litigating", "litigation", "litigious", "litigiousness", "litmus", "litotes", "litre", "litres", "litter", "littered", "littering", "litters", "little", "littleness", "littler", "littlest", "littoral", "liturgical", "liturgies", "liturgy", "livable", "live", "liveable", "lived", "livelier", "liveliest", "livelihood", "livelihoods", "liveliness", "lively", "liven", "livened", "livening", "livens", "liver", "liveried", "liveries", "liverish", "livers", "liverworts", "livery", "lives", "livestock", "livewire", "livid", "lividly", "living", "livings", "lizard", "lizards", "llama", "llamas", "lls", "load", "loadable", "loaded", "loader", "loaders", "loading", "loadings", "loads", "loaf", "loafed", "loafer", "loafers", "loafing", "loafs", "loam", "loams", "loamy", "loan", "loanable", "loaned", "loaner", "loaning", "loans", "loanword", "loanwords", "loath", "loathe", "loathed", "loathes", "loathing", "loathsome", "loathsomely", "loathsomeness", "loaves", "lob", "lobbed", "lobbied", "lobbies", "lobbing", "lobby", "lobbying", "lobbyist", "lobbyists", "lobe", "lobed", "lobelia", "lobes", "lobotomies", "lobotomised", "lobotomising", "lobotomist", "lobotomy", "lobs", "lobster", "lobsters", "lobular", "local", "locale", "locales", "localisation", "localisations", "localise", "localised", "localises", "localising", "localities", "locality", "locally", "locals", "locatable", "locate", "located", "locates", "locating", "location", "locational", "locations", "locative", "locator", "locators", "loch", "lochness", "lochs", "loci", "lock", "lockable", "lockage", "locked", "locker", "lockers", "locket", "locking", "lockjaw", "lockout", "lockouts", "locks", "locksmith", "loco", "locomote", "locomotion", "locomotive", "locomotives", "locus", "locust", "locusts", "lode", "lodestar", "lodestone", "lodge", "lodged", "lodgement", "lodger", "lodgers", "lodges", "lodging", "lodgings", "loess", "loft", "lofted", "loftier", "loftiest", "loftily", "loftiness", "lofts", "lofty", "log", "loganberries", "loganberry", "logarithm", "logarithmic", "logarithmically", "logarithms", "logbook", "logbooks", "logged", "logger", "loggerheads", "loggers", "logging", "logic", "logical", "logicality", "logically", "logician", "logicians", "logics", "logistic", "logistical", "logistically", "logistics", "logjam", "logo", "logoff", "logos", "logs", "loin", "loincloth", "loins", "loire", "loiter", "loitered", "loiterer", "loiterers", "loitering", "loiters", "loll", "lolled", "lollies", "lolling", "lollipop", "lollipops", "lolly", "london", "londoner", "lone", "lonelier", "loneliest", "loneliness", "lonely", "loner", "loners", "lonesome", "lonesomeness", "long", "longawaited", "longed", "longer", "longest", "longevity", "longfaced", "longhand", "longing", "longingly", "longings", "longish", "longitude", "longitudes", "longitudinal", "longitudinally", "longlasting", "longlived", "longlost", "longs", "longstanding", "longsuffering", "longwinded", "longwindedness", "loo", "look", "lookalike", "lookalikes", "looked", "looker", "lookers", "looking", "lookingglass", "lookingglasses", "lookout", "lookouts", "looks", "loom", "loomed", "looming", "looms", "loon", "looney", "loony", "loop", "looped", "loophole", "loopholes", "looping", "loops", "loopy", "loose", "loosed", "loosely", "loosen", "loosened", "looseness", "loosening", "loosens", "looser", "looses", "loosest", "loosing", "loot", "looted", "looter", "looters", "looting", "loots", "lop", "lope", "loped", "lopes", "loping", "lopped", "lopper", "loppers", "lopping", "lopsided", "lopsidedly", "loquacious", "loquacity", "lord", "lording", "lordly", "lords", "lordship", "lordships", "lore", "lorelei", "lorries", "lorry", "lorryload", "lorryloads", "losable", "lose", "loser", "losers", "loses", "losing", "losings", "loss", "losses", "lost", "lot", "loth", "lotion", "lotions", "lots", "lotteries", "lottery", "lotto", "lotus", "louche", "loud", "louder", "loudest", "loudhailer", "loudhailers", "loudly", "loudmouthed", "loudness", "loudspeaker", "loudspeakers", "louis", "lounge", "lounged", "lounger", "loungers", "lounges", "lounging", "louse", "lousiest", "lousily", "lousy", "lout", "loutish", "loutishness", "louts", "louver", "louvers", "louvre", "louvred", "louvres", "lovable", "love", "loveable", "lovebirds", "loved", "loveless", "lovelier", "lovelies", "loveliest", "loveliness", "lovelorn", "lovely", "lovemaking", "lover", "lovers", "loves", "lovesick", "lovestruck", "loving", "lovingly", "low", "lower", "lowercase", "lowered", "lowering", "lowers", "lowest", "lowing", "lowish", "lowkey", "lowland", "lowlanders", "lowlands", "lowlier", "lowliest", "lowly", "lowlying", "lowness", "lowpitched", "lows", "lowspirited", "loyal", "loyalist", "loyalists", "loyally", "loyalties", "loyalty", "lozenge", "lozenges", "luanda", "lubber", "lubbers", "lubricant", "lubricants", "lubricate", "lubricated", "lubricates", "lubricating", "lubrication", "lubricious", "lucid", "lucidity", "lucidly", "lucifer", "luck", "luckier", "luckiest", "luckily", "luckless", "lucky", "lucrative", "lucre", "ludicrous", "ludicrously", "ludicrousness", "ludo", "lug", "luggage", "lugged", "lugging", "lugs", "lugubrious", "lugubriously", "luke", "lukewarm", "lull", "lullabies", "lullaby", "lulled", "lulling", "lulls", "lulu", "lumbago", "lumbar", "lumber", "lumbered", "lumbering", "lumberjack", "lumberjacks", "lumbers", "lumen", "luminal", "luminance", "luminaries", "luminary", "luminescence", "luminescent", "luminosities", "luminosity", "luminous", "luminously", "lump", "lumped", "lumpen", "lumpier", "lumpiest", "lumpiness", "lumping", "lumpish", "lumps", "lumpy", "luna", "lunacies", "lunacy", "lunar", "lunate", "lunatic", "lunatics", "lunch", "lunched", "luncheon", "luncheons", "lunchers", "lunches", "lunching", "lunchpack", "lunchtime", "lunchtimes", "lune", "lung", "lunge", "lunged", "lunges", "lungfish", "lungful", "lungfuls", "lunging", "lungs", "lupin", "lupines", "lupins", "lur", "lurch", "lurched", "lurchers", "lurches", "lurching", "lure", "lured", "lures", "lurex", "lurid", "luridly", "luring", "lurk", "lurked", "lurker", "lurkers", "lurking", "lurks", "lusaka", "luscious", "lusciously", "lush", "lusher", "lushest", "lushness", "lust", "lusted", "lustful", "lustfully", "lustier", "lustiest", "lustily", "lusting", "lustre", "lustreless", "lustrous", "lusts", "lusty", "lute", "lutes", "luther", "lux", "luxor", "luxuriance", "luxuriant", "luxuriantly", "luxuriate", "luxuriating", "luxuries", "luxurious", "luxuriously", "luxury", "lychee", "lychees", "lye", "lying", "lymph", "lymphatic", "lymphocyte", "lymphocytes", "lymphocytic", "lymphoid", "lymphoma", "lymphomas", "lynch", "lynched", "lynches", "lynching", "lynchpin", "lynx", "lynxes", "lyon", "lyons", "lyra", "lyre", "lyres", "lyric", "lyrical", "lyrically", "lyricism", "lyricist", "lyricists", "lyrics", "lyrist", "lysine", "mac", "macabre", "macaque", "macaques", "macaroni", "macaroon", "macaroons", "macaw", "macaws", "mace", "maces", "machete", "machetes", "machination", "machinations", "machine", "machined", "machinegun", "machineguns", "machinery", "machines", "machinist", "machinists", "machismo", "macho", "macintosh", "macintoshes", "mackerel", "mackintosh", "mackintoshes", "macro", "macrobiotic", "macrocosm", "macroeconomic", "macroeconomics", "macromolecular", "macromolecules", "macron", "macrophage", "macrophages", "macroscopic", "macroscopically", "mad", "madam", "madame", "madams", "madcap", "madden", "maddened", "maddening", "maddeningly", "maddens", "madder", "maddest", "made", "madeira", "mademoiselle", "madhouse", "madly", "madman", "madmen", "madness", "madras", "madrid", "madrigal", "madrigals", "madwoman", "maelstrom", "maestro", "mafia", "mafiosi", "mag", "magazine", "magazines", "magenta", "maggot", "maggots", "magi", "magic", "magical", "magically", "magician", "magicians", "magics", "magisterial", "magisterially", "magistrate", "magistrates", "magma", "magmas", "magmatic", "magnanimity", "magnanimosity", "magnanimous", "magnanimously", "magnate", "magnates", "magnesia", "magnesium", "magnet", "magnetic", "magnetically", "magnetisation", "magnetise", "magnetised", "magnetism", "magnetite", "magneto", "magnetodynamics", "magnetohydrodynamical", "magnetohydrodynamics", "magnetometer", "magnetometers", "magnetosphere", "magnetron", "magnets", "magnification", "magnifications", "magnificence", "magnificent", "magnificently", "magnified", "magnifier", "magnifies", "magnify", "magnifying", "magniloquent", "magnitude", "magnitudes", "magnolia", "magnolias", "magnum", "magnums", "magpie", "magpies", "mags", "mahatma", "mahogany", "maid", "maiden", "maidenly", "maidens", "maids", "maidservant", "maidservants", "mail", "mailable", "mailbox", "mailed", "mailer", "mailing", "mailings", "mailman", "mailmen", "mailorder", "mails", "mailshot", "mailshots", "maim", "maimed", "maiming", "maimings", "maims", "main", "mainbrace", "maine", "mainframe", "mainframes", "mainland", "mainline", "mainly", "mains", "mainsail", "mainspring", "mainstay", "mainstays", "mainstream", "maintain", "maintainability", "maintainable", "maintained", "maintainer", "maintainers", "maintaining", "maintains", "maintenance", "maisonette", "maisonettes", "maize", "maizes", "majestic", "majestically", "majesties", "majesty", "majolica", "major", "majorette", "majorettes", "majorities", "majority", "majors", "make", "makeover", "maker", "makers", "makes", "makeshift", "makeup", "makeweight", "making", "makings", "malachite", "maladaptive", "maladies", "maladjusted", "maladjustment", "maladministration", "maladroit", "malady", "malaise", "malaria", "malarial", "malathion", "malawi", "malay", "malayan", "malays", "malaysia", "malcontent", "malcontents", "maldives", "male", "malefaction", "malefactions", "malefactor", "malefactors", "maleness", "males", "malevolence", "malevolent", "malevolently", "malformation", "malformations", "malformed", "malfunction", "malfunctioned", "malfunctioning", "malfunctions", "malice", "malices", "malicious", "maliciously", "maliciousness", "malign", "malignancies", "malignancy", "malignant", "malignantly", "maligned", "maligners", "maligning", "malignity", "maligns", "malingerers", "malingering", "mall", "mallard", "mallards", "malleability", "malleable", "mallet", "mallets", "mallow", "malls", "malnourished", "malnourishment", "malnutrition", "malodorous", "malpractice", "malpractices", "malt", "malta", "malted", "maltese", "malting", "maltreat", "maltreated", "maltreatment", "malts", "malty", "malva", "mama", "mamas", "mamba", "mambas", "mammal", "mammalia", "mammalian", "mammals", "mammary", "mammoth", "mammoths", "mammy", "man", "manacle", "manacled", "manacles", "manage", "manageability", "manageable", "managed", "management", "managements", "manager", "manageress", "manageresses", "managerial", "managerially", "managers", "managership", "manages", "managing", "manatee", "manciple", "mandarin", "mandarins", "mandate", "mandated", "mandates", "mandating", "mandatory", "mandela", "mandible", "mandibles", "mandibular", "mandolin", "mandolins", "mandrake", "mandril", "mandrill", "mane", "maned", "manes", "maneuver", "manfully", "manganese", "mange", "manger", "mangers", "mangle", "mangled", "mangler", "mangles", "mangling", "mango", "mangrove", "mangroves", "manhandle", "manhandled", "manhandling", "manhole", "manholes", "manhood", "manhunt", "manhunts", "mania", "maniac", "maniacal", "maniacally", "maniacs", "manias", "manic", "manically", "manicdepressive", "manicure", "manicured", "manifest", "manifestation", "manifestations", "manifested", "manifesting", "manifestly", "manifesto", "manifests", "manifold", "manifolds", "manikin", "manila", "manipulable", "manipulate", "manipulated", "manipulates", "manipulating", "manipulation", "manipulations", "manipulative", "manipulator", "manipulators", "mankind", "manliest", "manliness", "manly", "manmade", "manna", "manned", "mannequin", "mannequins", "manner", "mannered", "mannerism", "mannerisms", "mannerist", "mannerliness", "mannerly", "manners", "manning", "manoeuvrability", "manoeuvrable", "manoeuvre", "manoeuvred", "manoeuvres", "manoeuvring", "manoeuvrings", "manometer", "manor", "manorial", "manors", "manpower", "manse", "manservant", "mansion", "mansions", "mansized", "manslaughter", "mantel", "mantelpiece", "mantelpieces", "mantelshelf", "mantids", "mantis", "mantissa", "mantissas", "mantle", "mantled", "mantles", "mantling", "mantra", "mantrap", "mantraps", "mantras", "manual", "manually", "manuals", "manufacture", "manufactured", "manufacturer", "manufacturers", "manufactures", "manufacturing", "manure", "manured", "manures", "manuring", "manuscript", "manuscripts", "many", "maoism", "maoist", "maoists", "maori", "map", "maple", "maples", "mappable", "mapped", "mapper", "mappers", "mapping", "mappings", "maps", "maputo", "maquettes", "mar", "mara", "marathon", "marathons", "marauders", "marauding", "marble", "marbled", "marbles", "march", "marched", "marcher", "marchers", "marches", "marching", "marchioness", "mare", "mares", "margarine", "margarines", "margate", "margin", "marginal", "marginalia", "marginalisation", "marginalise", "marginalised", "marginalises", "marginalising", "marginality", "marginally", "marginals", "margins", "maria", "marigold", "marigolds", "marijuana", "marina", "marinade", "marinas", "marinate", "marinated", "marine", "mariner", "mariners", "marines", "marionette", "marionettes", "marital", "maritime", "mark", "marked", "markedly", "marker", "markers", "market", "marketability", "marketable", "marketed", "marketeer", "marketeers", "marketer", "marketing", "marketplace", "markets", "marking", "markings", "marks", "marksman", "marksmanship", "marksmen", "markup", "markups", "marl", "marls", "marmalade", "marmoset", "marmosets", "marmot", "marmots", "maroon", "marooned", "marooning", "maroons", "marque", "marquee", "marquees", "marques", "marquess", "marquetry", "marquis", "marred", "marriage", "marriageable", "marriages", "married", "marries", "marring", "marrow", "marrows", "marry", "marrying", "mars", "marsala", "marsh", "marshal", "marshalled", "marshaller", "marshalling", "marshals", "marshes", "marshgas", "marshier", "marshiest", "marshiness", "marshland", "marshmallow", "marshmallows", "marshy", "marsupial", "marsupials", "mart", "marten", "martens", "martial", "martian", "martians", "martin", "martinet", "martingale", "martingales", "martini", "martins", "martyr", "martyrdom", "martyred", "martyrs", "martyry", "marvel", "marvelled", "marvelling", "marvellous", "marvellously", "marvels", "marx", "marxism", "marxist", "marxists", "mary", "marzipan", "mas", "mascara", "mascot", "mascots", "masculine", "masculinity", "maser", "maseru", "mash", "mashed", "masher", "mashing", "mask", "masked", "masking", "masks", "masochism", "masochist", "masochistic", "masochistically", "masochists", "mason", "masonic", "masonry", "masons", "masque", "masquerade", "masqueraded", "masquerades", "masquerading", "masques", "mass", "massacre", "massacred", "massacres", "massacring", "massage", "massaged", "massager", "massages", "massaging", "massed", "masses", "masseur", "masseurs", "masseuse", "masseuses", "massif", "massing", "massive", "massively", "massless", "massproduced", "massproducing", "mast", "mastectomy", "masted", "master", "masterclass", "mastered", "masterful", "masterfully", "mastering", "masterly", "mastermind", "masterminded", "masterminding", "masterpiece", "masterpieces", "masters", "mastership", "masterwork", "masterworks", "mastery", "masthead", "masticating", "mastication", "mastiff", "mastitis", "mastodon", "mastodons", "mastoid", "mastoids", "masts", "mat", "matador", "matadors", "match", "matchable", "matchbox", "matchboxes", "matched", "matcher", "matches", "matching", "matchless", "matchmaker", "matchmaking", "matchplay", "matchstick", "matchsticks", "mate", "mated", "mater", "material", "materialisation", "materialise", "materialised", "materialises", "materialising", "materialism", "materialist", "materialistic", "materialistically", "materialists", "materiality", "materially", "materials", "maternal", "maternally", "maternity", "mates", "math", "mathematical", "mathematically", "mathematician", "mathematicians", "mathematics", "maths", "matinee", "matinees", "mating", "matings", "matins", "matriarch", "matriarchal", "matriarchies", "matriarchy", "matrices", "matriculate", "matriculated", "matriculating", "matriculation", "matrilineal", "matrimonial", "matrimonially", "matrimony", "matrix", "matrixes", "matron", "matronly", "matrons", "mats", "matt", "matte", "matted", "matter", "mattered", "mattering", "matteroffact", "matters", "matthew", "matting", "mattress", "mattresses", "maturation", "maturational", "mature", "matured", "maturely", "maturer", "matures", "maturing", "maturity", "maudlin", "maul", "mauled", "mauler", "maulers", "mauling", "mauls", "maumau", "mausoleum", "mausoleums", "mauve", "maverick", "mavericks", "maw", "mawkish", "mawkishness", "maxi", "maxim", "maxima", "maximal", "maximality", "maximally", "maximisation", "maximise", "maximised", "maximiser", "maximises", "maximising", "maxims", "maximum", "may", "maya", "mayas", "maybe", "mayday", "maydays", "mayflies", "mayflower", "mayfly", "mayhap", "mayhem", "mayonnaise", "mayor", "mayoral", "mayoralty", "mayoress", "mayors", "maypole", "maze", "mazes", "mazier", "maziest", "mazurka", "mazy", "mbabane", "me", "mead", "meadow", "meadowland", "meadows", "meagre", "meagrely", "meagreness", "meal", "mealie", "mealies", "meals", "mealtime", "mealtimes", "mealy", "mean", "meander", "meandered", "meandering", "meanderings", "meanders", "meaner", "meanest", "meanie", "meanies", "meaning", "meaningful", "meaningfully", "meaningfulness", "meaningless", "meaninglessly", "meaninglessness", "meanings", "meanly", "meanness", "means", "meant", "meantime", "meanwhile", "meany", "measles", "measly", "measurable", "measurably", "measure", "measured", "measureless", "measurement", "measurements", "measures", "measuring", "meat", "meataxe", "meatball", "meatballs", "meatier", "meatiest", "meatless", "meatpie", "meats", "meaty", "mecca", "mechanic", "mechanical", "mechanically", "mechanicals", "mechanics", "mechanisable", "mechanisation", "mechanise", "mechanised", "mechanising", "mechanism", "mechanisms", "mechanist", "mechanistic", "mechanistically", "medal", "medallion", "medallions", "medallist", "medallists", "medals", "meddle", "meddled", "meddler", "meddlers", "meddles", "meddlesome", "meddling", "media", "mediaeval", "medial", "medially", "median", "medians", "mediate", "mediated", "mediates", "mediating", "mediation", "mediator", "mediators", "mediatory", "medic", "medical", "medically", "medicals", "medicate", "medicated", "medication", "medications", "medicinal", "medicine", "medicines", "medics", "medieval", "medievalist", "medievalists", "mediocre", "mediocrity", "meditate", "meditated", "meditates", "meditating", "meditation", "meditations", "meditative", "meditatively", "meditator", "medium", "mediums", "mediumsized", "medlar", "medley", "medleys", "medulla", "medusa", "meek", "meeker", "meekest", "meekly", "meekness", "meet", "meeter", "meeting", "meetings", "meets", "mega", "megabyte", "megabytes", "megahertz", "megajoules", "megalith", "megalithic", "megalomania", "megalomaniac", "megalomaniacs", "megaparsec", "megaphone", "megastar", "megaton", "megatons", "megavolt", "megawatt", "megawatts", "meiosis", "meiotic", "melancholia", "melancholic", "melancholies", "melancholy", "melange", "melanin", "melanoma", "melanomas", "melatonin", "meld", "melee", "mellifluous", "mellifluously", "mellifluousness", "mellow", "mellowed", "mellower", "mellowing", "mellows", "melodic", "melodically", "melodies", "melodious", "melodiously", "melodrama", "melodramas", "melodramatic", "melodramatically", "melody", "melon", "melons", "melt", "meltdown", "melted", "melter", "melting", "melts", "member", "members", "membership", "memberships", "membrane", "membranes", "memento", "memo", "memoir", "memoirs", "memorabilia", "memorable", "memorably", "memoranda", "memorandum", "memorandums", "memorial", "memorials", "memories", "memorisation", "memorise", "memorised", "memorises", "memorising", "memory", "memphis", "men", "menace", "menaced", "menaces", "menacing", "menacingly", "menagerie", "menarche", "mend", "mendacious", "mendacity", "mended", "mendel", "mendelevium", "mender", "menders", "mendicant", "mending", "mends", "menfolk", "menhir", "menhirs", "menial", "meningitis", "meniscus", "menopausal", "menopause", "menorah", "menstrual", "menstruating", "menstruation", "menswear", "mental", "mentalistic", "mentalities", "mentality", "mentally", "menthol", "mention", "mentionable", "mentioned", "mentioning", "mentions", "mentor", "mentors", "menu", "menus", "meow", "meows", "mercantile", "mercenaries", "mercenary", "merchandise", "merchandising", "merchant", "merchantability", "merchantable", "merchantman", "merchantmen", "merchants", "mercies", "merciful", "mercifully", "merciless", "mercilessly", "mercurial", "mercuric", "mercury", "mercy", "mere", "merely", "merest", "meretricious", "merge", "merged", "merger", "mergers", "merges", "merging", "meridian", "meridians", "meridional", "meringue", "meringues", "merino", "merit", "merited", "meriting", "meritocracy", "meritocratic", "meritocrats", "meritorious", "merits", "mermaid", "mermaids", "merman", "mermen", "meromorphic", "merrier", "merriest", "merrily", "merriment", "merry", "merrygoround", "merrygorounds", "merrymaking", "mescaline", "mesh", "meshed", "meshes", "meshing", "mesmeric", "mesmerised", "mesmerising", "mesolithic", "meson", "mesons", "mesosphere", "mesozoic", "mess", "message", "messages", "messaging", "messed", "messenger", "messengers", "messes", "messiah", "messier", "messiest", "messily", "messiness", "messing", "messy", "mestizo", "met", "metabolic", "metabolically", "metabolise", "metabolised", "metabolises", "metabolism", "metabolisms", "metal", "metalanguage", "metalinguistic", "metalled", "metallic", "metallised", "metallurgical", "metallurgist", "metallurgy", "metals", "metalwork", "metalworking", "metamorphic", "metamorphism", "metamorphose", "metamorphosed", "metamorphoses", "metamorphosis", "metaphor", "metaphoric", "metaphorical", "metaphorically", "metaphors", "metaphysical", "metaphysically", "metaphysics", "metastability", "metastable", "metastases", "metastasis", "metastatic", "metatarsal", "meted", "metempsychosis", "meteor", "meteoric", "meteorite", "meteorites", "meteoritic", "meteorological", "meteorologist", "meteorologists", "meteorology", "meteors", "meter", "metered", "metering", "meters", "methadone", "methane", "methanol", "methionine", "method", "methodical", "methodically", "methodological", "methodologically", "methodologies", "methodology", "methods", "methyl", "methylated", "methylene", "meticulous", "meticulously", "metier", "metonymic", "metonymy", "metre", "metres", "metric", "metrical", "metrically", "metrication", "metrics", "metro", "metronome", "metronomes", "metronomic", "metropolis", "metropolises", "metropolitan", "mettle", "mew", "mewing", "mews", "mexican", "mexicans", "mexico", "mezzanine", "mezzosoprano", "miami", "miasma", "mica", "mice", "micelles", "michigan", "micro", "microanalyses", "microbe", "microbes", "microbial", "microbic", "microbiological", "microbiologist", "microbiologists", "microbiology", "microchip", "microchips", "microcode", "microcomputer", "microcomputers", "microcosm", "microcosmic", "microdensitometer", "microdot", "microelectronic", "microelectronics", "microfarad", "microfiche", "microfilm", "microfilming", "microgrammes", "micrograms", "micrograph", "micrographs", "microgravity", "microhydrodynamics", "microlight", "micrometer", "micrometers", "micrometres", "micron", "microns", "microorganism", "microorganisms", "microphone", "microphones", "microprocessor", "microprocessors", "microprogram", "microscope", "microscopes", "microscopic", "microscopically", "microscopist", "microscopy", "microsecond", "microseconds", "microsurgery", "microwave", "microwaveable", "microwaved", "microwaves", "micturition", "mid", "midafternoon", "midair", "midas", "midday", "middays", "midden", "middle", "middleage", "middleaged", "middleclass", "middleman", "middlemen", "middleoftheroad", "middles", "middlesized", "middleweight", "middling", "midevening", "midfield", "midfielder", "midfielders", "midflight", "midge", "midges", "midget", "midgets", "midi", "midland", "midlands", "midlife", "midline", "midmorning", "midmost", "midnight", "midnights", "midribs", "midriff", "midship", "midshipman", "midships", "midst", "midstream", "midsummer", "midway", "midweek", "midwicket", "midwife", "midwifery", "midwinter", "midwives", "mien", "might", "mightier", "mightiest", "mightily", "mights", "mighty", "migraine", "migraines", "migrant", "migrants", "migrate", "migrated", "migrates", "migrating", "migration", "migrations", "migratory", "mike", "mikes", "milady", "milan", "mild", "milder", "mildest", "mildew", "mildewed", "mildews", "mildewy", "mildly", "mildmannered", "mildness", "mile", "mileage", "mileages", "milepost", "mileposts", "miler", "miles", "milestone", "milestones", "milieu", "milieus", "milieux", "militancy", "militant", "militantly", "militants", "militarily", "militarisation", "militarised", "militarism", "militarist", "militaristic", "military", "militate", "militated", "militates", "militating", "militia", "militiaman", "militiamen", "militias", "milk", "milked", "milker", "milkers", "milkier", "milkiest", "milking", "milkmaid", "milkmaids", "milkman", "milkmen", "milks", "milkshake", "milkshakes", "milky", "milkyway", "mill", "milled", "millenarian", "millenarianism", "millennia", "millennial", "millennium", "miller", "millers", "millet", "millibars", "milligram", "milligrams", "millilitres", "millimetre", "millimetres", "milliner", "milliners", "millinery", "milling", "million", "millionaire", "millionaires", "millions", "millionth", "millionths", "millipede", "millipedes", "millisecond", "milliseconds", "millpond", "mills", "millstone", "millstones", "milord", "milt", "mime", "mimed", "mimeographed", "mimes", "mimetic", "mimic", "mimicked", "mimicker", "mimicking", "mimicry", "mimics", "miming", "mimosa", "minaret", "minarets", "mince", "minced", "mincemeat", "mincer", "mincers", "minces", "mincing", "mind", "mindboggling", "mindbogglingly", "minded", "mindedness", "minder", "minders", "mindful", "minding", "mindless", "mindlessly", "mindlessness", "mindreader", "minds", "mindset", "mine", "mined", "minedetector", "minefield", "minefields", "miner", "mineral", "mineralisation", "mineralised", "mineralogical", "mineralogy", "minerals", "miners", "mines", "mineshaft", "minestrone", "minesweeper", "minesweepers", "mineworkers", "mingle", "mingled", "mingles", "mingling", "mini", "miniature", "miniatures", "miniaturisation", "miniaturise", "miniaturised", "miniaturises", "miniaturising", "miniaturist", "minibar", "minibus", "minibuses", "minicab", "minicomputer", "minicomputers", "minify", "minim", "minima", "minimal", "minimalism", "minimalist", "minimalistic", "minimalists", "minimality", "minimally", "minimisation", "minimise", "minimised", "minimiser", "minimises", "minimising", "minimum", "mining", "minings", "minion", "minions", "miniskirt", "minister", "ministered", "ministerial", "ministerially", "ministering", "ministers", "ministration", "ministrations", "ministries", "ministry", "mink", "minke", "minks", "minnow", "minnows", "minor", "minorities", "minority", "minors", "minster", "minstrel", "minstrels", "mint", "minted", "mintier", "mintiest", "minting", "mints", "minty", "minuet", "minuets", "minus", "minuscule", "minuses", "minute", "minuted", "minutely", "minuteness", "minutes", "minutest", "minutiae", "minx", "minxes", "miosis", "miracle", "miracles", "miraculous", "miraculously", "miraculousness", "mirage", "mirages", "mire", "mired", "mires", "mirror", "mirrored", "mirroring", "mirrors", "mirth", "mirthful", "mirthless", "mirthlessly", "misadventure", "misaligned", "misalignment", "misanalysed", "misanthrope", "misanthropes", "misanthropic", "misanthropists", "misanthropy", "misapplication", "misapply", "misapprehension", "misapprehensions", "misappropriated", "misappropriation", "misbegotten", "misbehave", "misbehaved", "misbehaves", "misbehaving", "misbehaviour", "miscalculate", "miscalculated", "miscalculation", "miscalculations", "miscarriage", "miscarriages", "miscarried", "miscarry", "miscarrying", "miscast", "miscasting", "miscegenation", "miscellanea", "miscellaneous", "miscellanies", "miscellany", "mischance", "mischief", "mischiefmakers", "mischiefmaking", "mischievous", "mischievously", "miscible", "misclassified", "miscomprehended", "misconceived", "misconception", "misconceptions", "misconduct", "misconfiguration", "misconstrued", "miscopying", "miscount", "miscounted", "miscounting", "miscreant", "miscreants", "miscue", "miscues", "misdate", "misdeal", "misdealing", "misdeed", "misdeeds", "misdemeanour", "misdemeanours", "misdiagnosis", "misdirect", "misdirected", "misdirecting", "misdirection", "misdirections", "misdoing", "miser", "miserable", "miserably", "miseries", "miserliness", "miserly", "misers", "misery", "misfield", "misfiled", "misfire", "misfired", "misfires", "misfit", "misfits", "misfortune", "misfortunes", "misgive", "misgiving", "misgivings", "misgovernment", "misguide", "misguided", "misguidedly", "mishandle", "mishandled", "mishandles", "mishandling", "mishap", "mishaps", "mishear", "misheard", "mishearing", "mishears", "mishitting", "misidentification", "misinform", "misinformation", "misinformed", "misinterpret", "misinterpretation", "misinterpretations", "misinterpreted", "misinterpreting", "misinterprets", "misjudge", "misjudged", "misjudgement", "misjudgements", "misjudging", "misjudgment", "mislabelled", "mislaid", "mislay", "mislead", "misleading", "misleadingly", "misleads", "misled", "mismanage", "mismanaged", "mismanagement", "mismatch", "mismatched", "mismatches", "mismatching", "misname", "misnamed", "misnomer", "misnomers", "misogynist", "misogynistic", "misogynists", "misogyny", "misplace", "misplaced", "misplacement", "misplaces", "misplacing", "mispositioned", "misprint", "misprinted", "misprinting", "misprints", "mispronounced", "mispronouncing", "mispronunciation", "mispronunciations", "misquotation", "misquote", "misquoted", "misquotes", "misquoting", "misread", "misreading", "misremember", "misremembered", "misremembering", "misrepresent", "misrepresentation", "misrepresentations", "misrepresented", "misrepresenting", "misrepresents", "misrule", "miss", "missal", "missals", "missed", "misses", "misshapen", "missile", "missiles", "missing", "mission", "missionaries", "missionary", "missions", "missive", "missives", "missouri", "misspell", "misspelled", "misspelling", "misspellings", "misspells", "misspelt", "misspend", "misspent", "misstatement", "missteps", "missus", "missuses", "missy", "mist", "mistake", "mistaken", "mistakenly", "mistakes", "mistaking", "misted", "mister", "misters", "mistier", "mistiest", "mistily", "mistime", "mistimed", "mistiness", "misting", "mistletoe", "mistook", "mistranslated", "mistranslates", "mistranslating", "mistranslation", "mistranslations", "mistreat", "mistreated", "mistreating", "mistreatment", "mistress", "mistresses", "mistrust", "mistrusted", "mistrustful", "mistrustfully", "mistrusting", "mistrusts", "mists", "misty", "mistype", "mistyped", "mistypes", "mistyping", "mistypings", "misunderstand", "misunderstanding", "misunderstandings", "misunderstands", "misunderstood", "misuse", "misused", "misuser", "misuses", "misusing", "mite", "mites", "mitigate", "mitigated", "mitigates", "mitigating", "mitigation", "mitigatory", "mitochondria", "mitochondrial", "mitosis", "mitre", "mitred", "mitres", "mitt", "mitten", "mittens", "mitts", "mix", "mixable", "mixed", "mixer", "mixers", "mixes", "mixing", "mixture", "mixtures", "mixup", "mixups", "mnemonic", "mnemonically", "mnemonics", "moan", "moaned", "moaner", "moaners", "moaning", "moans", "moas", "moat", "moated", "moats", "mob", "mobbed", "mobbing", "mobbish", "mobile", "mobiles", "mobilisable", "mobilisation", "mobilise", "mobilised", "mobilises", "mobilising", "mobilities", "mobility", "mobs", "mobster", "mobsters", "moccasin", "moccasins", "mock", "mocked", "mocker", "mockeries", "mockers", "mockery", "mocking", "mockingbird", "mockingly", "mocks", "mockup", "mockups", "mod", "modal", "modalities", "modality", "mode", "model", "modelled", "modeller", "modellers", "modelling", "models", "modem", "modems", "moderate", "moderated", "moderately", "moderates", "moderating", "moderation", "moderations", "moderator", "moderators", "modern", "moderner", "modernisation", "modernisations", "modernise", "modernised", "modernising", "modernism", "modernist", "modernistic", "modernists", "modernity", "modes", "modest", "modestly", "modesty", "modicum", "modifiable", "modification", "modifications", "modified", "modifier", "modifiers", "modifies", "modify", "modifying", "modish", "modishly", "modular", "modularisation", "modularise", "modularised", "modularising", "modularity", "modulate", "modulated", "modulates", "modulating", "modulation", "modulations", "modulator", "module", "modules", "moduli", "modulus", "mogul", "moguls", "mohair", "mohairs", "moiety", "moist", "moisten", "moistened", "moistening", "moistens", "moister", "moistness", "moisture", "moisturise", "moisturiser", "moisturisers", "moisturising", "molar", "molarities", "molarity", "molars", "molasses", "mold", "molds", "moldy", "mole", "molecular", "molecule", "molecules", "molehill", "molehills", "moles", "moleskin", "molest", "molestation", "molestations", "molested", "molester", "molesters", "molesting", "molests", "mollified", "mollifies", "mollify", "mollusc", "molluscan", "molluscs", "molten", "molts", "molybdenum", "mom", "moment", "momentarily", "momentary", "momentous", "moments", "momentum", "moms", "monaco", "monadic", "monalisa", "monarch", "monarchic", "monarchical", "monarchies", "monarchist", "monarchists", "monarchs", "monarchy", "monasteries", "monastery", "monastic", "monasticism", "monaural", "monday", "mondays", "monetarism", "monetarist", "monetarists", "monetary", "money", "moneyed", "moneylender", "moneylenders", "moneyless", "moneys", "monger", "mongers", "mongol", "mongols", "mongoose", "mongrel", "mongrels", "monies", "monition", "monitor", "monitored", "monitoring", "monitors", "monk", "monkey", "monkeyed", "monkeying", "monkeys", "monkfish", "monkish", "monks", "mono", "monochromatic", "monochrome", "monocle", "monocled", "monoclonal", "monocular", "monoculture", "monocytes", "monogamous", "monogamously", "monogamy", "monogram", "monogrammed", "monograph", "monographic", "monographs", "monolayer", "monolayers", "monolingual", "monolith", "monolithic", "monoliths", "monologue", "monologues", "monomania", "monomer", "monomeric", "monomers", "monomial", "monomials", "monomolecular", "monophonic", "monophthongs", "monoplane", "monopole", "monopoles", "monopolies", "monopolisation", "monopolise", "monopolised", "monopolises", "monopolising", "monopolist", "monopolistic", "monopolists", "monopoly", "monorail", "monostable", "monosyllabic", "monosyllable", "monosyllables", "monotheism", "monotheist", "monotheistic", "monotheists", "monotone", "monotonic", "monotonically", "monotonicity", "monotonous", "monotonously", "monotony", "monoxide", "monroe", "monsieur", "monsoon", "monsoons", "monster", "monsters", "monstrosities", "monstrosity", "monstrous", "monstrously", "montage", "montages", "month", "monthlies", "monthly", "months", "montreal", "monument", "monumental", "monumentally", "monuments", "moo", "mood", "moodiest", "moodily", "moodiness", "moods", "moody", "mooed", "mooing", "moon", "moonbeam", "moonbeams", "mooning", "moonless", "moonlight", "moonlighting", "moonlit", "moonrise", "moons", "moonshine", "moonshot", "moonshots", "moonstones", "moor", "moored", "moorhen", "moorhens", "mooring", "moorings", "moorland", "moorlands", "moors", "moos", "moose", "moot", "mooted", "mop", "mope", "moped", "mopeds", "mopes", "moping", "mopped", "mopping", "mops", "moraine", "moraines", "moral", "morale", "morales", "moralise", "moralised", "moralising", "moralism", "moralist", "moralistic", "moralists", "moralities", "morality", "morally", "morals", "morass", "morasses", "moratorium", "moray", "morays", "morbid", "morbidity", "morbidly", "mordant", "more", "moreover", "mores", "morgue", "moribund", "moribundity", "moribundly", "mormon", "mormons", "morn", "morning", "mornings", "morns", "moroccan", "morocco", "moron", "moronic", "morons", "morose", "morosely", "moroseness", "morph", "morpheme", "morphemes", "morpheus", "morphia", "morphine", "morphism", "morphisms", "morphogenesis", "morphogenetic", "morphological", "morphologically", "morphologies", "morphology", "morrow", "morse", "morsel", "morsels", "mort", "mortal", "mortalities", "mortality", "mortally", "mortals", "mortar", "mortars", "mortgage", "mortgageable", "mortgaged", "mortgagee", "mortgagees", "mortgages", "mortgaging", "mortgagor", "mortice", "mortices", "mortification", "mortified", "mortify", "mortifying", "mortise", "mortises", "mortuary", "mosaic", "mosaics", "moscow", "moses", "mosque", "mosques", "mosquito", "moss", "mosses", "mossier", "mossiest", "mossy", "most", "mostly", "motel", "motels", "motes", "motet", "motets", "moth", "mothball", "mothballed", "mothballs", "motheaten", "mother", "motherboard", "motherboards", "mothered", "motherhood", "mothering", "motherinlaw", "motherland", "motherless", "motherly", "motherofpearl", "mothers", "mothersinlaw", "motherstobe", "moths", "motif", "motifs", "motile", "motility", "motion", "motional", "motioned", "motioning", "motionless", "motionlessly", "motions", "motivate", "motivated", "motivates", "motivating", "motivation", "motivational", "motivations", "motivator", "motivators", "motive", "motiveless", "motives", "motley", "motlier", "motliest", "motocross", "motor", "motorbike", "motorbikes", "motorcade", "motorcar", "motorcars", "motorcycle", "motorcycles", "motorcycling", "motorcyclist", "motorcyclists", "motored", "motoring", "motorised", "motorist", "motorists", "motors", "motorway", "motorways", "mottled", "motto", "mould", "moulded", "moulder", "mouldering", "moulders", "mouldier", "mouldiest", "moulding", "mouldings", "moulds", "mouldy", "moult", "moulted", "moulting", "moults", "mound", "mounded", "mounds", "mount", "mountable", "mountain", "mountaineer", "mountaineering", "mountaineers", "mountainous", "mountains", "mountainside", "mountainsides", "mounted", "mountie", "mounties", "mounting", "mountings", "mounts", "mourn", "mourned", "mourner", "mourners", "mournful", "mournfully", "mournfulness", "mourning", "mourns", "mouse", "mouselike", "mousetrap", "mousetraps", "mousey", "moussaka", "mousse", "mousses", "moustache", "moustached", "moustaches", "mousy", "mouth", "mouthed", "mouthful", "mouthfuls", "mouthing", "mouthorgan", "mouthparts", "mouthpiece", "mouthpieces", "mouths", "mouthtomouth", "mouthwash", "mouthwatering", "movable", "move", "moveable", "moved", "movement", "movements", "mover", "movers", "moves", "movie", "movies", "moving", "movingly", "mow", "mowed", "mower", "mowers", "mowing", "mown", "mows", "mozart", "mr", "mrs", "ms", "mu", "much", "muchness", "muck", "mucked", "mucking", "mucks", "mucky", "mucosa", "mucous", "mucus", "mud", "muddied", "muddier", "muddies", "muddiest", "muddle", "muddled", "muddles", "muddling", "muddy", "muddying", "mudflats", "mudflow", "mudflows", "mudguard", "mudguards", "mudlarks", "muds", "muesli", "muff", "muffed", "muffin", "muffins", "muffle", "muffled", "muffler", "mufflers", "muffling", "muffs", "mufti", "mug", "mugged", "mugger", "muggers", "muggier", "mugging", "muggings", "muggy", "mugs", "mugshots", "mulberries", "mulberry", "mulch", "mulches", "mulching", "mule", "mules", "mull", "mullah", "mullahs", "mulled", "mullet", "mulling", "mullioned", "mullions", "multichannel", "multicolour", "multicoloured", "multicultural", "multiculturalism", "multidimensional", "multifarious", "multiform", "multifunction", "multifunctional", "multilateral", "multilateralism", "multilayer", "multilevel", "multilingual", "multimedia", "multimeter", "multimillion", "multinational", "multinationals", "multiphase", "multiple", "multiples", "multiplex", "multiplexed", "multiplexer", "multiplexers", "multiplexes", "multiplexing", "multiplexor", "multiplexors", "multiplication", "multiplications", "multiplicative", "multiplicities", "multiplicity", "multiplied", "multiplier", "multipliers", "multiplies", "multiply", "multiplying", "multiprocessing", "multiprocessor", "multiprocessors", "multiprogramming", "multiracial", "multitude", "multitudes", "mum", "mumble", "mumbled", "mumbler", "mumbles", "mumbling", "mumblings", "mumbojumbo", "mummies", "mummification", "mummified", "mummify", "mummy", "mumps", "mums", "munch", "munched", "muncher", "munchers", "munches", "munching", "mundane", "mundanely", "munich", "municipal", "municipalities", "municipality", "munificence", "munificent", "munificently", "munition", "munitions", "muons", "mural", "murals", "murder", "murdered", "murderer", "murderers", "murderess", "murdering", "murderous", "murderously", "murders", "murk", "murkier", "murkiest", "murkiness", "murky", "murmur", "murmured", "murmurer", "murmuring", "murmurings", "murmurs", "murray", "muscadel", "muscat", "muscle", "muscled", "muscles", "muscling", "muscular", "muscularity", "musculature", "musculoskeletal", "muse", "mused", "muses", "museum", "museums", "mush", "mushes", "mushroom", "mushroomed", "mushrooming", "mushrooms", "mushy", "music", "musical", "musicality", "musically", "musicals", "musician", "musicians", "musicianship", "musicologist", "musicologists", "musicology", "musing", "musingly", "musings", "musk", "musket", "musketeer", "musketeers", "muskets", "muskier", "muskiest", "musks", "musky", "muslim", "muslims", "muslin", "mussel", "mussels", "must", "mustache", "mustang", "mustangs", "mustard", "muster", "mustered", "mustering", "musters", "mustier", "mustiest", "mustily", "mustiness", "musts", "musty", "mutability", "mutable", "mutagens", "mutant", "mutants", "mutate", "mutated", "mutates", "mutating", "mutation", "mutational", "mutations", "mute", "muted", "mutely", "muteness", "mutes", "mutilate", "mutilated", "mutilates", "mutilating", "mutilation", "mutilations", "mutineer", "mutineers", "muting", "mutinied", "mutinies", "mutinous", "mutinously", "mutiny", "mutt", "mutter", "muttered", "mutterer", "mutterers", "muttering", "mutterings", "mutters", "mutton", "muttons", "mutts", "mutual", "mutuality", "mutually", "muzak", "muzzle", "muzzled", "muzzles", "muzzling", "my", "myalgic", "myelin", "myna", "mynahs", "myocardial", "myope", "myopia", "myopic", "myopically", "myriad", "myriads", "myrrh", "myself", "mysteries", "mysterious", "mysteriously", "mystery", "mystic", "mystical", "mystically", "mysticism", "mystics", "mystification", "mystified", "mystifies", "mystify", "mystifying", "mystique", "myth", "mythic", "mythical", "mythological", "mythologies", "mythologised", "mythology", "myths", "myxomatosis", "nab", "nabbed", "nabs", "nadir", "nag", "nagasaki", "nagged", "nagger", "nagging", "nags", "naiad", "naiads", "nail", "nailbiting", "nailed", "nailing", "nails", "nairobi", "naive", "naively", "naivete", "naivety", "naked", "nakedly", "nakedness", "name", "nameable", "namecalling", "named", "namedropping", "nameless", "namely", "nameplate", "nameplates", "names", "namesake", "namesakes", "namibia", "namibian", "naming", "namings", "nannies", "nanny", "nanometre", "nanometres", "nanosecond", "nanoseconds", "nanotechnology", "naomi", "nap", "napalm", "nape", "naphtha", "napkin", "napkins", "naples", "napoleon", "napped", "nappies", "napping", "nappy", "naps", "narcissism", "narcissistic", "narcoleptic", "narcosis", "narcotic", "narcotics", "narrate", "narrated", "narrates", "narrating", "narration", "narrations", "narrative", "narratives", "narratology", "narrator", "narrators", "narrow", "narrowed", "narrower", "narrowest", "narrowing", "narrowly", "narrowminded", "narrowmindedness", "narrowness", "narrows", "narwhal", "nasal", "nasalised", "nasally", "nascent", "nastier", "nastiest", "nastily", "nastiness", "nasturtium", "nasturtiums", "nasty", "natal", "nation", "national", "nationalisation", "nationalisations", "nationalise", "nationalised", "nationalising", "nationalism", "nationalist", "nationalistic", "nationalists", "nationalities", "nationality", "nationally", "nationals", "nationhood", "nations", "nationwide", "native", "natives", "nativity", "nato", "nattering", "natural", "naturalisation", "naturalise", "naturalised", "naturalism", "naturalist", "naturalistic", "naturalists", "naturally", "naturalness", "nature", "natures", "naturist", "naturists", "naught", "naughtiest", "naughtily", "naughtiness", "naughts", "naughty", "nausea", "nauseate", "nauseated", "nauseates", "nauseating", "nauseatingly", "nauseous", "nauseousness", "nautical", "nautili", "nautilus", "naval", "nave", "navel", "navels", "navies", "navigable", "navigate", "navigated", "navigating", "navigation", "navigational", "navigator", "navigators", "navvies", "navvy", "navy", "nay", "nazi", "naziism", "nazis", "nazism", "ndebele", "ne", "near", "nearby", "neared", "nearer", "nearest", "nearing", "nearly", "nearness", "nears", "nearside", "nearsighted", "neat", "neaten", "neatening", "neatens", "neater", "neatest", "neatly", "neatness", "nebula", "nebulae", "nebular", "nebulas", "nebulosity", "nebulous", "nebulously", "nebulousness", "necessaries", "necessarily", "necessary", "necessitate", "necessitated", "necessitates", "necessitating", "necessities", "necessity", "neck", "neckband", "necked", "necking", "necklace", "necklaces", "neckline", "necklines", "necks", "necktie", "necromancer", "necromancers", "necromancy", "necromantic", "necrophilia", "necrophiliac", "necrophiliacs", "necropolis", "necropsy", "necrosis", "necrotic", "nectar", "nectarines", "nectars", "nee", "need", "needed", "needful", "needier", "neediest", "neediness", "needing", "needle", "needlecraft", "needled", "needles", "needless", "needlessly", "needlework", "needling", "needs", "needy", "negate", "negated", "negates", "negating", "negation", "negations", "negative", "negatively", "negativeness", "negatives", "negativism", "negativity", "negev", "neglect", "neglected", "neglectful", "neglecting", "neglects", "negligee", "negligees", "negligence", "negligent", "negligently", "negligibility", "negligible", "negligibly", "negotiable", "negotiate", "negotiated", "negotiates", "negotiating", "negotiation", "negotiations", "negotiator", "negotiators", "negroid", "neigh", "neighbour", "neighbourhood", "neighbourhoods", "neighbouring", "neighbourliness", "neighbourly", "neighbours", "neighed", "neighing", "neither", "nematode", "nematodes", "nemesis", "neolithic", "neologism", "neologisms", "neon", "neonatal", "neonate", "neonates", "neophyte", "neophytes", "neoplasm", "neoplasms", "neoprene", "nepal", "nephew", "nephews", "nephritis", "nepotism", "neptune", "neptunium", "nerd", "nerds", "nerve", "nerveless", "nervelessness", "nerves", "nervous", "nervously", "nervousness", "nervy", "nest", "nestable", "nested", "nestegg", "nesting", "nestle", "nestled", "nestles", "nestling", "nests", "net", "netball", "nether", "nethermost", "nets", "nett", "netted", "netting", "nettle", "nettled", "nettles", "netts", "network", "networked", "networking", "networks", "neural", "neuralgia", "neurobiology", "neurological", "neurologically", "neurologist", "neurologists", "neurology", "neuron", "neuronal", "neurone", "neurones", "neurons", "neurophysiology", "neuroscience", "neuroscientists", "neuroses", "neurosis", "neurosurgeon", "neurosurgeons", "neurosurgery", "neurotic", "neurotically", "neurotics", "neurotransmitter", "neurotransmitters", "neuter", "neutered", "neutering", "neuters", "neutral", "neutralisation", "neutralise", "neutralised", "neutraliser", "neutralises", "neutralising", "neutralism", "neutralist", "neutrality", "neutrally", "neutrals", "neutrino", "neutron", "neutrons", "never", "neverending", "nevertheless", "new", "newborn", "newcomer", "newcomers", "newer", "newest", "newfangled", "newfound", "newish", "newlook", "newly", "newlywed", "newlyweds", "newness", "news", "newsagent", "newsagents", "newsboy", "newscast", "newscasters", "newsflash", "newsflashes", "newsletter", "newsletters", "newsman", "newsmen", "newspaper", "newspapermen", "newspapers", "newsprint", "newsreader", "newsreaders", "newsreel", "newsreels", "newsroom", "newsstand", "newsstands", "newsworthy", "newsy", "newt", "newton", "newts", "next", "ngoing", "nguni", "ngunis", "niagara", "nib", "nibble", "nibbled", "nibbler", "nibblers", "nibbles", "nibbling", "nibs", "nice", "nicely", "niceness", "nicer", "nicest", "niceties", "nicety", "niche", "niches", "nick", "nicked", "nickel", "nicking", "nickname", "nicknamed", "nicknames", "nicks", "nicotine", "niece", "nieces", "niftily", "nifty", "niger", "nigeria", "niggardly", "niggle", "niggled", "niggles", "niggling", "nigh", "night", "nightcap", "nightcaps", "nightclothes", "nightclub", "nightclubs", "nightdress", "nightdresses", "nightfall", "nightgown", "nightie", "nighties", "nightingale", "nightingales", "nightlife", "nightly", "nightmare", "nightmares", "nightmarish", "nights", "nightwatchman", "nightwear", "nihilism", "nihilist", "nihilistic", "nil", "nile", "nils", "nimble", "nimbleness", "nimbly", "nimbus", "nincompoop", "nine", "ninefold", "nines", "nineteen", "nineteenth", "nineties", "ninetieth", "ninety", "nineveh", "ninny", "ninth", "ninths", "nip", "nipped", "nipper", "nipping", "nipple", "nipples", "nippon", "nips", "nirvana", "nit", "nitpicking", "nitrate", "nitrates", "nitric", "nitrogen", "nitrogenous", "nitroglycerine", "nitrous", "nits", "nitwit", "nixon", "no", "noah", "nobility", "noble", "nobleman", "noblemen", "nobleness", "nobler", "nobles", "noblest", "nobly", "nobodies", "nobody", "noctuids", "nocturnal", "nocturnally", "nocturne", "nocturnes", "nod", "nodal", "nodded", "nodding", "noddle", "noddy", "node", "nodes", "nods", "nodular", "nodule", "noduled", "nodules", "noel", "noggin", "nogging", "nohow", "noise", "noiseless", "noiselessly", "noises", "noisier", "noisiest", "noisily", "noisiness", "noisome", "noisy", "nomad", "nomadic", "nomads", "nomenclature", "nomenclatures", "nominal", "nominally", "nominate", "nominated", "nominates", "nominating", "nomination", "nominations", "nominative", "nominator", "nominee", "nominees", "non", "nonbeliever", "nonbelievers", "nonchalance", "nonchalant", "nonchalantly", "nonconformist", "nonconformists", "nonconformity", "nondrinkers", "none", "nonentities", "nonentity", "nonessential", "nonessentials", "nonetheless", "nonevent", "nonexistence", "nonexistent", "nonfunctional", "noninterference", "nonintervention", "nonparticipation", "nonpayment", "nonplussed", "nonsense", "nonsenses", "nonsensical", "nonsmoker", "nonsmokers", "nonsmoking", "nonviolence", "nonviolent", "noodle", "noodles", "nook", "nooks", "noon", "noonday", "noons", "noontide", "noose", "noosed", "nooses", "nor", "noradrenalin", "noradrenaline", "nordic", "norm", "normal", "normalcy", "normalisable", "normalisation", "normalisations", "normalise", "normalised", "normaliser", "normalisers", "normalises", "normalising", "normality", "normally", "normals", "norman", "normandy", "normans", "normative", "normed", "norms", "norsemen", "north", "northbound", "northerly", "northern", "northerner", "northerners", "northernmost", "northmen", "northward", "northwards", "norway", "nose", "nosed", "nosedive", "noses", "nosey", "nosier", "nosiest", "nosily", "nosiness", "nosing", "nostalgia", "nostalgic", "nostalgically", "nostril", "nostrils", "nostrum", "nosy", "not", "notable", "notables", "notably", "notaries", "notary", "notation", "notational", "notationally", "notations", "notch", "notched", "notches", "notching", "note", "notebook", "notebooks", "noted", "notepad", "notepads", "notepaper", "notes", "noteworthy", "nothing", "nothingness", "nothings", "notice", "noticeable", "noticeably", "noticeboard", "noticeboards", "noticed", "notices", "noticing", "notifiable", "notification", "notifications", "notified", "notifies", "notify", "notifying", "noting", "notion", "notional", "notionally", "notions", "notoriety", "notorious", "notoriously", "notwithstanding", "nougat", "nougats", "nought", "noughts", "noun", "nounal", "nouns", "nourish", "nourished", "nourishes", "nourishing", "nourishment", "novel", "novelette", "novelist", "novelistic", "novelists", "novelle", "novels", "novelties", "novelty", "november", "novice", "novices", "now", "nowadays", "nowhere", "noxious", "noxiously", "noxiousness", "nozzle", "nozzles", "nu", "nuance", "nuances", "nuclear", "nuclei", "nucleic", "nucleus", "nude", "nudeness", "nudes", "nudge", "nudged", "nudges", "nudging", "nudism", "nudist", "nudists", "nudities", "nudity", "nugget", "nuggets", "nuisance", "nuisances", "nuke", "null", "nullification", "nullified", "nullifies", "nullify", "nullifying", "nullity", "nulls", "numb", "numbed", "number", "numbered", "numbering", "numberings", "numberless", "numberplate", "numbers", "numbing", "numbingly", "numbly", "numbness", "numbs", "numbskull", "numeracy", "numeral", "numerals", "numerate", "numerator", "numerators", "numeric", "numerical", "numerically", "numerological", "numerologist", "numerologists", "numerology", "numerous", "numismatic", "numismatics", "numskull", "nun", "nunneries", "nunnery", "nuns", "nuptial", "nuptials", "nurse", "nursed", "nursemaid", "nursemaids", "nurseries", "nursery", "nurseryman", "nurserymen", "nurses", "nursing", "nurture", "nurtured", "nurtures", "nurturing", "nut", "nutation", "nutcracker", "nutcrackers", "nutmeg", "nutmegs", "nutrient", "nutrients", "nutriment", "nutrition", "nutritional", "nutritionally", "nutritionist", "nutritionists", "nutritious", "nutritive", "nuts", "nutshell", "nuttier", "nutty", "nuzzle", "nuzzled", "nuzzles", "nuzzling", "nyala", "nylon", "nylons", "nymph", "nympholepsy", "nymphomania", "nymphomaniac", "nymphs", "oaf", "oafish", "oafs", "oak", "oaken", "oaks", "oakum", "oar", "oars", "oarsman", "oarsmen", "oases", "oasis", "oast", "oat", "oatcakes", "oath", "oaths", "oatmeal", "oats", "obduracy", "obdurate", "obdurately", "obedience", "obedient", "obediently", "obeisance", "obelisk", "obelisks", "obese", "obesity", "obey", "obeyed", "obeying", "obeys", "obfuscate", "obfuscated", "obfuscates", "obfuscation", "obfuscatory", "obituaries", "obituary", "object", "objected", "objectified", "objecting", "objection", "objectionable", "objectionableness", "objectionably", "objections", "objective", "objectively", "objectives", "objectivity", "objectless", "objector", "objectors", "objects", "oblate", "obligate", "obligated", "obligation", "obligations", "obligatorily", "obligatory", "oblige", "obliged", "obliges", "obliging", "obligingly", "oblique", "obliqued", "obliquely", "obliqueness", "obliquity", "obliterate", "obliterated", "obliterates", "obliterating", "obliteration", "oblivion", "oblivious", "obliviousness", "oblong", "oblongs", "obloquy", "obnoxious", "obnoxiously", "obnoxiousness", "oboe", "oboes", "oboist", "obscene", "obscenely", "obscenities", "obscenity", "obscurantism", "obscurantist", "obscuration", "obscure", "obscured", "obscurely", "obscureness", "obscurer", "obscures", "obscurest", "obscuring", "obscurities", "obscurity", "obsequious", "obsequiously", "obsequiousness", "observability", "observable", "observables", "observably", "observance", "observances", "observant", "observation", "observational", "observationally", "observations", "observatories", "observatory", "observe", "observed", "observer", "observers", "observes", "observing", "obsess", "obsessed", "obsesses", "obsessing", "obsession", "obsessional", "obsessions", "obsessive", "obsessively", "obsessiveness", "obsidian", "obsolescence", "obsolescent", "obsolete", "obstacle", "obstacles", "obstetric", "obstetrician", "obstetricians", "obstetrics", "obstinacy", "obstinate", "obstinately", "obstreperous", "obstruct", "obstructed", "obstructing", "obstruction", "obstructionism", "obstructions", "obstructive", "obstructively", "obstructiveness", "obstructs", "obtain", "obtainable", "obtained", "obtaining", "obtains", "obtrude", "obtruded", "obtruding", "obtrusive", "obtrusiveness", "obtuse", "obtusely", "obtuseness", "obverse", "obviate", "obviated", "obviates", "obviating", "obvious", "obviously", "obviousness", "occasion", "occasional", "occasionally", "occasioned", "occasioning", "occasions", "occident", "occidental", "occipital", "occluded", "occludes", "occlusion", "occult", "occultism", "occults", "occupancies", "occupancy", "occupant", "occupants", "occupation", "occupational", "occupationally", "occupations", "occupied", "occupier", "occupiers", "occupies", "occupy", "occupying", "occur", "occurred", "occurrence", "occurrences", "occurring", "occurs", "ocean", "oceanic", "oceanographer", "oceanographers", "oceanographic", "oceanography", "oceans", "ocelot", "ocelots", "ochre", "ochres", "octagon", "octagonal", "octagons", "octahedral", "octahedron", "octal", "octane", "octanes", "octant", "octave", "octaves", "octavo", "octet", "octets", "october", "octogenarian", "octogenarians", "octopus", "octopuses", "ocular", "oculist", "odd", "odder", "oddest", "oddities", "oddity", "oddjob", "oddly", "oddment", "oddments", "oddness", "odds", "ode", "odes", "odin", "odious", "odiously", "odiousness", "odium", "odiums", "odometer", "odoriferous", "odorous", "odour", "odourless", "odours", "odyssey", "oedema", "oedipus", "oesophagus", "oestrogen", "oestrogens", "oestrus", "oeuvre", "oeuvres", "of", "off", "offal", "offbeat", "offcut", "offcuts", "offence", "offences", "offend", "offended", "offender", "offenders", "offending", "offends", "offensive", "offensively", "offensiveness", "offensives", "offer", "offered", "offering", "offerings", "offers", "offertory", "offhand", "office", "officer", "officers", "officership", "officerships", "offices", "official", "officialdom", "officially", "officialness", "officials", "officiate", "officiated", "officiating", "officious", "officiously", "officiousness", "offprint", "offset", "offshoot", "offshore", "oft", "often", "ogle", "ogled", "ogling", "ogre", "ogres", "ogrish", "oh", "ohio", "ohm", "ohmic", "ohms", "oil", "oilcloth", "oiled", "oiler", "oilers", "oilfield", "oilfields", "oilier", "oiliest", "oiliness", "oiling", "oilman", "oilmen", "oilrig", "oils", "oily", "oink", "oinked", "oinks", "ointment", "ointments", "ok", "okapi", "okapis", "okay", "okayed", "okays", "oklahoma", "old", "oldage", "olden", "older", "oldest", "oldfashioned", "oldie", "oldish", "oldmaids", "oldtimer", "oldtimers", "ole", "oleander", "oleanders", "olfactory", "olive", "oliveoil", "oliver", "olives", "olm", "olms", "olympia", "olympiad", "olympian", "olympic", "olympics", "olympus", "ombudsman", "ombudsmen", "omega", "omelette", "omelettes", "omen", "omens", "ominous", "ominously", "omission", "omissions", "omit", "omits", "omitted", "omitting", "omnibus", "omnibuses", "omnidirectional", "omnipotence", "omnipotent", "omnipresence", "omnipresent", "omniscience", "omniscient", "omnivore", "omnivores", "omnivorous", "on", "onager", "onagers", "once", "one", "oneness", "oner", "onerous", "ones", "oneself", "onesided", "onesidedly", "onesidedness", "ongoing", "onion", "onions", "onlooker", "onlookers", "onlooking", "only", "onlybegotten", "onset", "onshore", "onslaught", "onslaughts", "ontario", "onto", "ontogeny", "ontological", "ontologically", "ontology", "onus", "onuses", "onward", "onwards", "onyx", "onyxes", "oocytes", "oodles", "ooh", "oolitic", "oology", "oompah", "oops", "ooze", "oozed", "oozes", "oozing", "oozy", "opacity", "opal", "opalescent", "opals", "opaque", "open", "opened", "opener", "openers", "openhanded", "openhandedness", "openheart", "openhearted", "opening", "openings", "openly", "openminded", "openmindedness", "openness", "opens", "opera", "operable", "operand", "operands", "operas", "operate", "operated", "operates", "operatic", "operating", "operation", "operational", "operationally", "operations", "operative", "operatives", "operator", "operators", "operculum", "operetta", "operettas", "ophthalmic", "ophthalmics", "ophthalmologist", "ophthalmologists", "ophthalmology", "opiate", "opiates", "opine", "opined", "opines", "opining", "opinion", "opinionated", "opinions", "opioid", "opioids", "opium", "opossum", "opponent", "opponents", "opportune", "opportunely", "opportunism", "opportunist", "opportunistic", "opportunistically", "opportunists", "opportunities", "opportunity", "oppose", "opposed", "opposes", "opposing", "opposite", "oppositely", "opposites", "opposition", "oppositional", "oppositions", "oppress", "oppressed", "oppresses", "oppressing", "oppression", "oppressions", "oppressive", "oppressively", "oppressiveness", "oppressor", "oppressors", "opprobrious", "opprobrium", "opt", "opted", "optic", "optical", "optically", "optician", "opticians", "optics", "optima", "optimal", "optimality", "optimally", "optimisation", "optimisations", "optimise", "optimised", "optimiser", "optimisers", "optimises", "optimising", "optimism", "optimist", "optimistic", "optimistically", "optimists", "optimum", "opting", "option", "optional", "optionality", "optionally", "options", "optoelectronic", "opts", "opulence", "opulent", "opus", "opuses", "or", "oracle", "oracles", "oracular", "oral", "orally", "orang", "orange", "oranges", "orangs", "orangutan", "orangutans", "orate", "orated", "orates", "orating", "oration", "orations", "orator", "oratorical", "oratorio", "orators", "oratory", "orb", "orbit", "orbital", "orbitals", "orbited", "orbiter", "orbiting", "orbits", "orbs", "orca", "orchard", "orchards", "orchestra", "orchestral", "orchestras", "orchestrate", "orchestrated", "orchestrates", "orchestrating", "orchestration", "orchestrations", "orchestrator", "orchid", "orchids", "ordain", "ordained", "ordaining", "ordains", "ordeal", "ordeals", "order", "ordered", "ordering", "orderings", "orderless", "orderlies", "orderliness", "orderly", "orders", "ordinal", "ordinals", "ordinance", "ordinances", "ordinands", "ordinarily", "ordinariness", "ordinary", "ordinate", "ordinates", "ordination", "ordinations", "ordnance", "ordure", "ore", "ores", "organ", "organelles", "organic", "organically", "organics", "organisable", "organisation", "organisational", "organisationally", "organisations", "organise", "organised", "organiser", "organisers", "organises", "organising", "organism", "organisms", "organist", "organists", "organs", "organza", "orgies", "orgy", "orient", "orientable", "oriental", "orientalism", "orientals", "orientate", "orientated", "orientates", "orientation", "orientations", "oriented", "orienteering", "orienting", "orifice", "orifices", "origami", "origin", "original", "originality", "originally", "originals", "originate", "originated", "originates", "originating", "origination", "originator", "originators", "origins", "orimulsion", "ornament", "ornamental", "ornamentation", "ornamented", "ornamenting", "ornaments", "ornate", "ornately", "ornithological", "ornithologist", "ornithologists", "ornithology", "orphan", "orphanage", "orphanages", "orphaned", "orphans", "orpheus", "orthodontist", "orthodox", "orthodoxies", "orthodoxy", "orthogonal", "orthogonality", "orthogonally", "orthographic", "orthographical", "orthographically", "orthography", "orthonormal", "orthopaedic", "orthopaedics", "orthorhombic", "oryxes", "oscar", "oscars", "oscillate", "oscillated", "oscillates", "oscillating", "oscillation", "oscillations", "oscillator", "oscillators", "oscillatory", "oscilloscope", "oscilloscopes", "osiris", "oslo", "osmium", "osmosis", "osmotic", "osprey", "ospreys", "ossification", "ossified", "ostensible", "ostensibly", "ostentation", "ostentatious", "ostentatiously", "osteoarthritis", "osteopath", "osteopaths", "osteopathy", "osteoporosis", "ostler", "ostlers", "ostracise", "ostracised", "ostracism", "ostrich", "ostriches", "other", "otherness", "others", "otherwise", "otter", "otters", "ottoman", "ouch", "ought", "ounce", "ounces", "our", "ours", "ourselves", "oust", "ousted", "ouster", "ousting", "ousts", "out", "outage", "outages", "outback", "outbid", "outbids", "outboard", "outbound", "outbreak", "outbreaks", "outbred", "outbuilding", "outbuildings", "outburst", "outbursts", "outcall", "outcast", "outcasts", "outclassed", "outcome", "outcomes", "outcries", "outcrop", "outcrops", "outcry", "outdated", "outdid", "outdo", "outdoes", "outdoing", "outdone", "outdoor", "outdoors", "outer", "outermost", "outface", "outfall", "outfalls", "outfield", "outfit", "outfits", "outfitters", "outflank", "outflanked", "outflow", "outflows", "outfox", "outfoxed", "outfoxes", "outgo", "outgoing", "outgoings", "outgrew", "outgrow", "outgrowing", "outgrown", "outgrowth", "outgrowths", "outguess", "outhouse", "outhouses", "outing", "outings", "outlandish", "outlast", "outlasted", "outlasts", "outlaw", "outlawed", "outlawing", "outlawry", "outlaws", "outlay", "outlays", "outlet", "outlets", "outlier", "outliers", "outline", "outlined", "outlines", "outlining", "outlive", "outlived", "outlives", "outliving", "outlook", "outlooks", "outlying", "outmanoeuvre", "outmanoeuvred", "outmoded", "outmost", "outnumber", "outnumbered", "outnumbering", "outnumbers", "outpace", "outpaced", "outpacing", "outpatient", "outpatients", "outperform", "outperformed", "outperforming", "outperforms", "outplacement", "outplay", "outplayed", "outpointed", "outpointing", "outpost", "outposts", "outpouring", "outpourings", "output", "outputs", "outputting", "outrage", "outraged", "outrageous", "outrageously", "outrages", "outraging", "outran", "outrank", "outreach", "outride", "outrider", "outriders", "outrigger", "outright", "outrun", "outruns", "outs", "outsell", "outset", "outsets", "outshine", "outshines", "outshining", "outshone", "outside", "outsider", "outsiders", "outsides", "outsize", "outskirts", "outsmart", "outsold", "outsourcing", "outspan", "outspoken", "outspokenly", "outspokenness", "outspread", "outstanding", "outstandingly", "outstation", "outstations", "outstay", "outstayed", "outstep", "outstretched", "outstrip", "outstripped", "outstripping", "outstrips", "outvoted", "outward", "outwardly", "outwards", "outweigh", "outweighed", "outweighing", "outweighs", "outwit", "outwith", "outwits", "outwitted", "outwitting", "outwork", "outworking", "ova", "oval", "ovals", "ovarian", "ovaries", "ovary", "ovate", "ovation", "ovations", "oven", "ovens", "over", "overact", "overacted", "overacting", "overactive", "overacts", "overall", "overallocation", "overalls", "overambitious", "overanxious", "overate", "overbearing", "overboard", "overburdened", "overcame", "overcapacity", "overcast", "overcharge", "overcharged", "overcharging", "overcoat", "overcoats", "overcome", "overcomes", "overcoming", "overcommitment", "overcommitments", "overcompensate", "overcomplexity", "overcomplicated", "overconfident", "overcook", "overcooked", "overcrowd", "overcrowded", "overcrowding", "overdetermined", "overdid", "overdo", "overdoes", "overdoing", "overdone", "overdose", "overdosed", "overdoses", "overdosing", "overdraft", "overdrafts", "overdramatic", "overdraw", "overdrawn", "overdressed", "overdrive", "overdubbing", "overdue", "overeat", "overeating", "overeats", "overemotional", "overemphasis", "overemphasise", "overemphasised", "overenthusiastic", "overestimate", "overestimated", "overestimates", "overestimating", "overestimation", "overexposed", "overexposure", "overextended", "overfamiliarity", "overfed", "overfeed", "overfeeding", "overfill", "overfishing", "overflow", "overflowed", "overflowing", "overflown", "overflows", "overfly", "overflying", "overfull", "overgeneralised", "overgeneralising", "overgrazing", "overground", "overgrown", "overgrowth", "overhand", "overhang", "overhanging", "overhangs", "overhasty", "overhaul", "overhauled", "overhauling", "overhauls", "overhead", "overheads", "overhear", "overheard", "overhearing", "overhears", "overheat", "overheated", "overheating", "overhung", "overincredulous", "overindulgence", "overindulgent", "overinflated", "overjoyed", "overkill", "overladen", "overlaid", "overlain", "overland", "overlap", "overlapped", "overlapping", "overlaps", "overlay", "overlaying", "overlays", "overleaf", "overlie", "overlies", "overload", "overloaded", "overloading", "overloads", "overlong", "overlook", "overlooked", "overlooking", "overlooks", "overlord", "overlords", "overly", "overlying", "overmanning", "overmantel", "overmatching", "overmuch", "overnight", "overoptimistic", "overpaid", "overpass", "overpay", "overpayment", "overplay", "overplayed", "overplaying", "overpopulated", "overpopulation", "overpopulous", "overpower", "overpowered", "overpowering", "overpoweringly", "overpowers", "overpressure", "overpriced", "overprint", "overprinted", "overprinting", "overprints", "overproduced", "overproduction", "overqualified", "overran", "overrate", "overrated", "overreach", "overreached", "overreaching", "overreact", "overreacted", "overreacting", "overreaction", "overreacts", "overrepresented", "overridden", "override", "overrides", "overriding", "overripe", "overrode", "overrule", "overruled", "overruling", "overrun", "overrunning", "overruns", "overs", "oversampled", "oversampling", "oversaw", "overseas", "oversee", "overseeing", "overseen", "overseer", "overseers", "oversees", "oversensitive", "oversensitivity", "oversexed", "overshadow", "overshadowed", "overshadowing", "overshadows", "overshoot", "overshooting", "overshoots", "overshot", "oversight", "oversights", "oversimplification", "oversimplifications", "oversimplified", "oversimplifies", "oversimplify", "oversimplifying", "oversize", "oversized", "oversleep", "overslept", "overspend", "overspending", "overspent", "overspill", "overstaffed", "overstate", "overstated", "overstatement", "overstates", "overstating", "overstep", "overstepped", "overstepping", "oversteps", "overstocked", "overstocking", "overstress", "overstressed", "overstretch", "overstretched", "overstrung", "overstuffed", "oversubscribed", "oversupply", "overt", "overtake", "overtaken", "overtaker", "overtakers", "overtakes", "overtaking", "overtax", "overthetop", "overthrew", "overthrow", "overthrowing", "overthrown", "overthrows", "overtightened", "overtime", "overtly", "overtness", "overtone", "overtones", "overtook", "overtops", "overture", "overtures", "overturn", "overturned", "overturning", "overturns", "overuse", "overused", "overuses", "overvalue", "overvalued", "overview", "overviews", "overweening", "overweight", "overwhelm", "overwhelmed", "overwhelming", "overwhelmingly", "overwhelms", "overwinter", "overwintered", "overwintering", "overwork", "overworked", "overworking", "overwrite", "overwrites", "overwriting", "overwritten", "overwrote", "overwrought", "oviduct", "ovoid", "ovular", "ovulation", "ovum", "ow", "owe", "owed", "owes", "owing", "owl", "owlet", "owlets", "owlish", "owlishly", "owls", "own", "owned", "owner", "owners", "ownership", "ownerships", "owning", "owns", "ox", "oxalate", "oxalic", "oxcart", "oxen", "oxford", "oxidant", "oxidants", "oxidation", "oxide", "oxides", "oxidisation", "oxidise", "oxidised", "oxidiser", "oxidising", "oxtail", "oxtails", "oxygen", "oxygenated", "oxygenating", "oxygenation", "oxymoron", "oyster", "oysters", "ozone", "ozonefriendly", "pa", "pace", "paced", "pacemaker", "pacemakers", "paceman", "pacemen", "pacer", "pacers", "paces", "pacey", "pachyderm", "pacific", "pacification", "pacified", "pacifier", "pacifies", "pacifism", "pacifist", "pacifists", "pacify", "pacifying", "pacing", "pack", "packable", "package", "packaged", "packages", "packaging", "packed", "packer", "packers", "packet", "packets", "packhorse", "packing", "packings", "packs", "pact", "pacts", "pad", "padded", "padding", "paddings", "paddle", "paddled", "paddler", "paddlers", "paddles", "paddling", "paddock", "paddocks", "paddy", "padlock", "padlocked", "padlocking", "padlocks", "padre", "padres", "pads", "paean", "paeans", "paediatric", "paediatrician", "paediatricians", "paediatrics", "paedophile", "paedophiles", "paedophilia", "paella", "paeony", "pagan", "paganism", "pagans", "page", "pageant", "pageantry", "pageants", "pageboy", "paged", "pageful", "pager", "pagers", "pages", "paginal", "paginate", "paginated", "paginating", "pagination", "paging", "pagoda", "pagodas", "paid", "paidup", "pail", "pails", "pain", "pained", "painful", "painfully", "painfulness", "paining", "painkiller", "painkillers", "painless", "painlessly", "pains", "painstaking", "painstakingly", "paint", "paintbox", "paintbrush", "painted", "painter", "painters", "painting", "paintings", "paints", "paintwork", "pair", "paired", "pairing", "pairings", "pairs", "pairwise", "pajama", "pajamas", "pakistan", "pal", "palace", "palaces", "palaeographic", "palaeolithic", "palaeontological", "palaeontologist", "palaeontologists", "palaeontology", "palatability", "palatable", "palatal", "palate", "palates", "palatial", "palatinate", "palatine", "palaver", "pale", "paled", "paleface", "palely", "paleness", "paler", "pales", "palest", "palette", "palettes", "palimpsest", "palindrome", "palindromes", "palindromic", "paling", "palisade", "palisades", "pall", "palladium", "pallbearers", "palled", "pallet", "pallets", "palliative", "palliatives", "pallid", "pallmall", "pallor", "palls", "palm", "palmed", "palming", "palmist", "palmistry", "palms", "palmtop", "palmtops", "palmy", "palp", "palpable", "palpably", "palpate", "palpated", "palpates", "palpitate", "palpitated", "palpitating", "palpitation", "palpitations", "pals", "palsied", "palsy", "paltrier", "paltriest", "paltriness", "paltry", "paludal", "pampas", "pamper", "pampered", "pampering", "pampers", "pamphlet", "pamphleteer", "pamphleteers", "pamphlets", "pan", "panacea", "panaceas", "panache", "panama", "pancake", "pancaked", "pancakes", "pancreas", "pancreatic", "panda", "pandas", "pandemic", "pandemics", "pandemonium", "pander", "pandering", "panders", "pandora", "pane", "paned", "panel", "panelled", "panelling", "panellist", "panellists", "panels", "panes", "pang", "panga", "pangas", "pangolin", "pangs", "panic", "panicked", "panicking", "panicky", "panics", "panicstricken", "panjandrum", "panned", "pannier", "panniers", "panning", "panoply", "panorama", "panoramas", "panoramic", "pans", "pansies", "pansy", "pant", "pantaloons", "pantechnicon", "panted", "pantheism", "pantheist", "pantheistic", "pantheon", "panther", "panthers", "panties", "pantile", "pantiled", "pantiles", "panting", "pantograph", "pantographs", "pantomime", "pantomimes", "pantries", "pantry", "pants", "panzer", "pap", "papa", "papacy", "papal", "paparazzi", "papas", "papaw", "papaws", "papaya", "paper", "paperback", "paperbacks", "papered", "papering", "paperless", "papers", "paperthin", "paperweight", "paperweights", "paperwork", "papery", "papilla", "papist", "pappy", "paprika", "papua", "papule", "papyri", "papyrus", "par", "parable", "parables", "parabola", "parabolas", "parabolic", "paraboloid", "paraboloids", "paracetamol", "parachute", "parachuted", "parachutes", "parachuting", "parachutist", "parachutists", "parade", "paraded", "parader", "parades", "paradigm", "paradigmatic", "paradigms", "parading", "paradise", "paradises", "paradox", "paradoxes", "paradoxical", "paradoxically", "paraffin", "paragliding", "paragon", "paragons", "paragraph", "paragraphing", "paragraphs", "paraguay", "parakeet", "parakeets", "paralinguistic", "parallax", "parallaxes", "parallel", "paralleled", "parallelepiped", "paralleling", "parallelism", "parallelogram", "parallelograms", "parallels", "paralyse", "paralysed", "paralyses", "paralysing", "paralysis", "paralytic", "paralytically", "paramagnetic", "paramagnetism", "paramedic", "paramedical", "paramedics", "parameter", "parameters", "parametric", "parametrically", "parametrisation", "parametrise", "parametrised", "parametrises", "paramilitaries", "paramilitary", "paramount", "paramountcy", "paramour", "paranoia", "paranoiac", "paranoiacs", "paranoid", "paranormal", "parapet", "parapets", "paraphernalia", "paraphrase", "paraphrased", "paraphrases", "paraphrasing", "paraplegic", "parapsychologist", "parapsychology", "paraquat", "parasite", "parasites", "parasitic", "parasitical", "parasitised", "parasitism", "parasitologist", "parasitology", "parasol", "parasols", "paratroop", "paratrooper", "paratroopers", "paratroops", "parboil", "parcel", "parcelled", "parcelling", "parcels", "parch", "parched", "parches", "parchment", "parchments", "pardon", "pardonable", "pardoned", "pardoning", "pardons", "pare", "pared", "parent", "parentage", "parental", "parented", "parenteral", "parentheses", "parenthesis", "parenthesise", "parenthesised", "parenthetic", "parenthetical", "parenthetically", "parenthood", "parenting", "parentinlaw", "parents", "parentsinlaw", "pares", "parfait", "parfaits", "pariah", "pariahs", "parietal", "paring", "paris", "parish", "parishes", "parishioner", "parishioners", "parisian", "parities", "parity", "park", "parka", "parkas", "parked", "parking", "parkland", "parks", "parlance", "parley", "parleying", "parliament", "parliamentarian", "parliamentarians", "parliamentary", "parliaments", "parlour", "parlourmaid", "parlours", "parlous", "parochial", "parochialism", "parochiality", "parodied", "parodies", "parodist", "parody", "parodying", "parole", "paroxysm", "paroxysms", "parquet", "parried", "parries", "parrot", "parroting", "parrots", "parry", "parrying", "parse", "parsec", "parsecs", "parsed", "parser", "parsers", "parses", "parsimonious", "parsimony", "parsing", "parsings", "parsley", "parsnip", "parsnips", "parson", "parsonage", "parsons", "part", "partake", "partaken", "partaker", "partakers", "partakes", "partaking", "parted", "parthenogenesis", "partial", "partiality", "partially", "participant", "participants", "participate", "participated", "participates", "participating", "participation", "participative", "participators", "participatory", "participle", "participles", "particle", "particles", "particular", "particularise", "particularised", "particularism", "particularities", "particularity", "particularly", "particulars", "particulate", "particulates", "parties", "parting", "partings", "partisan", "partisans", "partisanship", "partition", "partitioned", "partitioning", "partitions", "partly", "partner", "partnered", "partnering", "partners", "partnership", "partnerships", "partook", "partridge", "partridges", "parts", "parttime", "party", "parvenu", "pascal", "pascals", "paschal", "pass", "passable", "passably", "passage", "passages", "passageway", "passageways", "passant", "passe", "passed", "passenger", "passengers", "passer", "passers", "passersby", "passes", "passim", "passing", "passion", "passionate", "passionately", "passionateness", "passionless", "passions", "passivated", "passive", "passively", "passives", "passivity", "passmark", "passover", "passport", "passports", "password", "passwords", "past", "pasta", "pastas", "paste", "pasteboard", "pasted", "pastel", "pastels", "pastes", "pasteur", "pasteurisation", "pasteurised", "pastiche", "pastiches", "pasties", "pastille", "pastime", "pastimes", "pasting", "pastis", "pastor", "pastoral", "pastoralism", "pastors", "pastrami", "pastries", "pastry", "pasts", "pasture", "pastured", "pastureland", "pastures", "pasturing", "pasty", "pat", "patch", "patchable", "patched", "patches", "patchier", "patchiest", "patchily", "patchiness", "patching", "patchup", "patchwork", "patchy", "pate", "patella", "paten", "patent", "patentable", "patented", "patentee", "patenting", "patently", "patents", "pater", "paternal", "paternalism", "paternalist", "paternalistic", "paternally", "paternity", "pates", "path", "pathetic", "pathetically", "pathfinder", "pathfinders", "pathless", "pathogen", "pathogenesis", "pathogenic", "pathogens", "pathological", "pathologically", "pathologies", "pathologist", "pathologists", "pathology", "pathos", "paths", "pathway", "pathways", "patience", "patient", "patiently", "patients", "patina", "patination", "patio", "patisserie", "patois", "patriarch", "patriarchal", "patriarchies", "patriarchs", "patriarchy", "patrician", "patricians", "patrilineal", "patrimony", "patriot", "patriotic", "patriotism", "patriots", "patrol", "patrolled", "patrolling", "patrols", "patron", "patronage", "patroness", "patronesses", "patronisation", "patronise", "patronised", "patronises", "patronising", "patronisingly", "patrons", "pats", "patted", "patten", "pattens", "patter", "pattered", "pattering", "pattern", "patterned", "patterning", "patternless", "patterns", "patters", "patties", "patting", "paucity", "paul", "paunch", "paunchy", "pauper", "paupers", "pause", "paused", "pauses", "pausing", "pave", "paved", "pavement", "pavements", "paves", "pavilion", "pavilions", "paving", "pavings", "pavlov", "paw", "pawed", "pawing", "pawn", "pawnbroker", "pawnbrokers", "pawned", "pawning", "pawns", "pawnshop", "pawnshops", "pawpaw", "pawpaws", "paws", "pay", "payable", "payback", "payday", "paydays", "payed", "payee", "payees", "payer", "payers", "paying", "payload", "payloads", "paymaster", "paymasters", "payment", "payments", "payphone", "payphones", "payroll", "payrolls", "pays", "payslips", "pea", "peace", "peaceable", "peaceably", "peaceful", "peacefully", "peacefulness", "peacekeepers", "peacekeeping", "peacemaker", "peacemakers", "peacemaking", "peacetime", "peach", "peaches", "peachier", "peachiest", "peachy", "peacock", "peacocks", "peafowl", "peahens", "peak", "peaked", "peakiness", "peaking", "peaks", "peaky", "peal", "pealed", "pealing", "peals", "peanut", "peanuts", "pear", "pearl", "pearls", "pearly", "pears", "peartrees", "peas", "peasant", "peasantry", "peasants", "peat", "peatland", "peatlands", "peaty", "pebble", "pebbled", "pebbles", "pebbly", "pecan", "peccary", "peck", "pecked", "pecker", "peckers", "pecking", "peckish", "pecks", "pectin", "pectoral", "pectorals", "peculiar", "peculiarities", "peculiarity", "peculiarly", "pecuniary", "pedagogic", "pedagogical", "pedagogically", "pedagogue", "pedagogy", "pedal", "pedalled", "pedalling", "pedals", "pedant", "pedantic", "pedantically", "pedantry", "pedants", "peddle", "peddled", "peddler", "peddlers", "peddles", "peddling", "pederasts", "pedestal", "pedestals", "pedestrian", "pedestrianisation", "pedestrianised", "pedestrians", "pedigree", "pedigrees", "pediment", "pedimented", "pediments", "pedlar", "pedlars", "pedology", "peek", "peeked", "peeking", "peeks", "peel", "peeled", "peeler", "peelers", "peeling", "peelings", "peels", "peep", "peeped", "peeper", "peepers", "peephole", "peeping", "peeps", "peer", "peerage", "peerages", "peered", "peering", "peerless", "peers", "peevish", "peevishly", "peevishness", "peg", "pegasus", "pegged", "pegging", "pegs", "pejorative", "pejoratively", "pejoratives", "pekan", "peking", "pele", "pelican", "pelicans", "pellet", "pellets", "pelmet", "pelmets", "pelt", "pelted", "pelting", "pelts", "pelvic", "pelvis", "pelvises", "pen", "penal", "penalisation", "penalise", "penalised", "penalises", "penalising", "penalties", "penalty", "penance", "penances", "pence", "penchant", "pencil", "pencilled", "pencilling", "pencils", "pendant", "pendants", "pending", "pendulous", "pendulum", "pendulums", "penetrable", "penetrate", "penetrated", "penetrates", "penetrating", "penetratingly", "penetration", "penetrations", "penetrative", "penguin", "penguins", "penicillin", "penile", "peninsula", "peninsular", "peninsulas", "penitence", "penitent", "penitential", "penitentiary", "penitently", "penitents", "penknife", "penname", "pennames", "pennant", "pennants", "penned", "pennies", "penniless", "penning", "penny", "pennypinching", "penology", "pens", "pension", "pensionable", "pensioned", "pensioner", "pensioners", "pensioning", "pensions", "pensive", "pensively", "pensiveness", "pent", "pentagon", "pentagonal", "pentagons", "pentagram", "pentagrams", "pentameter", "pentameters", "pentasyllabic", "pentathlete", "pentathlon", "pentatonic", "pentecostal", "penthouse", "penultimate", "penultimately", "penumbra", "penurious", "penury", "peonies", "people", "peopled", "peoples", "pep", "peperoni", "pepper", "peppercorn", "peppercorns", "peppered", "peppering", "peppermint", "peppermints", "peppers", "peppery", "peps", "peptic", "peptide", "peptides", "per", "perambulate", "perambulated", "perambulating", "perambulations", "perambulator", "perannum", "percales", "perceivable", "perceive", "perceived", "perceives", "perceiving", "percent", "percentage", "percentages", "percentile", "percentiles", "percept", "perceptibility", "perceptible", "perceptibly", "perception", "perceptions", "perceptive", "perceptively", "perceptiveness", "percepts", "perceptual", "perceptually", "perch", "perchance", "perched", "percher", "perches", "perching", "perchlorate", "percipient", "percolate", "percolated", "percolates", "percolating", "percolation", "percolator", "percolators", "percuss", "percussed", "percusses", "percussing", "percussion", "percussionist", "percussionists", "percussive", "percussively", "percutaneous", "perdition", "peregrinations", "peregrine", "peregrines", "peremptorily", "peremptoriness", "peremptory", "perennial", "perennially", "perennials", "perestroika", "perfect", "perfected", "perfectibility", "perfecting", "perfection", "perfectionism", "perfectionist", "perfectionists", "perfections", "perfectly", "perfects", "perfidious", "perfidiously", "perfidy", "perforate", "perforated", "perforation", "perforations", "perforce", "perform", "performable", "performance", "performances", "performed", "performer", "performers", "performing", "performs", "perfume", "perfumed", "perfumery", "perfumes", "perfuming", "perfunctorily", "perfunctory", "perfused", "perfusion", "pergola", "pergolas", "perhaps", "peri", "periastron", "perigee", "periglacial", "perihelion", "peril", "perilous", "perilously", "perils", "perimeter", "perimeters", "perinatal", "perineal", "perineum", "period", "periodic", "periodical", "periodically", "periodicals", "periodicity", "periods", "perioperative", "peripatetic", "peripheral", "peripherally", "peripherals", "peripheries", "periphery", "periphrasis", "periphrastic", "periscope", "periscopes", "perish", "perishable", "perishables", "perished", "perishes", "perishing", "peritoneum", "perjure", "perjured", "perjurer", "perjury", "perk", "perked", "perkier", "perkiest", "perkily", "perking", "perks", "perky", "perm", "permafrost", "permanence", "permanency", "permanent", "permanently", "permanganate", "permeability", "permeable", "permeate", "permeated", "permeates", "permeating", "permeation", "permed", "perming", "permissibility", "permissible", "permission", "permissions", "permissive", "permissiveness", "permit", "permits", "permitted", "permitting", "permittivity", "perms", "permutation", "permutations", "permute", "permuted", "permutes", "permuting", "pernicious", "perniciousness", "peroration", "peroxidase", "peroxide", "peroxides", "perpendicular", "perpendicularly", "perpendiculars", "perpetrate", "perpetrated", "perpetrates", "perpetrating", "perpetration", "perpetrator", "perpetrators", "perpetual", "perpetually", "perpetuate", "perpetuated", "perpetuates", "perpetuating", "perpetuation", "perpetuity", "perplex", "perplexed", "perplexedly", "perplexing", "perplexities", "perplexity", "perquisite", "perquisites", "perron", "perry", "persecute", "persecuted", "persecuting", "persecution", "persecutions", "persecutor", "persecutors", "perseverance", "persevere", "persevered", "perseveres", "persevering", "perseveringly", "persia", "persian", "persist", "persisted", "persistence", "persistent", "persistently", "persisting", "persists", "person", "persona", "personable", "personae", "personage", "personages", "personal", "personalisation", "personalise", "personalised", "personalising", "personalities", "personality", "personally", "personification", "personifications", "personified", "personifies", "personify", "personifying", "personnel", "persons", "perspective", "perspectives", "perspex", "perspicacious", "perspicacity", "perspicuity", "perspicuous", "perspicuously", "perspiration", "perspire", "perspiring", "persuade", "persuaded", "persuaders", "persuades", "persuading", "persuasion", "persuasions", "persuasive", "persuasively", "persuasiveness", "pert", "pertain", "pertained", "pertaining", "pertains", "perth", "pertinacious", "pertinaciously", "pertinacity", "pertinence", "pertinent", "pertinently", "pertly", "pertness", "perturb", "perturbation", "perturbations", "perturbed", "perturbing", "peru", "perusal", "peruse", "perused", "peruses", "perusing", "peruvian", "pervade", "pervaded", "pervades", "pervading", "pervasive", "pervasiveness", "perverse", "perversely", "perverseness", "perversion", "perversions", "perversity", "pervert", "perverted", "perverting", "perverts", "peseta", "pesetas", "pesky", "pessimism", "pessimist", "pessimistic", "pessimistically", "pessimists", "pest", "pester", "pestered", "pestering", "pesticide", "pesticides", "pestilence", "pestilent", "pestilential", "pestle", "pests", "pet", "petal", "petals", "petard", "peter", "petered", "petering", "peters", "pethidine", "petit", "petite", "petition", "petitioned", "petitioner", "petitioners", "petitioning", "petitions", "petrel", "petrels", "petrification", "petrified", "petrifies", "petrify", "petrifying", "petrochemical", "petrochemicals", "petrographic", "petrographical", "petrol", "petroleum", "petrological", "petrology", "pets", "petted", "petticoat", "petticoats", "pettier", "pettiest", "pettifoggers", "pettifogging", "pettiness", "petting", "pettish", "pettishly", "pettishness", "petty", "petulance", "petulant", "petulantly", "petunia", "petunias", "pew", "pews", "pewter", "phalanx", "phantasy", "phantom", "phantoms", "pharaoh", "pharmaceutical", "pharmaceuticals", "pharmacies", "pharmacist", "pharmacists", "pharmacological", "pharmacologist", "pharmacologists", "pharmacology", "pharmacy", "pharynx", "phase", "phased", "phases", "phasing", "pheasant", "pheasants", "phenol", "phenols", "phenomena", "phenomenal", "phenomenally", "phenomenological", "phenomenologically", "phenomenologists", "phenomenology", "phenomenon", "phenotype", "phenotypes", "phenylalanine", "pheromone", "pheromones", "phew", "philanthropic", "philanthropist", "philanthropists", "philanthropy", "philatelic", "philatelists", "philately", "philharmonic", "philistine", "philological", "philologist", "philologists", "philology", "philosopher", "philosophers", "philosophic", "philosophical", "philosophically", "philosophies", "philosophise", "philosophising", "philosophy", "phlebotomy", "phlegm", "phlegmatic", "phlegmatically", "phlogiston", "phlox", "phobia", "phobias", "phobic", "phoenix", "phoenixes", "phone", "phoned", "phoneme", "phonemes", "phonemic", "phonemically", "phoner", "phones", "phonetic", "phonetically", "phoneticians", "phoneticist", "phonetics", "phoney", "phoneys", "phoning", "phonograph", "phonographic", "phonological", "phonologically", "phonology", "phonon", "phony", "phooey", "phosphatase", "phosphate", "phosphates", "phosphatic", "phospholipids", "phosphor", "phosphorescence", "phosphorescent", "phosphoric", "phosphorous", "phosphors", "phosphorus", "photo", "photocells", "photochemical", "photochemically", "photochemistry", "photocopied", "photocopier", "photocopiers", "photocopies", "photocopy", "photocopying", "photoelectric", "photoelectrically", "photogenic", "photograph", "photographed", "photographer", "photographers", "photographic", "photographically", "photographing", "photographs", "photography", "photolysis", "photolytic", "photometric", "photometrically", "photometry", "photomultiplier", "photon", "photons", "photoreceptor", "photos", "photosensitive", "photosphere", "photostat", "photosynthesis", "photosynthesising", "photosynthetic", "photosynthetically", "phototypesetter", "phototypesetting", "photovoltaic", "phrasal", "phrase", "phrasebook", "phrased", "phraseology", "phrases", "phrasing", "phrenological", "phrenologically", "phrenologists", "phrenology", "phyla", "phylactery", "phylogenetic", "phylogeny", "phylum", "physic", "physical", "physicality", "physically", "physician", "physicians", "physicist", "physicists", "physics", "physio", "physiognomies", "physiognomy", "physiological", "physiologically", "physiologist", "physiologists", "physiology", "physiotherapist", "physiotherapists", "physiotherapy", "physique", "phytoplankton", "pi", "pianissimo", "pianist", "pianistic", "pianists", "piano", "pianoforte", "pianola", "piazza", "piazzas", "pica", "picaresque", "picasso", "piccolo", "pick", "pickaxe", "pickaxes", "picked", "picker", "pickerel", "pickerels", "pickers", "picket", "picketed", "picketing", "pickets", "picking", "pickings", "pickle", "pickled", "pickles", "pickling", "pickpocket", "pickpocketing", "pickpockets", "picks", "pickup", "pickups", "picnic", "picnicked", "picnickers", "picnicking", "picnics", "picoseconds", "pictogram", "pictograms", "pictographic", "pictorial", "pictorially", "pictural", "picture", "pictured", "pictures", "picturesque", "picturesquely", "picturesqueness", "picturing", "pidgin", "pie", "piebald", "piece", "pieced", "piecemeal", "pieces", "piecewise", "piecework", "piecing", "pied", "pier", "pierce", "pierced", "piercer", "piercers", "pierces", "piercing", "piercingly", "piers", "pies", "pieta", "piety", "piezoelectric", "piffle", "pig", "pigeon", "pigeons", "piggery", "piggish", "piggy", "piggyback", "piglet", "piglets", "pigment", "pigmentation", "pigmented", "pigments", "pigs", "pigsties", "pigsty", "pigtail", "pigtailed", "pigtails", "pike", "pikemen", "pikes", "pikestaff", "pilaster", "pilasters", "pilchard", "pilchards", "pile", "piled", "piles", "pileup", "pilfer", "pilfered", "pilfering", "pilgrim", "pilgrimage", "pilgrimages", "pilgrims", "piling", "pill", "pillage", "pillaged", "pillages", "pillaging", "pillar", "pillared", "pillars", "pillbox", "pillion", "pilloried", "pillories", "pillory", "pillow", "pillowcase", "pillowcases", "pillowed", "pillows", "pills", "pilot", "piloted", "piloting", "pilots", "pimp", "pimpernel", "pimping", "pimple", "pimpled", "pimples", "pimply", "pimps", "pin", "pinafore", "pinafores", "pinball", "pincer", "pincered", "pincers", "pinch", "pinched", "pincher", "pinches", "pinching", "pincushion", "pincushions", "pine", "pineal", "pineapple", "pineapples", "pined", "pines", "ping", "pingpong", "pings", "pinhead", "pinheads", "pinhole", "pinholes", "pining", "pinion", "pinioned", "pinions", "pink", "pinked", "pinker", "pinkie", "pinkies", "pinking", "pinkish", "pinkness", "pinks", "pinky", "pinnacle", "pinnacled", "pinnacles", "pinned", "pinning", "pinpoint", "pinpointed", "pinpointing", "pinpoints", "pinprick", "pinpricks", "pins", "pinstripe", "pinstriped", "pinstripes", "pint", "pints", "pintsized", "pinup", "pinups", "piny", "pion", "pioneer", "pioneered", "pioneering", "pioneers", "pions", "pious", "piously", "pip", "pipe", "piped", "pipeline", "pipelines", "piper", "pipers", "pipes", "pipette", "pipettes", "pipework", "piping", "pipings", "pipit", "pipits", "pipped", "pippin", "pipping", "pips", "piquancy", "piquant", "pique", "piqued", "piracies", "piracy", "piranha", "piranhas", "pirate", "pirated", "pirates", "piratical", "pirating", "pirouette", "pirouetted", "pirouettes", "pirouetting", "pisa", "pistol", "pistols", "piston", "pistons", "pit", "pitbull", "pitch", "pitchdark", "pitched", "pitcher", "pitchers", "pitches", "pitchfork", "pitchforks", "pitching", "piteous", "piteously", "pitfall", "pitfalls", "pith", "pithead", "pithier", "pithiest", "pithily", "piths", "pithy", "pitiable", "pitiably", "pitied", "pities", "pitiful", "pitifully", "pitiless", "pitilessly", "piton", "pitons", "pits", "pittance", "pitted", "pitting", "pituitary", "pity", "pitying", "pityingly", "pivot", "pivotal", "pivoted", "pivoting", "pivots", "pixel", "pixels", "pixie", "pixies", "pizazz", "pizza", "pizzas", "pizzeria", "pizzerias", "pizzicato", "placard", "placards", "placate", "placated", "placates", "placating", "placatingly", "placatory", "place", "placebo", "placed", "placeholder", "placemen", "placement", "placements", "placenta", "placentae", "placental", "placentas", "placer", "placers", "places", "placid", "placidity", "placidly", "placing", "placings", "plagiarise", "plagiarised", "plagiarising", "plagiarism", "plagiarist", "plagiarists", "plague", "plagued", "plagues", "plaguing", "plaice", "plaid", "plaids", "plain", "plainest", "plainly", "plainness", "plains", "plaint", "plaintiff", "plaintiffs", "plaintive", "plaintively", "plait", "plaited", "plaiting", "plaits", "plan", "planar", "plane", "planed", "planes", "planet", "planetarium", "planetary", "planetesimals", "planetoids", "planets", "plangent", "planing", "plank", "planking", "planks", "plankton", "planktonic", "planned", "planner", "planners", "planning", "plans", "plant", "plantain", "plantation", "plantations", "planted", "planter", "planters", "planting", "plantings", "plants", "plaque", "plaques", "plasm", "plasma", "plasmas", "plasmid", "plasmids", "plaster", "plasterboard", "plastered", "plasterer", "plasterers", "plastering", "plasters", "plasterwork", "plastic", "plasticised", "plasticisers", "plasticity", "plastics", "plate", "plateau", "plateaus", "plateaux", "plated", "plateful", "platefuls", "platelet", "platelets", "platen", "platens", "plates", "platform", "platforms", "plating", "platinum", "platitude", "platitudes", "platitudinous", "plato", "platonic", "platoon", "platoons", "platter", "platters", "platypus", "platypuses", "plaudits", "plausibility", "plausible", "plausibly", "play", "playable", "playback", "playboy", "playboys", "played", "player", "players", "playfellow", "playfellows", "playful", "playfully", "playfulness", "playground", "playgrounds", "playgroup", "playgroups", "playhouse", "playing", "playings", "playmate", "playmates", "playroom", "plays", "plaything", "playthings", "playtime", "playwright", "playwrights", "plaza", "plazas", "plea", "plead", "pleaded", "pleading", "pleadingly", "pleadings", "pleads", "pleas", "pleasant", "pleasanter", "pleasantest", "pleasantly", "pleasantness", "pleasantries", "pleasantry", "please", "pleased", "pleases", "pleasing", "pleasingly", "pleasurable", "pleasurably", "pleasure", "pleasures", "pleat", "pleated", "pleats", "pleb", "plebeian", "plebiscite", "plebs", "plectrum", "plectrums", "pledge", "pledged", "pledges", "pledging", "plenary", "plenipotentiary", "plenitude", "plenteous", "plenteously", "plentiful", "plentifully", "plenty", "plenum", "plethora", "pleura", "pleural", "pleurisy", "plexus", "pliable", "pliant", "plied", "pliers", "plies", "plight", "plights", "plimsolls", "plinth", "plinths", "plod", "plodded", "plodder", "plodding", "plods", "plop", "plopped", "plopping", "plops", "plosive", "plot", "plots", "plotted", "plotter", "plotters", "plotting", "plough", "ploughed", "ploughers", "ploughing", "ploughman", "ploughmen", "ploughs", "ploughshare", "ploughshares", "plover", "plovers", "ploy", "ploys", "pluck", "plucked", "plucker", "pluckier", "pluckiest", "plucking", "plucks", "plucky", "plug", "plugged", "plugging", "plughole", "plugs", "plum", "plumage", "plumages", "plumb", "plumbago", "plumbed", "plumber", "plumbers", "plumbing", "plumbs", "plume", "plumed", "plumes", "pluming", "plummet", "plummeted", "plummeting", "plummets", "plummy", "plump", "plumped", "plumper", "plumping", "plumpness", "plums", "plumtree", "plumy", "plunder", "plundered", "plunderers", "plundering", "plunders", "plunge", "plunged", "plunger", "plungers", "plunges", "plunging", "pluperfect", "plural", "pluralisation", "pluralise", "pluralised", "pluralising", "pluralism", "pluralist", "pluralistic", "pluralists", "plurality", "plurals", "plus", "pluses", "plush", "plushy", "pluto", "plutocracy", "plutocrats", "plutonic", "plutonium", "ply", "plying", "plywood", "pneumatic", "pneumatics", "pneumonia", "poach", "poached", "poacher", "poachers", "poaches", "poaching", "pock", "pocked", "pocket", "pocketbook", "pocketed", "pocketful", "pocketing", "pockets", "pockmarked", "pocks", "pod", "podded", "podgy", "podia", "podium", "podiums", "pods", "poem", "poems", "poet", "poetess", "poetic", "poetical", "poetically", "poetics", "poetise", "poetry", "poets", "pogo", "pogrom", "pogroms", "poignancy", "poignant", "poignantly", "poikilothermic", "poinsettias", "point", "pointblank", "pointed", "pointedly", "pointedness", "pointer", "pointers", "pointillism", "pointillist", "pointing", "pointless", "pointlessly", "pointlessness", "points", "pointy", "poise", "poised", "poises", "poising", "poison", "poisoned", "poisoner", "poisoning", "poisonings", "poisonous", "poisons", "poke", "poked", "poker", "pokerfaced", "pokers", "pokes", "poking", "poky", "poland", "polar", "polarisation", "polarisations", "polarise", "polarised", "polarising", "polarities", "polarity", "polder", "pole", "polecat", "polecats", "poled", "polemic", "polemical", "polemicist", "polemics", "poles", "polestar", "polevaulting", "poleward", "polewards", "police", "policed", "policeman", "policemen", "polices", "policewoman", "policewomen", "policies", "policing", "policy", "policyholder", "policyholders", "polio", "poliomyelitis", "polish", "polished", "polisher", "polishers", "polishes", "polishing", "polishings", "politburo", "polite", "politely", "politeness", "politer", "politesse", "politest", "politic", "political", "politically", "politician", "politicians", "politicisation", "politicise", "politicised", "politicising", "politicking", "politics", "polity", "polka", "polkas", "poll", "pollarded", "polled", "pollen", "pollens", "pollinate", "pollinated", "pollinating", "pollination", "pollinator", "pollinators", "polling", "polls", "pollster", "pollsters", "pollutant", "pollutants", "pollute", "polluted", "polluter", "polluters", "pollutes", "polluting", "pollution", "pollutions", "polo", "polonaise", "polonaises", "poloneck", "polonies", "polonium", "polony", "poltergeist", "poltergeists", "poltroon", "polyandry", "polyatomic", "polycarbonate", "polychromatic", "polychrome", "polycotton", "polycrystalline", "polycyclic", "polyester", "polyesters", "polyethylene", "polygamous", "polygamy", "polyglot", "polyglots", "polygon", "polygonal", "polygons", "polygraph", "polygynous", "polygyny", "polyhedra", "polyhedral", "polyhedron", "polymath", "polymer", "polymerase", "polymerases", "polymeric", "polymerisation", "polymerised", "polymers", "polymorphic", "polymorphism", "polymorphisms", "polymorphous", "polynomial", "polynomially", "polynomials", "polyp", "polypeptide", "polypeptides", "polyphonic", "polyphony", "polypropylene", "polyps", "polysaccharide", "polysaccharides", "polystyrene", "polysyllabic", "polysyllable", "polysyllables", "polytechnic", "polytechnics", "polytheism", "polytheist", "polytheistic", "polytheists", "polythene", "polytopes", "polyunsaturated", "polyunsaturates", "polyurethane", "pomade", "pomades", "pomegranate", "pomegranates", "pomelo", "pomp", "pompadour", "pompeii", "pompey", "pomposity", "pompous", "pompously", "pompousness", "ponce", "poncho", "pond", "ponder", "pondered", "pondering", "ponderous", "ponderously", "ponders", "ponds", "ponies", "pontiff", "pontiffs", "pontifical", "pontificate", "pontificated", "pontificating", "pontification", "pontifications", "pontoon", "pontoons", "pony", "ponytail", "pooch", "pooches", "poodle", "poodles", "poof", "pooh", "pool", "pooled", "pooling", "pools", "poolside", "poop", "poor", "poorer", "poorest", "poorly", "poorness", "poorspirited", "pop", "popcorn", "pope", "popes", "popeyed", "poplar", "poplars", "popmusic", "popped", "popper", "poppet", "poppies", "popping", "poppy", "poppycock", "pops", "populace", "popular", "popularisation", "popularisations", "popularise", "popularised", "popularising", "popularity", "popularly", "populate", "populated", "populating", "population", "populations", "populism", "populist", "populists", "populous", "popup", "porcelain", "porch", "porches", "porcine", "porcupine", "porcupines", "pore", "pored", "pores", "poring", "pork", "porkchop", "porker", "porky", "porn", "porno", "pornographer", "pornographers", "pornographic", "pornography", "porns", "porosity", "porous", "porphyritic", "porphyry", "porpoise", "porpoises", "porridge", "port", "portability", "portable", "portables", "portage", "portal", "portals", "portcullis", "portcullises", "ported", "portend", "portended", "portending", "portends", "portent", "portentous", "portentously", "portents", "porter", "porterage", "porters", "portfolio", "porthole", "portholes", "portico", "porting", "portion", "portions", "portly", "portmanteau", "portmanteaus", "portrait", "portraitist", "portraits", "portraiture", "portray", "portrayal", "portrayals", "portrayed", "portraying", "portrays", "ports", "portugal", "pose", "posed", "poseidon", "poser", "posers", "poses", "poseur", "poseurs", "posh", "posies", "posing", "posit", "posited", "positing", "position", "positionable", "positional", "positionally", "positioned", "positioning", "positions", "positive", "positively", "positiveness", "positives", "positivism", "positivist", "positivists", "positivity", "positron", "positrons", "posits", "posse", "possess", "possessed", "possesses", "possessing", "possession", "possessions", "possessive", "possessively", "possessiveness", "possessives", "possessor", "possessors", "possibilities", "possibility", "possible", "possibles", "possibly", "possum", "possums", "post", "postage", "postal", "postbag", "postbox", "postboxes", "postcard", "postcards", "postcode", "postcodes", "postdated", "posted", "poster", "posterior", "posteriors", "posterity", "posters", "postfixes", "postgraduate", "postgraduates", "posthumous", "posthumously", "postilion", "postilions", "postillion", "posting", "postings", "postlude", "postman", "postmark", "postmarked", "postmarks", "postmaster", "postmasters", "postmen", "postmistress", "postmodern", "postmodernism", "postmodernist", "postmortem", "postmortems", "postnatal", "postoperative", "postoperatively", "postpone", "postponed", "postponement", "postponements", "postpones", "postponing", "posts", "postscript", "postscripts", "postulate", "postulated", "postulates", "postulating", "postulation", "postural", "posture", "postured", "postures", "posturing", "posturings", "posy", "pot", "potable", "potash", "potassium", "potato", "potbellied", "potch", "potencies", "potency", "potent", "potentate", "potentates", "potential", "potentialities", "potentiality", "potentially", "potentials", "potentiometer", "potentiometers", "potently", "pothole", "potholes", "potion", "potions", "potpourri", "pots", "potsherds", "potshot", "potshots", "pottage", "potted", "potter", "pottered", "potteries", "pottering", "potters", "pottery", "potties", "potting", "potty", "pouch", "pouches", "pouffe", "pouffes", "poult", "poulterer", "poultice", "poultry", "pounce", "pounced", "pounces", "pouncing", "pound", "poundage", "pounded", "pounding", "pounds", "pour", "pourable", "poured", "pouring", "pours", "pout", "pouted", "pouter", "pouting", "pouts", "poverty", "povertystricken", "powder", "powdered", "powdering", "powders", "powdery", "power", "powerboat", "powerboats", "powered", "powerful", "powerfully", "powerfulness", "powerhouse", "powerhouses", "powering", "powerless", "powerlessness", "powers", "powersharing", "pox", "practicabilities", "practicability", "practicable", "practical", "practicalities", "practicality", "practically", "practicals", "practice", "practices", "practise", "practised", "practises", "practising", "practitioner", "practitioners", "pragmatic", "pragmatically", "pragmatics", "pragmatism", "pragmatist", "pragmatists", "prague", "prairie", "prairies", "praise", "praised", "praises", "praiseworthy", "praising", "praline", "pram", "prams", "prance", "pranced", "prancer", "prancing", "prang", "prank", "pranks", "prankster", "pranksters", "prat", "prattle", "prattled", "prattler", "prattling", "prawn", "prawns", "pray", "prayed", "prayer", "prayerbook", "prayerful", "prayerfully", "prayers", "praying", "prays", "pre", "preach", "preached", "preacher", "preachers", "preaches", "preaching", "preachings", "preadolescent", "preallocate", "preamble", "preambles", "preamp", "preamplifier", "prearranged", "preauthorise", "prebend", "prebendary", "precarious", "precariously", "precariousness", "precaution", "precautionary", "precautions", "precede", "preceded", "precedence", "precedences", "precedent", "precedents", "precedes", "preceding", "precept", "precepts", "precess", "precessed", "precessing", "precession", "precinct", "precincts", "precious", "preciously", "preciousness", "precipice", "precipices", "precipitate", "precipitated", "precipitately", "precipitates", "precipitating", "precipitation", "precipitous", "precipitously", "precis", "precise", "precisely", "preciseness", "precision", "precisions", "preclinical", "preclude", "precluded", "precludes", "precluding", "precocious", "precociously", "precociousness", "precocity", "precognition", "precognitions", "precomputed", "preconceived", "preconception", "preconceptions", "precondition", "preconditions", "precooked", "precursor", "precursors", "predate", "predated", "predates", "predating", "predation", "predations", "predator", "predators", "predatory", "predeceased", "predecessor", "predecessors", "predeclared", "predefine", "predefined", "predefining", "predestination", "predestined", "predetermination", "predetermine", "predetermined", "predetermines", "predicament", "predicaments", "predicate", "predicated", "predicates", "predicating", "predicative", "predict", "predictability", "predictable", "predictably", "predicted", "predicting", "prediction", "predictions", "predictive", "predictor", "predictors", "predicts", "predilection", "predilections", "predispose", "predisposed", "predisposes", "predisposing", "predisposition", "predispositions", "predominance", "predominant", "predominantly", "predominate", "predominated", "predominates", "predominating", "preen", "preened", "preening", "preens", "prefab", "prefabricated", "prefabrication", "prefabs", "preface", "prefaced", "prefaces", "prefacing", "prefatory", "prefect", "prefects", "prefecture", "prefer", "preferable", "preferably", "preference", "preferences", "preferential", "preferentially", "preferment", "preferred", "preferring", "prefers", "prefigured", "prefix", "prefixed", "prefixes", "prefixing", "pregnancies", "pregnancy", "pregnant", "preheat", "preheating", "prehensile", "prehistoric", "prehistory", "prejudge", "prejudged", "prejudging", "prejudice", "prejudiced", "prejudices", "prejudicial", "prejudicing", "prelate", "prelates", "preliminaries", "preliminarily", "preliminary", "prelude", "preludes", "premature", "prematurely", "prematureness", "prematurity", "premeditate", "premeditated", "premeditation", "premenstrual", "premier", "premiere", "premiered", "premieres", "premiers", "premiership", "premise", "premised", "premises", "premising", "premiss", "premisses", "premium", "premiums", "premolar", "premolars", "premonition", "premonitions", "prenatal", "preoccupation", "preoccupations", "preoccupied", "preoccupy", "preoccupying", "preordained", "prep", "prepaid", "preparation", "preparations", "preparative", "preparatory", "prepare", "prepared", "preparedness", "preparer", "preparers", "prepares", "preparing", "prepayment", "prepays", "preplanned", "preponderance", "preponderant", "preponderantly", "preposition", "prepositional", "prepositions", "preposterous", "preposterously", "preps", "prerogative", "prerogatives", "presbytery", "preschool", "prescribe", "prescribed", "prescribes", "prescribing", "prescription", "prescriptions", "prescriptive", "prescriptively", "prescriptivism", "prescriptivist", "preselect", "preselected", "preselects", "presence", "presences", "present", "presentable", "presentation", "presentational", "presentations", "presented", "presenter", "presenters", "presentiment", "presentiments", "presenting", "presently", "presents", "preservation", "preservationists", "preservative", "preservatives", "preserve", "preserved", "preserver", "preserves", "preserving", "preset", "presets", "presetting", "preside", "presided", "presidencies", "presidency", "president", "presidential", "presidents", "presides", "presiding", "presidium", "press", "pressed", "presses", "pressing", "pressingly", "pressings", "pressman", "pressmen", "pressup", "pressups", "pressure", "pressurecooking", "pressured", "pressures", "pressuring", "pressurise", "pressurised", "pressurises", "pressurising", "prestidigitation", "prestidigitator", "prestidigitatorial", "prestige", "prestigious", "presto", "presumable", "presumably", "presume", "presumed", "presumes", "presuming", "presumption", "presumptions", "presumptive", "presumptively", "presumptuous", "presumptuously", "presumptuousness", "presuppose", "presupposed", "presupposes", "presupposing", "presupposition", "presuppositions", "pretence", "pretences", "pretend", "pretended", "pretender", "pretenders", "pretending", "pretends", "pretension", "pretensions", "pretentious", "pretentiously", "pretentiousness", "preterite", "preternatural", "preternaturally", "pretext", "pretexts", "pretor", "pretoria", "pretreated", "pretreatment", "pretreatments", "prettier", "prettiest", "prettify", "prettily", "prettiness", "pretty", "prevail", "prevailed", "prevailing", "prevails", "prevalence", "prevalent", "prevalently", "prevaricate", "prevaricated", "prevaricating", "prevarication", "prevent", "preventable", "prevented", "preventing", "prevention", "preventions", "preventive", "prevents", "preview", "previewed", "previewer", "previewers", "previewing", "previews", "previous", "previously", "prevue", "prevues", "prey", "preyed", "preying", "preys", "priapic", "price", "priced", "priceless", "prices", "pricewar", "pricey", "pricier", "pricing", "prick", "pricked", "pricking", "prickle", "prickled", "prickles", "pricklier", "prickliest", "prickliness", "prickling", "prickly", "pricks", "pricy", "pride", "prided", "prides", "pried", "pries", "priest", "priestess", "priestesses", "priesthood", "priestly", "priests", "prig", "priggish", "priggishly", "priggishness", "prim", "primacy", "primaeval", "primal", "primaries", "primarily", "primary", "primate", "primates", "prime", "primed", "primeness", "primer", "primers", "primes", "primetime", "primeval", "priming", "primitive", "primitively", "primitiveness", "primitives", "primly", "primness", "primogeniture", "primordial", "primrose", "primroses", "primus", "prince", "princelings", "princely", "princes", "princess", "princesses", "principal", "principalities", "principality", "principally", "principals", "principle", "principled", "principles", "print", "printable", "printed", "printer", "printers", "printing", "printings", "printmakers", "printmaking", "printout", "printouts", "prints", "prions", "prior", "priories", "priorities", "prioritisation", "prioritise", "prioritised", "prioritises", "prioritising", "priority", "priors", "priory", "prise", "prised", "prises", "prising", "prism", "prismatic", "prisms", "prison", "prisoner", "prisoners", "prisons", "prissy", "pristine", "privacy", "private", "privateer", "privateers", "privately", "privates", "privation", "privations", "privatisation", "privatisations", "privatise", "privatised", "privatises", "privatising", "privet", "privilege", "privileged", "privileges", "privileging", "privy", "prize", "prized", "prizer", "prizes", "prizewinner", "prizing", "pro", "proactive", "probabilist", "probabilistic", "probabilistically", "probabilities", "probability", "probable", "probably", "probate", "probation", "probationary", "probative", "probe", "probed", "prober", "probes", "probing", "probity", "problem", "problematic", "problematical", "problematically", "problems", "proboscis", "procedural", "procedurally", "procedure", "procedures", "proceed", "proceeded", "proceeding", "proceedings", "proceeds", "process", "processable", "processed", "processes", "processing", "procession", "processional", "processions", "processor", "processors", "proclaim", "proclaimed", "proclaimers", "proclaiming", "proclaims", "proclamation", "proclamations", "proclivities", "proclivity", "procrastinate", "procrastinating", "procrastination", "procrastinations", "procrastinator", "procrastinators", "procreate", "procreated", "procreating", "procreation", "procreational", "procreative", "procreatory", "proctor", "proctorial", "proctors", "procurable", "procure", "procured", "procurement", "procurements", "procures", "procuring", "prod", "prodded", "prodding", "prodeo", "prodigal", "prodigality", "prodigally", "prodigies", "prodigious", "prodigiously", "prodigy", "prods", "produce", "produced", "producer", "producers", "produces", "producible", "producing", "product", "production", "productions", "productive", "productively", "productivity", "products", "profanation", "profane", "profaned", "profanely", "profaneness", "profanities", "profanity", "profess", "professed", "professedly", "professes", "professing", "profession", "professional", "professionalisation", "professionalised", "professionalism", "professionally", "professionals", "professions", "professor", "professorial", "professors", "professorship", "professorships", "proffer", "proffered", "proffering", "proffers", "proficiencies", "proficiency", "proficient", "proficiently", "profile", "profiled", "profiles", "profiling", "profit", "profitability", "profitable", "profitably", "profited", "profiteering", "profiteers", "profiteroles", "profiting", "profitless", "profits", "profittaking", "profligacy", "profligate", "profligately", "proforma", "proformas", "profound", "profounder", "profoundest", "profoundly", "profundity", "profuse", "profusely", "profuseness", "profusion", "progenitor", "progenitors", "progeny", "progesterone", "prognoses", "prognosis", "prognosticate", "prognostication", "prognostications", "program", "programmable", "programmatic", "programme", "programmed", "programmer", "programmers", "programmes", "programming", "programs", "progress", "progressed", "progresses", "progressing", "progression", "progressions", "progressive", "progressively", "progressiveness", "progressives", "prohibit", "prohibited", "prohibiting", "prohibition", "prohibitionist", "prohibitionists", "prohibitions", "prohibitive", "prohibitively", "prohibits", "project", "projected", "projectile", "projectiles", "projecting", "projection", "projectionist", "projections", "projective", "projectively", "projector", "projectors", "projects", "prokaryotes", "prolactin", "prolapse", "prolapsed", "proletarian", "proletarianisation", "proletarians", "proletariat", "proliferate", "proliferated", "proliferates", "proliferating", "proliferation", "proliferative", "prolific", "prolifically", "prolix", "prologue", "prologues", "prolong", "prolongation", "prolonged", "prolonging", "prolongs", "promenade", "promenaded", "promenader", "promenaders", "promenades", "prominence", "prominences", "prominent", "prominently", "promiscuity", "promiscuous", "promiscuously", "promise", "promised", "promises", "promising", "promisingly", "promissory", "promontories", "promontory", "promotable", "promote", "promoted", "promoter", "promoters", "promotes", "promoting", "promotion", "promotional", "promotions", "prompt", "prompted", "prompter", "prompters", "prompting", "promptings", "promptitude", "promptly", "promptness", "prompts", "promulgate", "promulgated", "promulgating", "promulgation", "promulgations", "prone", "proneness", "prong", "prongs", "pronominal", "pronoun", "pronounce", "pronounceable", "pronounced", "pronouncedly", "pronouncement", "pronouncements", "pronounces", "pronouncing", "pronouns", "pronto", "pronunciation", "pronunciations", "proof", "proofed", "proofing", "proofread", "proofreader", "proofreaders", "proofreading", "proofreads", "proofs", "prop", "propaganda", "propagandist", "propagandists", "propagate", "propagated", "propagates", "propagating", "propagation", "propagator", "propagators", "propane", "propel", "propellant", "propellants", "propelled", "propeller", "propellers", "propelling", "propels", "propensities", "propensity", "proper", "properly", "propertied", "properties", "property", "prophecies", "prophecy", "prophesied", "prophesies", "prophesy", "prophesying", "prophet", "prophetess", "prophetic", "prophetically", "prophets", "prophylactic", "prophylactics", "prophylaxis", "propinquity", "propionate", "propitiate", "propitiated", "propitiating", "propitiation", "propitiatory", "propitious", "proponent", "proponents", "proportion", "proportional", "proportionality", "proportionally", "proportionate", "proportionately", "proportioned", "proportions", "proposal", "proposals", "propose", "proposed", "proposer", "proposers", "proposes", "proposing", "proposition", "propositional", "propositioned", "propositioning", "propositions", "propound", "propounded", "propounding", "propped", "propping", "proprietary", "proprieties", "proprietor", "proprietorial", "proprietorially", "proprietors", "proprietorship", "proprietress", "propriety", "proprioceptive", "props", "propulsion", "propulsive", "propylene", "pros", "prosaic", "prosaically", "prosaist", "proscenium", "proscribe", "proscribed", "proscription", "proscriptive", "prose", "prosecutable", "prosecute", "prosecuted", "prosecutes", "prosecuting", "prosecution", "prosecutions", "prosecutor", "prosecutorial", "prosecutors", "proselytise", "proselytising", "prosodic", "prosody", "prospect", "prospecting", "prospective", "prospectively", "prospector", "prospectors", "prospects", "prospectus", "prospectuses", "prosper", "prospered", "prospering", "prosperity", "prosperous", "prosperously", "prospers", "prostaglandin", "prostaglandins", "prostate", "prostates", "prostatic", "prosthesis", "prosthetic", "prostitute", "prostituted", "prostitutes", "prostituting", "prostitution", "prostrate", "prostrated", "prostrates", "prostrating", "prostration", "protactinium", "protagonist", "protagonists", "protea", "protean", "proteas", "protease", "protect", "protected", "protecting", "protection", "protectionism", "protectionist", "protectionists", "protections", "protective", "protectively", "protectiveness", "protector", "protectorate", "protectorates", "protectors", "protects", "protege", "protegee", "protegees", "proteges", "protein", "proteins", "protest", "protestant", "protestantism", "protestants", "protestation", "protestations", "protested", "protester", "protesters", "protesting", "protestor", "protestors", "protests", "protists", "protocol", "protocols", "proton", "protons", "protoplasm", "protoplasmic", "prototype", "prototyped", "prototypes", "prototypical", "prototyping", "protozoa", "protozoan", "protozoans", "protract", "protracted", "protractor", "protractors", "protrude", "protruded", "protrudes", "protruding", "protrusion", "protrusions", "protrusive", "protuberance", "protuberances", "proud", "prouder", "proudest", "proudly", "provable", "provably", "prove", "proved", "proven", "provenance", "provence", "proverb", "proverbial", "proverbially", "proverbs", "proves", "providable", "provide", "provided", "providence", "provident", "providential", "providentially", "provider", "providers", "provides", "providing", "province", "provinces", "provincial", "provincialism", "proving", "provision", "provisional", "provisionally", "provisioned", "provisioning", "provisions", "provocation", "provocations", "provocative", "provocatively", "provoke", "provoked", "provoker", "provokes", "provoking", "provokingly", "provost", "prow", "prowess", "prowl", "prowled", "prowler", "prowlers", "prowling", "prowls", "prows", "proxies", "proximal", "proximally", "proximate", "proximately", "proximity", "proximo", "proxy", "prude", "prudence", "prudent", "prudential", "prudently", "prudery", "prudish", "prudishness", "prune", "pruned", "pruners", "prunes", "pruning", "prunings", "prurience", "prurient", "pruritus", "prussia", "prussian", "prussic", "pry", "prying", "pryings", "psalm", "psalmist", "psalmody", "psalms", "psalter", "psalters", "psaltery", "psephologist", "pseudo", "pseudonym", "pseudonymous", "pseudonyms", "pseudopod", "psoriasis", "psyche", "psychedelia", "psychedelic", "psychiatric", "psychiatrist", "psychiatrists", "psychiatry", "psychic", "psychically", "psychics", "psycho", "psychoanalyse", "psychoanalysis", "psychoanalyst", "psychoanalysts", "psychoanalytic", "psychokinesis", "psychokinetic", "psycholinguistic", "psycholinguistics", "psycholinguists", "psychological", "psychologically", "psychologies", "psychologist", "psychologists", "psychology", "psychometric", "psychopath", "psychopathic", "psychopathology", "psychopaths", "psychoses", "psychosis", "psychosocial", "psychosomatic", "psychotherapist", "psychotherapists", "psychotherapy", "psychotic", "psychotically", "psychotics", "ptarmigan", "ptarmigans", "pterodactyl", "pterosaurs", "ptolemy", "pub", "puberty", "pubescent", "pubic", "public", "publican", "publicans", "publication", "publications", "publicise", "publicised", "publicises", "publicising", "publicist", "publicists", "publicity", "publicly", "publish", "publishable", "published", "publisher", "publishers", "publishes", "publishing", "pubs", "pudding", "puddings", "puddle", "puddles", "puerile", "puerility", "puerperal", "puff", "puffballs", "puffed", "puffer", "puffin", "puffiness", "puffing", "puffins", "puffs", "puffy", "pug", "pugilist", "pugilistic", "pugnacious", "pugnaciously", "pugnacity", "pugs", "puissant", "puke", "puking", "pulchritude", "puling", "pull", "pulled", "puller", "pullets", "pulley", "pulleys", "pulling", "pullover", "pullovers", "pulls", "pulmonary", "pulp", "pulped", "pulping", "pulpit", "pulpits", "pulps", "pulpy", "pulsar", "pulsars", "pulsate", "pulsated", "pulsates", "pulsating", "pulsation", "pulsations", "pulse", "pulsed", "pulses", "pulsing", "pulverisation", "pulverise", "pulverised", "pulverising", "puma", "pumas", "pumice", "pummel", "pummelled", "pummelling", "pummels", "pump", "pumped", "pumping", "pumpkin", "pumpkins", "pumps", "pun", "punch", "punchable", "punchbowl", "punchcard", "punched", "puncher", "punches", "punching", "punchline", "punchlines", "punchy", "punctate", "punctilious", "punctiliously", "punctual", "punctuality", "punctually", "punctuate", "punctuated", "punctuates", "punctuating", "punctuation", "punctuational", "punctuations", "puncture", "punctured", "punctures", "puncturing", "pundit", "pundits", "pungency", "pungent", "pungently", "punier", "puniest", "punish", "punishable", "punished", "punishes", "punishing", "punishment", "punishments", "punitive", "punitively", "punk", "punks", "punky", "punned", "punnet", "punning", "puns", "punster", "punt", "punted", "punter", "punters", "punting", "punts", "puny", "pup", "pupa", "pupae", "pupal", "pupated", "pupates", "pupating", "pupil", "pupillage", "pupils", "puppet", "puppeteer", "puppetry", "puppets", "puppies", "puppy", "puppyhood", "pups", "purblind", "purchasable", "purchase", "purchased", "purchaser", "purchasers", "purchases", "purchasing", "purdah", "pure", "puree", "purees", "purely", "pureness", "purer", "purest", "purgative", "purgatorial", "purgatory", "purge", "purged", "purges", "purging", "purgings", "purification", "purified", "purifier", "purifies", "purify", "purifying", "purims", "purines", "purist", "purists", "puritan", "puritanical", "puritanism", "puritans", "purities", "purity", "purl", "purlieus", "purling", "purlins", "purloin", "purloined", "purls", "purple", "purples", "purplish", "purport", "purported", "purportedly", "purporting", "purports", "purpose", "purposed", "purposeful", "purposefully", "purposefulness", "purposeless", "purposelessly", "purposely", "purposes", "purposing", "purposive", "purr", "purred", "purring", "purrs", "purse", "pursed", "purser", "purses", "pursing", "pursuance", "pursuant", "pursue", "pursued", "pursuer", "pursuers", "pursues", "pursuing", "pursuit", "pursuits", "purvey", "purveyance", "purveyed", "purveying", "purveyor", "purveyors", "purview", "pus", "push", "pushable", "pushed", "pusher", "pushers", "pushes", "pushier", "pushing", "pushovers", "pushups", "pushy", "puss", "pussy", "pussycat", "pussyfooting", "pustular", "pustule", "pustules", "put", "putative", "putatively", "putput", "putrefaction", "putrefy", "putrefying", "putrescent", "putrid", "putridity", "puts", "putsch", "putt", "putted", "putter", "putters", "putti", "putting", "putts", "putty", "puzzle", "puzzled", "puzzlement", "puzzler", "puzzles", "puzzling", "puzzlingly", "pygmies", "pygmy", "pyjama", "pyjamas", "pylon", "pylons", "pyracantha", "pyramid", "pyramidal", "pyramids", "pyre", "pyres", "pyridine", "pyrite", "pyrites", "pyrolyse", "pyrolysis", "pyromaniac", "pyromaniacs", "pyrotechnic", "pyrotechnics", "pyroxene", "pyroxenes", "python", "pythons", "qatar", "qua", "quack", "quacked", "quacking", "quackish", "quacks", "quadrangle", "quadrangles", "quadrangular", "quadrant", "quadrants", "quadratic", "quadratically", "quadratics", "quadrature", "quadratures", "quadrilateral", "quadrilaterals", "quadrille", "quadrilles", "quadripartite", "quadrophonic", "quadruped", "quadrupeds", "quadruple", "quadrupled", "quadruples", "quadruplets", "quadruplicate", "quadrupling", "quadruply", "quadrupole", "quaff", "quaffed", "quaffing", "quagga", "quaggas", "quagmire", "quagmires", "quail", "quailed", "quails", "quaint", "quainter", "quaintly", "quaintness", "quake", "quaked", "quaker", "quakers", "quakes", "quaking", "qualification", "qualifications", "qualified", "qualifier", "qualifiers", "qualifies", "qualify", "qualifying", "qualitative", "qualitatively", "qualities", "quality", "qualm", "qualms", "quantifiable", "quantification", "quantified", "quantifier", "quantifiers", "quantifies", "quantify", "quantifying", "quantisation", "quantise", "quantised", "quantitative", "quantitatively", "quantities", "quantity", "quantum", "quarantine", "quarantined", "quark", "quarks", "quarrel", "quarrelled", "quarrelling", "quarrels", "quarrelsome", "quarried", "quarries", "quarry", "quarrying", "quarrymen", "quart", "quarter", "quarterback", "quartered", "quartering", "quarterly", "quartermaster", "quarters", "quarterstaff", "quarterstaffs", "quartet", "quartets", "quartic", "quartics", "quartile", "quartiles", "quarto", "quarts", "quartz", "quartzite", "quasar", "quasars", "quash", "quashed", "quashing", "quasi", "quasilinear", "quaternary", "quaternion", "quaternions", "quatrain", "quatrains", "quaver", "quavered", "quavering", "quavers", "quay", "quays", "quayside", "queasiness", "queasy", "quebec", "queen", "queenly", "queens", "queer", "queerest", "queerly", "quell", "quelled", "quelling", "quells", "quench", "quenched", "quencher", "quenchers", "quenches", "quenching", "queried", "queries", "quern", "querulous", "querulously", "querulousness", "query", "querying", "quest", "questing", "question", "questionable", "questionably", "questioned", "questioner", "questioners", "questioning", "questioningly", "questionings", "questionnaire", "questionnaires", "questions", "quests", "queue", "queued", "queueing", "queues", "queuing", "quibble", "quibbles", "quibbling", "quiche", "quiches", "quick", "quicken", "quickened", "quickening", "quickens", "quicker", "quickest", "quicklime", "quickly", "quickness", "quicksand", "quicksands", "quicksilver", "quickwitted", "quid", "quids", "quiesce", "quiesced", "quiescence", "quiescent", "quiet", "quieted", "quieten", "quietened", "quietening", "quietens", "quieter", "quietest", "quieting", "quietly", "quietness", "quiets", "quietus", "quiff", "quill", "quills", "quilt", "quilted", "quilting", "quilts", "quince", "quincentenary", "quinces", "quinine", "quinquennial", "quintessence", "quintessential", "quintessentially", "quintet", "quintets", "quintic", "quintillion", "quintuple", "quip", "quipped", "quipper", "quips", "quire", "quirk", "quirkier", "quirkiest", "quirkiness", "quirks", "quirky", "quisling", "quit", "quite", "quits", "quitted", "quitter", "quitting", "quiver", "quivered", "quivering", "quiveringly", "quivers", "quixotic", "quiz", "quizzed", "quizzes", "quizzical", "quizzically", "quizzing", "quoins", "quoits", "quondam", "quorate", "quorum", "quota", "quotable", "quotas", "quotation", "quotations", "quote", "quoted", "quoter", "quotes", "quotidian", "quotient", "quotients", "quoting", "quovadis", "rabat", "rabats", "rabbi", "rabbis", "rabbit", "rabbiting", "rabbits", "rabble", "rabid", "rabidly", "rabies", "raccoon", "raccoons", "race", "racecourse", "racecourses", "raced", "racegoers", "racehorse", "racehorses", "racer", "racers", "races", "racetrack", "rachis", "racial", "racialism", "racialist", "racialists", "racially", "racier", "raciest", "racily", "racing", "racings", "racism", "racist", "racists", "rack", "racked", "racket", "racketeering", "rackets", "racking", "racks", "raconteur", "racoon", "racquet", "racquets", "racy", "rad", "radar", "radars", "radial", "radially", "radials", "radian", "radiance", "radiancy", "radians", "radiant", "radiantly", "radiate", "radiated", "radiates", "radiating", "radiation", "radiations", "radiative", "radiatively", "radiator", "radiators", "radical", "radicalism", "radically", "radicals", "radices", "radii", "radio", "radioactive", "radioactively", "radioactivity", "radioastronomical", "radiocarbon", "radioed", "radiogalaxies", "radiogalaxy", "radiogram", "radiograph", "radiographer", "radiographers", "radiographic", "radiographs", "radiography", "radioing", "radiological", "radiologist", "radiologists", "radiology", "radiometric", "radionuclide", "radios", "radiotherapy", "radish", "radishes", "radium", "radius", "radix", "radon", "raffia", "raffle", "raffled", "raffles", "raft", "rafter", "rafters", "rafting", "raftman", "rafts", "raftsman", "rag", "ragamuffin", "ragamuffins", "ragbag", "rage", "raged", "rages", "ragged", "raggedly", "raging", "ragout", "rags", "ragstoriches", "ragtime", "ragwort", "raid", "raided", "raider", "raiders", "raiding", "raids", "rail", "railed", "railes", "railing", "railings", "raillery", "railroad", "rails", "railway", "railwayman", "railwaymen", "railways", "raiment", "rain", "rainbow", "rainbows", "raincloud", "rainclouds", "raincoat", "raincoats", "raindrop", "raindrops", "rained", "rainfall", "rainforest", "rainforests", "rainier", "rainiest", "raining", "rainless", "rainout", "rains", "rainstorm", "rainstorms", "rainswept", "rainwater", "rainy", "raise", "raised", "raiser", "raises", "raisin", "raising", "raisins", "raj", "rajah", "rake", "raked", "rakes", "raking", "rakish", "rallied", "rallies", "rally", "rallying", "ram", "ramble", "rambled", "rambler", "ramblers", "rambles", "rambling", "ramblings", "ramification", "ramifications", "ramified", "ramifies", "ramify", "rammed", "rammer", "ramming", "ramp", "rampage", "rampaged", "rampages", "rampaging", "rampant", "rampantly", "rampart", "ramparts", "ramped", "ramping", "ramps", "ramrod", "rams", "ramshackle", "ran", "ranch", "rancher", "ranchers", "ranches", "ranching", "rancid", "rancorous", "rancour", "rand", "random", "randomisation", "randomise", "randomised", "randomising", "randomly", "randomness", "rands", "randy", "rang", "range", "ranged", "ranger", "rangers", "ranges", "ranging", "rangy", "rani", "ranis", "rank", "ranked", "ranker", "rankers", "rankest", "ranking", "rankings", "rankle", "rankled", "rankles", "rankling", "rankness", "ranks", "ransack", "ransacked", "ransacking", "ransom", "ransomed", "ransoming", "ransoms", "rant", "ranted", "ranter", "ranters", "ranting", "rantings", "rants", "rap", "rapacious", "rapacity", "rape", "raped", "rapes", "rapeseed", "rapid", "rapidity", "rapidly", "rapids", "rapier", "rapiers", "rapine", "raping", "rapist", "rapists", "rapped", "rapping", "rapport", "rapporteur", "rapporteurs", "rapports", "rapprochement", "raps", "rapt", "raptor", "raptors", "rapture", "raptures", "rapturous", "rapturously", "rare", "rarebit", "rarefaction", "rarefactions", "rarefied", "rarely", "rareness", "rarer", "rarest", "raring", "rarities", "rarity", "rascal", "rascally", "rascals", "rased", "rash", "rasher", "rashers", "rashes", "rashest", "rashly", "rashness", "rasing", "rasp", "raspberries", "raspberry", "rasped", "rasper", "rasping", "rasps", "raspy", "raster", "rasters", "rat", "ratatouille", "rate", "rated", "ratepayer", "ratepayers", "rater", "rates", "rather", "ratification", "ratifications", "ratified", "ratifier", "ratifies", "ratify", "ratifying", "rating", "ratings", "ratio", "ratiocination", "ration", "rational", "rationale", "rationales", "rationalisation", "rationalisations", "rationalise", "rationalised", "rationalising", "rationalism", "rationalist", "rationalistic", "rationalists", "rationalities", "rationality", "rationally", "rationed", "rationing", "rations", "ratios", "ratlike", "ratrace", "rats", "rattier", "rattle", "rattled", "rattler", "rattles", "rattlesnake", "rattlesnakes", "rattling", "ratty", "raucous", "raucously", "ravage", "ravaged", "ravages", "ravaging", "rave", "raved", "ravel", "ravelled", "ravelling", "ravels", "raven", "ravening", "ravenous", "ravenously", "ravens", "raver", "ravers", "raves", "ravine", "ravines", "raving", "ravingly", "ravings", "ravioli", "ravish", "ravished", "ravisher", "ravishes", "ravishing", "ravishingly", "raw", "rawest", "rawness", "ray", "rayed", "rayon", "rays", "raze", "razed", "razes", "razing", "razor", "razorbills", "razorblades", "razoring", "razors", "razorsharp", "razzmatazz", "re", "reabsorb", "reabsorbed", "reabsorption", "reaccept", "reaccessed", "reach", "reachable", "reached", "reaches", "reachieved", "reaching", "reacquainting", "reacquired", "reacquisition", "react", "reactant", "reactants", "reacted", "reacting", "reaction", "reactionaries", "reactionary", "reactions", "reactivate", "reactivated", "reactivates", "reactivating", "reactivation", "reactive", "reactivities", "reactivity", "reactor", "reactors", "reacts", "read", "readability", "readable", "readably", "readapt", "reader", "readers", "readership", "readerships", "readied", "readier", "readies", "readiest", "readily", "readiness", "reading", "readings", "readjust", "readjusted", "readjusting", "readjustment", "readjustments", "readmission", "readmit", "readmits", "readmitted", "reads", "ready", "readying", "readymade", "reaffirm", "reaffirmation", "reaffirmed", "reaffirming", "reaffirms", "reafforestation", "reagent", "reagents", "real", "realign", "realigned", "realigning", "realignment", "realignments", "realigns", "realisable", "realisation", "realisations", "realise", "realised", "realises", "realising", "realism", "realist", "realistic", "realistically", "realists", "realities", "reality", "reallife", "reallocate", "reallocated", "reallocates", "reallocating", "reallocation", "really", "realm", "realms", "realness", "realpolitik", "reals", "realty", "ream", "reams", "reanimated", "reanimating", "reap", "reaped", "reaper", "reapers", "reaping", "reappear", "reappearance", "reappeared", "reappearing", "reappears", "reapplied", "reapply", "reapplying", "reappoint", "reappointed", "reappointment", "reappraisal", "reappraised", "reappraising", "reaps", "rear", "reared", "rearer", "rearguard", "rearing", "rearm", "rearmament", "rearmed", "rearming", "rearms", "rearrange", "rearranged", "rearrangement", "rearrangements", "rearranges", "rearranging", "rears", "rearview", "rearward", "reason", "reasonable", "reasonableness", "reasonably", "reasoned", "reasoner", "reasoners", "reasoning", "reasonless", "reasons", "reassemble", "reassembled", "reassembling", "reassembly", "reassert", "reasserted", "reasserting", "reassertion", "reasserts", "reassess", "reassessed", "reassessment", "reassessments", "reassign", "reassigned", "reassigning", "reassignment", "reassigns", "reassume", "reassuming", "reassurance", "reassurances", "reassure", "reassured", "reassures", "reassuring", "reassuringly", "reattachment", "reattempt", "reawaken", "reawakened", "reawakening", "rebalanced", "rebate", "rebates", "rebel", "rebelled", "rebelling", "rebellion", "rebellions", "rebellious", "rebelliously", "rebelliousness", "rebels", "rebind", "rebirth", "rebirths", "rebook", "reboot", "rebooted", "reborn", "rebound", "rebounded", "rebounding", "rebounds", "rebuff", "rebuffed", "rebuffing", "rebuffs", "rebuild", "rebuilding", "rebuilds", "rebuilt", "rebuke", "rebuked", "rebukes", "rebuking", "reburial", "reburied", "rebury", "rebus", "rebut", "rebuttable", "rebuttal", "rebuttals", "rebutted", "rebutting", "recalcitrance", "recalcitrant", "recalculate", "recalculated", "recalculation", "recalibrate", "recalibrating", "recalibration", "recall", "recalled", "recalling", "recalls", "recant", "recantation", "recanted", "recanting", "recants", "recap", "recapitalisation", "recapitulate", "recapitulates", "recapitulation", "recapped", "recaps", "recapture", "recaptured", "recapturing", "recast", "recasting", "recasts", "recede", "receded", "recedes", "receding", "receipt", "receipted", "receipts", "receivable", "receive", "received", "receiver", "receivers", "receivership", "receives", "receiving", "recency", "recension", "recent", "recently", "receptacle", "receptacles", "reception", "receptionist", "receptionists", "receptions", "receptive", "receptiveness", "receptivity", "receptor", "receptors", "recess", "recessed", "recesses", "recession", "recessional", "recessionary", "recessions", "recessive", "recharge", "rechargeable", "recharged", "recharger", "recharges", "recharging", "recheck", "rechecked", "rechecking", "recidivism", "recidivist", "recidivists", "recipe", "recipes", "recipient", "recipients", "reciprocal", "reciprocally", "reciprocals", "reciprocate", "reciprocated", "reciprocating", "reciprocation", "reciprocity", "recirculate", "recirculated", "recirculating", "recirculation", "recital", "recitals", "recitation", "recitations", "recitative", "recitatives", "recite", "recited", "recites", "reciting", "reckless", "recklessly", "recklessness", "reckon", "reckoned", "reckoner", "reckoning", "reckons", "reclaim", "reclaimable", "reclaimed", "reclaimer", "reclaiming", "reclaims", "reclamation", "reclamations", "reclassification", "reclassified", "reclassifies", "reclassify", "reclassifying", "recline", "reclined", "recliner", "reclines", "reclining", "reclothe", "recluse", "recluses", "reclusive", "recode", "recoded", "recodes", "recoding", "recognisable", "recognisably", "recognisances", "recognise", "recognised", "recogniser", "recognisers", "recognises", "recognising", "recognition", "recognitions", "recoil", "recoiled", "recoiling", "recoils", "recollect", "recollected", "recollecting", "recollection", "recollections", "recollects", "recombinant", "recombinants", "recombination", "recombine", "recombined", "recombines", "recombining", "recommence", "recommenced", "recommencement", "recommences", "recommencing", "recommend", "recommendable", "recommendation", "recommendations", "recommended", "recommending", "recommends", "recommissioning", "recompense", "recompensed", "recompenses", "recompilation", "recompilations", "recompile", "recompiled", "recompiling", "recomputable", "recompute", "recomputed", "recomputes", "recomputing", "reconcilable", "reconcile", "reconciled", "reconcilement", "reconciles", "reconciliation", "reconciliations", "reconciling", "recondite", "reconditioned", "reconditioning", "reconfigurable", "reconfiguration", "reconfigurations", "reconfigure", "reconfigured", "reconfigures", "reconfiguring", "reconnaissance", "reconnect", "reconnected", "reconnecting", "reconnection", "reconnoitre", "reconnoitred", "reconnoitring", "reconquer", "reconquest", "reconsider", "reconsideration", "reconsidered", "reconsidering", "reconsiders", "reconstitute", "reconstituted", "reconstitutes", "reconstituting", "reconstitution", "reconstruct", "reconstructed", "reconstructing", "reconstruction", "reconstructions", "reconstructs", "reconsult", "reconsulted", "reconsulting", "recontribute", "reconvene", "reconvened", "reconvening", "reconversion", "reconvert", "reconverted", "recopied", "recopy", "record", "recordable", "recordbreaking", "recorded", "recorder", "recorders", "recording", "recordings", "recordist", "recordists", "records", "recount", "recounted", "recounting", "recounts", "recoup", "recouped", "recouping", "recouple", "recoups", "recourse", "recover", "recoverability", "recoverable", "recovered", "recoveries", "recovering", "recovers", "recovery", "recreate", "recreated", "recreates", "recreating", "recreation", "recreational", "recreations", "recriminate", "recrimination", "recriminations", "recruit", "recruited", "recruiter", "recruiters", "recruiting", "recruitment", "recruits", "recrystallisation", "rectal", "rectangle", "rectangles", "rectangular", "rectifiable", "rectification", "rectified", "rectifier", "rectifies", "rectify", "rectifying", "rectilinear", "rectitude", "recto", "rector", "rectors", "rectory", "rectrix", "rectum", "rectums", "recumbent", "recuperate", "recuperated", "recuperates", "recuperating", "recuperation", "recuperative", "recur", "recured", "recures", "recuring", "recurred", "recurrence", "recurrences", "recurrent", "recurrently", "recurring", "recurs", "recursion", "recursions", "recursive", "recursively", "recyclable", "recycle", "recycled", "recyclers", "recycles", "recycling", "red", "redaction", "redblooded", "redbreast", "redcoats", "redcross", "redden", "reddened", "reddening", "reddens", "redder", "reddest", "reddish", "redeclaration", "redecorated", "redecorating", "redecoration", "rededication", "redeem", "redeemable", "redeemed", "redeemer", "redeeming", "redeems", "redefine", "redefined", "redefiner", "redefines", "redefining", "redefinition", "redefinitions", "redeliver", "redelivery", "redemption", "redemptions", "redemptive", "redeploy", "redeployed", "redeploying", "redeployment", "redeposited", "redeposition", "redesign", "redesigned", "redesigning", "redesigns", "redevelop", "redeveloped", "redeveloping", "redevelopment", "redfaced", "redhanded", "redhead", "redheaded", "redheads", "redial", "redialling", "redirect", "redirected", "redirecting", "redirection", "redirects", "rediscover", "rediscovered", "rediscoveries", "rediscovering", "rediscovers", "rediscovery", "rediscussed", "redisplay", "redisplayed", "redistributable", "redistribute", "redistributed", "redistributes", "redistributing", "redistribution", "redistributions", "redistributive", "redneck", "redness", "redo", "redoing", "redolent", "redone", "redouble", "redoubled", "redoubling", "redoubt", "redoubtable", "redoubts", "redound", "redounded", "redox", "redraft", "redrafted", "redrafting", "redraw", "redrawing", "redrawn", "redraws", "redress", "redressed", "redressing", "reds", "redsea", "redshift", "redshifts", "redstarts", "redtape", "reduce", "reduced", "reducer", "reducers", "reduces", "reducibility", "reducible", "reducing", "reduction", "reductionism", "reductionist", "reductionists", "reductions", "reductive", "redundancies", "redundancy", "redundant", "redundantly", "redwood", "reed", "reeds", "reef", "reefed", "reefing", "reefs", "reek", "reeked", "reeking", "reeks", "reel", "reelects", "reeled", "reeling", "reels", "ref", "refer", "referable", "referee", "refereed", "refereeing", "referees", "reference", "referenced", "referencer", "references", "referencing", "referenda", "referendum", "referendums", "referent", "referential", "referentially", "referents", "referral", "referrals", "referred", "referring", "refers", "refile", "refiled", "refiling", "refill", "refillable", "refilled", "refilling", "refillings", "refills", "refinance", "refinanced", "refinancing", "refine", "refined", "refinement", "refinements", "refiner", "refineries", "refiners", "refinery", "refines", "refining", "refinish", "refit", "refits", "refitted", "refitting", "reflation", "reflect", "reflectance", "reflected", "reflecting", "reflection", "reflectional", "reflections", "reflective", "reflectively", "reflectiveness", "reflectivity", "reflector", "reflectors", "reflects", "reflex", "reflexes", "reflexion", "reflexions", "reflexive", "reflexively", "reflexiveness", "reflexivity", "reflexology", "refloat", "reflooring", "reflux", "refluxed", "refluxing", "refocus", "refocused", "refocuses", "refocusing", "refocussed", "refocusses", "refocussing", "refolded", "refolding", "reforestation", "reform", "reformable", "reformat", "reformation", "reformations", "reformative", "reformatted", "reformatting", "reformed", "reformer", "reformers", "reforming", "reformist", "reformists", "reforms", "reformulate", "reformulated", "reformulates", "reformulating", "reformulation", "reformulations", "refract", "refracted", "refracting", "refraction", "refractions", "refractive", "refractors", "refractory", "refracts", "refrain", "refrained", "refraining", "refrains", "refreeze", "refresh", "refreshable", "refreshed", "refresher", "refreshes", "refreshing", "refreshingly", "refreshment", "refreshments", "refrigerant", "refrigerants", "refrigerate", "refrigerated", "refrigeration", "refrigerator", "refrigerators", "refs", "refuel", "refuelled", "refuelling", "refuels", "refuge", "refugee", "refugees", "refuges", "refund", "refundable", "refunded", "refunding", "refunds", "refurbish", "refurbished", "refurbishing", "refurbishment", "refurbishments", "refusal", "refusals", "refuse", "refused", "refuseniks", "refuses", "refusing", "refutable", "refutation", "refutations", "refute", "refuted", "refutes", "refuting", "regain", "regained", "regaining", "regains", "regal", "regale", "regaled", "regales", "regalia", "regaling", "regality", "regally", "regard", "regarded", "regarding", "regardless", "regards", "regatta", "regattas", "regelate", "regency", "regenerate", "regenerated", "regenerates", "regenerating", "regeneration", "regenerations", "regenerative", "regent", "regents", "reggae", "regicide", "regime", "regimen", "regimens", "regiment", "regimental", "regimentation", "regimented", "regiments", "regimes", "regina", "reginas", "region", "regional", "regionalisation", "regionalism", "regionally", "regions", "register", "registered", "registering", "registers", "registrable", "registrar", "registrars", "registration", "registrations", "registries", "registry", "regrading", "regress", "regressed", "regresses", "regressing", "regression", "regressions", "regressive", "regret", "regretful", "regretfully", "regrets", "regrettable", "regrettably", "regretted", "regretting", "regroup", "regrouped", "regrouping", "regrow", "regrowth", "regular", "regularisation", "regularise", "regularised", "regularities", "regularity", "regularly", "regulars", "regulate", "regulated", "regulates", "regulating", "regulation", "regulations", "regulative", "regulator", "regulators", "regulatory", "regurgitate", "regurgitated", "regurgitating", "regurgitation", "rehabilitate", "rehabilitated", "rehabilitating", "rehabilitation", "rehash", "rehashed", "rehashes", "rehashing", "reheard", "rehearing", "rehears", "rehearsal", "rehearsals", "rehearse", "rehearsed", "rehearses", "rehearsing", "reheat", "reheated", "reheating", "reheats", "rehouse", "rehoused", "rehousing", "rehydrate", "reich", "reification", "reify", "reign", "reigned", "reigning", "reigns", "reimburse", "reimbursed", "reimbursement", "reimburses", "reimbursing", "reimplementation", "reimplemented", "reimplementing", "reimporting", "reimpose", "reimposed", "rein", "reincarnate", "reincarnated", "reincarnating", "reincarnation", "reincarnations", "reindeer", "reined", "reinfection", "reinforce", "reinforced", "reinforcement", "reinforcements", "reinforces", "reinforcing", "reining", "reinitialisation", "reinitialise", "reinitialised", "reinitialising", "reins", "reinsert", "reinserted", "reinstall", "reinstalled", "reinstalling", "reinstate", "reinstated", "reinstatement", "reinstates", "reinstating", "reinsurance", "reintegration", "reinterpret", "reinterpretation", "reinterpreted", "reinterpreting", "reintroduce", "reintroduced", "reintroduces", "reintroducing", "reintroduction", "reintroductions", "reinvent", "reinvented", "reinventing", "reinvention", "reinventions", "reinvents", "reinvest", "reinvested", "reinvestigation", "reinvestment", "reinvigorate", "reinvigorated", "reissue", "reissued", "reissues", "reissuing", "reiterate", "reiterated", "reiterates", "reiterating", "reiteration", "reject", "rejected", "rejecting", "rejection", "rejections", "rejects", "rejoice", "rejoiced", "rejoices", "rejoicing", "rejoicings", "rejoin", "rejoinder", "rejoinders", "rejoined", "rejoining", "rejoins", "rejustified", "rejuvenate", "rejuvenated", "rejuvenating", "rejuvenation", "rejuvenations", "rejuvenatory", "rekindle", "rekindled", "relabel", "relabelled", "relabelling", "relabellings", "relaid", "relapse", "relapsed", "relapses", "relapsing", "relate", "related", "relatedness", "relates", "relating", "relation", "relational", "relationally", "relations", "relationship", "relationships", "relative", "relatively", "relatives", "relativism", "relativist", "relativistic", "relativistically", "relativists", "relativity", "relator", "relaunch", "relaunched", "relaunching", "relax", "relaxant", "relaxants", "relaxation", "relaxations", "relaxed", "relaxes", "relaxing", "relaxingly", "relay", "relayed", "relaying", "relays", "relearn", "relearning", "releasable", "release", "released", "releases", "releasing", "relegate", "relegated", "relegates", "relegating", "relegation", "relent", "relented", "relenting", "relentless", "relentlessly", "relentlessness", "relents", "relevance", "relevancy", "relevant", "relevantly", "reliabilities", "reliability", "reliable", "reliably", "reliance", "reliant", "relic", "relics", "relict", "relicts", "relied", "relief", "reliefs", "relies", "relieve", "relieved", "relieves", "relieving", "relight", "relighting", "religion", "religions", "religiosity", "religious", "religiously", "religiousness", "relined", "relink", "relinked", "relinking", "relinquish", "relinquished", "relinquishes", "relinquishing", "reliquaries", "reliquary", "relish", "relished", "relishes", "relishing", "relit", "relive", "relived", "relives", "reliving", "reload", "reloaded", "reloading", "reloads", "relocatable", "relocate", "relocated", "relocates", "relocating", "relocation", "relocations", "relocked", "reluctance", "reluctant", "reluctantly", "rely", "relying", "rem", "remade", "remain", "remainder", "remaindered", "remaindering", "remainders", "remained", "remaining", "remains", "remake", "remakes", "remaking", "remand", "remanded", "remands", "remap", "remaps", "remark", "remarkable", "remarkably", "remarked", "remarking", "remarks", "remarriage", "remarried", "remarry", "remaster", "remastered", "remastering", "remasters", "rematch", "rematching", "rematerialised", "remediable", "remedial", "remedied", "remedies", "remedy", "remedying", "remember", "remembered", "remembering", "remembers", "remembrance", "remembrances", "remind", "reminded", "reminder", "reminders", "reminding", "reminds", "reminisce", "reminisced", "reminiscence", "reminiscences", "reminiscent", "reminiscently", "reminisces", "reminiscing", "remiss", "remission", "remissions", "remit", "remits", "remittal", "remittance", "remittances", "remitted", "remitting", "remix", "remixed", "remixes", "remnant", "remnants", "remodel", "remodelled", "remodelling", "remonstrance", "remonstrate", "remonstrated", "remonstrating", "remonstration", "remonstrations", "remorse", "remorseful", "remorsefully", "remorseless", "remorselessly", "remote", "remotely", "remoteness", "remoter", "remotest", "remould", "remount", "remounted", "remounts", "removable", "removal", "removals", "remove", "removed", "remover", "removers", "removes", "removing", "remunerate", "remunerated", "remuneration", "remunerative", "remus", "renaissance", "renal", "rename", "renamed", "renames", "renaming", "render", "rendered", "rendering", "renderings", "renders", "rendezvous", "rendezvoused", "rending", "rendition", "renditions", "rends", "renegade", "renegades", "renege", "reneged", "reneging", "renegotiate", "renegotiated", "renegotiating", "renegotiation", "renew", "renewable", "renewal", "renewals", "renewed", "renewing", "renews", "renormalisation", "renounce", "renounced", "renouncement", "renounces", "renouncing", "renovate", "renovated", "renovating", "renovation", "renovations", "renown", "renowned", "rent", "rental", "rentals", "rented", "renter", "renters", "rentiers", "renting", "rents", "renumber", "renumbered", "renumbering", "renunciation", "renunciations", "reoccupation", "reoccupied", "reoccupy", "reoccupying", "reoccur", "reopen", "reopened", "reopening", "reopens", "reorder", "reordered", "reordering", "reorders", "reorganisation", "reorganisations", "reorganise", "reorganised", "reorganises", "reorganising", "reorientated", "reorientates", "reorientation", "rep", "repack", "repackage", "repackaged", "repacked", "repacking", "repaid", "repaint", "repainted", "repainting", "repair", "repairable", "repaired", "repairer", "repairers", "repairing", "repairman", "repairs", "repaper", "reparation", "reparations", "repartee", "repartition", "repartitioned", "repartitioning", "repast", "repasts", "repatriate", "repatriated", "repatriating", "repatriation", "repatriations", "repay", "repayable", "repaying", "repayment", "repayments", "repays", "repeal", "repealed", "repealing", "repeals", "repeat", "repeatability", "repeatable", "repeatably", "repeated", "repeatedly", "repeater", "repeaters", "repeating", "repeats", "repel", "repelled", "repellent", "repelling", "repellingly", "repels", "repent", "repentance", "repentant", "repentantly", "repented", "repenting", "repents", "repercussion", "repercussions", "repertoire", "repertoires", "repertory", "repetition", "repetitions", "repetitious", "repetitive", "repetitively", "repetitiveness", "rephrase", "rephrased", "rephrases", "rephrasing", "repine", "repined", "repining", "replace", "replaceable", "replaced", "replacement", "replacements", "replaces", "replacing", "replanning", "replant", "replanted", "replanting", "replay", "replayed", "replaying", "replays", "replenish", "replenished", "replenishing", "replenishment", "replete", "replica", "replicable", "replicas", "replicate", "replicated", "replicates", "replicating", "replication", "replications", "replicator", "replicators", "replied", "replier", "repliers", "replies", "replotted", "replug", "replugged", "replugging", "reply", "replying", "repopulate", "repopulated", "report", "reportable", "reportage", "reported", "reportedly", "reporter", "reporters", "reporting", "reports", "repose", "reposed", "reposes", "reposing", "reposition", "repositioned", "repositioning", "repositions", "repositories", "repository", "repossess", "repossessed", "repossessing", "repossession", "repossessions", "reprehend", "reprehensible", "represent", "representable", "representation", "representational", "representations", "representative", "representativeness", "representatives", "represented", "representing", "represents", "repress", "repressed", "represses", "repressing", "repression", "repressions", "repressive", "repressively", "reprieve", "reprieved", "reprimand", "reprimanded", "reprimanding", "reprimands", "reprint", "reprinted", "reprinting", "reprints", "reprisal", "reprisals", "reprise", "reproach", "reproached", "reproaches", "reproachful", "reproachfully", "reproachfulness", "reproaching", "reprobate", "reprobates", "reprocess", "reprocessed", "reprocessing", "reproduce", "reproduced", "reproduces", "reproducibility", "reproducible", "reproducibly", "reproducing", "reproduction", "reproductions", "reproductive", "reproductively", "reprogram", "reprogrammable", "reprogramme", "reprogrammed", "reprogramming", "reprojected", "reproof", "reproofs", "reprove", "reproved", "reprovingly", "reps", "reptile", "reptiles", "reptilian", "reptilians", "republic", "republican", "republicanism", "republicans", "republication", "republics", "republish", "republished", "republishes", "republishing", "repudiate", "repudiated", "repudiates", "repudiating", "repudiation", "repugnance", "repugnant", "repulse", "repulsed", "repulsing", "repulsion", "repulsions", "repulsive", "repulsively", "repulsiveness", "repurchase", "reputable", "reputably", "reputation", "reputations", "repute", "reputed", "reputedly", "reputes", "request", "requested", "requester", "requesting", "requests", "requiem", "requiems", "require", "required", "requirement", "requirements", "requires", "requiring", "requisite", "requisites", "requisition", "requisitioned", "requisitioning", "requisitions", "requital", "requite", "requited", "reran", "reread", "rereading", "rereads", "reregistration", "rerolled", "reroute", "rerouted", "rerouteing", "reroutes", "rerouting", "rerun", "rerunning", "reruns", "resale", "rescale", "rescaled", "rescales", "rescaling", "rescan", "rescanned", "rescanning", "rescans", "reschedule", "rescheduled", "rescheduling", "rescind", "rescinded", "rescinding", "rescue", "rescued", "rescuer", "rescuers", "rescues", "rescuing", "resea", "resealed", "research", "researched", "researcher", "researchers", "researches", "researching", "reseated", "reseeding", "reselect", "reselected", "reselection", "resell", "reseller", "resellers", "reselling", "resemblance", "resemblances", "resemble", "resembled", "resembles", "resembling", "resend", "resending", "resent", "resented", "resentful", "resentfully", "resenting", "resentment", "resentments", "resents", "reservation", "reservations", "reserve", "reserved", "reserver", "reserves", "reserving", "reservists", "reservoir", "reservoirs", "reset", "resets", "resettable", "resetting", "resettle", "resettled", "resettlement", "resettling", "reshape", "reshaped", "reshapes", "reshaping", "resharpen", "resharpened", "resharpening", "reshow", "reshowing", "reshuffle", "reshuffled", "reshuffles", "reshuffling", "reside", "resided", "residence", "residences", "residency", "resident", "residential", "residents", "resides", "residing", "residual", "residuals", "residuary", "residue", "residues", "residuum", "resign", "resignal", "resignation", "resignations", "resigned", "resignedly", "resigning", "resigns", "resilience", "resilient", "resin", "resinous", "resins", "resiny", "resist", "resistance", "resistances", "resistant", "resisted", "resistible", "resisting", "resistive", "resistively", "resistivity", "resistor", "resistors", "resists", "resit", "resiting", "resits", "resize", "resizing", "resold", "resolute", "resolutely", "resolution", "resolutions", "resolvability", "resolvable", "resolve", "resolved", "resolvent", "resolver", "resolvers", "resolves", "resolving", "resonance", "resonances", "resonant", "resonantly", "resonate", "resonated", "resonates", "resonating", "resonator", "resonators", "resort", "resorted", "resorting", "resorts", "resound", "resounded", "resounding", "resoundingly", "resounds", "resource", "resourced", "resourceful", "resourcefulness", "resources", "resourcing", "respecified", "respecify", "respect", "respectability", "respectable", "respectably", "respected", "respectful", "respectfully", "respecting", "respective", "respectively", "respects", "respiration", "respirator", "respirators", "respiratory", "respire", "respired", "respite", "resplendent", "respond", "responded", "respondent", "respondents", "responder", "responders", "responding", "responds", "response", "responses", "responsibilities", "responsibility", "responsible", "responsibly", "responsive", "responsively", "responsiveness", "respray", "resprayed", "resprays", "rest", "restart", "restartable", "restarted", "restarting", "restarts", "restate", "restated", "restatement", "restates", "restating", "restaurant", "restaurants", "restaurateur", "restaurateurs", "rested", "restful", "restfulness", "resting", "restitution", "restive", "restiveness", "restless", "restlessly", "restlessness", "restock", "restocking", "restoration", "restorations", "restorative", "restore", "restored", "restorer", "restorers", "restores", "restoring", "restrain", "restrained", "restraining", "restrains", "restraint", "restraints", "restrict", "restricted", "restricting", "restriction", "restrictions", "restrictive", "restrictively", "restricts", "restroom", "restructure", "restructured", "restructures", "restructuring", "rests", "restyled", "resubmission", "resubmissions", "resubmit", "resubmits", "resubmitted", "resubmitting", "resubstitute", "result", "resultant", "resulted", "resulting", "results", "resume", "resumed", "resumes", "resuming", "resumption", "resupply", "resurface", "resurfaced", "resurfacing", "resurgence", "resurgent", "resurrect", "resurrected", "resurrecting", "resurrection", "resurrects", "resuscitate", "resuscitated", "resuscitating", "resuscitation", "retail", "retailed", "retailer", "retailers", "retailing", "retails", "retain", "retained", "retainer", "retainers", "retaining", "retains", "retake", "retaken", "retakes", "retaking", "retaliate", "retaliated", "retaliates", "retaliating", "retaliation", "retaliatory", "retard", "retardant", "retardation", "retarded", "retarding", "retards", "retch", "retched", "retching", "retell", "retelling", "retention", "retentions", "retentive", "retentiveness", "retentivity", "retest", "retested", "retesting", "retests", "rethink", "rethinking", "rethought", "reticence", "reticent", "reticular", "reticulated", "reticulation", "reticule", "reticules", "reticulum", "retied", "retina", "retinal", "retinas", "retinitis", "retinue", "retinues", "retire", "retired", "retiree", "retirement", "retirements", "retires", "retiring", "retitle", "retitled", "retitling", "retold", "retook", "retort", "retorted", "retorting", "retorts", "retouch", "retouched", "retouching", "retrace", "retraced", "retraces", "retracing", "retract", "retractable", "retracted", "retracting", "retraction", "retractions", "retracts", "retrain", "retrained", "retraining", "retral", "retransmission", "retransmissions", "retransmit", "retransmits", "retransmitted", "retransmitting", "retread", "retreads", "retreat", "retreated", "retreating", "retreats", "retrench", "retrenchment", "retrial", "retribution", "retributive", "retried", "retries", "retrievable", "retrieval", "retrievals", "retrieve", "retrieved", "retriever", "retrievers", "retrieves", "retrieving", "retro", "retroactive", "retroactively", "retrofit", "retrofitted", "retrofitting", "retrograde", "retrogressive", "retrospect", "retrospection", "retrospective", "retrospectively", "retrospectives", "retroviruses", "retry", "retrying", "retsina", "retted", "retune", "retuning", "return", "returnable", "returned", "returnees", "returning", "returns", "retype", "retyped", "retypes", "retyping", "reunification", "reunified", "reunify", "reunion", "reunions", "reunite", "reunited", "reunites", "reuniting", "reusable", "reuse", "reused", "reuses", "reusing", "rev", "revaluation", "revaluations", "revalue", "revalued", "revalues", "revamp", "revamped", "revamping", "revamps", "revanchist", "reveal", "revealable", "revealed", "revealing", "revealingly", "reveals", "reveille", "revel", "revelation", "revelations", "revelatory", "revelled", "reveller", "revellers", "revelling", "revelries", "revelry", "revels", "revenant", "revenge", "revenged", "revengeful", "revenges", "revenging", "revenue", "revenues", "reverberant", "reverberate", "reverberated", "reverberates", "reverberating", "reverberation", "reverberations", "revere", "revered", "reverence", "reverend", "reverent", "reverential", "reverentially", "reverently", "reveres", "reverie", "reveries", "revering", "reversal", "reversals", "reverse", "reversed", "reverser", "reverses", "reversibility", "reversible", "reversibly", "reversing", "reversion", "revert", "reverted", "reverting", "reverts", "review", "reviewable", "reviewed", "reviewer", "reviewers", "reviewing", "reviews", "revile", "reviled", "reviling", "revisable", "revisal", "revise", "revised", "reviser", "revises", "revising", "revision", "revisionary", "revisionism", "revisionist", "revisionists", "revisions", "revisit", "revisited", "revisiting", "revisits", "revitalisation", "revitalise", "revitalised", "revitalising", "revival", "revivalism", "revivalist", "revivalists", "revivals", "revive", "revived", "reviver", "revives", "revivify", "revivifying", "reviving", "revocable", "revocation", "revocations", "revoke", "revoked", "revoker", "revokers", "revokes", "revoking", "revolt", "revolted", "revolting", "revoltingly", "revolts", "revolution", "revolutionaries", "revolutionary", "revolutionise", "revolutionised", "revolutionises", "revolutionising", "revolutions", "revolve", "revolved", "revolver", "revolvers", "revolves", "revolving", "revs", "revue", "revues", "revulsion", "revved", "revving", "reward", "rewarded", "rewarding", "rewards", "reweighed", "rewind", "rewindable", "rewinding", "rewinds", "rewire", "rewired", "rewiring", "reword", "reworded", "rewording", "rewordings", "rework", "reworked", "reworking", "reworks", "rewound", "rewrap", "rewritable", "rewrite", "rewrites", "rewriting", "rewritings", "rewritten", "rewrote", "rhapsodic", "rhapsodical", "rhapsodies", "rhapsody", "rhea", "rhein", "rhenium", "rheological", "rheology", "rheostat", "rhesus", "rhetoric", "rhetorical", "rhetorically", "rhetorician", "rhetoricians", "rheumatic", "rheumatics", "rheumatism", "rheumatoid", "rheumatology", "rhine", "rhinestone", "rhinitis", "rhino", "rhinoceros", "rhinoceroses", "rhizome", "rho", "rhodesia", "rhodium", "rhododendron", "rhododendrons", "rhombic", "rhomboids", "rhombus", "rhombuses", "rhubarb", "rhumbas", "rhyme", "rhymed", "rhymer", "rhymes", "rhyming", "rhythm", "rhythmic", "rhythmical", "rhythmically", "rhythms", "ria", "rial", "rials", "rialto", "rib", "ribald", "ribaldry", "ribbed", "ribbing", "ribbon", "ribbons", "ribcage", "riboflavin", "ribonucleic", "ribosomal", "ribosome", "ribosomes", "ribs", "rice", "rich", "richer", "riches", "richest", "richly", "richness", "rick", "rickets", "rickety", "ricking", "ricks", "ricksha", "rickshas", "rickshaw", "rickshaws", "ricochet", "ricocheted", "ricocheting", "rid", "riddance", "ridden", "ridding", "riddle", "riddled", "riddles", "riddling", "ride", "rider", "riders", "rides", "ridge", "ridged", "ridges", "ridicule", "ridiculed", "ridicules", "ridiculing", "ridiculous", "ridiculously", "ridiculousness", "riding", "ridings", "rids", "rife", "riff", "riffle", "riffled", "riffs", "rifle", "rifled", "rifleman", "riflemen", "rifles", "rifling", "riflings", "rift", "rifting", "rifts", "rig", "rigged", "rigger", "riggers", "rigging", "right", "righted", "righten", "righteous", "righteously", "righteousness", "righter", "rightful", "rightfully", "righthand", "righthanded", "righthandedness", "righthander", "righthanders", "righting", "rightist", "rightly", "rightminded", "rightmost", "rightness", "rights", "rightthinking", "rightward", "rightwards", "rightwing", "rightwinger", "rightwingers", "rigid", "rigidifies", "rigidify", "rigidities", "rigidity", "rigidly", "rigmarole", "rigor", "rigorous", "rigorously", "rigour", "rigours", "rigs", "rile", "riled", "riles", "riling", "rill", "rills", "rim", "rime", "rimless", "rimmed", "rims", "rind", "rinds", "ring", "ringed", "ringer", "ringers", "ringing", "ringingly", "ringleader", "ringleaders", "ringless", "ringlet", "ringlets", "ringmaster", "rings", "ringside", "ringworm", "rink", "rinks", "rinse", "rinsed", "rinses", "rinsing", "riot", "rioted", "rioter", "rioters", "rioting", "riotous", "riotously", "riots", "rip", "ripcord", "ripe", "ripely", "ripen", "ripened", "ripeness", "ripening", "ripens", "riper", "ripest", "riping", "ripoff", "riposte", "riposted", "ripostes", "ripped", "ripper", "rippers", "ripping", "ripple", "rippled", "ripples", "rippling", "rips", "ripstop", "rise", "risen", "riser", "risers", "rises", "risible", "rising", "risings", "risk", "risked", "riskier", "riskiest", "riskiness", "risking", "risks", "risky", "risotto", "risque", "rissole", "rissoles", "rite", "rites", "ritual", "ritualised", "ritualistic", "ritualistically", "ritually", "rituals", "rival", "rivalled", "rivalling", "rivalries", "rivalry", "rivals", "riven", "river", "riverine", "rivers", "riverside", "rivet", "riveted", "riveter", "riveting", "rivetingly", "rivets", "riviera", "rivulet", "rivulets", "roach", "roaches", "road", "roadblock", "roadblocks", "roadhouse", "roadmap", "roads", "roadshow", "roadshows", "roadside", "roadsides", "roadsigns", "roadster", "roadsweepers", "roadway", "roadways", "roadworks", "roadworthy", "roam", "roamed", "roamer", "roaming", "roams", "roan", "roar", "roared", "roarer", "roaring", "roars", "roast", "roasted", "roaster", "roasting", "roasts", "rob", "robbed", "robber", "robberies", "robbers", "robbery", "robbing", "robe", "robed", "robes", "robin", "robins", "robot", "robotic", "robotics", "robots", "robs", "robust", "robustly", "robustness", "roc", "rock", "rockbottom", "rocked", "rocker", "rockers", "rockery", "rocket", "rocketed", "rocketing", "rocketry", "rockets", "rockfall", "rockfalls", "rockier", "rockiest", "rocking", "rocks", "rocksolid", "rocky", "rococo", "rocs", "rod", "rode", "rodent", "rodents", "rodeo", "rodeos", "rods", "roe", "roebuck", "roentgen", "roes", "rogue", "roguery", "rogues", "roguish", "roguishly", "roguishness", "roister", "roistering", "role", "roles", "roll", "rollcall", "rolled", "roller", "rollercoaster", "rollers", "rollerskating", "rollicking", "rolling", "rolls", "rolypoly", "rom", "roman", "romance", "romanced", "romancer", "romances", "romancing", "romans", "romantic", "romantically", "romanticised", "romanticises", "romanticising", "romanticism", "romantics", "romany", "rome", "rommel", "romp", "romped", "romper", "romping", "romps", "romulus", "rondavel", "roo", "roof", "roofed", "roofer", "roofgarden", "roofing", "roofings", "roofless", "roofs", "rooftop", "rooftops", "rooibos", "rook", "rookeries", "rookery", "rookies", "rooks", "room", "roomful", "roomier", "roomiest", "roommate", "rooms", "roomy", "roost", "roosted", "rooster", "roosters", "roosting", "roosts", "root", "rooted", "rooting", "rootings", "rootless", "roots", "rope", "roped", "ropes", "roping", "rosaries", "rosary", "rose", "rosebud", "rosebuds", "rosebush", "rosemary", "roses", "rosette", "rosettes", "rosewood", "rosier", "rosiest", "rosily", "rosin", "roster", "rostering", "rosters", "rostrum", "rostrums", "rosy", "rot", "rota", "rotary", "rotas", "rotatable", "rotate", "rotated", "rotates", "rotating", "rotation", "rotational", "rotationally", "rotations", "rotator", "rotators", "rotatory", "rote", "rotor", "rotors", "rots", "rotted", "rotten", "rottenly", "rottenness", "rotter", "rotting", "rotund", "rotunda", "rotundity", "rouble", "roubles", "rouge", "rouged", "rouges", "rough", "roughage", "roughed", "roughen", "roughened", "roughens", "rougher", "roughest", "roughie", "roughing", "roughly", "roughness", "roughs", "roughshod", "roulette", "round", "roundabout", "roundabouts", "rounded", "roundel", "roundels", "rounder", "rounders", "roundest", "roundhouse", "rounding", "roundish", "roundly", "roundness", "rounds", "roundtheclock", "roundup", "roundups", "rouse", "roused", "rouses", "rousing", "rout", "route", "routed", "routeing", "router", "routers", "routes", "routine", "routinely", "routines", "routing", "routs", "rove", "roved", "rover", "rovers", "roves", "roving", "rovings", "row", "rowboat", "rowboats", "rowdier", "rowdiest", "rowdily", "rowdiness", "rowdy", "rowdyism", "rowed", "rower", "rowers", "rowing", "rows", "royal", "royalist", "royalists", "royally", "royals", "royalties", "royalty", "ruanda", "rub", "rubbed", "rubber", "rubberised", "rubbers", "rubberstamp", "rubberstamped", "rubberstamping", "rubbery", "rubbing", "rubbings", "rubbish", "rubbished", "rubbishes", "rubbishing", "rubbishy", "rubble", "rubbles", "rubella", "rubicon", "rubicund", "rubidium", "rubies", "rubric", "rubs", "ruby", "ruck", "rucks", "rucksack", "rucksacks", "ruction", "ructions", "rudder", "rudderless", "rudders", "ruddiness", "ruddy", "rude", "rudely", "rudeness", "ruder", "rudest", "rudimentary", "rudiments", "rue", "rueful", "ruefully", "ruefulness", "rues", "ruff", "ruffian", "ruffians", "ruffle", "ruffled", "ruffles", "ruffling", "ruffs", "rug", "rugby", "rugged", "ruggedly", "ruggedness", "rugs", "ruin", "ruination", "ruinations", "ruined", "ruiner", "ruining", "ruinous", "ruinously", "ruins", "rule", "rulebook", "rulebooks", "ruled", "ruler", "rulers", "rules", "ruling", "rulings", "rum", "rumania", "rumba", "rumbas", "rumble", "rumbled", "rumbles", "rumbling", "rumblings", "rumbustious", "rumen", "ruminant", "ruminants", "ruminate", "ruminated", "ruminating", "rumination", "ruminations", "ruminative", "ruminatively", "rummage", "rummaged", "rummages", "rummaging", "rummy", "rumour", "rumoured", "rumours", "rump", "rumple", "rumpled", "rumpling", "rumps", "rumpus", "rumpuses", "run", "runaway", "rundown", "rune", "runes", "rung", "rungs", "runnable", "runner", "runners", "runnersup", "runnerup", "runnier", "runniest", "running", "runny", "runofthemill", "runs", "runt", "runts", "runway", "runways", "rupee", "rupees", "rupert", "rupture", "ruptured", "ruptures", "rupturing", "rural", "ruralist", "rurally", "ruse", "rush", "rushed", "rushes", "rushhour", "rushier", "rushing", "rusk", "rusks", "russet", "russia", "russian", "rust", "rusted", "rustic", "rustically", "rusticate", "rusticated", "rusticity", "rustics", "rustier", "rustiest", "rustiness", "rusting", "rustle", "rustled", "rustler", "rustlers", "rustles", "rustling", "rustproof", "rusts", "rusty", "rut", "ruth", "ruthless", "ruthlessly", "ruthlessness", "ruts", "rutted", "rwanda", "rye", "sabbat", "sabbath", "sabbaths", "sabbatical", "sabbaticals", "saber", "sable", "sables", "sabotage", "sabotaged", "sabotages", "sabotaging", "saboteur", "saboteurs", "sabra", "sabras", "sabre", "sabres", "sabretoothed", "sac", "saccharides", "saccharin", "saccharine", "sacerdotal", "sachet", "sachets", "sack", "sackcloth", "sacked", "sackful", "sackfuls", "sacking", "sacks", "sacral", "sacrament", "sacramental", "sacraments", "sacred", "sacredly", "sacredness", "sacrifice", "sacrificed", "sacrifices", "sacrificial", "sacrificing", "sacrilege", "sacrilegious", "sacristy", "sacrosanct", "sacrum", "sacs", "sad", "sadden", "saddened", "saddening", "saddens", "sadder", "saddest", "saddle", "saddlebag", "saddlebags", "saddled", "saddler", "saddlers", "saddles", "saddling", "sadism", "sadist", "sadistic", "sadistically", "sadists", "sadly", "sadness", "sadomasochism", "sadomasochistic", "sadsack", "safari", "safaris", "safe", "safeguard", "safeguarded", "safeguarding", "safeguards", "safely", "safeness", "safer", "safes", "safest", "safeties", "safety", "saffron", "sag", "saga", "sagacious", "sagaciously", "sagacity", "sagas", "sage", "sagely", "sages", "sagest", "sagged", "sagging", "sago", "sags", "sahara", "sahib", "said", "saigon", "sail", "sailcloth", "sailed", "sailer", "sailing", "sailings", "sailmaker", "sailor", "sailors", "sails", "saint", "sainted", "sainthood", "saintlier", "saintliest", "saintliness", "saintly", "saints", "saipan", "sake", "sakes", "saki", "salaam", "salacious", "salad", "salads", "salamander", "salamanders", "salami", "salamis", "salaried", "salaries", "salary", "sale", "saleability", "saleable", "salem", "sales", "salesgirl", "salesman", "salesmanship", "salesmen", "salespeople", "salesperson", "saleswoman", "salicylic", "salience", "salient", "saline", "salinity", "saliva", "salivary", "salivas", "salivate", "salivating", "salivation", "salivations", "sallied", "sallies", "sallow", "sally", "sallying", "salmon", "salmonella", "salmons", "salome", "salon", "salons", "saloon", "saloons", "salsa", "salt", "salted", "saltier", "saltiest", "saltiness", "saltpetre", "salts", "saltwater", "salty", "salubrious", "salubrity", "salutary", "salutation", "salutations", "salute", "saluted", "salutes", "saluting", "salvage", "salvageable", "salvaged", "salvager", "salvages", "salvaging", "salvation", "salve", "salved", "salver", "salvers", "salving", "salvo", "sam", "samba", "sambas", "same", "sameness", "samizdat", "samoa", "samosas", "samovar", "sampan", "sample", "sampled", "sampler", "samplers", "samples", "sampling", "samplings", "samurai", "san", "sanatorium", "sanctification", "sanctified", "sanctifies", "sanctify", "sanctifying", "sanctimonious", "sanction", "sanctioned", "sanctioning", "sanctions", "sanctity", "sanctuaries", "sanctuary", "sanctum", "sand", "sandal", "sandalled", "sandals", "sandalwood", "sandbag", "sandbagged", "sandbags", "sandbank", "sandbanks", "sandcastle", "sandcastles", "sanddune", "sanded", "sander", "sandier", "sandiest", "sanding", "sandman", "sandpaper", "sandpapering", "sandpiper", "sandpipers", "sandpit", "sands", "sandstone", "sandstones", "sandwich", "sandwiched", "sandwiches", "sandwiching", "sandy", "sane", "sanely", "saner", "sanest", "sang", "sanguine", "sanitary", "sanitation", "sanitise", "sanitised", "sanitiser", "sanitisers", "sanity", "sank", "sanserif", "sanskrit", "santiago", "sap", "sapient", "sapling", "saplings", "sapped", "sapper", "sappers", "sapphire", "sapphires", "sapping", "saps", "sarcasm", "sarcasms", "sarcastic", "sarcastically", "sarcoma", "sarcophagi", "sarcophagus", "sardine", "sardines", "sardinia", "sardonic", "sardonically", "sarge", "sari", "saris", "sarong", "sartorial", "sartorially", "sash", "sashes", "sat", "satan", "satanic", "satanically", "satanism", "satchel", "satchels", "sated", "satellite", "satellites", "satiate", "satiated", "satiation", "satin", "sating", "satins", "satinwood", "satiny", "satire", "satires", "satiric", "satirical", "satirically", "satirise", "satirised", "satirises", "satirising", "satirist", "satirists", "satisfaction", "satisfactions", "satisfactorily", "satisfactory", "satisfiable", "satisfied", "satisfies", "satisfy", "satisfying", "satisfyingly", "satrap", "satraps", "satsumas", "saturate", "saturated", "saturates", "saturating", "saturation", "saturday", "saturn", "saturnalia", "saturnine", "satyr", "satyric", "satyrs", "sauce", "saucepan", "saucepans", "saucer", "saucers", "sauces", "saucier", "sauciest", "saucily", "sauciness", "saucy", "saudi", "saudis", "sauerkraut", "sauna", "saunas", "saunter", "sauntered", "sauntering", "saunters", "sausage", "sausages", "saute", "savage", "savaged", "savagely", "savagery", "savages", "savaging", "savanna", "savannah", "savant", "savants", "save", "saved", "saveloy", "saver", "savers", "saves", "saving", "savings", "saviour", "saviours", "savour", "savoured", "savouring", "savours", "savoury", "savvy", "saw", "sawdust", "sawed", "sawing", "sawmill", "sawmills", "sawn", "saws", "sawtooth", "sawyer", "sawyers", "saxon", "saxons", "saxony", "saxophone", "saxophones", "saxophonist", "say", "saying", "sayings", "says", "scab", "scabbard", "scabbards", "scabbed", "scabby", "scabies", "scabs", "scaffold", "scaffolding", "scaffolds", "scalability", "scalable", "scalar", "scalars", "scald", "scalded", "scalding", "scalds", "scale", "scaled", "scalene", "scales", "scaling", "scallop", "scalloped", "scallops", "scalp", "scalped", "scalpel", "scalpels", "scalping", "scalps", "scaly", "scam", "scamp", "scamped", "scamper", "scampered", "scampering", "scampi", "scams", "scan", "scandal", "scandalise", "scandalised", "scandalous", "scandalously", "scandals", "scanned", "scanner", "scanners", "scanning", "scans", "scansion", "scant", "scantier", "scantiest", "scantily", "scantiness", "scanty", "scape", "scapegoat", "scapegoats", "scapula", "scar", "scarab", "scarce", "scarcely", "scarceness", "scarcer", "scarcest", "scarcities", "scarcity", "scare", "scarecrow", "scarecrows", "scared", "scaremonger", "scaremongering", "scares", "scarf", "scarfs", "scarier", "scariest", "scarified", "scarify", "scarifying", "scarily", "scaring", "scarlet", "scarlets", "scarp", "scarred", "scarring", "scars", "scarves", "scary", "scat", "scathe", "scathed", "scathing", "scathingly", "scatological", "scatter", "scattered", "scatterer", "scatterers", "scattering", "scatterings", "scatters", "scavenge", "scavenged", "scavenger", "scavengers", "scavenging", "scenario", "scene", "scenery", "scenes", "scenic", "scenically", "scent", "scented", "scenting", "scentless", "scents", "sceptic", "sceptical", "sceptically", "scepticism", "sceptics", "sceptre", "sceptred", "sceptres", "schedule", "scheduled", "scheduler", "schedulers", "schedules", "scheduling", "schema", "schemas", "schemata", "schematic", "schematically", "schematics", "scheme", "schemed", "schemer", "schemes", "scheming", "scherzi", "scherzo", "schism", "schismatic", "schismatics", "schisms", "schist", "schistosomiasis", "schists", "schizoid", "schizophrenia", "schizophrenic", "schizophrenically", "schizophrenics", "schmalz", "schnapps", "scholar", "scholarly", "scholars", "scholarship", "scholarships", "scholastic", "scholasticism", "school", "schoolboy", "schoolboys", "schoolchild", "schoolchildren", "schooldays", "schooled", "schoolgirl", "schoolgirls", "schoolhouse", "schooling", "schoolmaster", "schoolmasters", "schoolmates", "schoolmistress", "schoolroom", "schools", "schoolteacher", "schoolteachers", "schooner", "schooners", "schwa", "schwas", "sciatica", "science", "sciences", "scientific", "scientifically", "scientist", "scientists", "scifi", "scimitar", "scimitars", "scintigraphy", "scintillate", "scintillated", "scintillating", "scintillation", "scintillations", "scintillator", "scintillators", "scissor", "scissored", "scissors", "sclerosis", "scoff", "scoffed", "scoffing", "scold", "scolded", "scolder", "scolding", "scolds", "scone", "scones", "scoop", "scooped", "scooper", "scoopful", "scooping", "scoops", "scoot", "scooter", "scooters", "scooting", "scoots", "scope", "scopes", "scorch", "scorched", "scorcher", "scorches", "scorching", "score", "scoreboard", "scoreboards", "scorecard", "scorecards", "scored", "scoreless", "scoreline", "scorer", "scorers", "scores", "scoring", "scorn", "scorned", "scornful", "scornfully", "scorning", "scorns", "scorpion", "scorpions", "scot", "scotch", "scotched", "scotches", "scotfree", "scotland", "scots", "scotsman", "scottish", "scoundrel", "scoundrels", "scour", "scoured", "scourge", "scourged", "scourges", "scourging", "scouring", "scours", "scout", "scouted", "scouting", "scoutmaster", "scoutmasters", "scouts", "scowl", "scowled", "scowling", "scowls", "scrabble", "scrabbled", "scrabbling", "scram", "scramble", "scrambled", "scrambler", "scramblers", "scrambles", "scrambling", "scrams", "scrap", "scrapbook", "scrapbooks", "scrape", "scraped", "scraper", "scrapers", "scrapes", "scrapie", "scraping", "scrapings", "scrapped", "scrappier", "scrappiest", "scrapping", "scrappy", "scraps", "scrapyard", "scrapyards", "scratch", "scratched", "scratches", "scratchier", "scratchiest", "scratchiness", "scratching", "scratchings", "scratchy", "scrawl", "scrawled", "scrawling", "scrawls", "scrawnier", "scrawniest", "scrawny", "scream", "screamed", "screamer", "screamers", "screaming", "screamingly", "screams", "scree", "screech", "screeched", "screeches", "screechier", "screechiest", "screeching", "screechy", "screed", "screeds", "screen", "screened", "screening", "screenings", "screenplay", "screenplays", "screens", "screenwriter", "screw", "screwdriver", "screwdrivers", "screwed", "screwing", "screws", "screwy", "scribal", "scribble", "scribbled", "scribbler", "scribblers", "scribbles", "scribbling", "scribblings", "scribe", "scribed", "scribes", "scribing", "scrimped", "script", "scripted", "scripting", "scriptorium", "scripts", "scriptural", "scripture", "scriptures", "scriptwriter", "scriptwriters", "scriptwriting", "scroll", "scrollable", "scrolled", "scrolling", "scrolls", "scrooge", "scrooges", "scrotum", "scrub", "scrubbed", "scrubber", "scrubbers", "scrubbing", "scrubby", "scrubland", "scrubs", "scruff", "scruffier", "scruffy", "scrum", "scrumhalf", "scrummage", "scrummaging", "scrums", "scrunched", "scruple", "scruples", "scrupulous", "scrupulously", "scrupulousness", "scrutineers", "scrutinies", "scrutinise", "scrutinised", "scrutinises", "scrutinising", "scrutiny", "scuba", "scubas", "scud", "scudded", "scudding", "scuds", "scuff", "scuffed", "scuffing", "scuffle", "scuffled", "scuffles", "scuffling", "scull", "sculled", "sculler", "sculleries", "scullery", "sculling", "sculls", "sculpt", "sculpted", "sculpting", "sculptor", "sculptors", "sculptress", "sculptural", "sculpture", "sculptured", "sculptures", "scum", "scupper", "scuppered", "scurried", "scurries", "scurrilous", "scurry", "scurrying", "scurryings", "scurvy", "scuttle", "scuttled", "scuttles", "scuttling", "scythe", "scythed", "scythes", "scything", "sea", "seabed", "seabird", "seabirds", "seaboard", "seaborne", "seacow", "seacows", "seafarer", "seafarers", "seafaring", "seafood", "seafront", "seagod", "seagoing", "seagreen", "seagull", "seagulls", "seal", "sealant", "sealants", "sealed", "sealer", "sealers", "sealing", "sealion", "seals", "seam", "seamail", "seaman", "seamanship", "seamed", "seamen", "seamier", "seamless", "seamlessly", "seams", "seamstress", "seamstresses", "seamy", "seance", "seances", "seaplane", "seaplanes", "seaport", "seaports", "sear", "search", "searched", "searcher", "searchers", "searches", "searching", "searchingly", "searchlight", "searchlights", "seared", "searing", "sears", "seas", "seascape", "seascapes", "seashells", "seashore", "seashores", "seasick", "seasickness", "seaside", "season", "seasonable", "seasonably", "seasonal", "seasonality", "seasonally", "seasoned", "seasoner", "seasoning", "seasons", "seat", "seated", "seating", "seatings", "seats", "seattle", "seaward", "seawards", "seawater", "seaweed", "seaweeds", "seaworthy", "sebaceous", "sec", "secant", "secateurs", "secede", "seceded", "secedes", "seceding", "secession", "secessionist", "secessionists", "secessions", "seclude", "secluded", "seclusion", "second", "secondaries", "secondarily", "secondary", "secondbest", "secondclass", "seconded", "seconder", "seconders", "secondhand", "seconding", "secondly", "secondment", "secondments", "secondrate", "seconds", "secrecy", "secret", "secretarial", "secretariat", "secretariats", "secretaries", "secretary", "secretaryship", "secrete", "secreted", "secretes", "secreting", "secretion", "secretions", "secretive", "secretively", "secretiveness", "secretly", "secretory", "secrets", "sect", "sectarian", "sectarianism", "section", "sectional", "sectioned", "sectioning", "sections", "sector", "sectoral", "sectored", "sectors", "sects", "secular", "secularisation", "secularised", "secularism", "secularist", "secularists", "secure", "secured", "securely", "securer", "secures", "securest", "securing", "securities", "security", "sedan", "sedate", "sedated", "sedately", "sedateness", "sedater", "sedates", "sedating", "sedation", "sedative", "sedatives", "sedentary", "sedge", "sedges", "sediment", "sedimentary", "sedimentation", "sediments", "sedition", "seditious", "seduce", "seduced", "seducer", "seducers", "seduces", "seducing", "seduction", "seductions", "seductive", "seductively", "seductiveness", "sedulously", "see", "seeable", "seed", "seedbed", "seeded", "seeder", "seedier", "seediest", "seediness", "seeding", "seedless", "seedling", "seedlings", "seeds", "seedy", "seeing", "seeings", "seek", "seeker", "seekers", "seeking", "seeks", "seem", "seemed", "seeming", "seemingly", "seemlier", "seemliest", "seemly", "seems", "seen", "seep", "seepage", "seeped", "seeping", "seeps", "seer", "seers", "sees", "seesaw", "seesaws", "seethe", "seethed", "seethes", "seething", "seethrough", "segment", "segmental", "segmentation", "segmented", "segmenting", "segments", "segregate", "segregated", "segregates", "segregating", "segregation", "seine", "seisin", "seismic", "seismogram", "seismograph", "seismological", "seismologist", "seismologists", "seismology", "seismometer", "seismometers", "seize", "seized", "seizer", "seizes", "seizing", "seizure", "seizures", "seldom", "select", "selectable", "selected", "selectee", "selecting", "selection", "selections", "selective", "selectively", "selectivity", "selector", "selectors", "selects", "selenium", "selenology", "self", "selfcentred", "selfcentredness", "selfconfidence", "selfconfident", "selfconscious", "selfconsciously", "selfconsciousness", "selfcontrol", "selfcontrolled", "selfdefence", "selfdestruct", "selfdestructed", "selfdestructing", "selfdestruction", "selfdestructive", "selfdestructs", "selfdiscipline", "selfemployed", "selfesteem", "selfevident", "selfgoverning", "selfgovernment", "selfinflicted", "selfinterest", "selfish", "selfishly", "selfishness", "selfless", "selflessly", "selfmade", "selfpity", "selfportrait", "selfportraits", "selfrespect", "selfrespecting", "selfrestraint", "selfrighteous", "selfrighteously", "selfrighteousness", "selfsacrifice", "selfsacrificing", "selfsame", "selfsupporting", "selftaught", "sell", "sellable", "seller", "sellers", "selling", "sells", "selves", "semantic", "semantically", "semantics", "semaphore", "semaphores", "semaphoring", "semblance", "semblances", "semen", "semester", "semesters", "semi", "semicircle", "semicircular", "semicolon", "semicolons", "semiconducting", "semiconductor", "semiconductors", "semiconscious", "semidetached", "semifinal", "semifinalist", "semifinalists", "semifinals", "seminar", "seminaries", "seminars", "seminary", "semite", "semites", "semitic", "semitics", "sen", "senate", "senates", "senator", "senatorial", "senators", "send", "sender", "senders", "sending", "sends", "senegal", "senhor", "senhors", "senile", "senility", "senior", "seniority", "seniors", "senora", "senoritas", "sensation", "sensational", "sensationalised", "sensationalism", "sensationalist", "sensationalistic", "sensationally", "sensations", "sense", "sensed", "senseless", "senselessly", "senselessness", "senses", "sensibilities", "sensibility", "sensible", "sensibleness", "sensibly", "sensing", "sensings", "sensitisation", "sensitised", "sensitisers", "sensitive", "sensitively", "sensitiveness", "sensitivities", "sensitivity", "sensor", "sensors", "sensory", "sensual", "sensuality", "sensually", "sensuous", "sensuously", "sensuousness", "sent", "sentence", "sentenced", "sentences", "sentencing", "sentential", "sententious", "sententiously", "sentience", "sentient", "sentiment", "sentimental", "sentimentalised", "sentimentalism", "sentimentalist", "sentimentality", "sentimentally", "sentiments", "sentinel", "sentinels", "sentries", "sentry", "seoul", "separability", "separable", "separate", "separated", "separately", "separateness", "separates", "separating", "separation", "separations", "separatism", "separatist", "separatists", "separator", "separators", "sepia", "september", "septet", "septets", "septic", "septicaemia", "sepulchral", "sepulchre", "sepulchres", "sequel", "sequels", "sequence", "sequenced", "sequencer", "sequencers", "sequences", "sequencing", "sequent", "sequential", "sequentially", "sequestered", "sequestrated", "sequestration", "sequin", "sequinned", "sequins", "sequoia", "seraglio", "serai", "seraphic", "seraphically", "seraphim", "seraphs", "serenade", "serenader", "serenades", "serenading", "serenata", "serendipitous", "serendipitously", "serendipity", "serene", "serenely", "serener", "serenest", "serenity", "serf", "serfdom", "serfhood", "serfs", "serge", "sergeant", "sergeants", "serial", "serialisation", "serialisations", "serialise", "serialised", "serialising", "serially", "serials", "series", "serif", "serifed", "serifs", "serious", "seriously", "seriousness", "sermon", "sermons", "serological", "serology", "seronegative", "serotonin", "serpent", "serpentine", "serpents", "serrate", "serrated", "serried", "serum", "serums", "servant", "servants", "serve", "served", "server", "servers", "serves", "service", "serviceability", "serviceable", "serviced", "serviceman", "servicemen", "services", "servicing", "serviette", "servile", "servilely", "servility", "serving", "servings", "servitude", "sesame", "sesotho", "sessile", "session", "sessions", "set", "setback", "setbacks", "seth", "sets", "setswana", "settee", "settees", "setter", "setters", "setting", "settings", "settle", "settled", "settlement", "settlements", "settler", "settlers", "settles", "settling", "setts", "setup", "seven", "sevenfold", "sevenpence", "sevens", "seventeen", "seventeenth", "seventh", "seventies", "seventieth", "seventy", "sever", "severable", "several", "severally", "severance", "severe", "severed", "severely", "severer", "severest", "severing", "severity", "severs", "sew", "sewage", "sewed", "sewer", "sewerage", "sewerrat", "sewers", "sewing", "sewings", "sewn", "sews", "sex", "sexed", "sexes", "sexier", "sexiest", "sexily", "sexiness", "sexing", "sexism", "sexist", "sexists", "sexless", "sexologists", "sexology", "sextant", "sextants", "sextet", "sextets", "sexton", "sextons", "sextuplet", "sextuplets", "sexual", "sexualities", "sexuality", "sexually", "sexy", "shabbier", "shabbiest", "shabbily", "shabbiness", "shabby", "shack", "shackle", "shackled", "shackles", "shacks", "shade", "shaded", "shadeless", "shades", "shadier", "shadiest", "shadily", "shading", "shadings", "shadow", "shadowed", "shadowing", "shadowless", "shadows", "shadowy", "shady", "shaft", "shafted", "shafting", "shafts", "shag", "shagged", "shaggiest", "shaggy", "shags", "shah", "shahs", "shakable", "shake", "shakeable", "shakedown", "shaken", "shaker", "shakers", "shakes", "shakeup", "shakeups", "shakier", "shakiest", "shakily", "shaking", "shaky", "shale", "shall", "shallot", "shallots", "shallow", "shallower", "shallowest", "shallowly", "shallowness", "shallows", "sham", "shaman", "shamanic", "shamanism", "shamanistic", "shamans", "shamble", "shambled", "shambles", "shambling", "shame", "shamed", "shamefaced", "shamefacedly", "shameful", "shamefully", "shameless", "shamelessly", "shamelessness", "shames", "shaming", "shammed", "shamming", "shampoo", "shampooed", "shampooing", "shampoos", "shamrock", "shams", "shandy", "shank", "shanks", "shanties", "shanty", "shape", "shaped", "shapeless", "shapelier", "shapeliest", "shapely", "shaper", "shapers", "shapes", "shaping", "sharable", "shard", "shards", "share", "shareable", "shared", "shareholder", "shareholders", "shareholding", "shareholdings", "sharer", "shares", "shareware", "sharing", "shark", "sharks", "sharp", "sharpen", "sharpened", "sharpener", "sharpeners", "sharpening", "sharpens", "sharper", "sharpest", "sharply", "sharpness", "sharps", "shatter", "shattered", "shattering", "shatteringly", "shatterproof", "shatters", "shave", "shaved", "shaven", "shaver", "shavers", "shaves", "shaving", "shavings", "shaw", "shawl", "shawls", "she", "sheaf", "shear", "sheared", "shearer", "shearers", "shearing", "shears", "shearwater", "shearwaters", "sheath", "sheathe", "sheathed", "sheathing", "sheaths", "sheaves", "shed", "shedding", "sheds", "sheen", "sheep", "sheepdog", "sheepdogs", "sheepish", "sheepishly", "sheepishness", "sheepskin", "sheepskins", "sheer", "sheered", "sheerest", "sheerness", "sheet", "sheeted", "sheeting", "sheets", "sheik", "sheikh", "sheikhs", "sheiks", "shekel", "shekels", "shelf", "shell", "shellac", "shelled", "shellfire", "shellfish", "shelling", "shells", "shelter", "sheltered", "sheltering", "shelters", "shelve", "shelved", "shelves", "shelving", "shepherd", "shepherded", "shepherdess", "shepherding", "shepherds", "sherbet", "sherds", "sheriff", "sheriffs", "sherlock", "sherries", "sherry", "shetland", "shibboleth", "shibboleths", "shied", "shield", "shielded", "shielding", "shields", "shielings", "shies", "shift", "shifted", "shifter", "shifters", "shiftier", "shiftily", "shiftiness", "shifting", "shiftless", "shifts", "shifty", "shilling", "shimmer", "shimmered", "shimmering", "shimmers", "shin", "shinbone", "shindig", "shine", "shined", "shiner", "shines", "shingle", "shingles", "shinier", "shiniest", "shining", "shinned", "shinning", "shins", "shiny", "ship", "shipboard", "shipborne", "shipbuilder", "shipbuilders", "shipbuilding", "shipload", "shiploads", "shipmate", "shipmates", "shipment", "shipments", "shipowner", "shipowners", "shippable", "shipped", "shipping", "ships", "shipshape", "shipwreck", "shipwrecked", "shipwrecks", "shipwright", "shipwrights", "shipyard", "shipyards", "shire", "shires", "shirk", "shirked", "shirking", "shirt", "shirtless", "shirts", "shirtsleeves", "shiver", "shivered", "shivering", "shiveringly", "shivers", "shivery", "shoal", "shoals", "shock", "shocked", "shocker", "shockers", "shocking", "shockingly", "shocks", "shod", "shoddier", "shoddiest", "shoddily", "shoddiness", "shoddy", "shoe", "shoebox", "shoed", "shoehorn", "shoeing", "shoelace", "shoelaces", "shoeless", "shoemaker", "shoemakers", "shoes", "shoestring", "shoestrings", "shogun", "shoguns", "shone", "shoo", "shooed", "shooing", "shook", "shoot", "shooter", "shooters", "shooting", "shootings", "shoots", "shop", "shopfront", "shopfronts", "shopkeeper", "shopkeepers", "shopkeeping", "shoplift", "shoplifted", "shoplifter", "shoplifters", "shoplifting", "shopped", "shopper", "shoppers", "shopping", "shops", "shore", "shored", "shoreline", "shorelines", "shores", "shoreward", "shorewards", "shoring", "shorn", "short", "shortage", "shortages", "shortbread", "shortcircuit", "shortcircuited", "shortcircuiting", "shortcoming", "shortcomings", "shortcrust", "shortcut", "shortcuts", "shorted", "shorten", "shortened", "shortening", "shortens", "shorter", "shortest", "shortfall", "shortfalls", "shorthand", "shorting", "shortish", "shortlist", "shortlisted", "shortlisting", "shortlived", "shortly", "shortness", "shorts", "shortsighted", "shortsightedly", "shortsightedness", "shortstaffed", "shorttempered", "shortterm", "shortwinded", "shorty", "shot", "shotgun", "shotguns", "shots", "should", "shoulder", "shouldered", "shouldering", "shoulders", "shout", "shouted", "shouter", "shouters", "shouting", "shouts", "shove", "shoved", "shovel", "shovelful", "shovelled", "shoveller", "shovelling", "shovels", "shoves", "shoving", "show", "showcase", "showcases", "showcasing", "showdown", "showed", "shower", "showered", "showering", "showers", "showery", "showgirl", "showground", "showier", "showiest", "showing", "showings", "showjumpers", "showman", "showmanship", "showmen", "shown", "showoff", "showpiece", "showpieces", "showplace", "showroom", "showrooms", "shows", "showy", "shrank", "shrapnel", "shred", "shredded", "shredder", "shredders", "shredding", "shreds", "shrew", "shrewd", "shrewder", "shrewdest", "shrewdly", "shrewdness", "shrews", "shriek", "shrieked", "shrieker", "shriekers", "shrieking", "shrieks", "shrift", "shrill", "shrilled", "shrillest", "shrillness", "shrills", "shrilly", "shrimp", "shrimps", "shrine", "shrines", "shrink", "shrinkable", "shrinkage", "shrinking", "shrinkingly", "shrinks", "shrivel", "shrivelled", "shrivelling", "shrivels", "shroud", "shrouded", "shrouding", "shrouds", "shrub", "shrubberies", "shrubbery", "shrubby", "shrubs", "shrug", "shrugged", "shrugging", "shrugs", "shrunk", "shrunken", "shudder", "shuddered", "shuddering", "shudders", "shuffle", "shuffled", "shuffler", "shufflers", "shuffles", "shuffling", "shun", "shunned", "shunning", "shuns", "shunt", "shunted", "shunter", "shunters", "shunting", "shunts", "shushed", "shut", "shutdown", "shutdowns", "shuts", "shutter", "shuttered", "shuttering", "shutters", "shutting", "shuttle", "shuttlecock", "shuttlecocks", "shuttled", "shuttles", "shuttling", "shutup", "shy", "shyer", "shyest", "shying", "shyly", "shyness", "siam", "siamese", "siberia", "siberian", "sibilance", "sibilancy", "sibilant", "sibling", "siblings", "sibyl", "sic", "sicilian", "sicily", "sick", "sickbay", "sickbed", "sicken", "sickened", "sickening", "sickeningly", "sickens", "sicker", "sickest", "sickle", "sickles", "sickliest", "sickly", "sickness", "sicknesses", "sickroom", "side", "sideband", "sidebands", "sideboard", "sideboards", "sideburns", "sidecar", "sided", "sidekick", "sidelight", "sidelights", "sideline", "sidelines", "sidelong", "sider", "sidereal", "sides", "sideshow", "sideshows", "sidestep", "sidestepped", "sidestepping", "sidesteps", "sideswipes", "sidetrack", "sidetracked", "sidetracking", "sidewalk", "sidewards", "sideways", "sidewinders", "siding", "sidings", "sidle", "sidled", "sidling", "siege", "sieges", "sienna", "sierra", "siesta", "siestas", "sieve", "sieved", "sieves", "sieving", "sift", "sifted", "sifter", "sifters", "sifting", "siftings", "sifts", "sigh", "sighed", "sighing", "sighs", "sight", "sighted", "sightedness", "sighting", "sightings", "sightless", "sightlessly", "sightly", "sights", "sightsee", "sightseeing", "sightseers", "sigma", "sigmoid", "sign", "signal", "signalled", "signaller", "signallers", "signalling", "signally", "signalman", "signalmen", "signals", "signatories", "signatory", "signature", "signatures", "signboards", "signed", "signer", "signers", "signet", "significance", "significances", "significant", "significantly", "signification", "significations", "signified", "signifier", "signifies", "signify", "signifying", "signing", "signings", "signor", "signora", "signors", "signpost", "signposted", "signposting", "signposts", "signs", "signwriter", "silage", "silence", "silenced", "silencer", "silencers", "silences", "silencing", "silent", "silently", "silhouette", "silhouetted", "silhouettes", "silica", "silicate", "silicates", "silicon", "silicone", "silicosis", "silk", "silken", "silkier", "silkiest", "silkily", "silkiness", "silklike", "silks", "silkworm", "silkworms", "silky", "sillier", "silliest", "silliness", "silly", "silo", "silt", "silted", "silting", "silts", "siltstone", "silty", "silver", "silvered", "silvering", "silvers", "silversmith", "silversmiths", "silverware", "silvery", "simeon", "similar", "similarities", "similarity", "similarly", "simile", "similes", "similitude", "simmer", "simmered", "simmering", "simmers", "simper", "simpered", "simpering", "simpers", "simple", "simpleminded", "simpler", "simplest", "simpleton", "simpletons", "simplex", "simplexes", "simplicities", "simplicity", "simplification", "simplifications", "simplified", "simplifier", "simplifies", "simplify", "simplifying", "simplism", "simplistic", "simplistically", "simply", "simulacrum", "simulate", "simulated", "simulates", "simulating", "simulation", "simulations", "simulator", "simulators", "simulcasts", "simultaneity", "simultaneous", "simultaneously", "sin", "sinai", "since", "sincere", "sincerely", "sincerest", "sincerity", "sine", "sinecure", "sinecures", "sinecurist", "sines", "sinew", "sinews", "sinewy", "sinful", "sinfully", "sinfulness", "sing", "singable", "singalong", "singe", "singed", "singeing", "singer", "singers", "singes", "singing", "single", "singlehanded", "singlehandedly", "singleminded", "singlemindedly", "singlemindedness", "singleness", "singles", "singly", "sings", "singsong", "singular", "singularisation", "singularities", "singularity", "singularly", "singulars", "sinister", "sinisterly", "sinistral", "sink", "sinkable", "sinker", "sinkers", "sinking", "sinks", "sinless", "sinned", "sinner", "sinners", "sinning", "sins", "sinter", "sinters", "sinuous", "sinuously", "sinus", "sinuses", "sinusitis", "sinusoid", "sinusoidal", "sinusoidally", "sip", "siphon", "siphoned", "siphoning", "siphons", "sipped", "sipper", "sippers", "sipping", "sips", "sir", "sire", "sired", "siren", "sirens", "sires", "sirius", "sirloin", "sirloins", "sirs", "sis", "sisal", "sissies", "sissy", "sister", "sisterhood", "sisterinlaw", "sisterly", "sisters", "sistersinlaw", "sit", "sitar", "sitcom", "sitcoms", "site", "sited", "sites", "siting", "sitings", "sits", "sitter", "sitters", "sitting", "sittings", "situate", "situated", "situating", "situation", "situational", "situationally", "situationist", "situations", "six", "sixes", "sixfold", "sixpence", "sixteen", "sixteenth", "sixth", "sixths", "sixties", "sixtieth", "sixty", "size", "sizeable", "sized", "sizes", "sizing", "sizzle", "sizzled", "sizzles", "sizzling", "sjambok", "skate", "skateboard", "skateboards", "skated", "skater", "skaters", "skates", "skating", "skein", "skeletal", "skeleton", "skeletons", "skeptic", "skerries", "sketch", "sketchbook", "sketchbooks", "sketched", "sketcher", "sketches", "sketchier", "sketchiest", "sketchily", "sketching", "sketchpad", "sketchy", "skew", "skewed", "skewer", "skewered", "skewers", "skewness", "skews", "ski", "skid", "skidded", "skidding", "skids", "skied", "skier", "skiers", "skies", "skiing", "skilful", "skilfully", "skill", "skilled", "skillet", "skillful", "skills", "skim", "skimmed", "skimmer", "skimming", "skimp", "skimped", "skimping", "skimpy", "skims", "skin", "skincare", "skindeep", "skinflint", "skinhead", "skinheads", "skinless", "skinned", "skinner", "skinners", "skinnier", "skinniest", "skinning", "skinny", "skins", "skintight", "skip", "skipped", "skipper", "skippered", "skippering", "skippers", "skipping", "skips", "skirl", "skirmish", "skirmishes", "skirmishing", "skirt", "skirted", "skirting", "skirts", "skis", "skit", "skits", "skittish", "skittishly", "skittishness", "skittle", "skittles", "skua", "skuas", "skulduggery", "skulk", "skulked", "skulking", "skulks", "skull", "skullcap", "skullduggery", "skulls", "skunk", "skunks", "sky", "skydive", "skydived", "skydiver", "skydivers", "skydives", "skydiving", "skyhigh", "skylark", "skylarks", "skylight", "skylights", "skyline", "skylines", "skyscape", "skyscraper", "skyscrapers", "skyward", "skywards", "slab", "slabs", "slack", "slacked", "slacken", "slackened", "slackening", "slackens", "slacker", "slackers", "slackest", "slacking", "slackly", "slackness", "slacks", "slag", "slags", "slain", "slake", "slaked", "slalom", "slaloms", "slam", "slammed", "slamming", "slams", "slander", "slandered", "slanderer", "slanderers", "slandering", "slanderous", "slanders", "slang", "slanging", "slant", "slanted", "slanting", "slants", "slantwise", "slap", "slapdash", "slapped", "slapper", "slapping", "slaps", "slapstick", "slash", "slashed", "slasher", "slashes", "slashing", "slat", "slate", "slated", "slater", "slaters", "slates", "slating", "slats", "slatted", "slaughter", "slaughtered", "slaughterer", "slaughterhouse", "slaughterhouses", "slaughtering", "slaughterings", "slaughters", "slav", "slave", "slaved", "slavedriver", "slavedrivers", "slaver", "slavered", "slavering", "slavers", "slavery", "slaves", "slavic", "slaving", "slavish", "slavishly", "slavs", "slay", "slayed", "slayer", "slayers", "slaying", "slays", "sleaze", "sleazier", "sleaziest", "sleazy", "sled", "sledding", "sledge", "sledgehammer", "sledgehammers", "sledges", "sledging", "sleds", "sleek", "sleeker", "sleekly", "sleekness", "sleeks", "sleep", "sleeper", "sleepers", "sleepier", "sleepiest", "sleepily", "sleepiness", "sleeping", "sleepless", "sleeplessness", "sleeps", "sleepwalk", "sleepwalker", "sleepwalking", "sleepwalks", "sleepy", "sleet", "sleets", "sleeve", "sleeved", "sleeveless", "sleeves", "sleigh", "sleighs", "sleight", "sleights", "slender", "slenderest", "slenderly", "slenderness", "slept", "sleuth", "sleuths", "slew", "slewed", "slewing", "slice", "sliced", "slicer", "slicers", "slices", "slicing", "slicings", "slick", "slicked", "slicker", "slickest", "slickly", "slickness", "slicks", "slid", "slide", "slided", "slider", "sliders", "slides", "sliding", "slight", "slighted", "slighter", "slightest", "slighting", "slightingly", "slightly", "slights", "slily", "slim", "slime", "slimes", "slimier", "slimiest", "slimline", "slimly", "slimmed", "slimmer", "slimmers", "slimmest", "slimming", "slimness", "slims", "slimy", "sling", "slinging", "slings", "slingshot", "slink", "slinking", "slinky", "slip", "slippage", "slipped", "slipper", "slipperiness", "slippers", "slippery", "slipping", "slips", "slipshod", "slipstream", "slipup", "slipway", "slit", "slither", "slithered", "slithering", "slithers", "slithery", "slits", "slitting", "sliver", "slivers", "slob", "slobber", "slobbering", "slobbers", "slobbery", "slobs", "slog", "slogan", "slogans", "slogged", "slogging", "slogs", "sloop", "slop", "slope", "sloped", "slopes", "sloping", "slopped", "sloppier", "sloppiest", "sloppily", "sloppiness", "slopping", "sloppy", "slops", "slosh", "sloshed", "sloshing", "slot", "sloth", "slothful", "sloths", "slots", "slotted", "slotting", "slouch", "slouched", "slouches", "slouching", "slough", "sloughed", "sloughing", "slovak", "slovenia", "slovenliness", "slovenly", "slow", "slowcoaches", "slowdown", "slowed", "slower", "slowest", "slowing", "slowish", "slowly", "slowness", "slowpoke", "slows", "sludge", "sludgy", "slug", "sluggard", "sluggards", "slugged", "slugging", "sluggish", "sluggishly", "sluggishness", "slugs", "sluice", "sluiced", "sluices", "sluicing", "slum", "slumber", "slumbered", "slumbering", "slumbers", "slumming", "slump", "slumped", "slumping", "slumps", "slums", "slung", "slunk", "slur", "slurp", "slurped", "slurping", "slurps", "slurred", "slurring", "slurry", "slurs", "slush", "slushed", "slushes", "slushier", "slushiest", "slushy", "slut", "sluts", "sly", "slyer", "slyly", "slyness", "smack", "smacked", "smacker", "smacking", "smacks", "small", "smaller", "smallest", "smallholder", "smallholders", "smallholding", "smallholdings", "smallish", "smallminded", "smallmindedness", "smallness", "smallpox", "smalls", "smallscale", "smalltalk", "smalltime", "smalltown", "smart", "smarted", "smarten", "smartened", "smartening", "smarter", "smartest", "smarting", "smartly", "smartness", "smarts", "smash", "smashed", "smasher", "smashes", "smashing", "smattering", "smatterings", "smear", "smeared", "smearing", "smears", "smegma", "smell", "smellable", "smelled", "smellier", "smelliest", "smelling", "smells", "smelly", "smelt", "smelted", "smelter", "smelters", "smelting", "smidgeon", "smile", "smiled", "smiler", "smilers", "smiles", "smiling", "smilingly", "smirk", "smirked", "smirking", "smirks", "smite", "smith", "smithereens", "smiths", "smithy", "smiting", "smitten", "smock", "smocks", "smog", "smoggy", "smogs", "smoke", "smoked", "smokeless", "smoker", "smokers", "smokes", "smokescreen", "smokestack", "smokestacks", "smokier", "smokiest", "smokiness", "smoking", "smoky", "smolder", "smooch", "smooth", "smoothed", "smoother", "smoothest", "smoothing", "smoothly", "smoothness", "smooths", "smoothtongued", "smote", "smother", "smothered", "smothering", "smothers", "smoulder", "smouldered", "smouldering", "smoulders", "smudge", "smudged", "smudges", "smudgier", "smudgiest", "smudging", "smudgy", "smug", "smuggle", "smuggled", "smuggler", "smugglers", "smuggles", "smuggling", "smugly", "smugness", "smut", "smuts", "smutty", "snack", "snacks", "snaffle", "snag", "snagged", "snagging", "snags", "snail", "snails", "snake", "snaked", "snakepit", "snakes", "snakeskin", "snaking", "snaky", "snap", "snapped", "snapper", "snappier", "snappily", "snapping", "snappy", "snaps", "snapshot", "snapshots", "snare", "snared", "snares", "snaring", "snarl", "snarled", "snarling", "snarls", "snatch", "snatched", "snatcher", "snatchers", "snatches", "snatching", "sneak", "sneaked", "sneakers", "sneakier", "sneakiest", "sneakily", "sneaking", "sneaks", "sneaky", "sneer", "sneered", "sneering", "sneeringly", "sneers", "sneeze", "sneezed", "sneezes", "sneezing", "snick", "snide", "sniff", "sniffed", "sniffer", "sniffers", "sniffing", "sniffle", "sniffles", "sniffling", "sniffly", "sniffs", "snifter", "snigger", "sniggered", "sniggering", "sniggers", "snip", "snipe", "sniper", "snipers", "snipes", "sniping", "snipped", "snippet", "snippets", "snipping", "snips", "snits", "snivel", "snivelling", "snob", "snobbery", "snobbish", "snobbishly", "snobbishness", "snobs", "snoek", "snooker", "snoop", "snooped", "snooper", "snoopers", "snooping", "snoops", "snoopy", "snooze", "snoozed", "snoozes", "snoozing", "snore", "snored", "snorer", "snorers", "snores", "snoring", "snorkel", "snorkelling", "snorkels", "snort", "snorted", "snorting", "snorts", "snotty", "snout", "snouts", "snow", "snowball", "snowballed", "snowballing", "snowballs", "snowbound", "snowcapped", "snowdrift", "snowdrifts", "snowdrop", "snowdrops", "snowed", "snowfall", "snowfalls", "snowfields", "snowflake", "snowflakes", "snowier", "snowiest", "snowing", "snowline", "snowman", "snowmen", "snowplough", "snowploughs", "snows", "snowstorm", "snowstorms", "snowwhite", "snowy", "snub", "snubbed", "snubbing", "snubnosed", "snubs", "snuff", "snuffbox", "snuffed", "snuffing", "snuffle", "snuffled", "snuffles", "snuffling", "snuffs", "snug", "snugger", "snuggle", "snuggled", "snuggles", "snuggling", "snugly", "snugness", "so", "soak", "soaked", "soaker", "soakers", "soaking", "soakings", "soaks", "soandso", "soap", "soapbox", "soaped", "soapier", "soapiest", "soaping", "soaps", "soapy", "soar", "soared", "soaring", "soaringly", "soars", "sob", "sobbed", "sobbing", "sobbings", "sober", "sobered", "soberer", "sobering", "soberly", "sobers", "sobriety", "sobriquet", "sobs", "socalled", "soccer", "sociability", "sociable", "sociably", "social", "socialisation", "socialise", "socialised", "socialising", "socialism", "socialist", "socialistic", "socialists", "socialite", "socially", "socials", "societal", "societies", "society", "sociobiology", "sociocultural", "socioeconomic", "sociolinguistic", "sociolinguistics", "sociolinguists", "sociological", "sociologically", "sociologist", "sociologists", "sociology", "sociopolitical", "sock", "socked", "socket", "sockets", "socking", "socks", "socrates", "sod", "soda", "sodas", "sodded", "sodden", "soddy", "sodium", "sodom", "sodomise", "sodomised", "sodomising", "sodomite", "sodomites", "sodomy", "sods", "sofa", "sofas", "soffit", "soft", "softball", "softboiled", "soften", "softened", "softener", "softeners", "softening", "softens", "softer", "softest", "softhearted", "softie", "softish", "softly", "softness", "softspoken", "software", "softwood", "softy", "soggier", "soggiest", "soggy", "soh", "soil", "soiled", "soiling", "soilings", "soils", "soiree", "sojourn", "sojourned", "sojourner", "sojourners", "sojourning", "sojourns", "solace", "solaces", "solanum", "solar", "solaria", "solarium", "sold", "solder", "soldered", "soldering", "solders", "soldier", "soldiered", "soldiering", "soldierly", "soldiers", "soldiery", "sole", "solecism", "solecisms", "solely", "solemn", "solemnities", "solemnity", "solemnly", "solenoid", "solenoidal", "solenoids", "soler", "soles", "solfa", "solicit", "solicitation", "solicitations", "solicited", "soliciting", "solicitor", "solicitors", "solicitous", "solicitously", "solicits", "solicitude", "solid", "solidarity", "solidification", "solidified", "solidifies", "solidify", "solidifying", "solidity", "solidly", "solidness", "solids", "solitaire", "solitary", "solitude", "solitudes", "solo", "soloing", "soloist", "soloists", "solstice", "solstices", "solubility", "soluble", "solute", "solutes", "solution", "solutions", "solvable", "solve", "solved", "solvency", "solvent", "solvents", "solver", "solvers", "solves", "solving", "soma", "somali", "somalia", "somas", "somatic", "sombre", "sombrely", "sombreness", "sombrero", "some", "somebody", "someday", "somehow", "someone", "somersault", "somersaulted", "somersaulting", "somersaults", "something", "sometime", "sometimes", "someway", "someways", "somewhat", "somewhere", "somnambulist", "somnolence", "somnolent", "son", "sonar", "sonars", "sonata", "sonatas", "sones", "song", "songbird", "songbirds", "songbook", "songs", "songsters", "songwriter", "songwriters", "songwriting", "sonic", "sonically", "soninlaw", "sonnet", "sonnets", "sonny", "sonora", "sonorities", "sonority", "sonorous", "sonorously", "sonorousness", "sons", "sonsinlaw", "soon", "sooner", "soonest", "soonish", "soot", "soothe", "soothed", "soothers", "soothes", "soothing", "soothingly", "soothsayer", "soothsayers", "soothsaying", "sootier", "soots", "sooty", "sop", "sophist", "sophisticate", "sophisticated", "sophisticates", "sophistication", "sophistry", "sophists", "soporific", "sopping", "soppy", "soprano", "sorbet", "sorbets", "sorcerer", "sorcerers", "sorceress", "sorcery", "sordid", "sordidly", "sordidness", "sore", "sorely", "soreness", "sores", "sorghum", "sorority", "sorrel", "sorrier", "sorriest", "sorrow", "sorrowed", "sorrowful", "sorrowfully", "sorrowing", "sorrows", "sorry", "sort", "sortable", "sorted", "sorter", "sorters", "sortie", "sorties", "sorting", "sorts", "sos", "soso", "sot", "sotho", "soubriquet", "soudan", "souffle", "sought", "soughtafter", "souk", "souks", "soul", "souldestroying", "souled", "soulful", "soulfully", "soulless", "souls", "soulsearching", "sound", "soundcheck", "sounded", "sounder", "soundest", "sounding", "soundings", "soundless", "soundlessly", "soundly", "soundness", "soundproof", "soundproofed", "soundproofing", "sounds", "soundtrack", "soundtracks", "soup", "soups", "soupy", "sour", "source", "sourced", "sourceless", "sources", "sourcing", "soured", "sourest", "souring", "sourly", "sourness", "sours", "soused", "south", "southbound", "southerly", "southern", "southerner", "southerners", "southernmost", "southward", "southwards", "souvenir", "souvenirs", "sovereign", "sovereigns", "sovereignty", "soviet", "sow", "sowed", "sower", "sowers", "soweto", "sowing", "sown", "sows", "soy", "soya", "soybean", "soybeans", "spa", "space", "spaceage", "spacecraft", "spaced", "spaceflight", "spaceman", "spacemen", "spacer", "spacers", "spaces", "spaceship", "spaceships", "spacesuit", "spacesuits", "spacey", "spacial", "spacing", "spacings", "spacious", "spaciously", "spaciousness", "spade", "spaded", "spades", "spadework", "spaghetti", "spain", "spam", "span", "spandrels", "spangle", "spangled", "spangles", "spaniel", "spaniels", "spanish", "spank", "spanked", "spanker", "spanking", "spankings", "spanks", "spanned", "spanner", "spanners", "spanning", "spans", "spar", "spare", "spared", "sparely", "spares", "sparetime", "sparing", "sparingly", "spark", "sparked", "sparking", "sparkle", "sparkled", "sparkler", "sparklers", "sparkles", "sparkling", "sparklingly", "sparkly", "sparks", "sparred", "sparring", "sparrow", "sparrowhawk", "sparrows", "spars", "sparse", "sparsely", "sparseness", "sparser", "sparsest", "sparsity", "sparta", "spartan", "spartans", "spas", "spasm", "spasmodic", "spasmodically", "spasms", "spastic", "spastics", "spat", "spate", "spatial", "spatially", "spats", "spatter", "spattered", "spattering", "spatters", "spatula", "spatulas", "spawn", "spawned", "spawning", "spawns", "spay", "spayed", "spaying", "spays", "speak", "speakable", "speaker", "speakers", "speaking", "speaks", "spear", "speared", "spearhead", "spearheaded", "spearheading", "spearheads", "spearing", "spears", "spec", "special", "specialisation", "specialisations", "specialise", "specialised", "specialises", "specialising", "specialism", "specialisms", "specialist", "specialists", "specialities", "speciality", "specially", "specialness", "specials", "specialty", "speciation", "species", "specifiable", "specifiably", "specific", "specifically", "specification", "specifications", "specificities", "specificity", "specificness", "specifics", "specified", "specifier", "specifiers", "specifies", "specify", "specifying", "specimen", "specimens", "specious", "speck", "speckle", "speckled", "speckles", "specks", "specs", "spectacle", "spectacles", "spectacular", "spectacularly", "spectaculars", "spectator", "spectators", "spectra", "spectral", "spectre", "spectres", "spectrogram", "spectrograph", "spectrometer", "spectrometers", "spectrometric", "spectrometry", "spectrophotometer", "spectrophotometers", "spectrophotometry", "spectroscope", "spectroscopes", "spectroscopic", "spectroscopically", "spectroscopy", "spectrum", "specular", "speculate", "speculated", "speculates", "speculating", "speculation", "speculations", "speculative", "speculatively", "speculator", "speculators", "speculum", "sped", "speech", "speeches", "speechifying", "speechless", "speechlessly", "speed", "speedboat", "speedboats", "speedcop", "speeded", "speedier", "speediest", "speedily", "speeding", "speedometer", "speedometers", "speeds", "speedup", "speedway", "speedwell", "speedy", "spell", "spellable", "spellbinder", "spellbinding", "spellbound", "spelled", "speller", "spellers", "spelling", "spellings", "spells", "spelt", "spencer", "spend", "spender", "spenders", "spending", "spends", "spendthrift", "spent", "spermatozoa", "spew", "spewed", "spewing", "spews", "sphagnum", "sphere", "spheres", "spheric", "spherical", "spherically", "spheroid", "spheroidal", "sphincter", "sphincters", "sphinx", "sphygmomanometer", "spice", "spiced", "spicer", "spicery", "spices", "spicier", "spicily", "spicing", "spicy", "spider", "spiders", "spidery", "spied", "spies", "spigot", "spike", "spiked", "spikes", "spikier", "spikiest", "spiking", "spiky", "spill", "spillage", "spillages", "spilled", "spiller", "spilling", "spills", "spilt", "spin", "spinach", "spinal", "spindle", "spindles", "spindly", "spindrier", "spindriers", "spindrift", "spindry", "spine", "spinechilling", "spineless", "spines", "spinet", "spinnaker", "spinner", "spinners", "spinney", "spinning", "spinoff", "spinoffs", "spins", "spinster", "spinsterhood", "spinsters", "spiny", "spiral", "spiralled", "spiralling", "spirally", "spirals", "spirant", "spirants", "spire", "spires", "spirit", "spirited", "spiritedl", "spiritedly", "spiritless", "spirits", "spiritual", "spiritualised", "spiritualism", "spiritualist", "spiritualists", "spirituality", "spiritually", "spirituals", "spit", "spite", "spiteful", "spitefully", "spitfire", "spitfires", "spits", "spitting", "spittle", "spittoon", "spittoons", "splash", "splashdown", "splashed", "splashes", "splashing", "splashy", "splat", "splatter", "splattered", "splattering", "splayed", "splaying", "spleen", "spleens", "splendid", "splendidly", "splendour", "splendours", "splenetic", "splice", "spliced", "splicer", "splicers", "splices", "splicing", "spline", "splines", "splint", "splinted", "splinter", "splintered", "splintering", "splinters", "splints", "split", "splits", "splittable", "splitter", "splitters", "splitting", "splittings", "splodge", "splodges", "splotches", "splurge", "splutter", "spluttered", "spluttering", "splutters", "spoil", "spoilage", "spoiled", "spoiler", "spoilers", "spoiling", "spoils", "spoilsport", "spoilt", "spoke", "spoken", "spokes", "spokeshave", "spokeshaves", "spokesman", "spokesmen", "spokespeople", "spokesperson", "spokespersons", "spokeswoman", "spokeswomen", "sponge", "sponged", "sponger", "sponges", "spongier", "spongiest", "sponginess", "sponging", "spongy", "sponsor", "sponsored", "sponsoring", "sponsors", "sponsorship", "sponsorships", "spontaneity", "spontaneous", "spontaneously", "spoof", "spoofs", "spook", "spooked", "spooking", "spooks", "spooky", "spool", "spooled", "spooling", "spools", "spoon", "spooned", "spoonful", "spoonfuls", "spooning", "spoons", "spoor", "sporadic", "sporadically", "spore", "spores", "sporran", "sporrans", "sport", "sported", "sporting", "sportingly", "sportive", "sports", "sportsman", "sportsmanship", "sportsmen", "sportswear", "sporty", "spot", "spotless", "spotlessly", "spotlessness", "spotlight", "spotlighting", "spotlights", "spotlit", "spoton", "spots", "spotted", "spotter", "spotters", "spottier", "spottiest", "spotting", "spotty", "spouse", "spouses", "spout", "spouted", "spouting", "spouts", "sprain", "sprained", "spraining", "sprains", "sprang", "sprat", "sprats", "sprawl", "sprawled", "sprawling", "sprawls", "spray", "sprayed", "sprayer", "sprayers", "spraying", "sprays", "spread", "spreadeagled", "spreaders", "spreading", "spreads", "spreadsheet", "spreadsheets", "spree", "spreeing", "sprig", "sprightlier", "sprightliest", "sprightliness", "sprightly", "sprigs", "spring", "springboard", "springboards", "springbok", "springboks", "springclean", "springcleaned", "springer", "springier", "springiest", "springing", "springs", "springtime", "springy", "sprinkle", "sprinkled", "sprinkler", "sprinklers", "sprinkles", "sprinkling", "sprint", "sprinted", "sprinter", "sprinters", "sprinting", "sprints", "sprite", "sprites", "sprocket", "sprockets", "sprout", "sprouted", "sprouting", "sprouts", "spruce", "spruced", "sprucing", "sprung", "spry", "spud", "spume", "spun", "spunky", "spur", "spurge", "spurges", "spurious", "spuriously", "spurn", "spurned", "spurning", "spurns", "spurred", "spurring", "spurs", "spurt", "spurted", "spurting", "spurts", "sputnik", "sputniks", "sputter", "sputtered", "sputtering", "sputum", "spy", "spyglass", "spyhole", "spying", "spyings", "squabble", "squabbled", "squabbles", "squabbling", "squad", "squadron", "squadrons", "squads", "squalid", "squall", "squalling", "squalls", "squally", "squalor", "squander", "squandered", "squandering", "squanders", "square", "squared", "squarely", "squareness", "squarer", "squares", "squaring", "squarish", "squash", "squashed", "squashes", "squashier", "squashiest", "squashing", "squashy", "squat", "squats", "squatted", "squatter", "squatters", "squatting", "squaw", "squawk", "squawked", "squawking", "squawks", "squeak", "squeaked", "squeaker", "squeakier", "squeakiest", "squeaking", "squeaks", "squeaky", "squeal", "squealed", "squealer", "squealing", "squeals", "squeamish", "squeamishly", "squeamishness", "squeegee", "squeeze", "squeezed", "squeezer", "squeezes", "squeezing", "squeezy", "squelch", "squelched", "squelching", "squelchy", "squib", "squibs", "squid", "squids", "squiggle", "squiggles", "squint", "squinted", "squinting", "squints", "squire", "squirearchy", "squires", "squirm", "squirmed", "squirming", "squirms", "squirrel", "squirrelled", "squirrels", "squirt", "squirted", "squirting", "squirts", "srilanka", "stab", "stabbed", "stabber", "stabbing", "stabbings", "stabilisation", "stabilise", "stabilised", "stabiliser", "stabilisers", "stabilises", "stabilising", "stability", "stable", "stabled", "stablemate", "stabler", "stables", "stabling", "stably", "stabs", "staccato", "stack", "stacked", "stacker", "stacking", "stacks", "stadia", "stadium", "stadiums", "staff", "staffed", "staffing", "staffroom", "staffs", "stag", "stage", "stagecoach", "stagecoaches", "staged", "stagehands", "stager", "stages", "stagey", "stagflation", "stagger", "staggered", "staggering", "staggeringly", "staggers", "staging", "stagings", "stagnancy", "stagnant", "stagnate", "stagnated", "stagnates", "stagnating", "stagnation", "stags", "staid", "staidness", "stain", "stained", "stainer", "staining", "stainless", "stains", "stair", "staircase", "staircases", "stairhead", "stairs", "stairway", "stairways", "stairwell", "stairwells", "stake", "staked", "stakeholder", "stakeholders", "stakes", "staking", "stalactite", "stalactites", "stalagmite", "stalagmites", "stale", "stalemate", "stalemated", "stalemates", "staleness", "stalin", "stalk", "stalked", "stalker", "stalkers", "stalking", "stalks", "stall", "stalled", "stallholders", "stalling", "stallion", "stallions", "stalls", "stalwart", "stalwarts", "stamen", "stamens", "stamina", "stammer", "stammered", "stammering", "stammers", "stamp", "stamped", "stampede", "stampeded", "stampeding", "stamper", "stampers", "stamping", "stampings", "stamps", "stance", "stances", "stanchion", "stanchions", "stand", "standard", "standardisation", "standardisations", "standardise", "standardised", "standardises", "standardising", "standards", "standby", "standing", "standings", "standpoint", "standpoints", "stands", "standstill", "stank", "stanza", "stanzas", "stapes", "staphylococcus", "staple", "stapled", "stapler", "staplers", "staples", "stapling", "star", "starboard", "starch", "starched", "starches", "starchier", "starchiest", "starchy", "stardom", "stardust", "stare", "stared", "starer", "stares", "starfish", "stargaze", "stargazer", "stargazers", "stargazing", "staring", "stark", "starker", "starkest", "starkly", "starkness", "starless", "starlet", "starlets", "starlight", "starlike", "starling", "starlings", "starlit", "starred", "starrier", "starriest", "starring", "starry", "starryeyed", "stars", "starship", "starspangled", "starstruck", "starstudded", "start", "started", "starter", "starters", "starting", "startle", "startled", "startles", "startling", "startlingly", "starts", "startup", "startups", "starvation", "starve", "starved", "starves", "starving", "stashed", "stashes", "stashing", "stasis", "state", "statecraft", "stated", "statehood", "stateless", "stateliest", "stateliness", "stately", "statement", "statements", "stateoftheart", "staterooms", "states", "statesman", "statesmanlike", "statesmanship", "statesmen", "static", "statical", "statically", "statics", "stating", "station", "stationary", "stationed", "stationer", "stationers", "stationery", "stationing", "stationmaster", "stations", "statistic", "statistical", "statistically", "statistician", "statisticians", "statistics", "stator", "stators", "statuary", "statue", "statues", "statuesque", "statuette", "statuettes", "stature", "statures", "status", "statuses", "statute", "statutes", "statutorily", "statutory", "staunch", "staunchest", "staunching", "staunchly", "staunchness", "stave", "staved", "staves", "staving", "stay", "stayed", "stayers", "staying", "stays", "stead", "steadfast", "steadfastly", "steadfastness", "steadied", "steadier", "steadiest", "steadily", "steadiness", "steady", "steadygoing", "steadying", "steak", "steaks", "steal", "stealer", "stealers", "stealing", "steals", "stealth", "stealthier", "stealthiest", "stealthily", "stealthy", "steam", "steamboat", "steamboats", "steamed", "steamer", "steamers", "steamier", "steamiest", "steaming", "steamroller", "steamrollers", "steams", "steamship", "steamships", "steamy", "steed", "steeds", "steel", "steelclad", "steeled", "steeling", "steels", "steelwork", "steelworker", "steelworkers", "steelworks", "steely", "steep", "steeped", "steepen", "steepened", "steepening", "steepens", "steeper", "steepest", "steeping", "steeple", "steeplechase", "steeplechaser", "steeplechasers", "steeplechasing", "steepled", "steeplejack", "steeples", "steeply", "steepness", "steeps", "steer", "steerable", "steerage", "steered", "steering", "steers", "stegosaurus", "stellar", "stellated", "stem", "stemmed", "stemming", "stems", "stench", "stenches", "stencil", "stencilled", "stencils", "stenographer", "stenographers", "stenographic", "stenography", "stenosis", "stentor", "stentorian", "step", "stepbrother", "stepchildren", "stepdaughter", "stepfather", "stepladder", "stepmother", "stepparents", "steppe", "stepped", "steppes", "stepping", "steps", "stepsister", "stepson", "stepsons", "stepwise", "steradians", "stereo", "stereographic", "stereophonic", "stereos", "stereoscopic", "stereoscopically", "stereoscopy", "stereotype", "stereotyped", "stereotypes", "stereotypical", "stereotypically", "stereotyping", "sterile", "sterilisation", "sterilisations", "sterilise", "sterilised", "steriliser", "sterilising", "sterility", "sterling", "stern", "sterner", "sternest", "sternly", "sternness", "sterns", "sternum", "steroid", "steroids", "stet", "stethoscope", "stevedore", "stew", "steward", "stewardess", "stewardesses", "stewards", "stewardship", "stewed", "stewing", "stews", "stick", "sticker", "stickers", "stickiest", "stickily", "stickiness", "sticking", "stickleback", "sticklebacks", "stickler", "sticks", "sticky", "sties", "stiff", "stiffen", "stiffened", "stiffener", "stiffening", "stiffens", "stiffer", "stiffest", "stiffly", "stiffnecked", "stiffness", "stifle", "stifled", "stifles", "stifling", "stiflingly", "stigma", "stigmas", "stigmata", "stigmatisation", "stigmatise", "stigmatised", "stigmatising", "stiletto", "still", "stillbirths", "stillborn", "stilled", "stiller", "stilling", "stillness", "stills", "stilt", "stilted", "stilts", "stimulant", "stimulants", "stimulate", "stimulated", "stimulates", "stimulating", "stimulation", "stimulator", "stimulatory", "stimuli", "stimulus", "sting", "stinged", "stinger", "stingers", "stingier", "stingily", "stinging", "stingray", "stings", "stingy", "stink", "stinker", "stinkers", "stinking", "stinks", "stinky", "stint", "stinted", "stints", "stipel", "stipend", "stipendiary", "stipends", "stippled", "stipples", "stipulate", "stipulated", "stipulates", "stipulating", "stipulation", "stipulations", "stir", "stirfried", "stirfry", "stirred", "stirrer", "stirrers", "stirring", "stirrings", "stirrup", "stirrups", "stirs", "stitch", "stitched", "stitcher", "stitches", "stitching", "stoa", "stoat", "stoats", "stochastic", "stock", "stockade", "stockbroker", "stockbrokers", "stockbroking", "stockcar", "stocked", "stockholders", "stockholding", "stockier", "stockily", "stocking", "stockinged", "stockings", "stockist", "stockists", "stockpile", "stockpiled", "stockpiles", "stockpiling", "stockroom", "stocks", "stocktaking", "stocky", "stodge", "stodgier", "stodgiest", "stodgy", "stoep", "stoic", "stoical", "stoically", "stoicism", "stoics", "stoke", "stoked", "stoker", "stokers", "stokes", "stoking", "stole", "stolen", "stolid", "stolidity", "stolidly", "stoma", "stomach", "stomachache", "stomachs", "stomata", "stomp", "stomped", "stomping", "stomps", "stone", "stonecold", "stoned", "stoneless", "stonemason", "stonemasons", "stones", "stonewalled", "stoneware", "stonework", "stonier", "stoniest", "stonily", "stoning", "stony", "stood", "stooge", "stooges", "stool", "stoolpigeon", "stools", "stoop", "stooped", "stooping", "stoops", "stop", "stopcock", "stopgap", "stopover", "stoppable", "stoppage", "stoppages", "stopped", "stopper", "stoppered", "stoppers", "stopping", "stops", "stopwatch", "storage", "storages", "store", "stored", "storehouse", "storehouses", "storekeeper", "storekeepers", "storeman", "storeroom", "storerooms", "stores", "storey", "storeys", "stories", "storing", "stork", "storks", "storm", "stormed", "stormer", "stormers", "stormier", "stormiest", "storming", "storms", "stormtroopers", "stormy", "story", "storybook", "storyline", "storylines", "storyteller", "storytellers", "storytelling", "stout", "stouter", "stoutest", "stoutly", "stoutness", "stove", "stovepipe", "stoves", "stow", "stowage", "stowaway", "stowed", "stowing", "stows", "straddle", "straddled", "straddles", "straddling", "strafe", "strafed", "strafing", "straggle", "straggled", "straggler", "stragglers", "straggling", "straggly", "straight", "straightaway", "straighten", "straightened", "straightening", "straightens", "straighter", "straightest", "straightforward", "straightforwardly", "straightforwardness", "straightness", "strain", "strained", "strainer", "strainers", "straining", "strains", "strait", "straiten", "straitened", "straitjacket", "straitjackets", "straits", "strand", "stranded", "stranding", "strands", "strange", "strangely", "strangeness", "stranger", "strangers", "strangest", "strangle", "strangled", "stranglehold", "strangler", "stranglers", "strangles", "strangling", "strangulated", "strangulation", "strap", "strapless", "strapped", "strapper", "strapping", "straps", "strata", "stratagem", "stratagems", "strategic", "strategically", "strategies", "strategist", "strategists", "strategy", "stratification", "stratified", "stratifies", "stratifying", "stratigraphic", "stratigraphical", "stratigraphy", "stratosphere", "stratospheric", "stratospherically", "stratum", "stratus", "straw", "strawberries", "strawberry", "strawman", "straws", "stray", "strayed", "strayer", "straying", "strays", "streak", "streaked", "streaker", "streakers", "streakier", "streakiest", "streaking", "streaks", "streaky", "stream", "streamed", "streamer", "streamers", "streaming", "streamline", "streamlined", "streamlines", "streamlining", "streams", "street", "streets", "streetwalkers", "streetwise", "strength", "strengthen", "strengthened", "strengthening", "strengthens", "strengths", "strenuous", "strenuously", "streptococcal", "streptococci", "streptomycin", "stress", "stressed", "stresses", "stressful", "stressfulness", "stressing", "stretch", "stretchability", "stretchable", "stretched", "stretcher", "stretchered", "stretchers", "stretches", "stretchiness", "stretching", "stretchy", "strew", "strewed", "strewing", "strewn", "striated", "striation", "striations", "stricken", "strict", "stricter", "strictest", "strictly", "strictness", "stricture", "strictures", "stride", "stridency", "strident", "stridently", "strider", "strides", "striding", "strife", "strifes", "strike", "striker", "strikers", "strikes", "striking", "strikingly", "string", "stringed", "stringencies", "stringency", "stringent", "stringently", "stringer", "stringing", "strings", "stringy", "strip", "stripe", "striped", "striper", "stripes", "stripier", "stripiest", "striping", "stripling", "stripped", "stripper", "strippers", "stripping", "strips", "stripy", "strive", "strived", "striven", "striver", "strives", "striving", "strivings", "strode", "stroke", "stroked", "strokes", "stroking", "stroll", "strolled", "stroller", "strollers", "strolling", "strolls", "strong", "stronger", "strongest", "stronghold", "strongholds", "strongish", "strongly", "strongman", "strongmen", "strongminded", "strongroom", "strontium", "strop", "stropped", "stropping", "strops", "strove", "struck", "structural", "structuralism", "structuralist", "structuralists", "structurally", "structure", "structured", "structureless", "structures", "structuring", "strudel", "strudels", "struggle", "struggled", "struggles", "struggling", "strum", "strummed", "strumming", "strumpet", "strung", "strut", "struts", "strutted", "strutter", "strutting", "strychnine", "stub", "stubbed", "stubbing", "stubble", "stubbled", "stubbles", "stubbly", "stubborn", "stubbornly", "stubbornness", "stubby", "stubs", "stucco", "stuccoed", "stuck", "stuckup", "stud", "studded", "student", "students", "studentship", "studentships", "studied", "studier", "studiers", "studies", "studio", "studios", "studious", "studiously", "studiousness", "studs", "study", "studying", "stuff", "stuffed", "stuffer", "stuffier", "stuffiest", "stuffiness", "stuffing", "stuffs", "stuffy", "stultified", "stultify", "stultifying", "stumble", "stumbled", "stumbles", "stumbling", "stumblingly", "stump", "stumped", "stumping", "stumps", "stumpy", "stun", "stung", "stunned", "stunner", "stunning", "stunningly", "stuns", "stunt", "stunted", "stunting", "stuntman", "stunts", "stupefaction", "stupefied", "stupefy", "stupefying", "stupefyingly", "stupendous", "stupendously", "stupid", "stupider", "stupidest", "stupidities", "stupidity", "stupidly", "stupor", "stupors", "sturdier", "sturdiest", "sturdily", "sturdy", "sturgeon", "sturgeons", "stutter", "stuttered", "stuttering", "stutters", "sty", "style", "styled", "styles", "styli", "styling", "stylisation", "stylised", "stylish", "stylishly", "stylishness", "stylist", "stylistic", "stylistically", "stylistics", "stylists", "stylus", "styluses", "stymie", "stymied", "styrene", "styx", "suasion", "suave", "suavely", "sub", "subaltern", "subalterns", "subarctic", "subatomic", "subbed", "subbing", "subclass", "subclasses", "subcommittee", "subcommittees", "subconscious", "subconsciously", "subconsciousness", "subcontinent", "subcontract", "subcontracted", "subcontracting", "subcontractor", "subcontractors", "subcultural", "subculture", "subcultures", "subcutaneous", "subcutaneously", "subdivide", "subdivided", "subdivides", "subdividing", "subdivision", "subdivisions", "subducted", "subduction", "subdue", "subdued", "subdues", "subduing", "subeditor", "subeditors", "subfamily", "subgroup", "subgroups", "subharmonic", "subharmonics", "subhuman", "subject", "subjected", "subjecting", "subjection", "subjective", "subjectively", "subjectivism", "subjectivist", "subjectivity", "subjects", "subjugate", "subjugated", "subjugating", "subjugation", "subjunctive", "sublayer", "sublimate", "sublimated", "sublimation", "sublime", "sublimed", "sublimely", "sublimes", "sublimest", "subliminal", "subliminally", "sublimity", "sublunary", "submarine", "submarines", "submerge", "submerged", "submergence", "submerges", "submerging", "submersible", "submersion", "submission", "submissions", "submissive", "submissively", "submissiveness", "submit", "submits", "submittable", "submitted", "submitter", "submitters", "submitting", "subnormal", "suboptimal", "subordinate", "subordinated", "subordinates", "subordinating", "subordination", "subplot", "subplots", "subpoena", "subpoenaed", "subprogram", "subprograms", "subregional", "subroutine", "subroutines", "subs", "subscribe", "subscribed", "subscriber", "subscribers", "subscribes", "subscribing", "subscript", "subscription", "subscriptions", "subscripts", "subsection", "subsections", "subsequent", "subsequently", "subservience", "subservient", "subset", "subsets", "subside", "subsided", "subsidence", "subsides", "subsidiaries", "subsidiarity", "subsidiary", "subsidies", "subsiding", "subsidise", "subsidised", "subsidises", "subsidising", "subsidy", "subsist", "subsisted", "subsistence", "subsisting", "subsists", "subsoil", "subsonic", "subspace", "subspaces", "subspecies", "substance", "substances", "substandard", "substantial", "substantially", "substantiate", "substantiated", "substantiates", "substantiating", "substantiation", "substantive", "substantively", "substantives", "substation", "substitutable", "substitute", "substituted", "substitutes", "substituting", "substitution", "substitutions", "substrata", "substrate", "substrates", "substratum", "substructure", "substructures", "subsume", "subsumed", "subsumes", "subsuming", "subsurface", "subsystem", "subsystems", "subtenants", "subtend", "subtended", "subtending", "subtends", "subterfuge", "subterranean", "subtext", "subtitle", "subtitled", "subtitles", "subtitling", "subtle", "subtler", "subtlest", "subtleties", "subtlety", "subtly", "subtotal", "subtotals", "subtract", "subtracted", "subtracting", "subtraction", "subtractions", "subtractive", "subtractively", "subtracts", "subtropical", "subtropics", "subtype", "subtypes", "subunit", "subunits", "suburb", "suburban", "suburbanisation", "suburbanites", "suburbia", "suburbs", "subvention", "subventions", "subversion", "subversive", "subversively", "subversives", "subvert", "subverted", "subverting", "subverts", "subway", "subways", "subzero", "succeed", "succeeded", "succeeding", "succeeds", "success", "successes", "successful", "successfully", "succession", "successions", "successive", "successively", "successor", "successors", "succinct", "succinctly", "succinctness", "succour", "succulence", "succulent", "succumb", "succumbed", "succumbing", "succumbs", "such", "suchandsuch", "suchlike", "suck", "suckable", "sucked", "sucker", "suckers", "sucking", "suckle", "suckled", "suckles", "suckling", "sucklings", "sucks", "sucrose", "suction", "sud", "sudan", "sudden", "suddenly", "suddenness", "suds", "sue", "sued", "suede", "sues", "suet", "suffer", "sufferance", "suffered", "sufferer", "sufferers", "suffering", "sufferings", "suffers", "suffice", "sufficed", "suffices", "sufficiency", "sufficient", "sufficiently", "sufficing", "suffix", "suffixed", "suffixes", "suffocate", "suffocated", "suffocates", "suffocating", "suffocatingly", "suffocation", "suffrage", "suffragette", "suffragettes", "suffragist", "suffuse", "suffused", "suffuses", "suffusing", "suffusion", "sugar", "sugarcoated", "sugared", "sugaring", "sugarplums", "sugars", "sugary", "suggest", "suggested", "suggester", "suggesters", "suggestibility", "suggestible", "suggesting", "suggestion", "suggestions", "suggestive", "suggestively", "suggestiveness", "suggests", "sugillate", "suicidal", "suicidally", "suicide", "suicides", "suing", "suit", "suitabilities", "suitability", "suitable", "suitableness", "suitably", "suitcase", "suitcases", "suite", "suited", "suites", "suiting", "suitor", "suitors", "suits", "sulk", "sulked", "sulkier", "sulkiest", "sulkily", "sulkiness", "sulking", "sulks", "sulky", "sullen", "sullenly", "sullenness", "sullied", "sully", "sullying", "sulphate", "sulphates", "sulphide", "sulphides", "sulphonamides", "sulphur", "sulphuric", "sulphurous", "sultan", "sultana", "sultanas", "sultans", "sultry", "sum", "sumatra", "summa", "summability", "summable", "summaries", "summarily", "summarise", "summarised", "summariser", "summarisers", "summarises", "summarising", "summary", "summation", "summations", "summed", "summer", "summers", "summertime", "summery", "summing", "summit", "summits", "summon", "summoned", "summoner", "summoning", "summonings", "summons", "summonsed", "summonses", "summonsing", "sumo", "sump", "sumps", "sumptuous", "sumptuously", "sumptuousness", "sums", "sun", "sunbath", "sunbathe", "sunbathed", "sunbathers", "sunbathing", "sunbeam", "sunbeams", "sunbed", "sunbeds", "sunblock", "sunburn", "sunburned", "sunburns", "sunburnt", "sunburst", "suncream", "sundaes", "sunday", "sundays", "sundial", "sundials", "sundown", "sundried", "sundries", "sundry", "sunflower", "sunflowers", "sung", "sunglasses", "sunk", "sunken", "sunking", "sunless", "sunlight", "sunlit", "sunlounger", "sunned", "sunnier", "sunniest", "sunning", "sunny", "sunrise", "sunrises", "sunroof", "suns", "sunscreen", "sunscreens", "sunset", "sunsets", "sunshade", "sunshine", "sunspot", "sunspots", "sunstroke", "suntan", "suntanned", "sup", "super", "superabundance", "superabundant", "superannuate", "superannuated", "superannuating", "superannuation", "superb", "superbly", "supercharged", "supercharger", "supercilious", "superciliously", "superciliousness", "supercomputer", "supercomputers", "supercomputing", "superconducting", "superconductivity", "superconductor", "superconductors", "supercooled", "supercooling", "supercritical", "superdense", "superfamily", "superficial", "superficiality", "superficially", "superfix", "superfluities", "superfluity", "superfluous", "superfluously", "superglue", "superheat", "superheated", "superhero", "superhuman", "superimpose", "superimposed", "superimposes", "superimposing", "superimposition", "superintend", "superintendence", "superintendent", "superintendents", "superior", "superiority", "superiors", "superlative", "superlatively", "superlatives", "superman", "supermarket", "supermarkets", "supermen", "supermodel", "supermodels", "supernatant", "supernatural", "supernaturally", "supernova", "supernovae", "supernumerary", "superordinate", "superpose", "superposed", "superposition", "superpositions", "superpower", "superpowers", "supersaturated", "supersaturation", "superscript", "superscripts", "supersede", "superseded", "supersedes", "superseding", "supersonic", "supersonically", "superstar", "superstars", "superstate", "superstates", "superstition", "superstitions", "superstitious", "superstitiously", "superstore", "superstores", "superstructure", "superstructures", "supertanker", "supertankers", "supervene", "supervise", "supervised", "supervises", "supervising", "supervision", "supervisions", "supervisor", "supervisors", "supervisory", "supine", "supped", "supper", "suppers", "supping", "supplant", "supplanted", "supplanting", "supple", "supplement", "supplemental", "supplementary", "supplementation", "supplemented", "supplementing", "supplements", "suppleness", "suppliant", "suppliants", "supplicant", "supplicants", "supplicate", "supplicating", "supplication", "supplications", "supplied", "supplier", "suppliers", "supplies", "supply", "supplying", "support", "supportability", "supportable", "supported", "supporter", "supporters", "supporting", "supportive", "supports", "suppose", "supposed", "supposedly", "supposes", "supposing", "supposition", "suppositions", "suppositories", "suppress", "suppressed", "suppresses", "suppressible", "suppressing", "suppression", "suppressive", "suppressor", "suppressors", "suppurating", "supranational", "supranationalism", "supremacist", "supremacy", "supremal", "supreme", "supremely", "supremo", "sups", "surcharge", "surcharged", "surcharges", "surd", "sure", "surefooted", "surely", "sureness", "surer", "surest", "sureties", "surety", "surf", "surface", "surfaced", "surfacer", "surfaces", "surfacing", "surfactant", "surfactants", "surfboard", "surfed", "surfeit", "surfer", "surfers", "surfing", "surfings", "surfs", "surge", "surged", "surgeon", "surgeons", "surgeries", "surgery", "surges", "surgical", "surgically", "surging", "surliest", "surlily", "surliness", "surly", "surmise", "surmised", "surmises", "surmising", "surmount", "surmountable", "surmounted", "surmounting", "surname", "surnames", "surpass", "surpassed", "surpasses", "surpassing", "surplice", "surplus", "surpluses", "surprise", "surprised", "surprises", "surprising", "surprisingly", "surreal", "surrealism", "surrealist", "surrealistic", "surrealists", "surreality", "surrender", "surrendered", "surrendering", "surrenders", "surreptitious", "surreptitiously", "surrey", "surreys", "surrogacy", "surrogate", "surrogates", "surround", "surrounded", "surrounding", "surroundings", "surrounds", "surtax", "surtitles", "surveillance", "survey", "surveyed", "surveying", "surveyor", "surveyors", "surveys", "survivability", "survivable", "survival", "survivals", "survive", "survived", "survives", "surviving", "survivor", "survivors", "susceptibilities", "susceptibility", "susceptible", "sushi", "sushis", "suspect", "suspected", "suspecting", "suspects", "suspend", "suspended", "suspender", "suspenders", "suspending", "suspends", "suspense", "suspension", "suspensions", "suspicion", "suspicions", "suspicious", "suspiciously", "sustain", "sustainability", "sustainable", "sustainably", "sustained", "sustaining", "sustains", "sustenance", "suture", "sutures", "suzerainty", "swab", "swabbed", "swabbing", "swabs", "swad", "swaddled", "swaddling", "swads", "swag", "swagger", "swaggered", "swaggering", "swags", "swahili", "swains", "swallow", "swallowed", "swallower", "swallowing", "swallows", "swallowtail", "swam", "swamp", "swamped", "swampier", "swampiest", "swamping", "swampland", "swamplands", "swamps", "swampy", "swan", "swans", "swansong", "swap", "swappable", "swapped", "swapper", "swappers", "swapping", "swaps", "sward", "swarm", "swarmed", "swarming", "swarms", "swarthier", "swarthiest", "swarthy", "swashbuckling", "swastika", "swastikas", "swat", "swathe", "swathed", "swathes", "swats", "swatted", "swatting", "sway", "swayed", "swaying", "sways", "swazi", "swazis", "swear", "swearer", "swearers", "swearing", "swears", "swearword", "swearwords", "sweat", "sweatband", "sweated", "sweater", "sweaters", "sweatier", "sweatiest", "sweatily", "sweating", "sweats", "sweatshirt", "sweatshirts", "sweatshop", "sweatshops", "sweaty", "swede", "sweden", "swedish", "sweep", "sweepable", "sweeper", "sweepers", "sweeping", "sweepingly", "sweepings", "sweeps", "sweepstake", "sweet", "sweetbread", "sweetcorn", "sweeten", "sweetened", "sweetener", "sweeteners", "sweetening", "sweetens", "sweeter", "sweetest", "sweetheart", "sweethearts", "sweetie", "sweetish", "sweetly", "sweetmeat", "sweetmeats", "sweetness", "sweetpea", "sweets", "sweetshop", "swell", "swelled", "swelling", "swellings", "swells", "sweltering", "sweltry", "swept", "swerve", "swerved", "swerves", "swerving", "swift", "swifter", "swiftest", "swiftlet", "swiftly", "swiftness", "swifts", "swill", "swilled", "swilling", "swim", "swimmer", "swimmers", "swimming", "swimmingly", "swims", "swimsuit", "swimsuits", "swimwear", "swindle", "swindled", "swindler", "swindlers", "swindles", "swindling", "swine", "swines", "swing", "swingeing", "swinger", "swingers", "swinging", "swings", "swingy", "swipe", "swiped", "swipes", "swirl", "swirled", "swirling", "swirls", "swish", "swished", "swishing", "swishy", "swiss", "switch", "switchable", "switchback", "switchboard", "switchboards", "switched", "switcher", "switches", "switchgear", "switching", "swivel", "swivelled", "swivelling", "swivels", "swollen", "swoon", "swooned", "swooning", "swoons", "swoop", "swooped", "swooping", "swoops", "swop", "swopped", "swopping", "swops", "sword", "swordfish", "swords", "swordsman", "swordsmen", "swore", "sworn", "swot", "swots", "swotted", "swotting", "swum", "swung", "sycamore", "sycamores", "sycophancy", "sycophant", "sycophantic", "sycophantically", "sycophants", "sydney", "syllabary", "syllabi", "syllabic", "syllable", "syllables", "syllabub", "syllabus", "syllabuses", "syllogism", "syllogisms", "syllogistic", "sylph", "sylphs", "symbiont", "symbiosis", "symbiotic", "symbiotically", "symbol", "symbolic", "symbolical", "symbolically", "symbolisation", "symbolise", "symbolised", "symbolises", "symbolising", "symbolism", "symbolist", "symbolists", "symbols", "symmetric", "symmetrical", "symmetrically", "symmetries", "symmetrisation", "symmetrising", "symmetry", "sympathetic", "sympathetically", "sympathies", "sympathise", "sympathised", "sympathiser", "sympathisers", "sympathises", "sympathising", "sympathy", "symphonic", "symphonies", "symphonists", "symphony", "symposia", "symposium", "symptom", "symptomatic", "symptomatically", "symptomless", "symptoms", "synagogue", "synagogues", "synapse", "synapses", "synaptic", "sync", "synchronic", "synchronicity", "synchronisation", "synchronise", "synchronised", "synchronises", "synchronising", "synchronous", "synchronously", "synchrony", "synchrotron", "syncopated", "syncopation", "syncretic", "syndicalism", "syndicalist", "syndicate", "syndicated", "syndicates", "syndication", "syndrome", "syndromes", "synergism", "synergistic", "synergy", "synod", "synodic", "synods", "synonym", "synonymic", "synonymous", "synonymously", "synonyms", "synonymy", "synopses", "synopsis", "synoptic", "synovial", "syntactic", "syntactical", "syntactically", "syntagmatic", "syntax", "syntheses", "synthesis", "synthesise", "synthesised", "synthesiser", "synthesisers", "synthesises", "synthesising", "synthetic", "synthetically", "synthetics", "syphilis", "syphilitic", "syphon", "syphoned", "syphoning", "syphons", "syria", "syrian", "syringe", "syringes", "syrup", "syrups", "syrupy", "system", "systematic", "systematically", "systematisation", "systematise", "systemic", "systemically", "systems", "systoles", "systolic", "taal", "tab", "tabasco", "tabbed", "tabbing", "tabby", "tabernacle", "tabernacles", "table", "tableau", "tableaux", "tablebay", "tablecloth", "tablecloths", "tabled", "tableland", "tables", "tablespoon", "tablespoonfuls", "tablespoons", "tablet", "tablets", "tableware", "tabling", "tabloid", "tabloids", "taboo", "taboos", "tabs", "tabular", "tabulate", "tabulated", "tabulates", "tabulating", "tabulation", "tabulations", "tabulator", "tachograph", "tachographs", "tachycardia", "tachyon", "tachyons", "tacit", "tacitly", "taciturn", "tack", "tacked", "tackier", "tackiest", "tackiness", "tacking", "tackle", "tackled", "tackler", "tackles", "tackling", "tacks", "tacky", "tact", "tactful", "tactfully", "tactic", "tactical", "tactically", "tactician", "tactics", "tactile", "tactless", "tactlessly", "tactlessness", "tactual", "tadpole", "tadpoles", "taffeta", "tag", "tagged", "tagging", "tags", "tahiti", "tahr", "tail", "tailed", "tailing", "tailless", "taillessness", "tailor", "tailorable", "tailored", "tailoring", "tailormade", "tailors", "tailpiece", "tailplane", "tails", "tailspin", "tailwind", "taint", "tainted", "tainting", "taints", "taipei", "taiwan", "take", "takeable", "takeaway", "takeaways", "taken", "takeover", "takeovers", "taker", "takers", "takes", "taking", "takings", "talc", "talcum", "tale", "talent", "talented", "talentless", "talents", "tales", "talisman", "talismans", "talk", "talkative", "talkativeness", "talkback", "talked", "talker", "talkers", "talkie", "talkies", "talking", "talkings", "talks", "tall", "tallboy", "taller", "tallest", "tallied", "tallies", "tallish", "tallness", "tallow", "tally", "tallyho", "tallying", "talmud", "talon", "talons", "tambourine", "tambourines", "tame", "tamed", "tamely", "tameness", "tamer", "tamers", "tames", "tamest", "taming", "tamp", "tamped", "tamper", "tampered", "tampering", "tampers", "tan", "tandem", "tandems", "tang", "tangelo", "tangent", "tangential", "tangentially", "tangents", "tangerine", "tangerines", "tangible", "tangibly", "tangle", "tangled", "tangles", "tangling", "tango", "tangy", "tank", "tankage", "tankard", "tankards", "tanked", "tanker", "tankers", "tankful", "tanking", "tanks", "tanned", "tanner", "tanneries", "tanners", "tannery", "tannic", "tannin", "tanning", "tannins", "tannoy", "tans", "tantalise", "tantalised", "tantalising", "tantalisingly", "tantalum", "tantamount", "tantrum", "tantrums", "tanzania", "tap", "tapas", "tapdance", "tapdancing", "tape", "taped", "taper", "taperecorded", "taperecording", "tapered", "taperer", "tapering", "tapers", "tapes", "tapestries", "tapestry", "tapeworm", "tapeworms", "taping", "tapioca", "tapir", "tapped", "tappers", "tapping", "tappings", "taproom", "taps", "tar", "taramasalata", "tarantula", "tarantulas", "tardily", "tardiness", "tardy", "tares", "target", "targeted", "targeting", "targets", "tariff", "tariffs", "tarmac", "tarmacadam", "tarn", "tarnish", "tarnished", "tarnishing", "tarns", "tarot", "tarpaulin", "tarpaulins", "tarragon", "tarred", "tarried", "tarrier", "tarriest", "tarring", "tarry", "tarrying", "tars", "tarsal", "tarsus", "tart", "tartan", "tartans", "tartar", "tartaric", "tartly", "tartness", "tartrate", "tarts", "tarty", "tarzan", "task", "tasked", "tasking", "taskmaster", "tasks", "tasmania", "tassel", "tasselled", "tassels", "taste", "tasted", "tasteful", "tastefully", "tastefulness", "tasteless", "tastelessly", "tastelessness", "taster", "tasters", "tastes", "tastier", "tastiest", "tasting", "tastings", "tasty", "tat", "tattered", "tatters", "tattle", "tattoo", "tattooed", "tattooing", "tattoos", "tatty", "tau", "taught", "taunt", "taunted", "taunter", "taunting", "tauntingly", "taunts", "taut", "tauter", "tautest", "tautly", "tautness", "tautological", "tautologically", "tautologies", "tautologous", "tautology", "tavern", "taverna", "tavernas", "taverns", "tawdry", "tawny", "tax", "taxable", "taxation", "taxdeductible", "taxed", "taxes", "taxfree", "taxi", "taxicab", "taxidermist", "taxidermists", "taxidermy", "taxied", "taxies", "taxiing", "taxing", "taxis", "taxman", "taxonomic", "taxonomical", "taxonomies", "taxonomist", "taxonomists", "taxonomy", "taxpayer", "taxpayers", "taxpaying", "taylor", "tea", "teabag", "teabags", "teach", "teachable", "teacher", "teachers", "teaches", "teaching", "teachings", "teacloth", "teacup", "teacups", "teak", "teal", "team", "teamed", "teaming", "teammate", "teammates", "teams", "teamster", "teamwork", "teaparty", "teapot", "teapots", "tear", "tearaway", "teardrop", "teardrops", "tearful", "tearfully", "tearfulness", "teargas", "tearing", "tearless", "tearoom", "tearooms", "tears", "tearstained", "teas", "tease", "teased", "teaser", "teasers", "teases", "teashop", "teashops", "teasing", "teasingly", "teaspoon", "teaspoonful", "teaspoonfuls", "teaspoons", "teat", "teatime", "teatimes", "teats", "tech", "technical", "technicalities", "technicality", "technically", "technician", "technicians", "technique", "techniques", "technocracies", "technocracy", "technocrat", "technocratic", "technocrats", "technological", "technologically", "technologies", "technologist", "technologists", "technology", "technophiles", "technophobia", "technophobic", "tectonic", "tectonically", "tectonics", "ted", "teddies", "teddy", "tedious", "tediously", "tediousness", "tedium", "tediums", "teds", "tee", "teed", "teehee", "teeing", "teem", "teemed", "teeming", "teems", "teen", "teenage", "teenaged", "teenager", "teenagers", "teeniest", "teens", "teensy", "teeny", "teenyweeny", "teepee", "teepees", "tees", "teeter", "teetered", "teetering", "teeth", "teethe", "teethed", "teethes", "teething", "teethmarks", "teetotal", "teetotalism", "teetotaller", "teetotallers", "teheran", "telaviv", "telecommunication", "telecommunications", "telecommuting", "telecoms", "teleconference", "telegram", "telegrams", "telegraph", "telegraphed", "telegraphic", "telegraphing", "telegraphs", "telegraphy", "telekinesis", "telemetry", "teleological", "teleology", "telepathic", "telepathically", "telepathy", "telephone", "telephoned", "telephones", "telephonic", "telephoning", "telephonist", "telephonists", "telephony", "telephoto", "teleprinter", "teleprinters", "telesales", "telescope", "telescoped", "telescopes", "telescopic", "telescoping", "teletext", "telethon", "teletype", "teletypes", "televise", "televised", "televising", "television", "televisions", "televisual", "teleworking", "telex", "telexes", "tell", "teller", "tellers", "telling", "tellingly", "tells", "telltale", "telly", "temerity", "temper", "tempera", "temperament", "temperamental", "temperamentally", "temperaments", "temperance", "temperate", "temperately", "temperature", "temperatures", "tempered", "tempering", "tempers", "tempest", "tempests", "tempestuous", "tempi", "template", "templates", "temple", "temples", "tempo", "temporal", "temporality", "temporally", "temporaries", "temporarily", "temporary", "tempt", "temptation", "temptations", "tempted", "tempter", "tempters", "tempting", "temptingly", "temptress", "tempts", "ten", "tenability", "tenable", "tenacious", "tenaciously", "tenacity", "tenancies", "tenancy", "tenant", "tenanted", "tenantry", "tenants", "tench", "tend", "tended", "tendencies", "tendency", "tendentious", "tendentiously", "tender", "tendered", "tenderer", "tenderest", "tendering", "tenderly", "tenderness", "tenders", "tending", "tendon", "tendons", "tendril", "tendrils", "tends", "tenement", "tenements", "tenet", "tenets", "tenfold", "tenners", "tennis", "tenon", "tenor", "tenors", "tens", "tense", "tensed", "tensely", "tenseness", "tenser", "tenses", "tensest", "tensile", "tensing", "tension", "tensional", "tensioned", "tensions", "tensity", "tensor", "tensors", "tent", "tentacle", "tentacled", "tentacles", "tentative", "tentatively", "tented", "tenterhooks", "tenth", "tenths", "tents", "tenuous", "tenuously", "tenure", "tenured", "tenures", "tenurial", "tepee", "tepid", "tequila", "tercentenary", "term", "termed", "terminal", "terminally", "terminals", "terminate", "terminated", "terminates", "terminating", "termination", "terminations", "terminator", "terminators", "terming", "termini", "terminological", "terminologies", "terminology", "terminus", "termite", "termites", "termly", "terms", "tern", "ternary", "terns", "terrace", "terraced", "terraces", "terracing", "terracotta", "terraform", "terraformed", "terrain", "terrains", "terrapin", "terrapins", "terrazzo", "terrestrial", "terrible", "terribly", "terrier", "terriers", "terrific", "terrifically", "terrified", "terrifies", "terrify", "terrifying", "terrifyingly", "terrine", "territorial", "territoriality", "territorially", "territories", "territory", "terror", "terrorise", "terrorised", "terrorising", "terrorism", "terrorist", "terrorists", "terrors", "terrorstricken", "terry", "terse", "tersely", "terseness", "terser", "tertiaries", "tertiary", "tessellated", "tessellation", "tessellations", "tesseral", "test", "testability", "testable", "testament", "testamentary", "testaments", "testdrive", "testdriving", "tested", "tester", "testers", "testes", "testicle", "testicles", "testicular", "testier", "testiest", "testified", "testifies", "testify", "testifying", "testily", "testimonial", "testimonials", "testimonies", "testimony", "testiness", "testing", "testings", "testis", "testosterone", "tests", "testtube", "testy", "tetanus", "tetchily", "tetchy", "tether", "tethered", "tethering", "tethers", "tetra", "tetrachloride", "tetrahedra", "tetrahedral", "tetrahedron", "tetrahedrons", "tetrameters", "tetroxide", "texan", "texans", "texas", "text", "textbook", "textbooks", "textile", "textiles", "texts", "textual", "textuality", "textually", "textural", "texturally", "texture", "textured", "textures", "thai", "thalamus", "thalidomide", "thallium", "thames", "than", "thane", "thank", "thanked", "thankful", "thankfully", "thankfulness", "thanking", "thankless", "thanklessly", "thanks", "thanksgiving", "that", "thatch", "thatched", "thatcher", "thatchers", "thatching", "thaumaturge", "thaw", "thawed", "thawing", "thaws", "the", "theatre", "theatres", "theatrical", "theatricality", "theatrically", "theatricals", "thebes", "thee", "theft", "thefts", "their", "theirs", "theism", "theist", "theistic", "theists", "them", "themas", "thematic", "thematically", "theme", "themed", "themes", "themselves", "then", "thence", "thenceforth", "thenceforward", "theocracies", "theocracy", "theodolite", "theodolites", "theologian", "theologians", "theological", "theologically", "theologies", "theologists", "theology", "theorem", "theorems", "theoretic", "theoretical", "theoretically", "theoretician", "theoreticians", "theories", "theorisation", "theorise", "theorised", "theorises", "theorising", "theorist", "theorists", "theory", "theosophy", "therapeutic", "therapeutically", "therapies", "therapist", "therapists", "therapy", "there", "thereabouts", "thereafter", "thereby", "therefor", "therefore", "therefrom", "therein", "thereof", "thereon", "thereto", "thereunder", "thereupon", "therewith", "thermal", "thermally", "thermals", "thermochemical", "thermodynamic", "thermodynamical", "thermodynamically", "thermodynamics", "thermoelectric", "thermometer", "thermometers", "thermoplastic", "thermostat", "thermostatic", "thermostatically", "thermostats", "therms", "thesauri", "thesaurus", "these", "thesis", "thespian", "thespians", "theta", "they", "thick", "thicken", "thickened", "thickening", "thickens", "thicker", "thickest", "thicket", "thickets", "thickish", "thickly", "thickness", "thicknesses", "thickset", "thickskinned", "thief", "thieve", "thieved", "thievery", "thieves", "thieving", "thievish", "thievishness", "thigh", "thighs", "thimble", "thimbleful", "thimblefuls", "thimbles", "thin", "thine", "thing", "things", "think", "thinkable", "thinker", "thinkers", "thinking", "thinks", "thinktank", "thinly", "thinned", "thinner", "thinners", "thinness", "thinnest", "thinning", "thinnish", "thins", "third", "thirdly", "thirds", "thirst", "thirsted", "thirstier", "thirstiest", "thirstily", "thirsting", "thirsts", "thirsty", "thirteen", "thirteenth", "thirties", "thirtieth", "thirty", "this", "thistle", "thistles", "thither", "thomas", "thong", "thongs", "thor", "thoracic", "thorax", "thorium", "thorn", "thornier", "thorniest", "thorns", "thorny", "thorough", "thoroughbred", "thoroughbreds", "thoroughfare", "thoroughfares", "thoroughgoing", "thoroughly", "thoroughness", "those", "thou", "though", "thought", "thoughtful", "thoughtfully", "thoughtfulness", "thoughtless", "thoughtlessly", "thoughtlessness", "thoughtprovoking", "thoughts", "thousand", "thousandfold", "thousands", "thousandth", "thousandths", "thrall", "thrash", "thrashed", "thrasher", "thrashes", "thrashing", "thrashings", "thread", "threadbare", "threaded", "threading", "threads", "threat", "threaten", "threatened", "threatening", "threateningly", "threatens", "threats", "three", "threedimensional", "threefold", "threequarters", "threes", "threesome", "threesomes", "thresh", "threshed", "thresher", "threshers", "threshing", "threshold", "thresholds", "threw", "thrice", "thrift", "thriftier", "thriftiest", "thriftless", "thrifts", "thrifty", "thrill", "thrilled", "thriller", "thrillers", "thrilling", "thrillingly", "thrills", "thrive", "thrived", "thrives", "thriving", "throat", "throatier", "throatiest", "throatily", "throats", "throaty", "throb", "throbbed", "throbbing", "throbs", "thromboses", "thrombosis", "thrombus", "throne", "throned", "thrones", "throng", "thronged", "thronging", "throngs", "throroughly", "throttle", "throttled", "throttles", "throttling", "through", "throughout", "throughput", "throw", "throwaway", "throwback", "thrower", "throwers", "throwing", "thrown", "throws", "thrum", "thrush", "thrushes", "thrust", "thruster", "thrusters", "thrusting", "thrusts", "thud", "thudded", "thudding", "thuds", "thug", "thuggery", "thuggish", "thugs", "thumb", "thumbed", "thumbing", "thumbnail", "thumbprint", "thumbs", "thumbscrew", "thumbscrews", "thump", "thumped", "thumping", "thumps", "thunder", "thunderbolt", "thunderbolts", "thunderclap", "thunderclaps", "thundercloud", "thundered", "thunderflashes", "thundering", "thunderous", "thunderously", "thunders", "thunderstorm", "thunderstorms", "thunderstruck", "thundery", "thursday", "thus", "thwack", "thwart", "thwarted", "thwarting", "thwarts", "thy", "thyme", "thymus", "thyristor", "thyristors", "thyroid", "thyroids", "thyself", "tiara", "tiaras", "tibia", "tibiae", "tic", "tick", "ticked", "ticker", "tickers", "ticket", "ticketed", "tickets", "ticking", "tickle", "tickled", "tickler", "tickles", "tickling", "ticklish", "ticks", "tics", "tidal", "tidbit", "tidbits", "tiddlers", "tiddlywinks", "tide", "tideless", "tides", "tideway", "tidied", "tidier", "tidies", "tidiest", "tidily", "tidiness", "tiding", "tidings", "tidy", "tidying", "tie", "tiebreak", "tied", "tier", "tiered", "tiers", "ties", "tiger", "tigerish", "tigers", "tight", "tighten", "tightened", "tightening", "tightens", "tighter", "tightest", "tightfisted", "tightlipped", "tightly", "tightness", "tightrope", "tights", "tightwad", "tigress", "tigris", "tikka", "tilde", "tildes", "tile", "tiled", "tiler", "tiles", "tiling", "tilings", "till", "tillage", "tilled", "tiller", "tillers", "tilling", "tills", "tilt", "tilted", "tilting", "tilts", "timber", "timbered", "timbre", "time", "timebase", "timeconsuming", "timed", "timeframe", "timehonoured", "timekeeper", "timekeepers", "timekeeping", "timelapse", "timeless", "timelessness", "timeliness", "timely", "timeout", "timepiece", "timer", "timers", "times", "timescale", "timescales", "timeshare", "timetable", "timetabled", "timetables", "timetabling", "timid", "timidity", "timidly", "timing", "timings", "tin", "tincan", "tincture", "tinctured", "tinder", "tinderbox", "tinfoil", "tinge", "tinged", "tinges", "tingle", "tingled", "tingles", "tinglier", "tingliest", "tingling", "tingly", "tinier", "tiniest", "tinker", "tinkered", "tinkering", "tinkers", "tinkle", "tinkled", "tinkling", "tinkly", "tinned", "tinner", "tinnier", "tinniest", "tinnily", "tinnitus", "tinny", "tinopener", "tinpot", "tins", "tinsel", "tinsels", "tint", "tinted", "tinting", "tintings", "tints", "tinware", "tiny", "tip", "tipoff", "tipoffs", "tipped", "tipper", "tipping", "tipple", "tippling", "tips", "tipster", "tipsters", "tipsy", "tiptoe", "tiptoed", "tiptoeing", "tiptoes", "tiptop", "tirade", "tirades", "tire", "tired", "tiredly", "tiredness", "tireless", "tirelessly", "tires", "tiresome", "tiresomely", "tiring", "tiro", "tissue", "tissues", "tit", "titan", "titanic", "titanically", "titanium", "titans", "titbit", "titbits", "titfortat", "tithe", "tithes", "tithing", "titillate", "titillated", "titillating", "titillation", "title", "titled", "titles", "titling", "titrated", "titration", "titre", "titres", "tits", "titter", "tittered", "tittering", "titters", "titular", "to", "toad", "toadies", "toads", "toadstool", "toadstools", "toady", "toast", "toasted", "toaster", "toasters", "toasting", "toasts", "toasty", "tobacco", "tobacconist", "tobacconists", "tobago", "toboggan", "tobogganing", "toby", "toccata", "tocsin", "today", "toddle", "toddled", "toddler", "toddlers", "toddling", "toddy", "todies", "toe", "toed", "toehold", "toeing", "toeless", "toenail", "toenails", "toes", "toffee", "toffees", "toffy", "tofu", "tog", "toga", "togas", "together", "togetherness", "toggle", "toggled", "toggles", "toggling", "togo", "togs", "toil", "toiled", "toiler", "toilet", "toileting", "toiletries", "toiletry", "toilets", "toilette", "toiling", "toils", "toitoi", "tokamak", "token", "tokenism", "tokenistic", "tokens", "tokyo", "tolbooth", "told", "toledo", "tolerable", "tolerably", "tolerance", "tolerances", "tolerant", "tolerantly", "tolerate", "tolerated", "tolerates", "tolerating", "toleration", "toll", "tolled", "tollgate", "tolling", "tolls", "toluene", "tomahawk", "tomahawks", "tomato", "tomb", "tombola", "tomboy", "tomboys", "tombs", "tombstone", "tombstones", "tomcat", "tome", "tomes", "tomfoolery", "tomography", "tomorrow", "tomorrows", "tomtom", "ton", "tonal", "tonalities", "tonality", "tonally", "tone", "toned", "tonedeaf", "toneless", "tonelessly", "toner", "toners", "tones", "tonga", "tongs", "tongue", "tongueincheek", "tongues", "tonguetied", "tonguetwister", "tonguetwisters", "tonic", "tonics", "tonight", "toning", "tonnage", "tonnages", "tonne", "tonnes", "tons", "tonsil", "tonsillectomy", "tonsillitis", "tonsils", "tonsure", "tony", "too", "took", "tool", "toolbox", "toolboxes", "tooled", "tooling", "toolmaker", "toolmaking", "tools", "toot", "tooted", "tooth", "toothache", "toothbrush", "toothbrushes", "toothed", "toothier", "toothiest", "toothless", "toothmarks", "toothpaste", "toothpick", "toothpicks", "toothsome", "toothy", "tooting", "tootle", "top", "topaz", "topazes", "topcoat", "topheavy", "topiary", "topic", "topical", "topicality", "topically", "topics", "topless", "toplevel", "topmost", "topnotch", "topographic", "topographical", "topographically", "topography", "topological", "topologically", "topologies", "topologist", "topologists", "topology", "topped", "topper", "topping", "toppings", "topple", "toppled", "topples", "toppling", "tops", "topsoil", "topspin", "topsyturvy", "torah", "torch", "torchbearer", "torchbearers", "torched", "torches", "torchlight", "torchlit", "tore", "tori", "tories", "torment", "tormented", "tormenting", "tormentor", "tormentors", "torments", "torn", "tornado", "toronto", "torpedo", "torpedoed", "torpid", "torpor", "torque", "torques", "torrent", "torrential", "torrents", "torrid", "torsion", "torsional", "torsions", "torso", "tortoise", "tortoises", "tortoiseshell", "torts", "tortuous", "tortuously", "torture", "tortured", "torturer", "torturers", "tortures", "torturing", "torturous", "torus", "tory", "toss", "tossed", "tossers", "tosses", "tossing", "tossup", "tossups", "tot", "total", "totalising", "totalitarian", "totalitarianism", "totality", "totalled", "totalling", "totally", "totals", "totem", "totemic", "totems", "tots", "totted", "totter", "tottered", "tottering", "totters", "totting", "toucans", "touch", "touchandgo", "touchdown", "touchdowns", "touche", "touched", "toucher", "touches", "touchier", "touchiest", "touchiness", "touching", "touchingly", "touchy", "tough", "toughen", "toughened", "toughens", "tougher", "toughest", "toughie", "toughies", "toughly", "toughness", "toughs", "toupee", "tour", "toured", "tourer", "tourers", "touring", "tourism", "tourist", "touristic", "tourists", "touristy", "tournament", "tournaments", "tourney", "tourniquet", "tours", "tousled", "tousles", "tout", "touted", "touting", "touts", "tow", "toward", "towards", "towed", "towel", "towelled", "towelling", "towels", "tower", "towered", "towering", "towers", "towing", "town", "towns", "townscape", "townscapes", "townsfolk", "township", "townships", "townsman", "townsmen", "townspeople", "towpath", "towpaths", "tows", "toxaemia", "toxic", "toxicity", "toxicological", "toxicology", "toxin", "toxins", "toy", "toyed", "toying", "toymaker", "toys", "toyshop", "trace", "traceability", "traceable", "traced", "traceless", "tracer", "tracers", "tracery", "traces", "trachea", "tracheal", "tracheostomy", "tracheotomy", "tracing", "tracings", "track", "trackbed", "tracked", "tracker", "trackers", "tracking", "trackless", "tracks", "tracksuit", "tracksuits", "trackway", "trackways", "tract", "tractability", "tractable", "traction", "tractor", "tractors", "tracts", "trad", "trade", "tradeable", "traded", "tradein", "tradeins", "trademark", "trademarked", "trademarks", "trader", "traders", "trades", "tradesman", "tradesmen", "tradespeople", "trading", "tradings", "tradition", "traditional", "traditionalism", "traditionalist", "traditionalists", "traditionally", "traditions", "traduced", "traducer", "traffic", "trafficked", "trafficker", "traffickers", "trafficking", "tragedian", "tragedians", "tragedies", "tragedy", "tragic", "tragical", "tragically", "trail", "trailed", "trailer", "trailers", "trailing", "trails", "train", "trained", "trainee", "trainees", "trainer", "trainers", "training", "trainings", "trainload", "trains", "trait", "traitor", "traitorous", "traitorously", "traitors", "traits", "trajectories", "trajectory", "tram", "tramcar", "tramcars", "tramlines", "trammel", "tramp", "tramped", "tramping", "trample", "trampled", "tramples", "trampling", "trampoline", "trampolines", "trampolining", "trampolinist", "tramps", "trams", "tramway", "tramways", "trance", "trances", "tranche", "tranches", "tranny", "tranquil", "tranquillise", "tranquillised", "tranquilliser", "tranquillisers", "tranquillity", "tranquilly", "transact", "transacted", "transacting", "transaction", "transactional", "transactions", "transactor", "transatlantic", "transceiver", "transceivers", "transcend", "transcended", "transcendence", "transcendent", "transcendental", "transcendentally", "transcendentals", "transcending", "transcends", "transcontinental", "transcribe", "transcribed", "transcriber", "transcribers", "transcribes", "transcribing", "transcript", "transcription", "transcriptional", "transcriptions", "transcripts", "transducer", "transducers", "transduction", "transection", "transept", "transepts", "transfer", "transferability", "transferable", "transferee", "transferees", "transference", "transferral", "transferred", "transferring", "transfers", "transfiguration", "transfigured", "transfinite", "transfinitely", "transfixed", "transform", "transformation", "transformational", "transformations", "transformative", "transformed", "transformer", "transformers", "transforming", "transforms", "transfused", "transfusing", "transfusion", "transfusions", "transgress", "transgressed", "transgresses", "transgressing", "transgression", "transgressions", "transgressive", "transgressor", "transgressors", "transhipment", "transience", "transient", "transiently", "transients", "transistor", "transistorised", "transistors", "transit", "transition", "transitional", "transitions", "transitive", "transitively", "transitivity", "transitoriness", "transitory", "transits", "translatable", "translate", "translated", "translates", "translating", "translation", "translational", "translations", "translator", "translators", "transliterate", "transliterated", "transliterates", "transliterating", "transliteration", "transliterations", "translucence", "translucency", "translucent", "transmigration", "transmissible", "transmission", "transmissions", "transmissive", "transmit", "transmits", "transmittable", "transmittance", "transmitted", "transmitter", "transmitters", "transmitting", "transmogrification", "transmogrifies", "transmogrify", "transmutation", "transmute", "transmuted", "transmuting", "transnational", "transom", "transonic", "transparencies", "transparency", "transparent", "transparently", "transpiration", "transpire", "transpired", "transpires", "transplant", "transplantation", "transplanted", "transplanting", "transplants", "transponder", "transponders", "transport", "transportability", "transportable", "transportation", "transported", "transporter", "transporters", "transporting", "transports", "transpose", "transposed", "transposes", "transposing", "transposition", "transpositions", "transverse", "transversely", "transvestism", "transvestite", "transvestites", "trap", "trapdoor", "trapdoors", "trapeze", "trappable", "trapped", "trapper", "trappers", "trapping", "trappings", "traps", "trash", "trashed", "trashy", "trauma", "traumas", "traumata", "traumatic", "traumatise", "traumatised", "travail", "travails", "travel", "travelled", "traveller", "travellers", "travelling", "travelogue", "travelogues", "travels", "traversal", "traversals", "traverse", "traversed", "traverses", "traversing", "travesties", "travesty", "trawl", "trawled", "trawler", "trawlers", "trawling", "trawlnet", "trawls", "tray", "trays", "treacherous", "treacherously", "treachery", "treacle", "tread", "treader", "treading", "treadle", "treadmill", "treadmills", "treads", "treason", "treasonable", "treasonous", "treasons", "treasure", "treasured", "treasurer", "treasurers", "treasurership", "treasures", "treasuries", "treasuring", "treasury", "treat", "treatable", "treated", "treaties", "treating", "treatise", "treatises", "treatment", "treatments", "treats", "treaty", "treble", "trebled", "trebles", "trebling", "tree", "treeless", "trees", "treetop", "treetops", "trefoil", "trefoils", "trek", "trekked", "trekker", "trekkers", "trekking", "treks", "trellis", "trellised", "trellises", "tremble", "trembled", "trembler", "trembles", "trembling", "tremblingly", "tremblings", "tremendous", "tremendously", "tremolo", "tremor", "tremors", "tremulous", "tremulously", "tremulousness", "trench", "trenchant", "trenchantly", "trenched", "trencher", "trenches", "trenching", "trend", "trendier", "trendiest", "trendiness", "trends", "trendy", "trepanned", "trepidation", "trepidations", "trespass", "trespassed", "trespasser", "trespassers", "trespasses", "trespassing", "tress", "tresses", "trestle", "trestles", "trews", "triad", "triadic", "triads", "triage", "trial", "trials", "triangle", "triangles", "triangular", "triangulate", "triangulated", "triangulating", "triangulation", "triangulations", "triathlon", "triatomic", "tribal", "tribalism", "tribally", "tribe", "tribes", "tribesman", "tribesmen", "tribespeople", "tribulation", "tribulations", "tribunal", "tribunals", "tribune", "tribunes", "tributaries", "tributary", "tribute", "tributes", "trice", "trick", "tricked", "trickery", "trickier", "trickiest", "trickily", "tricking", "trickle", "trickled", "trickles", "trickling", "tricks", "trickster", "tricksters", "tricky", "tricolour", "tricolours", "tricycle", "tricycles", "trident", "tridents", "tried", "triennial", "trier", "tries", "triffid", "triffids", "trifle", "trifled", "trifler", "trifles", "trifling", "trigger", "triggered", "triggerhappy", "triggering", "triggers", "triglyceride", "trigonometric", "trigonometrical", "trigonometry", "trigram", "trigrams", "trigs", "trikes", "trilateral", "trilby", "trilingual", "trill", "trilled", "trilling", "trillion", "trillions", "trills", "trilobite", "trilobites", "trilogies", "trilogy", "trim", "trimaran", "trimmed", "trimmer", "trimmers", "trimming", "trimmings", "trimodal", "trims", "trinidad", "trinity", "trinket", "trinkets", "trio", "trip", "tripartite", "tripe", "triplane", "triple", "tripled", "triples", "triplet", "triplets", "triplex", "triplicate", "triplication", "tripling", "triply", "tripod", "tripods", "tripoli", "tripped", "trippers", "tripping", "trips", "triptych", "tripwire", "tripwires", "trireme", "trisecting", "trisection", "trisector", "tristan", "trite", "triteness", "tritium", "triumph", "triumphal", "triumphalism", "triumphalist", "triumphant", "triumphantly", "triumphed", "triumphing", "triumphs", "triumvirate", "trivia", "trivial", "trivialisation", "trivialisations", "trivialise", "trivialised", "trivialises", "trivialising", "trivialities", "triviality", "trivially", "trod", "trodden", "troglodyte", "troglodytes", "troika", "troikas", "troll", "trolley", "trolleys", "trolling", "trollish", "trolls", "trombone", "trombones", "trombonist", "trombonists", "troop", "trooped", "trooper", "troopers", "trooping", "troops", "troopship", "trope", "tropes", "trophies", "trophy", "tropic", "tropical", "tropically", "tropics", "tropopause", "troposphere", "tropospheric", "trot", "trots", "trotted", "trotter", "trotters", "trotting", "troubadour", "troubadours", "trouble", "troubled", "troublemaker", "troublemakers", "troubles", "troubleshooter", "troubleshooters", "troubleshooting", "troublesome", "troublesomeness", "troubling", "trough", "troughs", "trounce", "trounced", "trounces", "trouncing", "troupe", "trouper", "troupers", "troupes", "trouser", "trousers", "trout", "trouts", "trove", "trowel", "trowels", "troy", "truancy", "truant", "truanting", "truants", "truce", "truces", "truck", "trucks", "truculence", "truculent", "truculently", "trudge", "trudged", "trudges", "trudging", "true", "trueblue", "truer", "truest", "truffle", "truffles", "truism", "truisms", "truly", "trump", "trumped", "trumpery", "trumpet", "trumpeted", "trumpeter", "trumpeters", "trumpeting", "trumpets", "trumps", "truncate", "truncated", "truncates", "truncating", "truncation", "truncations", "truncheon", "truncheons", "trundle", "trundled", "trundles", "trundling", "trunk", "trunking", "trunks", "trunnion", "trunnions", "truss", "trussed", "trusses", "trussing", "trust", "trusted", "trustee", "trustees", "trusteeship", "trustful", "trustfully", "trustfulness", "trusties", "trusting", "trustingly", "trusts", "trustworthiness", "trustworthy", "trusty", "truth", "truthful", "truthfully", "truthfulness", "truths", "try", "trying", "tsetse", "tshirt", "tsunami", "tswana", "tswanas", "tuareg", "tuaregs", "tuatara", "tub", "tuba", "tubas", "tubby", "tube", "tubed", "tubeless", "tuber", "tubercular", "tuberculosis", "tubers", "tubes", "tubing", "tubs", "tubular", "tubules", "tuck", "tucked", "tucker", "tuckers", "tucking", "tucks", "tues", "tuesday", "tuesdays", "tuft", "tufted", "tufting", "tufts", "tug", "tugela", "tugged", "tugging", "tugs", "tuition", "tulip", "tulips", "tumble", "tumbled", "tumbledown", "tumbler", "tumblers", "tumbles", "tumbling", "tumbrils", "tumescent", "tummies", "tummy", "tumour", "tumours", "tumult", "tumults", "tumultuous", "tumultuously", "tumulus", "tun", "tuna", "tunable", "tunas", "tundra", "tundras", "tune", "tuned", "tuneful", "tunefully", "tuneless", "tunelessly", "tuner", "tuners", "tunes", "tungsten", "tunic", "tunics", "tuning", "tunings", "tunisia", "tunisian", "tunnel", "tunnelled", "tunnellers", "tunnelling", "tunnels", "tunny", "tuns", "tuppence", "tuppences", "turban", "turbans", "turbid", "turbidity", "turbine", "turbines", "turbo", "turbocharged", "turbocharger", "turboprop", "turbot", "turbulence", "turbulent", "tureen", "tureens", "turf", "turfed", "turfs", "turfy", "turgid", "turgidity", "turgidly", "turin", "turk", "turkey", "turkeys", "turkish", "turks", "turmeric", "turmoil", "turmoils", "turn", "turnabout", "turnaround", "turncoat", "turncoats", "turned", "turner", "turners", "turning", "turnings", "turnip", "turnips", "turnkey", "turnout", "turnouts", "turnover", "turnovers", "turnpike", "turnround", "turns", "turnstile", "turnstiles", "turntable", "turntables", "turpentine", "turpitude", "turquoise", "turret", "turreted", "turrets", "turtle", "turtleneck", "turtles", "tuscany", "tusk", "tusked", "tusker", "tusks", "tussle", "tussles", "tussling", "tussock", "tussocks", "tussocky", "tutelage", "tutelary", "tutor", "tutored", "tutorial", "tutorials", "tutoring", "tutors", "tutu", "tuxedo", "twain", "twang", "twanged", "twanging", "twangs", "tweak", "tweaked", "tweaking", "tweaks", "twee", "tweed", "tweeds", "tweedy", "tweeness", "tweet", "tweeter", "tweeters", "tweets", "tweezers", "twelfth", "twelfths", "twelve", "twelves", "twenties", "twentieth", "twenty", "twice", "twiddle", "twiddled", "twiddler", "twiddles", "twiddling", "twiddly", "twig", "twigged", "twiggy", "twigs", "twilight", "twilit", "twill", "twin", "twine", "twined", "twines", "twinge", "twinges", "twining", "twinkle", "twinkled", "twinkles", "twinkling", "twinned", "twinning", "twins", "twirl", "twirled", "twirling", "twirls", "twist", "twisted", "twister", "twisters", "twisting", "twists", "twisty", "twit", "twitch", "twitched", "twitches", "twitching", "twitchy", "twitter", "twittered", "twittering", "two", "twodimensional", "twofaced", "twofold", "twosome", "tycoon", "tycoons", "tying", "tyke", "tykes", "type", "typecast", "typecasting", "typed", "typeface", "typefaces", "typeless", "types", "typescript", "typescripts", "typeset", "typesets", "typesetter", "typesetters", "typesetting", "typewriter", "typewriters", "typewriting", "typewritten", "typhoid", "typhoon", "typhoons", "typhus", "typical", "typicality", "typically", "typified", "typifies", "typify", "typifying", "typing", "typings", "typist", "typists", "typographer", "typographers", "typographic", "typographical", "typographically", "typography", "typological", "typologically", "typologies", "typology", "tyrannic", "tyrannical", "tyrannically", "tyrannicide", "tyrannies", "tyrannise", "tyrannised", "tyrannous", "tyranny", "tyrant", "tyrants", "tyre", "tyres", "uboats", "udder", "udders", "ufo", "uganda", "ugandan", "uglier", "ugliest", "uglification", "ugliness", "ugly", "uhuh", "uke", "ukraine", "ukulele", "ukuleles", "ulcer", "ulcerate", "ulcerated", "ulceration", "ulcerations", "ulcerous", "ulcers", "ulster", "ulsters", "ulterior", "ultimacy", "ultimate", "ultimately", "ultimatum", "ultimatums", "ultimo", "ultra", "ultramarine", "ultramontane", "ultrasonic", "ultrasonics", "ultrasound", "ultraviolet", "umbilical", "umbilicus", "umbra", "umbrae", "umbrage", "umbrageous", "umbras", "umbrella", "umbrellas", "umlaut", "umlauts", "umpire", "umpired", "umpires", "umpiring", "umpteen", "umpteenth", "unabashed", "unabashedly", "unabated", "unable", "unabridged", "unabsorbed", "unacceptability", "unacceptable", "unacceptably", "unaccepted", "unaccommodating", "unaccompanied", "unaccountability", "unaccountable", "unaccountably", "unaccounted", "unaccustomed", "unachievable", "unacknowledged", "unacquainted", "unactivated", "unadapted", "unadaptive", "unaddressable", "unaddressed", "unadjusted", "unadorned", "unadulterated", "unadventurous", "unadvertised", "unaesthetic", "unaffected", "unaffectedly", "unaffiliated", "unaffordable", "unafraid", "unaided", "unaligned", "unalike", "unallocated", "unalloyed", "unalterable", "unalterably", "unaltered", "unambiguity", "unambiguous", "unambiguously", "unambitious", "unamended", "unamused", "unanimity", "unanimous", "unanimously", "unannotated", "unannounced", "unanswerable", "unanswered", "unanticipated", "unapologetic", "unappealing", "unappeased", "unappetising", "unappreciated", "unappreciative", "unapproachable", "unapproved", "unapt", "unarchived", "unarguable", "unarguably", "unarm", "unarmed", "unarms", "unaroused", "unarticulated", "unary", "unashamed", "unashamedly", "unasked", "unassailable", "unassailed", "unassertive", "unassigned", "unassisted", "unassociated", "unassuaged", "unassuming", "unattached", "unattainable", "unattainably", "unattained", "unattended", "unattenuated", "unattractive", "unattractiveness", "unattributable", "unattributed", "unaudited", "unauthenticated", "unauthorised", "unavailability", "unavailable", "unavailing", "unavailingly", "unavenged", "unavoidable", "unavoidably", "unawakened", "unaware", "unawareness", "unawares", "unawed", "unbalance", "unbalanced", "unbalances", "unbalancing", "unbanned", "unbanning", "unbaptised", "unbar", "unbarred", "unbars", "unbearable", "unbearably", "unbeatable", "unbeaten", "unbecoming", "unbeknown", "unbeknownst", "unbelievability", "unbelievable", "unbelievably", "unbelieved", "unbeliever", "unbelievers", "unbelieving", "unbend", "unbending", "unbent", "unbiased", "unbiasedly", "unbiassed", "unbiassedly", "unbidden", "unbind", "unbleached", "unblemished", "unblinking", "unblinkingly", "unblock", "unblocked", "unblocking", "unbloodied", "unboiled", "unbolt", "unbolted", "unbooked", "unborn", "unbosom", "unbothered", "unbound", "unbounded", "unbowed", "unbraced", "unbracketed", "unbranded", "unbreakability", "unbreakable", "unbridgeable", "unbridged", "unbridled", "unbroken", "unbruised", "unbuckle", "unbuckled", "unbuckling", "unbundled", "unburden", "unburdened", "unburdening", "unburied", "unburned", "unburnt", "unbutton", "unbuttoned", "unbuttoning", "uncalibrated", "uncalled", "uncancelled", "uncannily", "uncanny", "uncapped", "uncared", "uncaring", "uncased", "uncatalogued", "uncaught", "unceasing", "unceasingly", "uncelebrated", "uncensored", "unceremoniously", "uncertain", "uncertainly", "uncertainties", "uncertainty", "unchain", "unchained", "unchaining", "unchallengeable", "unchallenged", "unchangeable", "unchanged", "unchanging", "unchaperoned", "uncharacteristic", "uncharacteristically", "uncharged", "uncharismatic", "uncharitable", "uncharitably", "uncharted", "unchartered", "uncheckable", "unchecked", "unchristened", "unchristian", "unchronicled", "uncircumcised", "uncivil", "uncivilised", "unclad", "unclaimed", "unclasped", "unclasping", "unclassifiable", "unclassified", "uncle", "unclean", "uncleanliness", "uncleanly", "unclear", "uncleared", "unclench", "unclenched", "unclenching", "uncles", "unclesam", "unclimbable", "unclimbed", "unclog", "unclosed", "unclothed", "unclouded", "uncluttered", "uncoil", "uncoiled", "uncoiling", "uncoils", "uncollated", "uncollected", "uncollimated", "uncombed", "uncomely", "uncomfortable", "uncomfortableness", "uncomfortably", "uncommitted", "uncommon", "uncommonly", "uncommunicative", "uncompetitive", "uncompetitiveness", "uncompilable", "uncomplaining", "uncomplainingly", "uncompleted", "uncomplicated", "uncomplimentary", "uncomprehending", "uncomprehendingly", "uncompressed", "uncompromisable", "uncompromising", "uncompromisingly", "unconcern", "unconcerned", "unconcernedly", "unconditional", "unconditionally", "unconditioned", "unconfined", "unconfirmed", "unconfused", "uncongenial", "unconnected", "unconquerable", "unconquered", "unconscionable", "unconscionably", "unconscious", "unconsciously", "unconsciousness", "unconsecrated", "unconsidered", "unconsoled", "unconstitutional", "unconstitutionally", "unconstrained", "unconsumed", "uncontainable", "uncontaminated", "uncontentious", "uncontested", "uncontrollable", "uncontrollably", "uncontrolled", "uncontroversial", "uncontroversially", "unconventional", "unconventionally", "unconverted", "unconvinced", "unconvincing", "unconvincingly", "uncooked", "uncooperative", "uncoordinated", "uncorked", "uncorrectable", "uncorrected", "uncorrelated", "uncorroborated", "uncorrupted", "uncountable", "uncountably", "uncounted", "uncouple", "uncoupled", "uncouth", "uncouthness", "uncover", "uncovered", "uncovering", "uncovers", "uncrackable", "uncreased", "uncreated", "uncreative", "uncredited", "uncritical", "uncritically", "uncross", "uncrossable", "uncrossed", "uncrowded", "uncrowned", "uncrushable", "unction", "unctuous", "unctuously", "uncultivated", "uncultured", "uncured", "uncurled", "uncut", "undamaged", "undated", "undaunted", "undead", "undeceived", "undecidability", "undecidable", "undecided", "undeclared", "undecorated", "undefeated", "undefended", "undefiled", "undefinable", "undefined", "undeliverable", "undelivered", "undemanding", "undemocratic", "undemocratically", "undemonstrative", "undeniable", "undeniably", "under", "underachievement", "underachieving", "underarm", "underbelly", "underbody", "undercarriage", "underclass", "underclothes", "underclothing", "undercoat", "undercoating", "undercooked", "undercover", "undercroft", "undercurrent", "undercurrents", "undercut", "undercuts", "undercutting", "underdeveloped", "underdevelopment", "underdog", "underdogs", "underdone", "undereducated", "underemphasis", "underemployment", "underestimate", "underestimated", "underestimates", "underestimating", "underestimation", "underexploited", "underfed", "underfloor", "underflow", "underfoot", "underframe", "underfund", "underfunded", "underfunding", "undergarment", "undergarments", "undergo", "undergoes", "undergoing", "undergone", "undergraduate", "undergraduates", "underground", "undergrounds", "undergrowth", "underhand", "underinvestment", "underlain", "underlay", "underlie", "underlies", "underline", "underlined", "underlines", "underling", "underlings", "underlining", "underlinings", "underloaded", "underlying", "undermanned", "undermine", "undermined", "undermines", "undermining", "underneath", "undernourished", "undernourishment", "underpaid", "underpants", "underparts", "underpass", "underpay", "underpaying", "underperformance", "underperformed", "underpin", "underpinned", "underpinning", "underpinnings", "underpins", "underplay", "underplayed", "underplays", "underpopulated", "underpopulation", "underpowered", "underpriced", "underpricing", "underprivileged", "underrate", "underrated", "underscored", "undersea", "underside", "undersides", "undersigned", "undersized", "underskirt", "understaffed", "understand", "understandability", "understandable", "understandably", "understander", "understanding", "understandingly", "understandings", "understands", "understate", "understated", "understatement", "understates", "understating", "understocked", "understood", "understorey", "understudy", "undertake", "undertaken", "undertaker", "undertakers", "undertakes", "undertaking", "undertakings", "undertone", "undertones", "undertook", "underutilised", "undervalued", "undervalues", "undervaluing", "underwater", "underwear", "underweight", "underwent", "underwood", "underworld", "underwrite", "underwriter", "underwriters", "underwrites", "underwriting", "underwritten", "underwrote", "undeserved", "undeservedly", "undeserving", "undesirability", "undesirable", "undesirables", "undesirably", "undesired", "undetectability", "undetectable", "undetectably", "undetected", "undetermined", "undeterred", "undetonated", "undeveloped", "undiagnosable", "undiagnosed", "undid", "undifferentiated", "undigested", "undignified", "undiluted", "undiminished", "undiplomatic", "undirected", "undiscerning", "undisciplined", "undisclosed", "undiscovered", "undiscriminated", "undiscriminating", "undisguised", "undisguisedly", "undismayed", "undisplayed", "undisputed", "undissipated", "undistinguished", "undistorted", "undistributed", "undisturbed", "undivided", "undo", "undocumented", "undoing", "undoings", "undomesticated", "undone", "undoubted", "undoubtedly", "undress", "undressed", "undressing", "undrinkability", "undrinkable", "undroppable", "undue", "undulate", "undulated", "undulates", "undulating", "undulation", "undulations", "unduly", "undying", "unearned", "unearth", "unearthed", "unearthing", "unearthly", "unearths", "unease", "uneasier", "uneasiest", "uneasily", "uneasiness", "uneasy", "uneatable", "uneaten", "uneconomic", "uneconomical", "unedifying", "unedited", "uneducated", "unelectable", "unelected", "unemotional", "unemotionally", "unemployable", "unemployed", "unemployment", "unencrypted", "unencumbered", "unending", "unendingly", "unendurable", "unenforceable", "unengaged", "unenlightened", "unenlightening", "unentered", "unenthusiastic", "unenthusiastically", "unenviable", "unequal", "unequalled", "unequally", "unequivocal", "unequivocally", "unergonomic", "unerring", "unerringly", "unescorted", "unestablished", "unethical", "unethically", "unevaluated", "uneven", "unevenly", "unevenness", "uneventful", "uneventfully", "unexacting", "unexamined", "unexceptionable", "unexceptional", "unexcited", "unexciting", "unexpanded", "unexpected", "unexpectedly", "unexpectedness", "unexpired", "unexplainable", "unexplained", "unexploded", "unexploited", "unexplored", "unexpressed", "unexpurgated", "unfailing", "unfailingly", "unfair", "unfairly", "unfairness", "unfaithful", "unfaithfulness", "unfalsifiable", "unfamiliar", "unfamiliarity", "unfancied", "unfashionable", "unfashionably", "unfasten", "unfastened", "unfastening", "unfathomable", "unfathomed", "unfatigued", "unfavourable", "unfavourably", "unfavoured", "unfeasible", "unfeasibly", "unfed", "unfeeling", "unfeelingly", "unfeigned", "unfelt", "unfeminine", "unfenced", "unfertilised", "unfetchable", "unfettered", "unfilled", "unfinished", "unfired", "unfirm", "unfit", "unfitness", "unfits", "unfitting", "unfix", "unfixed", "unflagging", "unflattering", "unflawed", "unfledged", "unflinching", "unflinchingly", "unfocused", "unfocussed", "unfold", "unfolded", "unfolding", "unfolds", "unforced", "unfordable", "unforeseeable", "unforeseen", "unforgettable", "unforgivable", "unforgivably", "unforgiven", "unforgiving", "unformed", "unforthcoming", "unfortunate", "unfortunately", "unfortunates", "unfounded", "unfreeze", "unfreezing", "unfrequented", "unfriendlier", "unfriendliest", "unfriendliness", "unfriendly", "unfrozen", "unfruitful", "unfulfillable", "unfulfilled", "unfunded", "unfunny", "unfurl", "unfurled", "unfurling", "unfurls", "unfurnished", "unfussy", "ungainly", "ungenerous", "ungenerously", "ungentlemanly", "ungerminated", "unglamorous", "unglazed", "ungodly", "ungovernable", "ungoverned", "ungraceful", "ungracious", "ungraciously", "ungrammatical", "ungrateful", "ungratefully", "ungrounded", "unguarded", "unguessable", "unguided", "ungulates", "unhampered", "unhand", "unhandy", "unhappier", "unhappiest", "unhappily", "unhappiness", "unhappy", "unharmed", "unhealthier", "unhealthiest", "unhealthily", "unhealthy", "unheard", "unheated", "unheeded", "unhelpful", "unhelpfully", "unheralded", "unheroic", "unhesitating", "unhesitatingly", "unhidden", "unhindered", "unhinge", "unhinged", "unholy", "unhonoured", "unhook", "unhooked", "unhooks", "unhoped", "unhuman", "unhurried", "unhurriedly", "unhurt", "unhygienic", "unhyphenated", "unicameral", "unicellular", "unicorn", "unicorns", "unicycle", "unicycles", "unicyclist", "unicyclists", "unideal", "unidentifiable", "unidentified", "unidirectional", "unifiable", "unification", "unified", "unifier", "unifies", "uniform", "uniformed", "uniformity", "uniformly", "uniforms", "unify", "unifying", "unilateral", "unilateralism", "unilateralist", "unilaterally", "unillustrated", "unimaginable", "unimaginably", "unimaginative", "unimaginatively", "unimagined", "unimpaired", "unimpeachable", "unimpeded", "unimplementable", "unimplemented", "unimportance", "unimportant", "unimpressed", "unimpressive", "unimproved", "unincorporated", "uninfected", "uninfluenced", "uninformative", "uninformatively", "uninformed", "uninhabitable", "uninhabited", "uninhibited", "uninhibitedly", "uninitialised", "uninitiated", "uninjured", "uninspired", "uninspiring", "uninsulated", "uninsurable", "uninsured", "unintellectual", "unintelligent", "unintelligible", "unintended", "unintentional", "unintentionally", "uninterested", "uninterestedly", "uninteresting", "uninterpretable", "uninterpreted", "uninterrupted", "uninterruptedly", "unintuitive", "uninvented", "uninvited", "uninviting", "uninvolved", "union", "unionisation", "unionised", "unionism", "unionist", "unionists", "unions", "unipolar", "unique", "uniquely", "uniqueness", "unisex", "unison", "unisons", "unissued", "unit", "unitary", "unite", "united", "unites", "unities", "uniting", "units", "unity", "universal", "universalism", "universalist", "universality", "universally", "universals", "universe", "universes", "universities", "university", "unjam", "unjammed", "unjamming", "unjaundiced", "unjust", "unjustifiable", "unjustifiably", "unjustified", "unjustly", "unjustness", "unkempt", "unkept", "unkind", "unkindest", "unkindly", "unkindness", "unknightly", "unknowable", "unknowing", "unknowingly", "unknown", "unknowns", "unlabelled", "unlace", "unlaced", "unlacing", "unladen", "unladylike", "unlamented", "unlatching", "unlawful", "unlawfully", "unlawfulness", "unleaded", "unlearn", "unlearned", "unleash", "unleashed", "unleashes", "unleashing", "unleavened", "unless", "unlicensed", "unlike", "unlikeable", "unlikeliest", "unlikelihood", "unlikeliness", "unlikely", "unlimited", "unlined", "unlink", "unlinked", "unlisted", "unlit", "unload", "unloaded", "unloading", "unloads", "unlock", "unlocked", "unlocking", "unlocks", "unloose", "unlovable", "unloved", "unlovely", "unloving", "unluckier", "unluckiest", "unluckily", "unlucky", "unmade", "unmagnified", "unmaintainable", "unmaintained", "unmaking", "unmanageable", "unmanageably", "unmanly", "unmanned", "unmannerly", "unmapped", "unmarked", "unmarried", "unmask", "unmasked", "unmasks", "unmatchable", "unmatched", "unmeasurable", "unmechanised", "unmeetable", "unmelodious", "unmemorable", "unmemorised", "unmentionable", "unmentionables", "unmentioned", "unmercifully", "unmerited", "unmet", "unmissable", "unmistakable", "unmistakably", "unmistakeable", "unmistakeably", "unmitigated", "unmixed", "unmnemonic", "unmodifiable", "unmodified", "unmolested", "unmonitored", "unmotivated", "unmounted", "unmoved", "unmoving", "unmusical", "unmusically", "unmutilated", "unmuzzled", "unnamed", "unnatural", "unnaturally", "unnavigable", "unnecessarily", "unnecessary", "unneeded", "unnerve", "unnerved", "unnerving", "unnervingly", "unnoted", "unnoticeable", "unnoticed", "unnumbered", "unobjectionable", "unobliging", "unobservable", "unobservant", "unobserved", "unobstructed", "unobtainable", "unobtrusive", "unobtrusively", "unoccupied", "unofficial", "unofficially", "unopened", "unopposed", "unoptimised", "unordered", "unorganised", "unoriginal", "unoriginality", "unorthodox", "unorthodoxy", "unowned", "unpack", "unpacked", "unpackers", "unpacking", "unpacks", "unpaid", "unpainted", "unpaired", "unpalatable", "unparalleled", "unpardonable", "unparodied", "unpasted", "unpasteurised", "unpatriotic", "unpaved", "unpeeled", "unperceived", "unpersonalised", "unpersuaded", "unpersuasive", "unperturbed", "unphysical", "unpick", "unpicked", "unpicking", "unplaced", "unplanned", "unplayability", "unplayable", "unpleasant", "unpleasantly", "unpleasantness", "unpleasing", "unploughed", "unplug", "unplugged", "unplugging", "unpoetical", "unpolished", "unpolluted", "unpopular", "unpopularity", "unpopulated", "unportable", "unpractical", "unpractised", "unprecedented", "unprecedentedly", "unpredictability", "unpredictable", "unpredictably", "unpredicted", "unprejudiced", "unpremeditated", "unprepared", "unpreparedness", "unprepossessing", "unpressurised", "unpretending", "unpretentious", "unprincipled", "unprintable", "unprinted", "unprivileged", "unproblematic", "unprocessed", "unproductive", "unprofessional", "unprofitable", "unprofitably", "unpromising", "unprompted", "unpronounceable", "unpronounced", "unprotected", "unprovable", "unproved", "unproven", "unprovoked", "unpublicised", "unpublishable", "unpublished", "unpunctual", "unpunctuality", "unpunished", "unqualified", "unquantifiable", "unquantified", "unquenchable", "unquestionable", "unquestionably", "unquestioned", "unquestioning", "unquestioningly", "unquiet", "unquote", "unquoted", "unraisable", "unravel", "unravelled", "unravelling", "unravels", "unreachable", "unreached", "unread", "unreadability", "unreadable", "unready", "unreal", "unrealisable", "unrealised", "unrealistic", "unrealistically", "unreality", "unreasonable", "unreasonableness", "unreasonably", "unreasoned", "unreasoning", "unreceived", "unreceptive", "unrecognisable", "unrecognisably", "unrecognised", "unrecommended", "unreconciled", "unreconstructed", "unrecorded", "unrecoverable", "unredeemed", "unreduced", "unrefereed", "unreferenced", "unreferencing", "unrefined", "unreflected", "unreformed", "unrefreshed", "unrefrigerated", "unregarded", "unregenerate", "unregistered", "unregulated", "unrehearsed", "unrelated", "unreleasable", "unreleased", "unrelenting", "unrelentingly", "unreliability", "unreliable", "unreliably", "unrelieved", "unremarkable", "unremarked", "unremembered", "unremitting", "unremittingly", "unrepairable", "unrepeatability", "unrepeatable", "unrepeated", "unrepentant", "unrepentantly", "unreported", "unrepresentable", "unrepresentative", "unrepresented", "unreproducible", "unrequested", "unrequited", "unreserved", "unreservedly", "unresisting", "unresistingly", "unresolvable", "unresolved", "unresponsive", "unresponsiveness", "unrest", "unrestrained", "unrestricted", "unrests", "unrevealed", "unrevealing", "unrevised", "unrewarded", "unrewarding", "unriddle", "unripe", "unrivalled", "unroll", "unrolled", "unrolling", "unromantic", "unruffled", "unruliness", "unruly", "unsaddled", "unsafe", "unsafely", "unsafeness", "unsaid", "unsaleable", "unsalted", "unsanitary", "unsatisfactorily", "unsatisfactoriness", "unsatisfactory", "unsatisfiable", "unsatisfied", "unsatisfying", "unsaturated", "unsaved", "unsavory", "unsavoury", "unscaled", "unscathed", "unscheduled", "unscientific", "unscramble", "unscrambled", "unscrambles", "unscrambling", "unscratched", "unscrew", "unscrewed", "unscrewing", "unscripted", "unscrupulous", "unseal", "unsealable", "unsealed", "unsealing", "unseasonable", "unseasonably", "unseasonal", "unseat", "unseated", "unseaworthiness", "unsecured", "unseeded", "unseeing", "unseeingly", "unseemly", "unseen", "unselected", "unselfconscious", "unselfconsciously", "unselfish", "unselfishly", "unselfishness", "unsellable", "unsensational", "unsent", "unsentimental", "unserviceable", "unserviced", "unset", "unsettle", "unsettled", "unsettling", "unshackled", "unshaded", "unshakable", "unshakeable", "unshaken", "unshaped", "unshapen", "unsharable", "unshared", "unshaved", "unshaven", "unsheathed", "unshielded", "unshockable", "unshod", "unshorn", "unshrinking", "unsighted", "unsightly", "unsigned", "unsimplified", "unsinkable", "unskilful", "unskilled", "unsliced", "unsmiling", "unsmilingly", "unsmooth", "unsociable", "unsocial", "unsoiled", "unsold", "unsolder", "unsolicited", "unsolvable", "unsolved", "unsophisticated", "unsophistication", "unsorted", "unsought", "unsound", "unsoundness", "unspanned", "unspeakable", "unspeakably", "unspecialised", "unspecific", "unspecified", "unspectacular", "unspent", "unspoiled", "unspoilt", "unspoken", "unsporting", "unstable", "unstack", "unstacked", "unstacking", "unstained", "unstamped", "unstated", "unsteadily", "unsteadiness", "unsteady", "unsterilised", "unsticking", "unstimulated", "unstinting", "unstintingly", "unstirred", "unstoppable", "unstoppably", "unstopped", "unstrapped", "unstressed", "unstretchable", "unstructured", "unstuck", "unsubdued", "unsubsidised", "unsubstantial", "unsubstantiated", "unsubstituted", "unsubtle", "unsubtly", "unsuccessful", "unsuccessfully", "unsuitability", "unsuitable", "unsuitableness", "unsuitably", "unsuited", "unsullied", "unsung", "unsupervised", "unsupportable", "unsupported", "unsuppressed", "unsure", "unsureness", "unsurfaced", "unsurpassable", "unsurpassed", "unsurprised", "unsurprising", "unsurprisingly", "unsurvivable", "unsuspected", "unsuspecting", "unsustainable", "unswappable", "unsweetened", "unswerving", "unswervingly", "unsympathetic", "unsympathetically", "unsystematic", "untactful", "untagged", "untainted", "untalented", "untamed", "untangle", "untangled", "untangling", "untapped", "untarnished", "untasted", "untaught", "untaxed", "untaxing", "untempered", "untenability", "untenable", "untended", "unterminated", "untestable", "untested", "untethered", "untextured", "unthinkable", "unthinkably", "unthinking", "unthinkingly", "unthoughtful", "untidier", "untidiest", "untidily", "untidiness", "untidy", "untie", "untied", "unties", "until", "untimely", "untiring", "untitled", "unto", "untold", "untouchable", "untouchables", "untouched", "untoward", "untraceable", "untraced", "untrained", "untrammelled", "untransformed", "untranslatable", "untranslated", "untransportable", "untrappable", "untreatable", "untreated", "untried", "untrodden", "untroubled", "untrue", "untrusted", "untrustworthy", "untrusty", "untruth", "untruthful", "untruthfully", "untruths", "unturned", "untutored", "untwist", "untwisted", "untying", "untyped", "untypical", "untypically", "unusable", "unusably", "unused", "unusual", "unusually", "unutterable", "unutterably", "unvalidated", "unvalued", "unvanquished", "unvarnished", "unvarying", "unvaryingly", "unveil", "unveiled", "unveiling", "unveils", "unventilated", "unverifiable", "unverified", "unversed", "unvisitable", "unvisited", "unvoiced", "unwanted", "unwarily", "unwarmed", "unwarned", "unwarrantable", "unwarrantably", "unwarranted", "unwary", "unwashed", "unwatchable", "unwatched", "unwavering", "unwaveringly", "unweaned", "unwearied", "unweary", "unwed", "unwedded", "unwedge", "unweighted", "unwelcome", "unwelcoming", "unwell", "unwholesome", "unwieldy", "unwilling", "unwillingly", "unwillingness", "unwind", "unwindable", "unwinding", "unwinds", "unwisdom", "unwise", "unwisely", "unwisest", "unwitting", "unwittingly", "unwontedly", "unworkability", "unworkable", "unworldly", "unworn", "unworried", "unworthily", "unworthiness", "unworthy", "unwound", "unwounded", "unwrap", "unwrapped", "unwrapping", "unwraps", "unwritten", "unyielding", "unzip", "unzipped", "unzipping", "unzips", "up", "upbeat", "upbraid", "upbraided", "upbraiding", "upbraids", "upbringing", "upbringings", "upcast", "upcoming", "updatability", "update", "updated", "updater", "updates", "updating", "upended", "upfield", "upfront", "upgradable", "upgrade", "upgradeable", "upgraded", "upgrades", "upgrading", "upgradings", "upheaval", "upheavals", "upheld", "uphill", "uphold", "upholder", "upholders", "upholding", "upholds", "upholster", "upholstered", "upholsterer", "upholsterers", "upholstery", "upkeep", "upland", "uplands", "uplift", "uplifted", "uplifting", "uplifts", "uplink", "uplinks", "upload", "uploaded", "uploads", "upmarket", "upmost", "upon", "upped", "upper", "uppercase", "upperclass", "uppercut", "uppermost", "uppers", "upraised", "uprate", "uprated", "uprating", "upright", "uprightly", "uprightness", "uprights", "uprise", "uprising", "uprisings", "upriver", "uproar", "uproarious", "uproariously", "uproars", "uproo", "uproot", "uprooted", "uprooting", "uproots", "ups", "upset", "upsets", "upsetting", "upshot", "upside", "upsidedown", "upsilon", "upstage", "upstaged", "upstages", "upstaging", "upstairs", "upstanding", "upstart", "upstarts", "upstream", "upsurge", "upsurges", "upswing", "uptake", "upthrust", "uptotheminute", "uptown", "upturn", "upturned", "upward", "upwardly", "upwards", "upwind", "uranium", "uranus", "urban", "urbane", "urbanely", "urbanisation", "urbanise", "urbanised", "urbanising", "urbanites", "urbanity", "urchin", "urchins", "urea", "ureter", "ureters", "urethane", "urethra", "urethrae", "urethral", "urethras", "urethritis", "urge", "urged", "urgency", "urgent", "urgently", "urges", "urging", "urgings", "urinary", "urine", "urn", "urns", "urologist", "ursine", "urticaria", "uruguay", "us", "usability", "usable", "usage", "usages", "usances", "use", "useable", "used", "useful", "usefully", "usefulness", "useless", "uselessly", "uselessness", "user", "userfriendliness", "userfriendly", "users", "uses", "usher", "ushered", "usherette", "ushering", "ushers", "using", "usual", "usually", "usurer", "usurers", "usurious", "usurp", "usurpation", "usurped", "usurper", "usurping", "usury", "utah", "utensil", "utensils", "uteri", "uterine", "uterus", "utilisation", "utilise", "utilised", "utilises", "utilising", "utilitarian", "utilitarianism", "utilitarians", "utilities", "utility", "utmost", "utopia", "utopian", "utopians", "utopias", "utter", "utterance", "utterances", "uttered", "utterer", "uttering", "utterly", "uttermost", "utters", "uturns", "uvula", "uvular", "vacancies", "vacancy", "vacant", "vacantly", "vacate", "vacated", "vacates", "vacating", "vacation", "vacations", "vaccinate", "vaccinated", "vaccinating", "vaccination", "vaccinations", "vaccine", "vaccines", "vacillate", "vacillating", "vacillation", "vacillations", "vacua", "vacuity", "vacuole", "vacuoles", "vacuous", "vacuously", "vacuum", "vacuums", "vaduz", "vagabond", "vagabonds", "vagrancy", "vagrant", "vagrants", "vague", "vaguely", "vagueness", "vaguer", "vaguest", "vain", "vainer", "vainest", "vainglorious", "vainglory", "vainly", "valance", "vale", "valediction", "valedictory", "valence", "valencies", "valency", "valentine", "vales", "valet", "valets", "valhalla", "valiant", "valiantly", "valid", "validate", "validated", "validates", "validating", "validation", "validity", "validly", "valise", "valley", "valleys", "valour", "valuable", "valuables", "valuation", "valuations", "value", "valueadded", "valued", "valueformoney", "valueless", "valuer", "valuers", "values", "valuing", "valuta", "valve", "valves", "vamp", "vamped", "vamper", "vamping", "vampire", "vampires", "vamps", "van", "vanadium", "vandal", "vandalise", "vandalised", "vandalising", "vandalism", "vandals", "vane", "vaned", "vanes", "vangogh", "vanguard", "vanilla", "vanish", "vanished", "vanishes", "vanishing", "vanishingly", "vanities", "vanity", "vanquish", "vanquished", "vanquishing", "vans", "vantage", "vapid", "vaporisation", "vaporise", "vaporised", "vaporising", "vaporous", "vapour", "vapours", "variability", "variable", "variables", "variably", "variance", "variances", "variant", "variants", "variate", "variates", "variation", "variational", "variations", "varicose", "varied", "variegated", "varies", "varietal", "varieties", "variety", "various", "variously", "varnish", "varnished", "varnishes", "varnishing", "varsity", "vary", "varying", "vascular", "vase", "vasectomies", "vasectomy", "vaseline", "vases", "vassal", "vassalage", "vassals", "vast", "vaster", "vastly", "vastness", "vat", "vatican", "vats", "vault", "vaulted", "vaulting", "vaults", "vaunted", "vaunting", "veal", "vector", "vectored", "vectoring", "vectorisation", "vectorised", "vectors", "veer", "veered", "veering", "veers", "veg", "vegan", "vegans", "vegetable", "vegetables", "vegetarian", "vegetarianism", "vegetarians", "vegetate", "vegetated", "vegetating", "vegetation", "vegetational", "vegetative", "vegetive", "veggies", "vehemence", "vehement", "vehemently", "vehicle", "vehicles", "vehicular", "veil", "veiled", "veiling", "veils", "vein", "veined", "veins", "velar", "veld", "veldt", "vellum", "velocipede", "velocities", "velocity", "velodrome", "velour", "velum", "velvet", "velveteen", "velveteens", "velvets", "velvety", "venal", "venality", "vend", "venders", "vendetta", "vendettas", "vending", "vendor", "vendors", "vends", "veneer", "veneered", "veneers", "venerable", "venerate", "venerated", "venerates", "venerating", "veneration", "venereal", "venetian", "vengeance", "vengeful", "vengefully", "venial", "venice", "venison", "venom", "venomous", "venomously", "venoms", "venose", "venous", "vent", "vented", "ventilate", "ventilated", "ventilating", "ventilation", "ventilator", "ventilators", "venting", "ventings", "ventral", "ventrally", "ventricle", "ventricles", "ventricular", "ventriloquism", "ventriloquist", "ventriloquists", "ventriloquy", "vents", "venture", "ventured", "venturer", "ventures", "venturesome", "venturing", "venue", "venues", "venus", "veracity", "veranda", "verandah", "verandahs", "verandas", "verb", "verbal", "verbalise", "verbally", "verbals", "verbatim", "verbiage", "verbose", "verbosely", "verboseness", "verbosity", "verbs", "verdant", "verdict", "verdicts", "verdigris", "verdure", "verge", "verged", "verger", "verges", "verging", "verifiability", "verifiable", "verification", "verifications", "verified", "verifier", "verifiers", "verifies", "verify", "verifying", "verily", "verisimilitude", "veritable", "veritably", "verities", "verity", "vermilion", "vermin", "verminous", "vernacular", "vernal", "vernier", "verona", "versatile", "versatility", "verse", "versed", "verses", "versicle", "versification", "versifier", "version", "versions", "versus", "vertebra", "vertebrae", "vertebral", "vertebrate", "vertebrates", "vertex", "vertical", "verticality", "vertically", "verticals", "vertices", "vertiginous", "vertigo", "verve", "very", "vesicle", "vesicles", "vesicular", "vespers", "vessel", "vessels", "vest", "vestal", "vested", "vestibular", "vestibule", "vestibules", "vestige", "vestiges", "vestigial", "vesting", "vestment", "vestments", "vestry", "vests", "vesuvius", "vet", "veteran", "veterans", "veterinary", "veto", "vetoed", "vetoing", "vets", "vetted", "vetting", "vex", "vexation", "vexations", "vexatious", "vexed", "vexes", "vexing", "via", "viability", "viable", "viably", "viaduct", "viaducts", "vial", "vials", "vibes", "vibrancy", "vibrant", "vibrantly", "vibrate", "vibrated", "vibrates", "vibrating", "vibration", "vibrational", "vibrationally", "vibrations", "vibrato", "vibrator", "vibrators", "vibratory", "vicar", "vicarage", "vicarages", "vicarious", "vicariously", "vicars", "vice", "vicechancellor", "vicechancellors", "vicepresidency", "vicepresident", "vicepresidential", "vicepresidents", "viceroy", "viceroys", "vices", "vicinities", "vicinity", "vicious", "viciously", "viciousness", "vicissitude", "vicissitudes", "victim", "victimisation", "victimise", "victimised", "victimises", "victimising", "victimless", "victims", "victor", "victoria", "victories", "victorious", "victoriously", "victors", "victory", "victualling", "victuals", "video", "videoconferencing", "videodisc", "videoed", "videoing", "videophone", "videos", "videotape", "videotaped", "videotapes", "videotaping", "vie", "vied", "vienna", "vier", "vies", "view", "viewable", "viewed", "viewer", "viewers", "viewfinder", "viewfinders", "viewing", "viewings", "viewpoint", "viewpoints", "views", "vigil", "vigilance", "vigilant", "vigilante", "vigilantes", "vigilantly", "vigils", "vignette", "vignettes", "vigorous", "vigorously", "vigour", "viking", "vikings", "vile", "vilely", "vileness", "viler", "vilest", "vilification", "vilified", "vilify", "vilifying", "villa", "village", "villager", "villagers", "villages", "villain", "villainous", "villains", "villainy", "villas", "vim", "vims", "vindicate", "vindicated", "vindicates", "vindicating", "vindication", "vindictive", "vindictively", "vindictiveness", "vine", "vinegar", "vinegars", "vines", "vineyard", "vineyards", "vino", "vintage", "vintages", "vintner", "vinyl", "vinyls", "viol", "viola", "violas", "violate", "violated", "violates", "violating", "violation", "violations", "violator", "violators", "violence", "violent", "violently", "violet", "violets", "violin", "violinist", "violinists", "violins", "violist", "viper", "vipers", "virago", "viral", "virgil", "virgin", "virginal", "virginia", "virginity", "virgins", "virile", "virility", "virology", "virtual", "virtually", "virtue", "virtues", "virtuosi", "virtuosic", "virtuosity", "virtuoso", "virtuous", "virtuously", "virulence", "virulent", "virulently", "virus", "viruses", "visa", "visage", "visas", "viscose", "viscosity", "viscount", "viscounts", "viscous", "vise", "visibilities", "visibility", "visible", "visibly", "vision", "visionaries", "visionary", "visions", "visit", "visitable", "visitant", "visitation", "visitations", "visited", "visiting", "visitor", "visitors", "visits", "visor", "visors", "vista", "vistas", "visual", "visualisation", "visualise", "visualised", "visualising", "visually", "visuals", "vital", "vitalise", "vitality", "vitally", "vitals", "vitamin", "vitamins", "vitiate", "vitiated", "vitiates", "vitiating", "vitreous", "vitrified", "vitriol", "vitriolic", "vituperate", "vituperation", "vituperative", "viva", "vivacious", "vivaciously", "vivacity", "vivid", "vividly", "vividness", "vivified", "vivisected", "vivisection", "vivisectionist", "vivisectionists", "vixen", "vixens", "vizier", "vocabularies", "vocabulary", "vocal", "vocalisation", "vocalisations", "vocalise", "vocalised", "vocalising", "vocalist", "vocalists", "vocally", "vocals", "vocation", "vocational", "vocationally", "vocations", "vocative", "vociferous", "vociferously", "vodka", "vogue", "voice", "voiced", "voiceless", "voices", "voicing", "voicings", "void", "voidable", "voided", "voiding", "voids", "voile", "volatile", "volatiles", "volatility", "volcanic", "volcanically", "volcanism", "volcano", "vole", "voles", "volga", "volition", "volley", "volleyball", "volleyed", "volleying", "volleys", "volt", "voltage", "voltages", "voltmeter", "volts", "volubility", "voluble", "volubly", "volume", "volumes", "volumetric", "voluminous", "voluntarily", "voluntary", "volunteer", "volunteered", "volunteering", "volunteers", "voluptuous", "voluptuously", "voluptuousness", "volute", "vomit", "vomited", "vomiting", "vomits", "voodoo", "voracious", "voraciously", "voracity", "vortex", "vortexes", "vortices", "vorticity", "vote", "voted", "voteless", "voter", "voters", "votes", "voting", "votive", "vouch", "vouched", "voucher", "vouchers", "vouches", "vouchsafe", "vouchsafed", "vouchsafing", "vow", "vowed", "vowel", "vowels", "vowing", "vows", "voyage", "voyaged", "voyager", "voyagers", "voyages", "voyaging", "voyeur", "voyeurism", "voyeuristic", "voyeurs", "vulcan", "vulcanise", "vulcanised", "vulcanism", "vulcanologist", "vulgar", "vulgarities", "vulgarity", "vulgarly", "vulgate", "vulnerabilities", "vulnerability", "vulnerable", "vulpine", "vulture", "vultures", "vulva", "vying", "wackier", "wacky", "wad", "wadding", "waddle", "waddled", "waddles", "waddling", "wade", "waded", "wader", "waders", "wades", "wadi", "wading", "wadings", "wadis", "wads", "wafer", "wafers", "waffle", "waffled", "waffles", "waft", "wafted", "wafting", "wafts", "wafture", "wag", "wage", "waged", "wager", "wagered", "wagerer", "wagers", "wages", "wagged", "waggery", "wagging", "waggish", "waggishly", "waggle", "waggled", "waggles", "waggling", "waggly", "waggoners", "waggons", "waging", "wagon", "wagons", "wags", "wagtail", "wagtails", "waif", "waifs", "wail", "wailed", "wailer", "wailing", "wails", "wainscot", "wainscoting", "waist", "waistband", "waistcoat", "waistcoats", "waistline", "waists", "wait", "waited", "waiter", "waiters", "waiting", "waitress", "waitresses", "waits", "waive", "waived", "waiver", "waivers", "waives", "waiving", "wake", "waked", "wakeful", "wakefulness", "waken", "wakened", "wakening", "wakens", "wakes", "waking", "wales", "walk", "walkable", "walkabout", "walkabouts", "walked", "walker", "walkers", "walkietalkie", "walkietalkies", "walking", "walkout", "walkover", "walks", "walkway", "walkways", "wall", "wallabies", "wallaby", "wallchart", "walled", "wallet", "wallets", "wallflower", "wallflowers", "walling", "wallop", "wallow", "wallowed", "wallowing", "wallows", "wallpaper", "wallpapering", "wallpapers", "walls", "walltowall", "walnut", "walnuts", "walrus", "walruses", "waltz", "waltzed", "waltzes", "waltzing", "wan", "wand", "wander", "wandered", "wanderer", "wanderers", "wandering", "wanderings", "wanderlust", "wanders", "wands", "wane", "waned", "wanes", "waning", "wanly", "want", "wanted", "wanting", "wanton", "wantonly", "wantonness", "wants", "wapiti", "wapitis", "war", "warble", "warbled", "warbler", "warblers", "warbles", "warbling", "ward", "warded", "warden", "wardens", "warder", "warders", "warding", "wardrobe", "wardrobes", "wards", "wardship", "ware", "warehouse", "warehoused", "warehouseman", "warehousemen", "warehouses", "warehousing", "wares", "warfare", "warhead", "warheads", "warhorse", "warhorses", "wariest", "warily", "wariness", "waring", "warlike", "warlock", "warlocks", "warlord", "warlords", "warm", "warmblooded", "warmed", "warmer", "warmers", "warmest", "warmhearted", "warmheartedness", "warming", "warmish", "warmly", "warmness", "warmonger", "warms", "warmth", "warmup", "warn", "warned", "warners", "warning", "warningly", "warnings", "warns", "warp", "warpaint", "warpath", "warped", "warping", "warplanes", "warps", "warrant", "warranted", "warranties", "warranting", "warrants", "warranty", "warred", "warren", "warrens", "warring", "warrior", "warriors", "wars", "warsaw", "warship", "warships", "wart", "warthog", "warthogs", "wartime", "warts", "warty", "wary", "was", "wash", "washable", "washbasin", "washbasins", "washboard", "washday", "washed", "washer", "washers", "washerwoman", "washerwomen", "washes", "washing", "washings", "washington", "washout", "washstand", "washy", "wasp", "waspish", "waspishly", "wasps", "waspwaisted", "wast", "wastage", "wastages", "waste", "wasted", "wasteful", "wastefully", "wastefulness", "wasteland", "wastelands", "wastepaper", "waster", "wasters", "wastes", "wasting", "wastings", "wastrel", "watch", "watchable", "watchdog", "watchdogs", "watched", "watcher", "watchers", "watches", "watchful", "watchfully", "watchfulness", "watching", "watchmaker", "watchmakers", "watchman", "watchmen", "watchtower", "watchtowers", "watchword", "watchwords", "water", "waterbed", "waterbeds", "watercolour", "watercolourists", "watercolours", "watercooled", "watercourse", "watercourses", "watercress", "watered", "waterfall", "waterfalls", "waterfowl", "waterfront", "waterglass", "waterhole", "waterholes", "watering", "waterless", "waterline", "waterlogged", "waterloo", "waterman", "watermark", "watermarks", "watermelon", "watermelons", "watermen", "watermill", "watermills", "waterproof", "waterproofed", "waterproofing", "waterproofs", "waterresistant", "waters", "watershed", "watersheds", "waterside", "waterskiing", "watersoluble", "waterspouts", "watertable", "watertight", "waterway", "waterways", "waterwheel", "waterwheels", "waterworks", "watery", "watt", "wattage", "wattle", "watts", "wave", "waveband", "wavebands", "waved", "waveform", "waveforms", "wavefront", "waveguide", "waveguides", "wavelength", "wavelengths", "wavelet", "wavelets", "wavelike", "waver", "wavered", "waverers", "wavering", "wavers", "waves", "wavier", "waviest", "wavily", "waving", "wavings", "wavy", "wax", "waxed", "waxen", "waxes", "waxing", "waxpaper", "waxwork", "waxworks", "waxy", "way", "wayout", "ways", "wayside", "wayward", "waywardly", "waywardness", "we", "weak", "weaken", "weakened", "weakening", "weakens", "weaker", "weakest", "weakish", "weakkneed", "weakling", "weaklings", "weakly", "weakminded", "weakness", "weaknesses", "weal", "wealth", "wealthier", "wealthiest", "wealthy", "wean", "weaned", "weaning", "weanling", "weans", "weapon", "weaponry", "weapons", "wear", "wearable", "wearer", "wearers", "wearied", "wearier", "wearies", "weariest", "wearily", "weariness", "wearing", "wearisome", "wears", "weary", "wearying", "wearyingly", "weasel", "weaselling", "weaselly", "weasels", "weather", "weatherbeaten", "weatherbound", "weathercock", "weathercocks", "weathered", "weathering", "weatherman", "weathermen", "weatherproof", "weathers", "weathervane", "weatherworn", "weave", "weaved", "weaver", "weavers", "weaves", "weaving", "weavings", "web", "webbed", "webbing", "webby", "webfoot", "webs", "website", "wed", "wedded", "wedding", "weddings", "wedge", "wedged", "wedges", "wedging", "wedlock", "weds", "wee", "weed", "weeded", "weedier", "weediest", "weeding", "weedkiller", "weedkillers", "weeds", "weedy", "week", "weekday", "weekdays", "weekend", "weekenders", "weekends", "weeklies", "weekly", "weeks", "ween", "weeny", "weep", "weeper", "weeping", "weepings", "weeps", "weepy", "weevil", "weevils", "weigh", "weighbridge", "weighed", "weighing", "weighs", "weight", "weighted", "weightier", "weightiest", "weightily", "weighting", "weightings", "weightless", "weightlessly", "weightlessness", "weightlifter", "weightlifters", "weightlifting", "weights", "weighty", "weir", "weird", "weirder", "weirdest", "weirdly", "weirdness", "weirdo", "weirs", "welcome", "welcomed", "welcomer", "welcomes", "welcoming", "weld", "welded", "welder", "welders", "welding", "welds", "welfare", "well", "welladjusted", "wellbalanced", "wellbehaved", "wellbeing", "wellbeloved", "wellborn", "wellbred", "wellbuilt", "wellchosen", "wellconnected", "welldefined", "welldeserved", "welldesigned", "welldeveloped", "welldisposed", "welldressed", "wellearned", "welled", "welleducated", "wellendowed", "wellequipped", "wellestablished", "wellfed", "wellformed", "wellfounded", "wellgrounded", "wellhead", "wellinformed", "welling", "wellington", "wellingtons", "wellintentioned", "wellkept", "wellknown", "wellliked", "wellloved", "wellmade", "wellmannered", "wellmarked", "wellmatched", "wellmeaning", "wellmeant", "welloff", "wellordered", "wellorganised", "wellpaid", "wellplaced", "wellprepared", "wellpreserved", "wellread", "wellreceived", "wellrounded", "wells", "wellspoken", "wellstructured", "wellsupported", "welltaken", "wellthoughtout", "welltimed", "welltodo", "welltried", "wellused", "wellwisher", "wellwishers", "wellworn", "welly", "welsh", "welshman", "welt", "welter", "weltering", "welters", "welterweight", "welts", "wench", "wenches", "wend", "wended", "wending", "wends", "went", "wept", "were", "werewolf", "werewolves", "west", "westbound", "westerly", "western", "westerner", "westerners", "westernisation", "westernised", "westernmost", "westerns", "westward", "westwards", "wet", "wether", "wetland", "wetlands", "wetly", "wetness", "wets", "wetsuit", "wetsuits", "wettable", "wetted", "wetter", "wettest", "wetting", "whack", "whacked", "whacker", "whacko", "whacks", "whale", "whalebone", "whaler", "whalers", "whales", "whaling", "wham", "whap", "wharf", "wharfs", "wharves", "what", "whatever", "whatnot", "whatsoever", "wheals", "wheat", "wheatears", "wheaten", "wheatgerm", "wheats", "whee", "wheedle", "wheedled", "wheedling", "wheel", "wheelbarrow", "wheelbarrows", "wheelbase", "wheelchair", "wheelchairs", "wheeled", "wheeler", "wheelers", "wheelhouse", "wheelie", "wheeling", "wheels", "wheelwright", "wheelwrights", "wheeze", "wheezed", "wheezes", "wheezing", "wheezy", "whelk", "whelked", "whelks", "whelp", "when", "whence", "whenever", "where", "whereabouts", "whereas", "whereby", "wherefore", "wherefores", "wherein", "whereof", "whereon", "wheresoever", "whereto", "whereupon", "wherever", "wherewith", "wherewithal", "wherry", "whet", "whether", "whetstone", "whetstones", "whetted", "whetting", "whey", "which", "whichever", "whiff", "whiffs", "while", "whiled", "whiles", "whiling", "whilst", "whim", "whimper", "whimpered", "whimpering", "whimpers", "whims", "whimsical", "whimsically", "whimsy", "whine", "whined", "whines", "whining", "whinnied", "whinny", "whinnying", "whip", "whipcord", "whiplash", "whipped", "whipper", "whippet", "whippets", "whipping", "whippy", "whips", "whir", "whirl", "whirled", "whirligig", "whirling", "whirlpool", "whirlpools", "whirls", "whirlwind", "whirlwinds", "whirr", "whirred", "whirring", "whisk", "whisked", "whisker", "whiskers", "whiskery", "whiskey", "whiskeys", "whiskies", "whisking", "whisks", "whisky", "whisper", "whispered", "whisperers", "whispering", "whisperings", "whispers", "whist", "whistle", "whistled", "whistler", "whistles", "whistling", "whists", "white", "whitebait", "whiteboards", "whitecollar", "whitely", "whiten", "whitened", "whitener", "whiteness", "whitening", "whitens", "whiter", "whites", "whitest", "whitewash", "whitewashed", "whitewashing", "whither", "whiting", "whitish", "whittle", "whittled", "whittling", "whizkids", "whizz", "whizzkid", "who", "whoa", "whodunit", "whodunnit", "whoever", "whole", "wholefood", "wholegrain", "wholehearted", "wholeheartedly", "wholemeal", "wholeness", "wholes", "wholesale", "wholesaler", "wholesalers", "wholesaling", "wholesome", "wholesomely", "wholesomeness", "wholewheat", "wholly", "whom", "whomever", "whomsoever", "whoop", "whooped", "whooping", "whoops", "whoosh", "whop", "whore", "whorehouse", "whores", "whoring", "whorled", "whorls", "whose", "whosoever", "why", "whys", "wick", "wicked", "wickedest", "wickedly", "wickedness", "wicker", "wickerwork", "wicket", "wicketkeeper", "wicketkeepers", "wicketkeeping", "wickets", "wicks", "wide", "wideeyed", "widely", "widen", "widened", "wideness", "widening", "widens", "wideopen", "wider", "wideranging", "wides", "widescreen", "widespread", "widest", "widgeon", "widget", "widow", "widowed", "widower", "widowers", "widowhood", "widows", "width", "widths", "wield", "wielded", "wielder", "wielding", "wields", "wife", "wifeless", "wifely", "wig", "wigeon", "wigeons", "wigging", "wiggle", "wiggled", "wiggler", "wiggles", "wiggling", "wigs", "wigwam", "wigwams", "wild", "wildcat", "wildcats", "wildebeest", "wilder", "wilderness", "wildernesses", "wildest", "wildeyed", "wildfire", "wildfires", "wildfowl", "wildlife", "wildly", "wildness", "wildoats", "wilds", "wile", "wiles", "wilful", "wilfully", "wilfulness", "wilier", "wiliest", "wiling", "will", "willed", "willing", "willingly", "willingness", "willow", "willows", "willowy", "willpower", "wills", "willynilly", "wilt", "wilted", "wilting", "wilts", "wily", "wimp", "wimple", "wimpy", "win", "wince", "winced", "winces", "winch", "winched", "winches", "winching", "wincing", "wind", "windbag", "windbags", "windbreak", "windcheater", "windcheaters", "winded", "winder", "winders", "windfall", "windfalls", "windier", "windiest", "windily", "winding", "windings", "windlass", "windless", "windmill", "windmills", "window", "windowed", "windowing", "windowless", "windows", "windowshop", "windowshopping", "windpipe", "winds", "windscreen", "windscreens", "windsock", "windsor", "windsurf", "windsurfer", "windsurfers", "windsurfing", "windswept", "windward", "windy", "wine", "wined", "wineglass", "wineglasses", "winemakers", "winery", "wines", "wineskin", "wing", "winged", "winger", "wingers", "winging", "wingless", "wings", "wingspan", "wining", "wink", "winked", "winker", "winkers", "winking", "winkle", "winkled", "winkles", "winks", "winnable", "winner", "winners", "winning", "winningly", "winnings", "winnow", "winnowing", "wins", "winsome", "winter", "wintered", "wintering", "winters", "wintertime", "wintery", "wintrier", "wintriest", "wintry", "wipe", "wiped", "wiper", "wipers", "wipes", "wiping", "wire", "wired", "wireless", "wirer", "wires", "wirier", "wiriest", "wiring", "wirings", "wiry", "wisdom", "wisdoms", "wise", "wisecracks", "wiseguys", "wisely", "wiser", "wisest", "wish", "wishbone", "wished", "wishes", "wishful", "wishfully", "wishing", "wishywashy", "wisp", "wisps", "wispy", "wistful", "wistfully", "wistfulness", "wit", "witch", "witchcraft", "witchdoctor", "witchdoctors", "witchery", "witches", "witchhunt", "witchhunts", "witchlike", "with", "withdraw", "withdrawal", "withdrawals", "withdrawing", "withdrawn", "withdraws", "withdrew", "wither", "withered", "withering", "witheringly", "withers", "withheld", "withhold", "withholding", "withholds", "within", "without", "withstand", "withstanding", "withstands", "withstood", "witless", "witness", "witnessed", "witnesses", "witnessing", "wits", "witter", "wittering", "witticism", "witticisms", "wittier", "wittiest", "wittily", "wittiness", "witting", "wittingly", "witty", "wives", "wizard", "wizardry", "wizards", "wizened", "woad", "wobble", "wobbled", "wobbler", "wobbles", "wobblier", "wobbliest", "wobbling", "wobbly", "wodan", "wodge", "woe", "woebegone", "woeful", "woefully", "woes", "wok", "woke", "woken", "woks", "wold", "wolds", "wolf", "wolfcubs", "wolfed", "wolfhound", "wolfhounds", "wolfish", "wolfishly", "wolfwhistles", "wolves", "woman", "womanhood", "womanise", "womaniser", "womanish", "womanising", "womankind", "womanliness", "womanly", "womans", "womb", "wombat", "wombats", "wombs", "women", "womenfolk", "won", "wonder", "wondered", "wonderful", "wonderfully", "wonderfulness", "wondering", "wonderingly", "wonderland", "wonderment", "wonders", "wondrous", "wondrously", "wont", "woo", "wood", "woodbine", "woodcock", "woodcocks", "woodcut", "woodcuts", "woodcutter", "woodcutters", "wooded", "wooden", "woodenly", "woodenness", "woodland", "woodlands", "woodlice", "woodlouse", "woodman", "woodmen", "woodpecker", "woodpeckers", "woodpile", "woods", "woodshed", "woodsman", "woodsmoke", "woodwind", "woodwork", "woodworker", "woodworkers", "woodworking", "woodworm", "woody", "wooed", "wooer", "woof", "woofer", "woofers", "wooing", "wool", "woollen", "woollens", "woollier", "woollies", "woollike", "woolliness", "woolly", "wools", "wooly", "woos", "word", "wordage", "worded", "wordgame", "wordier", "wordiest", "wordiness", "wording", "wordings", "wordless", "wordlessly", "wordplay", "wordprocessing", "words", "wordsmith", "wordy", "wore", "work", "workability", "workable", "workaday", "workbench", "workbook", "workbooks", "workday", "workdays", "worked", "worker", "workers", "workfare", "workforce", "workforces", "workhorse", "workhorses", "workhouse", "workhouses", "working", "workings", "workless", "workload", "workloads", "workman", "workmanlike", "workmanship", "workmate", "workmates", "workmen", "workout", "workouts", "workpeople", "workpiece", "workpieces", "workplace", "workplaces", "workroom", "workrooms", "works", "worksheet", "worksheets", "workshop", "workshops", "workshy", "workspace", "workstation", "workstations", "worktop", "worktops", "workweek", "world", "worldclass", "worldfamous", "worldliness", "worldly", "worlds", "worldwar", "worldwide", "worm", "wormhole", "wormholes", "worming", "wormlike", "worms", "wormy", "worn", "worried", "worriedly", "worrier", "worriers", "worries", "worrisome", "worry", "worrying", "worryingly", "worse", "worsen", "worsened", "worsening", "worsens", "worser", "worship", "worshipful", "worshipped", "worshipper", "worshippers", "worshipping", "worships", "worst", "worsted", "worth", "worthier", "worthies", "worthiest", "worthily", "worthiness", "worthless", "worthlessness", "worthwhile", "worthy", "would", "wound", "wounded", "wounding", "wounds", "wove", "woven", "wow", "wowed", "wows", "wrack", "wracked", "wraith", "wraiths", "wrangle", "wrangled", "wrangler", "wrangles", "wrangling", "wrap", "wraparound", "wrapped", "wrapper", "wrappers", "wrapping", "wrappings", "wraps", "wrasse", "wrath", "wrathful", "wrathfully", "wraths", "wreak", "wreaked", "wreaking", "wreaks", "wreath", "wreathe", "wreathed", "wreathes", "wreathing", "wreaths", "wreck", "wreckage", "wrecked", "wrecker", "wreckers", "wrecking", "wrecks", "wren", "wrench", "wrenched", "wrenches", "wrenching", "wrens", "wrest", "wrested", "wresting", "wrestle", "wrestled", "wrestler", "wrestlers", "wrestles", "wrestling", "wretch", "wretched", "wretchedly", "wretchedness", "wretches", "wriggle", "wriggled", "wriggles", "wriggling", "wriggly", "wright", "wring", "wringer", "wringing", "wrings", "wrinkle", "wrinkled", "wrinkles", "wrinkling", "wrinkly", "wrist", "wristband", "wristbands", "wrists", "wristwatch", "writ", "writable", "write", "writer", "writers", "writes", "writhe", "writhed", "writhes", "writhing", "writing", "writings", "writs", "written", "wrong", "wrongdoer", "wrongdoers", "wrongdoing", "wrongdoings", "wronged", "wronger", "wrongest", "wrongful", "wrongfully", "wronging", "wrongly", "wrongness", "wrongs", "wrote", "wrought", "wroughtiron", "wrung", "wry", "wryly", "wryness", "wunderkind", "xenon", "xenophobe", "xenophobia", "xenophobic", "xerography", "xhosa", "xhosas", "xmas", "xray", "xrayed", "xraying", "xrays", "xylophone", "xylophonist", "yacht", "yachting", "yachts", "yachtsman", "yachtsmen", "yak", "yaks", "yale", "yalelock", "yam", "yams", "yank", "yankee", "yankees", "yanks", "yap", "yapping", "yaps", "yard", "yardage", "yards", "yardstick", "yardsticks", "yarn", "yarns", "yaw", "yawed", "yawl", "yawls", "yawn", "yawned", "yawning", "yawningly", "yawns", "yaws", "ye", "yea", "yeah", "yeaned", "year", "yearbook", "yearbooks", "yearling", "yearlings", "yearlong", "yearly", "yearn", "yearned", "yearning", "yearningly", "yearnings", "yearns", "years", "yeas", "yeast", "yeasts", "yeasty", "yell", "yelled", "yelling", "yellings", "yellow", "yellowed", "yellower", "yellowing", "yellowish", "yellows", "yellowy", "yells", "yelp", "yelped", "yelping", "yelpings", "yelps", "yemen", "yen", "yens", "yeoman", "yeomanry", "yeomen", "yep", "yes", "yesterday", "yesterdays", "yesteryear", "yet", "yeti", "yetis", "yew", "yews", "yiddish", "yield", "yielded", "yielding", "yields", "yip", "yippee", "yodel", "yodelled", "yodeller", "yodelling", "yodels", "yoga", "yogi", "yoke", "yoked", "yokel", "yokels", "yokes", "yolk", "yolks", "yon", "yonder", "yore", "york", "yorker", "yorkers", "you", "young", "younger", "youngest", "youngish", "youngster", "youngsters", "your", "yours", "yourself", "yourselves", "youth", "youthful", "youthfulness", "youths", "yowl", "yoyo", "yrs", "yttrium", "yuck", "yukon", "yule", "yuletide", "yummiest", "yummy", "yuppie", "yuppies", "zag", "zaire", "zambezi", "zambia", "zambian", "zambians", "zaniest", "zany", "zanzibar", "zap", "zapping", "zappy", "zaps", "zeal", "zealot", "zealotry", "zealots", "zealous", "zealously", "zealousness", "zeals", "zebra", "zebras", "zebu", "zebus", "zees", "zenith", "zeniths", "zeolite", "zeolites", "zephyr", "zephyrs", "zeppelin", "zero", "zeroed", "zeroing", "zest", "zestfully", "zesty", "zeta", "zeus", "zig", "zigzag", "zigzagged", "zigzagging", "zigzags", "zillion", "zillions", "zimbabwe", "zinc", "zion", "zionism", "zionist", "zionists", "zip", "zipped", "zipper", "zippers", "zipping", "zippy", "zips", "zither", "zithers", "zombi", "zombie", "zombies", "zonal", "zonation", "zone", "zoned", "zones", "zoning", "zoo", "zookeepers", "zoological", "zoologist", "zoologists", "zoology", "zoom", "zoomed", "zooming", "zooms", "zooplankton", "zoos", "zulu", "zulus" ], "hearthstone_cardlist" : [ "Abomination", "Abusive Sergeant", "Acidic Swamp Ooze", "Acidmaw", "Acolyte of Pain", "Al'Akir the Windlord", "Alarm-o-Bot", "Aldor Peacekeeper", "Alexstrasza", "Alexstrasza's Champion", "Amani Berserker", "Ancestor's Call", "Ancestral Healing", "Ancestral Knowledge", "Ancestral Spirit", "Ancient Brewmaster", "Ancient Mage", "Ancient of Lore", "Ancient of War", "Ancient Shade", "Ancient Watcher", "Angry Chicken", "Anima Golem", "Animal Companion", "Animated Armor", "Annoy-o-Tron", "Anodized Robo Cub", "Antique Healbot", "Anub'ar Ambusher", "Anub'arak", "Anubisath Sentinel", "Anyfin Can Happen", "Arathi Weaponsmith", "Arcane Blast", "Arcane Explosion", "Arcane Golem", "Arcane Intellect", "Arcane Missiles", "Arcane Nullifier X-21", "Arcane Shot", "Arcanite Reaper", "Arch-Thief Rafaam", "Archmage", "Archmage Antonidas", "Argent Commander", "Argent Horserider", "Argent Lance", "Argent Protector", "Argent Squire", "Argent Watchman", "Armored Warhorse", "Armorsmith", "Assassin's Blade", "Assassinate", "Astral Communion", "Auchenai Soulpriest", "Avenge", "Avenging Wrath", "Aviana", "Axe Flinger", "Azure Drake", "Backstab", "Ball of Spiders", "Bane of Doom", "Baron Geddon", "Baron Rivendare", "Bash", "Battle Rage", "Bear Trap", "Beneath the Grounds", "Bestial Wrath", "Betrayal", "Big Game Hunter", "Bite", "Blackwing Corruptor", "Blackwing Technician", "Blade Flurry", "Blessed Champion", "Blessing of Kings", "Blessing of Might", "Blessing of Wisdom", "Blingtron 3000", "Blizzard", "Blood Imp", "Blood Knight", "Bloodfen Raptor", "Bloodlust", "Bloodmage Thalnos", "Bloodsail Corsair", "Bloodsail Raider", "Bluegill Warrior", "Bolf Ramshield", "Bolster", "Bolvar Fordragon", "Bomb Lobber", "Boneguard Lieutenant", "Booty Bay Bodyguard", "Boulderfist Ogre", "Bouncing Blade", "Brann Bronzebeard", "Brave Archer", "Brawl", "Buccaneer", "Burgle", "Burly Rockjaw Trogg", "Cabal Shadow Priest", "Cairne Bloodhoof", "Call Pet", "Captain Greenskin", "Captain's Parrot", "Captured Jormungar", "Cenarius", "Charge", "Charged Hammer", "Chillmaw", "Chillwind Yeti", "Chromaggus", "Circle of Healing", "Claw", "Cleave", "Clockwork Giant", "Clockwork Gnome", "Clockwork Knight", "Cobalt Guardian", "Cobra Shot", "Coghammer", "Cogmaster", "Cogmaster's Wrench", "Cold Blood", "Coldarra Drake", "Coldlight Oracle", "Coldlight Seer", "Coliseum Manager", "Commanding Shout", "Competitive Spirit", "Conceal", "Cone of Cold", "Confessor Paletress", "Confuse", "Consecration", "Convert", "Core Hound", "Core Rager", "Corruption", "Counterspell", "Crackle", "Crazed Alchemist", "Crowd Favorite", "Cruel Taskmaster", "Crush", "Cult Master", "Curse of Rafaam", "Cursed Blade", "Cutpurse", "Dalaran Aspirant", "Dalaran Mage", "Dancing Swords", "Dark Bargain", "Dark Cultist", "Dark Iron Dwarf", "Dark Iron Skulker", "Dark Peddler", "Dark Wispers", "Darkbomb", "Darkscale Healer", "Darnassus Aspirant", "Dart Trap", "Deadly Poison", "Deadly Shot", "Death's Bite", "Deathlord", "Deathwing", "Defender of Argus", "Defias Ringleader", "Demolisher", "Demonfire", "Demonfuse", "Demonheart", "Demonwrath", "Desert Camel", "Dire Wolf Alpha", "Divine Favor", "Divine Spirit", "Djinni of Zephyrs", "Doomguard", "Doomhammer", "Doomsayer", "Dr. Boom", "Draenei Totemcarver", "Dragon Consort", "Dragon Egg", "Dragon's Breath", "Dragonhawk Rider", "Dragonkin Sorcerer", "Dragonling Mechanic", "Drain Life", "Drakonid Crusher", "Dread Corsair", "Dread Infernal", "Dreadscale", "Dreadsteed", "Druid of the Claw", "Druid of the Fang", "Druid of the Flame", "Druid of the Saber", "Dunemaul Shaman", "Duplicate", "Dust Devil", "Eadric the Pure", "Eaglehorn Bow", "Earth Elemental", "Earth Shock", "Earthen Ring Farseer", "Echo of Medivh", "Echoing Ooze", "Edwin VanCleef", "Eerie Statue", "Effigy", "Elemental Destruction", "Elise Starseeker", "Elite Tauren Chieftan", "Elven Archer", "Emperor Cobra", "Emperor Thaurissan", "Enhance-o Mechano", "Enter the Coliseum", "Entomb", "Equality", "Ethereal Arcanist", "Ethereal Conjurer", "Everyfin is Awesome", "Evil Heckler", "Eviscerate", "Excavated Evil", "Execute", "Explorer's Hat", "Explosive Sheep", "Explosive Shot", "Explosive Trap", "Eydis Darkbane", "Eye for an Eye", "Faceless Manipulator", "Faerie Dragon", "Fallen Hero", "Fan of Knives", "Far Sight", "Fearsome Doomguard", "Feign Death", "Fel Cannon", "Fel Reaver", "Felguard", "Fen Creeper", "Fencing Coach", "Feral Spirit", "Feugen", "Fierce Monkey", "Fiery War Axe", "Fire Elemental", "Fireball", "Fireguard Destroyer", "Fist of Jaraxxus", "Fjola Lightbane", "Flame Imp", "Flame Juggler", "Flame Lance", "Flame Leviathan", "Flamecannon", "Flamestrike", "Flametongue Totem", "Flamewaker", "Flare", "Flash Heal", "Flesheating Ghoul", "Floating Watcher", "Flying Machine", "Foe Reaper 4000", "Force of Nature", "Force-Tank MAX", "Forgotten Torch", "Forked Lightning", "Fossilized Devilsaur", "Freezing Trap", "Frigid Snobold", "Frost Elemental", "Frost Giant", "Frost Nova", "Frost Shock", "Frostbolt", "Frostwolf Grunt", "Frostwolf Warlord", "Frothing Berserker", "Gadgetzan Auctioneer", "Gadgetzan Jouster", "Gahz'rilla", "Gang Up", "Garrison Commander", "Gazlowe", "Gelbin Mekkatorque", "Gilblin Stalker", "Gladiator's Longbow", "Glaivezooka", "Gnomeregan Infantry", "Gnomish Experimenter", "Gnomish Inventor", "Goblin Auto-Barber", "Goblin Blastmage", "Goblin Sapper", "Goldshire Footman", "Gorehowl", "Gorillabot A-3", "Gormok the Impaler", "Grand Crusader", "Grim Patron", "Grimscale Oracle", "Grommash Hellscream", "Grove Tender", "Gruul", "Guardian of Kings", "Gurubashi Berserker", "Hammer of Wrath", "Hand of Protection", "Harrison Jones", "Harvest Golem", "Haunted Creeper", "Headcrack", "Healing Touch", "Healing Wave", "Hellfire", "Hemet Nesingwary", "Heroic Strike", "Hex", "Hobgoblin", "Hogger", "Holy Champion", "Holy Fire", "Holy Light", "Holy Nova", "Holy Smite", "Holy Wrath", "Houndmaster", "Huge Toad", "Humility", "Hungry Crab", "Hungry Dragon", "Hunter's Mark", "Ice Barrier", "Ice Block", "Ice Lance", "Ice Rager", "Icehowl", "Illidan Stormrage", "Illuminator", "Imp Gang Boss", "Imp Master", "Imp-losion", "Injured Blademaster", "Injured Kvaldir", "Inner Fire", "Inner Rage", "Innervate", "Iron Juggernaut", "Iron Sensei", "Ironbark Protector", "Ironbeak Owl", "Ironforge Rifleman", "Ironfur Grizzly", "Jeeves", "Jeweled Scarab", "Jungle Moonkin", "Jungle Panther", "Junkbot", "Justicar Trueheart", "Keeper of the Grove", "Keeper of Uldaman", "Kel'Thuzad", "Kezan Mystic", "Kidnapper", "Kill Command", "King Krush", "King Mukla", "King of Beasts", "King's Defender", "King's Elekk", "Kirin Tor Mage", "Knife Juggler", "Knight of the Wild", "Kobold Geomancer", "Kodorider", "Kor'kron Elite", "Kvaldir Raider", "Lance Carrier", "Lava Burst", "Lava Shock", "Lay on Hands", "Leeroy Jenkins", "Leper Gnome", "Light of the Naaru", "Light's Champion", "Light's Justice", "Lightbomb", "Lightning Bolt", "Lightning Storm", "Lightspawn", "Lightwarden", "Lightwell", "Lil' Exorcist", "Living Roots", "Loatheb", "Lock and Load", "Loot Hoarder", "Lord Jaraxxus", "Lord of the Arena", "Lorewalker Cho", "Lost Tallstrider", "Lowly Squire", "Mad Bomber", "Mad Scientist", "Madder Bomber", "Maexxna", "Magma Rager", "Magnataur Alpha", "Maiden of the Lake", "Majordomo Executus", "Mal'Ganis", "Malorne", "Malygos", "Mana Addict", "Mana Tide Totem", "Mana Wraith", "Mana Wyrm", "Mark of Nature", "Mark of the Wild", "Mass Dispel", "Master Jouster", "Master of Ceremonies", "Master of Disguise", "Master Swordsmith", "Mech-Bear-Cat", "Mechanical Yeti", "Mechwarper", "Mekgineer Thermaplugg", "Metaltooth Leaper", "Micro Machine", "Millhouse Manastorm", "Mimiron's Head", "Mind Blast", "Mind Control", "Mind Control Tech", "Mind Vision", "Mindgames", "Mini-Mage", "Mirror Entity", "Mirror Image", "Misdirection", "Mistress of Pain", "Mogor the Ogre", "Mogor's Champion", "Mogu'shan Warden", "Molten Giant", "Moonfire", "Mortal Coil", "Mortal Strike", "Mountain Giant", "Mounted Raptor", "Mukla's Champion", "Mulch", "Multi-Shot", "Murloc Knight", "Murloc Raider", "Murloc Tidecaller", "Murloc Tidehunter", "Murloc Tinyfin", "Murloc Warleader", "Museum Curator", "Muster for Battle", "Mysterious Challenger", "Naga Sea Witch", "Nat Pagle", "Naturalize", "Nefarian", "Neptulon", "Nerub'ar Weblord", "Nerubian Egg", "Nexus-Champion Saraad", "Nightblade", "Noble Sacrifice", "North Sea Kraken", "Northshire Cleric", "Nourish", "Novice Engineer", "Nozdormu", "Oasis Snapjaw", "Obsidian Destroyer", "Ogre Brute", "Ogre Magi", "Ogre Ninja", "Ogre Warmaul", "Old Murk-Eye", "One-Eyed Cheat", "Onyxia", "Orgrimmar Aspirant", "Patient Assassin", "Perdition's Blade", "Piloted Shredder", "Piloted Sky Golem", "Pint-Sized Summoner", "Pit Fighter", "Pit Lord", "Pit Snake", "Poison Seeds", "Poisoned Blade", "Polymorph", "Polymorph: Boar", "Power of the Wild", "Power Overwhelming", "Power Word: Glory", "Power Word: Shield", "Powermace", "Powershot", "Preparation", "Priestess of Elune", "Prophet Velen", "Puddlestomper", "Pyroblast", "Quartermaster", "Questing Adventurer", "Quick Shot", "Raging Worgen", "Ragnaros the Firelord", "Raid Leader", "Ram Wrangler", "Rampage", "Raven Idol", "Ravenholdt Assassin", "Razorfen Hunter", "Reckless Rocketeer", "Recombobulator", "Recruiter", "Recycle", "Redemption", "Refreshment Vendor", "Reincarnate", "Reliquary Seeker", "Rend Blackhand", "Reno Jackson", "Repentance", "Resurrect", "Revenge", "Rhonin", "River Crocolisk", "Rockbiter Weapon", "Rumbling Elemental", "Sabotage", "Saboteur", "Sacred Trial", "Sacrificial Pact", "Salty Dog", "Sap", "Savage Combatant", "Savage Roar", "Savagery", "Savannah Highmane", "Scarlet Crusader", "Scarlet Purifier", "Scavenging Hyena", "Screwjank Clunker", "Sea Giant", "Sea Reaver", "Seal of Champions", "Seal of Light", "Secretkeeper", "Sen'jin Shieldmasta", "Sense Demons", "Shade of Naxxramas", "Shado-Pan Rider", "Shadow Bolt", "Shadow Madness", "Shadow Word: Death", "Shadow Word: Pain", "Shadowbomber", "Shadowboxer", "Shadowfiend", "Shadowflame", "Shadowform", "Shadowstep", "Shady Dealer", "Shattered Sun Cleric", "Shield Block", "Shield Slam", "Shieldbearer", "Shielded Minibot", "Shieldmaiden", "Ship's Cannon", "Shiv", "Shrinkmeister", "SI:7 Agent", "Sideshow Spelleater", "Siege Engine", "Silence", "Silent Knight", "Siltfin Spiritwalker", "Silver Hand Knight", "Silver Hand Regent", "Silverback Patriarch", "Silvermoon Guardian", "Sinister Strike", "Siphon Soul", "Sir Finley Mrrgglton", "Skycap'n Kragg", "Slam", "Sludge Belcher", "Snake Trap", "Sneed's Old Shredder", "Snipe", "Snowchugger", "Solemn Vigil", "Soot Spewer", "Sorcerer's Apprentice", "Soul of the Forest", "Soulfire", "Southsea Captain", "Southsea Deckhand", "Sparring Partner", "Spawn of Shadows", "Spectral Knight", "Spellbender", "Spellbreaker", "Spellslinger", "Spider Tank", "Spiteful Smith", "Sprint", "Stablemaster", "Stalagg", "Stampeding Kodo", "Starfall", "Starfire", "Starving Buzzard", "Steamwheedle Sniper", "Stoneskin Gargoyle", "Stonesplinter Trogg", "Stonetusk Boar", "Stormforged Axe", "Stormpike Commando", "Stormwind Champion", "Stormwind Knight", "Stranglethorn Tiger", "Succubus", "Summoning Portal", "Summoning Stone", "Sunfury Protector", "Sunwalker", "Swipe", "Sword of Justice", "Sylvanas Windrunner", "Target Dummy", "Tauren Warrior", "Temple Enforcer", "The Beast", "The Black Knight", "The Mistcaller", "The Skeleton Knight", "Thoughtsteal", "Thrallmar Farseer", "Thunder Bluff Valiant", "Timber Wolf", "Tinker's Sharpsword Oil", "Tinkertown Technician", "Tinkmaster Overspark", "Tiny Knight of Evil", "Tirion Fordring", "Tomb Pillager", "Tomb Spider", "Toshley", "Totem Golem", "Totemic Might", "Tournament Attendee", "Tournament Medic", "Tracking", "Trade Prince Gallywix", "Tree of Life", "Troggzor the Earthinator", "Truesilver Champion", "Tundra Rhino", "Tunnel Trogg", "Tuskarr Jouster", "Tuskarr Totemic", "Twilight Drake", "Twilight Guardian", "Twilight Whelp", "Twisting Nether", "Unbound Elemental", "Undercity Valiant", "Undertaker", "Unearthed Raptor", "Unleash the Hounds", "Unstable Ghoul", "Unstable Portal", "Upgrade!", "Upgraded Repair Bot", "Vanish", "Vaporize", "Varian Wrynn", "Velen's Chosen", "Venture Co. Mercenary", "Violet Teacher", "Vitality Totem", "Void Crusher", "Void Terror", "Voidcaller", "Voidwalker", "Vol'jin", "Volcanic Drake", "Volcanic Lumberer", "Voodoo Doctor", "Wailing Soul", "War Golem", "Warbot", "Warhorse Trainer", "Warsong Commander", "Water Elemental", "Webspinner", "Wee Spellstopper", "Whirling Zap-o-matic", "Whirlwind", "Wild Growth", "Wild Pyromancer", "Wildwalker", "Wilfred Fizzlebang", "Windfury", "Windfury Harpy", "Windspeaker", "Wisp", "Wobbling Runts", "Wolfrider", "Worgen Infiltrator", "Wrath", "Wrathguard", "Wyrmrest Agent", "Young Dragonhawk", "Young Priestess", "Youthful Brewmaster", "Ysera", "Zombie Chow" ], "magicthegathering_cardlist" : [ "Air Elemental", "Ancestral Recall", "Animate Artifact", "Animate Dead", "Animate Wall", "Ankh of Mishra", "Armageddon", "Aspect of Wolf", "Bad Moon", "Badlands", "Balance", "Basalt Monolith", "Bayou", "Benalish Hero", "Berserk", "Birds of Paradise", "Black Knight", "Black Lotus", "Black Vise", "Black Ward", "Blaze of Glory", "Blessing", "Blue Elemental Blast", "Blue Ward", "Bog Wraith", "Braingeyser", "Burrowing", "Camouflage", "Castle", "Celestial Prism", "Channel", "Chaos Orb", "Chaoslace", "Circle of Protection: Blue", "Circle of Protection: Green", "Circle of Protection: Red", "Circle of Protection: White", "Clockwork Beast", "Clone", "Cockatrice", "Consecrate Land", "Conservator", "Contract from Below", "Control Magic", "Conversion", "Copper Tablet", "Copy Artifact", "Counterspell", "Craw Wurm", "Creature Bond", "Crusade", "Crystal Rod", "Cursed Land", "Cyclopean Tomb", "Dark Ritual", "Darkpact", "Death Ward", "Deathgrip", "Deathlace", "Demonic Attorney", "Demonic Hordes", "Demonic Tutor", "Dingus Egg", "Disenchant", "Disintegrate", "Disrupting Scepter", "Dragon Whelp", "Drain Life", "Drain Power", "Drudge Skeletons", "Dwarven Demolition Team", "Dwarven Warriors", "Earth Elemental", "Earthbind", "Earthquake", "Elvish Archers", "Evil Presence", "False Orders", "Farmstead", "Fastbond", "Fear", "Feedback", "Fire Elemental", "Fireball", "Firebreathing", "Flashfires", "Flight", "Fog", "Force of Nature", "Forcefield", "Forest", "Fork", "Frozen Shade", "Fungusaur", "Gaea's Liege", "Gauntlet of Might", "Giant Growth", "Giant Spider", "Glasses of Urza", "Gloom", "Goblin Balloon Brigade", "Goblin King", "Granite Gargoyle", "Gray Ogre", "Green Ward", "Grizzly Bears", "Guardian Angel", "Healing Salve", "Helm of Chatzuk", "Hill Giant", "Holy Armor", "Holy Strength", "Howl from Beyond", "Howling Mine", "Hurloon Minotaur", "Hurricane", "Hypnotic Specter", "Ice Storm", "Icy Manipulator", "Illusionary Mask", "Instill Energy", "Invisibility", "Iron Star", "Ironclaw Orcs", "Ironroot Treefolk", "Island", "Island Sanctuary", "Ivory Cup", "Jade Monolith", "Jade Statue", "Jayemdae Tome", "Juggernaut", "Jump", "Karma", "Keldon Warlord", "Kormus Bell", "Kudzu", "Lance", "Ley Druid", "Library of Leng", "Lich", "Lifeforce", "Lifelace", "Lifetap", "Lightning Bolt", "Living Artifact", "Living Lands", "Living Wall", "Llanowar Elves", "Lord of Atlantis", "Lord of the Pit", "Lure", "Magical Hack", "Mahamoti Djinn", "Mana Flare", "Mana Short", "Mana Vault", "Manabarbs", "Meekstone", "Merfolk of the Pearl Trident", "Mesa Pegasus", "Mind Twist", "Mons's Goblin Raiders", "Mountain", "Mox Emerald", "Mox Jet", "Mox Pearl", "Mox Ruby", "Mox Sapphire", "Natural Selection", "Nether Shadow", "Nettling Imp", "Nevinyrral's Disk", "Nightmare", "Northern Paladin", "Obsianus Golem", "Orcish Artillery", "Orcish Oriflamme", "Paralyze", "Pearled Unicorn", "Personal Incarnation", "Pestilence", "Phantasmal Forces", "Phantasmal Terrain", "Phantom Monster", "Pirate Ship", "Plague Rats", "Plains", "Plateau", "Power Leak", "Power Sink", "Power Surge", "Prodigal Sorcerer", "Psionic Blast", "Psychic Venom", "Purelace", "Raging River", "Raise Dead", "Red Elemental Blast", "Red Ward", "Regeneration", "Regrowth", "Resurrection", "Reverse Damage", "Righteousness", "Roc of Kher Ridges", "Rock Hydra", "Rod of Ruin", "Royal Assassin", "Sacrifice", "Samite Healer", "Savannah", "Savannah Lions", "Scathe Zombies", "Scavenging Ghoul", "Scrubland", "Scryb Sprites", "Sea Serpent", "Sedge Troll", "Sengir Vampire", "Serra Angel", "Shanodin Dryads", "Shatter", "Shivan Dragon", "Simulacrum", "Sinkhole", "Siren's Call", "Sleight of Mind", "Smoke", "Sol Ring", "Soul Net", "Spell Blast", "Stasis", "Steal Artifact", "Stone Giant", "Stone Rain", "Stream of Life", "Sunglasses of Urza", "Swamp", "Swords to Plowshares", "Taiga", "Terror", "The Hive", "Thicket Basilisk", "Thoughtlace", "Throne of Bone", "Timber Wolves", "Time Vault", "Time Walk", "Timetwister", "Tranquility", "Tropical Island", "Tsunami", "Tundra", "Tunnel", "Twiddle", "Two-Headed Giant of Foriys", "Underground Sea", "Unholy Strength", "Unsummon", "Uthden Troll", "Verduran Enchantress", "Vesuvan Doppelganger", "Veteran Bodyguard", "Volcanic Eruption", "Wall of Air", "Wall of Bone", "Wall of Brambles", "Wall of Fire", "Wall of Ice", "Wall of Stone", "Wall of Swords", "Wall of Water", "Wall of Wood", "Wanderlust", "War Mammoth", "Warp Artifact", "Water Elemental", "Weakness", "Web", "Wheel of Fortune", "White Knight", "White Ward", "Wild Growth", "Will-o'-the-Wisp", "Winter Orb", "Wooden Sphere", "Word of Command", "Wrath of God", "Zombie Master", "Circle of Protection: Black", "Volcanic Island", "Abu Ja'far", "Aladdin", "Aladdin's Lamp", "Aladdin's Ring", "Ali Baba", "Ali from Cairo", "Army of Allah", "Bazaar of Baghdad", "Bird Maiden", "Bottle of Suleiman", "Brass Man", "Camel", "City in a Bottle", "City of Brass", "Cuombajj Witches", "Cyclone", "Dancing Scimitar", "Dandân", "Desert", "Desert Nomads", "Desert Twister", "Diamond Valley", "Drop of Honey", "Ebony Horse", "El-Hajjâj", "Elephant Graveyard", "Erg Raiders", "Erhnam Djinn", "Eye for an Eye", "Fishliver Oil", "Flying Carpet", "Flying Men", "Ghazbán Ogre", "Giant Tortoise", "Guardian Beast", "Hasran Ogress", "Hurr Jackal", "Ifh-Bíff Efreet", "Island Fish Jasconius", "Island of Wak-Wak", "Jandor's Ring", "Jandor's Saddlebags", "Jeweled Bird", "Jihad", "Junún Efreet", "Juzám Djinn", "Khabál Ghoul", "King Suleiman", "Kird Ape", "Library of Alexandria", "Magnetic Mountain", "Merchant Ship", "Metamorphosis", "Mijae Djinn", "Moorish Cavalry", "Nafs Asp", "Oasis", "Old Man of the Sea", "Oubliette", "Piety", "Pyramids", "Repentant Blacksmith", "Ring of Ma'rûf", "Rukh Egg", "Sandals of Abdallah", "Sandstorm", "Serendib Djinn", "Serendib Efreet", "Shahrazad", "Sindbad", "Singing Tree", "Sorceress Queen", "Stone-Throwing Devils", "Unstable Mutation", "War Elephant", "Wyluli Wolf", "Ydwen Efreet", "Nalathni Dragon", "Amulet of Kroog", "Argivian Archaeologist", "Argivian Blacksmith", "Argothian Pixies", "Argothian Treefolk", "Armageddon Clock", "Artifact Blast", "Artifact Possession", "Artifact Ward", "Ashnod's Altar", "Ashnod's Battle Gear", "Ashnod's Transmogrant", "Atog", "Battering Ram", "Bronze Tablet", "Candelabra of Tawnos", "Circle of Protection: Artifacts", "Citanul Druid", "Clay Statue", "Clockwork Avian", "Colossus of Sardia", "Coral Helm", "Crumble", "Cursed Rack", "Damping Field", "Detonate", "Drafna's Restoration", "Dragon Engine", "Dwarven Weaponsmith", "Energy Flux", "Feldon's Cane", "Gaea's Avenger", "Gate to Phyrexia", "Goblin Artisans", "Golgothian Sylex", "Grapeshot Catapult", "Haunting Wind", "Hurkyl's Recall", "Ivory Tower", "Jalum Tome", "Martyrs of Korlis", "Mightstone", "Millstone", "Mishra's Factory", "Mishra's War Machine", "Mishra's Workshop", "Obelisk of Undoing", "Onulet", "Orcish Mechanics", "Ornithopter", "Phyrexian Gremlins", "Power Artifact", "Powerleech", "Priest of Yawgmoth", "Primal Clay", "Rakalite", "Reconstruction", "Reverse Polarity", "Rocket Launcher", "Sage of Lat-Nam", "Shapeshifter", "Shatterstorm", "Staff of Zegon", "Strip Mine", "Su-Chi", "Tablet of Epityr", "Tawnos's Coffin", "Tawnos's Wand", "Tawnos's Weaponry", "Tetravus", "The Rack", "Titania's Song", "Transmute Artifact", "Triskelion", "Urza's Avenger", "Urza's Chalice", "Urza's Mine", "Urza's Miter", "Urza's Power Plant", "Urza's Tower", "Wall of Spears", "Weakstone", "Xenic Poltergeist", "Yawgmoth Demon", "Yotian Soldier", "Abomination", "Acid Rain", "Active Volcano", "Adun Oakenshield", "Adventurers' Guildhouse", "Ærathi Berserker", "Aisling Leprechaun", "Akron Legionnaire", "Al-abara's Carpet", "Alabaster Potion", "Alchor's Tomb", "All Hallow's Eve", "Amrou Kithkin", "Angelic Voices", "Angus Mackenzie", "Anti-Magic Aura", "Arboria", "Arcades Sabboth", "Arena of the Ancients", "Avoid Fate", "Axelrod Gunnarson", "Ayesha Tanaka", "Azure Drake", "Backdraft", "Backfire", "Barbary Apes", "Barktooth Warbeard", "Bartel Runeaxe", "Beasts of Bogardan", "Black Mana Battery", "Blazing Effigy", "Blight", "Blood Lust", "Blue Mana Battery", "Boomerang", "Boris Devilboon", "Brine Hag", "Bronze Horse", "Carrion Ants", "Cat Warriors", "Cathedral of Serra", "Caverns of Despair", "Chain Lightning", "Chains of Mephistopheles", "Chromium", "Cleanse", "Clergy of the Holy Nimbus", "Cocoon", "Concordant Crossroads", "Cosmic Horror", "Craw Giant", "Crevasse", "Crimson Kobolds", "Crimson Manticore", "Crookshank Kobolds", "Cyclopean Mummy", "D'Avenant Archer", "Dakkon Blackblade", "Darkness", "Deadfall", "Demonic Torment", "Devouring Deep", "Disharmony", "Divine Intervention", "Divine Offering", "Divine Transformation", "Dream Coat", "Durkwood Boars", "Dwarven Song", "Elder Land Wurm", "Elder Spawn", "Elven Riders", "Emerald Dragonfly", "Enchanted Being", "Enchantment Alteration", "Energy Tap", "Equinox", "Eternal Warrior", "Eureka", "Evil Eye of Orms-by-Gore", "Fallen Angel", "Falling Star", "Feint", "Field of Dreams", "Fire Sprites", "Firestorm Phoenix", "Flash Counter", "Flash Flood", "Floral Spuzzem", "Force Spike", "Forethought Amulet", "Fortified Area", "Frost Giant", "Gabriel Angelfire", "Gaseous Form", "Gauntlets of Chaos", "Ghosts of the Damned", "Giant Slug", "Giant Strength", "Giant Turtle", "Glyph of Delusion", "Glyph of Destruction", "Glyph of Doom", "Glyph of Life", "Glyph of Reincarnation", "Gosta Dirk", "Gravity Sphere", "Great Defender", "Great Wall", "Greater Realm of Preservation", "Greed", "Green Mana Battery", "Gwendlyn Di Corci", "Halfdane", "Hammerheim", "Hazezon Tamar", "Headless Horseman", "Heaven's Gate", "Hell Swarm", "Hell's Caretaker", "Hellfire", "Holy Day", "Horn of Deafening", "Hornet Cobra", "Horror of Horrors", "Hunding Gjornersen", "Hyperion Blacksmith", "Ichneumon Druid", "Immolation", "Imprison", "In the Eye of Chaos", "Indestructible Aura", "Infernal Medusa", "Infinite Authority", "Invoke Prejudice", "Ivory Guardians", "Jacques le Vert", "Jasmine Boreal", "Jedit Ojanen", "Jerrard of the Closed Fist", "Johan", "Jovial Evil", "Juxtapose", "Karakas", "Kasimir the Lone Wolf", "Keepers of the Faith", "Kei Takahashi", "Killer Bees", "Kismet", "Knowledge Vault", "Kobold Drill Sergeant", "Kobold Overlord", "Kobold Taskmaster", "Kobolds of Kher Keep", "Kry Shield", "Lady Caleria", "Lady Evangela", "Lady Orca", "Land Equilibrium", "Land Tax", "Land's Edge", "Lesser Werewolf", "Life Chisel", "Life Matrix", "Lifeblood", "Living Plane", "Livonya Silone", "Lord Magnus", "Lost Soul", "Mana Drain", "Mana Matrix", "Marble Priest", "Marhault Elsdragon", "Master of the Hunt", "Mirror Universe", "Moat", "Mold Demon", "Moss Monster", "Mountain Stronghold", "Mountain Yeti", "Nebuchadnezzar", "Nether Void", "Nicol Bolas", "North Star", "Nova Pentacle", "Osai Vultures", "Palladia-Mors", "Part Water", "Pavel Maliki", "Pendelhaven", "Petra Sphinx", "Pit Scorpion", "Pixie Queen", "Planar Gate", "Pradesh Gypsies", "Presence of the Master", "Primordial Ooze", "Princess Lucrezia", "Psionic Entity", "Psychic Purge", "Puppet Master", "Pyrotechnics", "Quagmire", "Quarum Trench Gnomes", "Rabid Wombat", "Radjan Spirit", "Raging Bull", "Ragnar", "Ramirez DePietro", "Ramses Overdark", "Rapid Fire", "Rasputin Dreamweaver", "Rebirth", "Recall", "Red Mana Battery", "Reincarnation", "Relic Barrier", "Relic Bind", "Remove Enchantments", "Remove Soul", "Reset", "Revelation", "Reverberation", "Righteous Avengers", "Ring of Immortals", "Riven Turnbull", "Rohgahh of Kher Keep", "Rubinia Soulsinger", "Rust", "Sea Kings' Blessing", "Seafarer's Quay", "Seeker", "Segovian Leviathan", "Sentinel", "Serpent Generator", "Shelkin Brownie", "Shield Wall", "Shimian Night Stalker", "Silhouette", "Sir Shandlar of Eberyn", "Sivitri Scarzam", "Sol'kanar the Swamp King", "Spectral Cloak", "Spinal Villain", "Spirit Link", "Spirit Shackle", "Spiritual Sanctuary", "Stangg", "Storm Seeker", "Storm World", "Subdue", "Sunastian Falconer", "Sword of the Ages", "Sylvan Library", "Sylvan Paradise", "Syphon Soul", "Takklemaggot", "Telekinesis", "Teleport", "Tempest Efreet", "Tetsuo Umezawa", "The Abyss", "The Brute", "The Lady of the Mountain", "The Tabernacle at Pendrell Vale", "The Wretched", "Thunder Spirit", "Time Elemental", "Tobias Andrion", "Tolaria", "Tor Wauki", "Torsten Von Ursus", "Touch of Darkness", "Transmutation", "Triassic Egg", "Tuknir Deathlock", "Tundra Wolves", "Typhoon", "Undertow", "Underworld Dreams", "Unholy Citadel", "Untamed Wilds", "Ur-Drago", "Urborg", "Vaevictis Asmadi", "Vampire Bats", "Venarian Gold", "Visions", "Voodoo Doll", "Walking Dead", "Wall of Caltrops", "Wall of Dust", "Wall of Earth", "Wall of Heat", "Wall of Light", "Wall of Opposition", "Wall of Putrid Flesh", "Wall of Shadows", "Wall of Tombstones", "Wall of Vapor", "Wall of Wonder", "Whirling Dervish", "White Mana Battery", "Willow Satyr", "Winds of Change", "Winter Blast", "Wolverine Pack", "Wood Elemental", "Xira Arien", "Zephyr Falcon", "Amnesia", "Angry Mob", "Apprentice Wizard", "Ashes to Ashes", "Ball Lightning", "Banshee", "Barl's Cage", "Blood Moon", "Blood of the Martyr", "Bog Imp", "Bog Rats", "Bone Flute", "Book of Rass", "Brainwash", "Brothers of Fire", "Carnivorous Plant", "Cave People", "City of Shadows", "Cleansing", "Coal Golem", "Curse Artifact", "Dance of Many", "Dark Heart of the Wood", "Dark Sphere", "Deep Water", "Diabolic Machine", "Drowned", "Dust to Dust", "Eater of the Dead", "Electric Eel", "Elves of Deep Shadow", "Erosion", "Eternal Flame", "Exorcist", "Fasting", "Fellwar Stone", "Festival", "Fire and Brimstone", "Fire Drake", "Fissure", "Flood", "Fountain of Youth", "Frankenstein's Monster", "Gaea's Touch", "Ghost Ship", "Giant Shark", "Goblin Caves", "Goblin Digging Team", "Goblin Hero", "Goblin Rock Sled", "Goblin Shrine", "Goblin Wizard", "Goblins of the Flarg", "Grave Robbers", "Hidden Path", "Holy Light", "Inferno", "Inquisition", "Knights of Thorn", "Land Leeches", "Leviathan", "Living Armor", "Lurker", "Mana Clash", "Mana Vortex", "Marsh Gas", "Marsh Goblins", "Marsh Viper", "Martyr's Cry", "Maze of Ith", "Merfolk Assassin", "Mind Bomb", "Miracle Worker", "Morale", "Murk Dwellers", "Nameless Race", "Necropolis", "Niall Silvain", "Orc General", "People of the Woods", "Pikemen", "Preacher", "Psychic Allergy", "Rag Man", "Reflecting Mirror", "Riptide", "Runesword", "Safe Haven", "Savaen Elves", "Scarecrow", "Scarwood Bandits", "Scarwood Goblins", "Scarwood Hag", "Scavenger Folk", "Season of the Witch", "Sisters of the Flame", "Skull of Orm", "Sorrow's Path", "Spitting Slug", "Squire", "Standing Stones", "Stone Calendar", "Sunken City", "Tangle Kelp", "The Fallen", "Tivadar's Crusade", "Tormod's Crypt", "Tower of Coireall", "Tracker", "Uncle Istvan", "Venom", "Wand of Ith", "War Barge", "Water Wurm", "Whippoorwill", "Witch Hunter", "Word of Binding", "Worms of the Earth", "Wormwood Treefolk", "Arena", "Sewers of Estark", "Mana Crypt", "Windseeker Centaur", "Giant Badger", "Scent of Cinder", "Lightning Hounds", "Spined Wurm", "Warmonger", "Silver Drake", "Phyrexian Rager", "Jace Beleren", "Garruk Wildspeaker", "Brion Stoutarm", "Jaya Ballard, Task Mage", "Broodmate Dragon", "Honor of the Pure", "Steward of Valeron", "Day of Judgment", "Celestial Colonnade", "Retaliator Griffin", "Kor Skyfisher", "Guul Draz Assassin", "Nissa Revane", "Memoricide", "Liliana Vess", "Bloodthrone Vampire", "Mirran Crusader", "Surgical Extraction", "Frost Titan", "Grave Titan", "Inferno Titan", "Chandra's Phoenix", "Treasure Hunt", "Faithless Looting", "Devil's Play", "Gravecrawler", "Electrolyze", "Feast of Blood", "Silverblade Paladin", "Merfolk Mesmerist", "Knight Exemplar", "Sunblast Angel", "Serra Avatar", "Primordial Hydra", "Vampire Nocturnus", "Cathedral of War", "Terastodon", "Arrest", "Consume Spirit", "Dreg Mangler", "Supreme Verdict", "Standstill", "Breath of Malfegor", "Angel of Glory's Rise", "Turnabout", "Nightveil Specter", "Voidmage Husher", "Ogre Arsonist", "Corrupt", "Chandra's Fury", "Render Silent", "Ratchet Bomb", "Bonescythe Sliver", "Ogre Battledriver", "Scavenging Ooze", "Hamletback Goliath", "Ajani, Caller of the Pride", "Jace, Memory Adept", "Liliana of the Dark Realms", "Chandra, Pyromaster", "Garruk, Caller of Beasts", "Sylvan Caryatid", "Karametra's Acolyte", "Fated Conflagration", "High Tide", "Gaze of Granite", "Wash Out", "Acquire", "Duress", "Eidolon of Blossoms", "Magister of Worth", "Soul of Ravnica", "Soul of Zendikar", "Stealer of Secrets", "Angelic Skirmisher", "Xathrid Necromancer", "Rattleclaw Mystic", "Ankle Shanker", "Avalanche Tusker", "Ivorytusk Fortress", "Rakshasa Vizier", "Sage of the Inward Eye", "Goblin Rabblemaster", "Ajani Steadfast", "Jace, the Living Guildpact", "Nissa, Worldwaker", "Garruk, Apex Predator", "Shamanic Revelation", "Ojutai's Command", "Dragonscale General", "Sage-Eye Avengers", "Archfiend of Depravity", "Flamerush Rider", "Temur War Shaman", "Arashin Sovereign", "Pristine Skywise", "Necromaster Dragon", "Boltwing Marauder", "Harbinger of the Hunt", "Sultai Charm", "Aeronaut Tinkerer", "Dragon Fodder", "Dragonlord's Servant", "Evolving Wilds", "Foe-Razer Regent", "Aeolipile", "Armor Thrull", "Balm of Restoration", "Basal Thrull", "Bottomless Vault", "Brassclaw Orcs", "Breeding Pit", "Combat Medic", "Conch Horn", "Deep Spawn", "Delif's Cone", "Delif's Cube", "Derelor", "Draconian Cylix", "Dwarven Armorer", "Dwarven Catapult", "Dwarven Hold", "Dwarven Lieutenant", "Dwarven Ruins", "Dwarven Soldier", "Ebon Praetor", "Ebon Stronghold", "Elven Fortress", "Elven Lyre", "Elvish Farmer", "Elvish Hunter", "Elvish Scout", "Farrel's Mantle", "Farrel's Zealot", "Farrelite Priest", "Feral Thallid", "Fungal Bloom", "Goblin Chirurgeon", "Goblin Flotilla", "Goblin Grenade", "Goblin Kites", "Goblin War Drums", "Goblin Warrens", "Hand of Justice", "Havenwood Battleground", "Heroism", "Hollow Trees", "Homarid", "Homarid Shaman", "Homarid Spawning Bed", "Homarid Warrior", "Hymn to Tourach", "Icatian Infantry", "Icatian Javelineers", "Icatian Lieutenant", "Icatian Moneychanger", "Icatian Phalanx", "Icatian Priest", "Icatian Scout", "Icatian Skirmishers", "Icatian Store", "Icatian Town", "Implements of Sacrifice", "Initiates of the Ebon Hand", "Merseine", "Mindstab Thrull", "Necrite", "Night Soil", "Orcish Captain", "Orcish Spy", "Orcish Veteran", "Order of Leitbur", "Order of the Ebon Hand", "Orgg", "Raiding Party", "Rainbow Vale", "Ring of Renewal", "River Merfolk", "Ruins of Trokair", "Sand Silos", "Seasinger", "Soul Exchange", "Spirit Shield", "Spore Cloud", "Spore Flower", "Svyelunite Priest", "Svyelunite Temple", "Thallid", "Thallid Devourer", "Thelon's Chant", "Thelon's Curse", "Thelonite Druid", "Thelonite Monk", "Thorn Thallid", "Thrull Champion", "Thrull Retainer", "Thrull Wizard", "Tidal Flats", "Tidal Influence", "Tourach's Chant", "Tourach's Gate", "Vodalian Knights", "Vodalian Mage", "Vodalian Soldiers", "Vodalian War Machine", "Zelyon Sword", "Incinerate", "Abyssal Specter", "Adarkar Sentinel", "Adarkar Unicorn", "Adarkar Wastes", "Aegis of the Meek", "Aggression", "Altar of Bone", "Amulet of Quoz", "Anarchy", "Arctic Foxes", "Arcum's Sleigh", "Arcum's Weathervane", "Arcum's Whistle", "Arenson's Aura", "Armor of Faith", "Arnjlot's Ascent", "Ashen Ghoul", "Aurochs", "Avalanche", "Balduvian Barbarians", "Balduvian Bears", "Balduvian Conjurer", "Balduvian Hydra", "Balduvian Shaman", "Barbarian Guides", "Barbed Sextant", "Baton of Morale", "Battle Cry", "Battle Frenzy", "Binding Grasp", "Black Scarab", "Blessed Wine", "Blinking Spirit", "Blizzard", "Blue Scarab", "Bone Shaman", "Brainstorm", "Brand of Ill Omen", "Breath of Dreams", "Brine Shaman", "Brown Ouphe", "Brushland", "Burnt Offering", "Call to Arms", "Caribou Range", "Celestial Sword", "Centaur Archer", "Chaos Lord", "Chaos Moon", "Chromatic Armor", "Chub Toad", "Clairvoyance", "Cloak of Confusion", "Cold Snap", "Conquer", "Cooperation", "Crown of the Ages", "Curse of Marit Lage", "Dance of the Dead", "Dark Banishing", "Deflection", "Demonic Consultation", "Despotic Scepter", "Diabolic Vision", "Dire Wolves", "Dread Wight", "Dreams of the Dead", "Drift of the Dead", "Drought", "Dwarven Armory", "Earthlink", "Earthlore", "Elder Druid", "Elemental Augury", "Elkin Bottle", "Elvish Healer", "Enduring Renewal", "Energy Storm", "Enervate", "Errant Minion", "Errantry", "Essence Filter", "Essence Flare", "Essence Vortex", "Fanatical Fever", "Fiery Justice", "Fire Covenant", "Flame Spirit", "Flare", "Flooded Woodlands", "Flow of Maggots", "Folk of the Pines", "Forbidden Lore", "Force Void", "Forgotten Lore", "Formation", "Foul Familiar", "Foxfire", "Freyalise Supplicant", "Freyalise's Charm", "Freyalise's Winds", "Fumarole", "Fylgja", "Fyndhorn Bow", "Fyndhorn Brownie", "Fyndhorn Elder", "Fyndhorn Elves", "Fyndhorn Pollen", "Game of Chaos", "Gangrenous Zombies", "Gaze of Pain", "General Jarkeld", "Ghostly Flame", "Giant Trap Door Spider", "Glacial Chasm", "Glacial Crevasses", "Glacial Wall", "Glaciers", "Goblin Lyre", "Goblin Mutant", "Goblin Sappers", "Goblin Ski Patrol", "Goblin Snowman", "Gorilla Pack", "Gravebind", "Green Scarab", "Grizzled Wolverine", "Hallowed Ground", "Halls of Mist", "Heal", "Hecatomb", "Hematite Talisman", "Hipparion", "Hoar Shade", "Hot Springs", "Hyalopterous Lemure", "Hydroblast", "Hymn of Rebirth", "Ice Cauldron", "Ice Floe", "Iceberg", "Icequake", "Icy Prison", "Illusionary Forces", "Illusionary Presence", "Illusionary Terrain", "Illusionary Wall", "Illusions of Grandeur", "Imposing Visage", "Infernal Darkness", "Infernal Denizen", "Infinite Hourglass", "Infuse", "Jester's Cap", "Jester's Mask", "Jeweled Amulet", "Johtull Wurm", "Jokulhaups", "Juniper Order Druid", "Justice", "Karplusan Forest", "Karplusan Giant", "Karplusan Yeti", "Kelsinko Ranger", "Kjeldoran Dead", "Kjeldoran Elite Guard", "Kjeldoran Frostbeast", "Kjeldoran Guard", "Kjeldoran Knight", "Kjeldoran Phalanx", "Kjeldoran Royal Guard", "Kjeldoran Skycaptain", "Kjeldoran Skyknight", "Kjeldoran Warrior", "Knight of Stromgald", "Krovikan Elementalist", "Krovikan Fetish", "Krovikan Sorcerer", "Krovikan Vampire", "Land Cap", "Lapis Lazuli Talisman", "Lava Burst", "Lava Tubes", "Legions of Lim-Dûl", "Leshrac's Rite", "Leshrac's Sigil", "Lhurgoyf", "Lightning Blow", "Lim-Dûl's Cohort", "Lim-Dûl's Hex", "Lost Order of Jarkeld", "Maddening Wind", "Magus of the Unseen", "Malachite Talisman", "Márton Stromgald", "Melee", "Melting", "Mercenaries", "Merieke Ri Berit", "Mesmeric Trance", "Meteor Shower", "Mind Ravel", "Mind Warp", "Mind Whip", "Minion of Leshrac", "Minion of Tevesh Szat", "Mistfolk", "Mole Worms", "Monsoon", "Moor Fiend", "Mountain Goat", "Mountain Titan", "Mudslide", "Musician", "Mystic Might", "Mystic Remora", "Nacre Talisman", "Naked Singularity", "Nature's Lore", "Necropotence", "Norritt", "Oath of Lim-Dûl", "Onyx Talisman", "Orcish Cannoneers", "Orcish Conscripts", "Orcish Farmer", "Orcish Healer", "Orcish Librarian", "Orcish Lumberjack", "Orcish Squatters", "Order of the Sacred Torch", "Order of the White Shield", "Pale Bears", "Panic", "Pentagram of the Ages", "Pestilence Rats", "Phantasmal Mount", "Pit Trap", "Polar Kraken", "Portent", "Pox", "Prismatic Ward", "Pygmy Allosaurus", "Pyknite", "Pyroblast", "Pyroclasm", "Rally", "Ray of Command", "Ray of Erasure", "Reality Twist", "Reclamation", "Red Scarab", "Rime Dryad", "Ritual of Subdual", "River Delta", "Runed Arch", "Sabretooth Tiger", "Sacred Boon", "Scaled Wurm", "Sea Spirit", "Seizures", "Seraph", "Shambling Strider", "Shield Bearer", "Shield of the Ages", "Shyft", "Sibilant Spirit", "Silver Erne", "Skeleton Ship", "Skull Catapult", "Snow Devil", "Snow Fortress", "Snow Hound", "Snow-Covered Forest", "Snow-Covered Island", "Snow-Covered Mountain", "Snow-Covered Plains", "Snow-Covered Swamp", "Snowblind", "Snowfall", "Soldevi Golem", "Soldevi Machinist", "Soldevi Simulacrum", "Songs of the Damned", "Soul Barrier", "Soul Burn", "Soul Kiss", "Spectral Shield", "Spoils of Evil", "Spoils of War", "Staff of the Ages", "Stampede", "Stench of Evil", "Stone Spirit", "Stonehands", "Storm Spirit", "Stormbind", "Stromgald Cabal", "Stunted Growth", "Sulfurous Springs", "Sunstone", "Tarpan", "Thermokarst", "Thoughtleech", "Thunder Wall", "Timberline Ridge", "Time Bomb", "Tinder Wall", "Tor Giant", "Total War", "Touch of Death", "Touch of Vitae", "Trailblazer", "Underground River", "Updraft", "Urza's Bauble", "Veldt", "Venomous Breath", "Vertigo", "Vexing Arcanix", "Vibrating Sphere", "Walking Wall", "Wall of Lava", "Wall of Pine Needles", "Wall of Shields", "War Chariot", "Warning", "Whalebone Glider", "White Scarab", "Whiteout", "Wiitigo", "Wind Spirit", "Wings of Aesthir", "Winter's Chill", "Withering Wisps", "Woolly Mammoths", "Woolly Spider", "Word of Blasting", "Word of Undoing", "Wrath of Marit Lage", "Yavimaya Gnats", "Zur's Weirding", "Zuran Enchanter", "Zuran Orb", "Zuran Spellcaster", "Abbey Gargoyles", "Abbey Matron", "Æther Storm", "Aliban's Tower", "Ambush", "Ambush Party", "An-Havva Constable", "An-Havva Inn", "An-Havva Township", "An-Zerrin Ruins", "Anaba Ancestor", "Anaba Bodyguard", "Anaba Shaman", "Anaba Spirit Crafter", "Apocalypse Chime", "Autumn Willow", "Aysen Abbey", "Aysen Bureaucrats", "Aysen Crusader", "Aysen Highway", "Baki's Curse", "Baron Sengir", "Beast Walkers", "Black Carriage", "Broken Visage", "Carapace", "Castle Sengir", "Cemetery Gate", "Chain Stasis", "Chandler", "Clockwork Gnomes", "Clockwork Steed", "Clockwork Swarm", "Coral Reef", "Dark Maze", "Daughter of Autumn", "Death Speakers", "Didgeridoo", "Drudge Spell", "Dry Spell", "Dwarven Pony", "Dwarven Sea Clan", "Dwarven Trader", "Ebony Rhino", "Eron the Relentless", "Evaporate", "Faerie Noble", "Feast of the Unicorn", "Feroz's Ban", "Folk of An-Havva", "Forget", "Funeral March", "Ghost Hounds", "Giant Albatross", "Giant Oyster", "Grandmother Sengir", "Greater Werewolf", "Hazduhr the Abbot", "Headstone", "Heart Wolf", "Hungry Mist", "Ihsan's Shade", "Irini Sengir", "Ironclaw Curse", "Jinx", "Joven", "Joven's Ferrets", "Joven's Tools", "Koskun Falls", "Koskun Keep", "Labyrinth Minotaur", "Leaping Lizard", "Leeches", "Mammoth Harness", "Marjhan", "Memory Lapse", "Merchant Scroll", "Mesa Falcon", "Mystic Decree", "Narwhal", "Orcish Mine", "Primal Order", "Prophecy", "Rashka the Slayer", "Reef Pirates", "Renewal", "Retribution", "Reveka, Wizard Savant", "Root Spider", "Roots", "Roterothopter", "Rysorian Badger", "Samite Alchemist", "Sea Sprite", "Sea Troll", "Sengir Autocrat", "Sengir Bats", "Serra Aviary", "Serra Bestiary", "Serra Inquisitors", "Serra Paladin", "Serrated Arrows", "Shrink", "Soraya the Falconer", "Spectral Bears", "Timmerian Fiends", "Torture", "Trade Caravan", "Truce", "Veldrane of Sengir", "Wall of Kelp", "Willow Faerie", "Willow Priestess", "Winter Sky", "Wizards' School", "Aesthir Glider", "Agent of Stromgald", "Arcane Denial", "Ashnod's Cylix", "Astrolabe", "Awesome Presence", "Balduvian Dead", "Balduvian Horde", "Balduvian Trading Post", "Balduvian War-Makers", "Benthic Explorers", "Bestial Fury", "Bounty of the Hunt", "Browse", "Burnout", "Carrier Pigeons", "Casting of Bones", "Chaos Harlequin", "Contagion", "Deadly Insect", "Death Spark", "Diminishing Returns", "Diseased Vermin", "Dystopia", "Elvish Bard", "Elvish Ranger", "Elvish Spirit Guide", "Energy Arc", "Enslaved Scout", "Errand of Duty", "Exile", "False Demise", "Fatal Lore", "Feast or Famine", "Fevered Strength", "Floodwater Dam", "Force of Will", "Foresight", "Fyndhorn Druid", "Gargantuan Gorilla", "Gift of the Woods", "Gorilla Berserkers", "Gorilla Chieftain", "Gorilla Shaman", "Gorilla War Cry", "Guerrilla Tactics", "Gustha's Scepter", "Hail Storm", "Heart of Yavimaya", "Helm of Obedience", "Inheritance", "Insidious Bookworms", "Ivory Gargoyle", "Juniper Order Advocate", "Kaysa", "Keeper of Tresserhorn", "Kjeldoran Escort", "Kjeldoran Home Guard", "Kjeldoran Outpost", "Kjeldoran Pride", "Krovikan Horror", "Krovikan Plague", "Lake of the Dead", "Lat-Nam's Legacy", "Library of Lat-Nam", "Lim-Dûl's High Guard", "Lim-Dûl's Paladin", "Lim-Dûl's Vault", "Lodestone Bauble", "Lord of Tresserhorn", "Martyrdom", "Misfortune", "Mishra's Groundbreaker", "Misinformation", "Mystic Compass", "Nature's Blessing", "Nature's Chosen", "Nature's Wrath", "Noble Steeds", "Omen of Fire", "Phantasmal Fiend", "Phantasmal Sphere", "Phelddagrif", "Phyrexian Boon", "Phyrexian Devourer", "Phyrexian Portal", "Phyrexian War Beast", "Pillage", "Primitive Justice", "Pyrokinesis", "Reinforcements", "Reprisal", "Ritual of the Machine", "Rogue Skycaptain", "Royal Decree", "Royal Herbalist", "Scarab of the Unseen", "Scars of the Veteran", "School of the Unseen", "Seasoned Tactician", "Sheltered Valley", "Shield Sphere", "Sol Grail", "Soldevi Adnate", "Soldevi Digger", "Soldevi Excavations", "Soldevi Heretic", "Soldevi Sage", "Soldevi Sentry", "Soldevi Steam Beast", "Soldier of Fortune", "Spiny Starfish", "Splintering Wind", "Stench of Decay", "Storm Cauldron", "Storm Crow", "Storm Elemental", "Storm Shaman", "Stromgald Spy", "Suffocation", "Surge of Strength", "Sustaining Spirit", "Swamp Mosquito", "Sworn Defender", "Taste of Paradise", "Thawing Glaciers", "Thought Lash", "Tidal Control", "Tornado", "Undergrowth", "Unlikely Alliance", "Urza's Engine", "Varchild's Crusader", "Varchild's War-Riders", "Veteran's Voice", "Viscerid Armor", "Viscerid Drone", "Wandering Mage", "Whip Vine", "Whirling Catapult", "Wild Aesthir", "Winter's Night", "Yavimaya Ancients", "Yavimaya Ants", "Pouncing Jaguar", "Skittering Skirge", "Rewind", "Karn, Silver Golem", "Uktabi Orangutan", "Chill", "Enlightened Tutor", "Stupor", "Creeping Mold", "Dismiss", "Fling", "Empyrial Armor", "Diabolic Edict", "Gaea's Blessing", "Man-o'-War", "Arc Lightning", "Dauthi Slayer", "Mana Leak", "Skirk Marauder", "Elvish Aberration", "Bonesplitter", "Darksteel Ingot", "Serum Visions", "Glacial Ray", "Circle of Protection: Art", "Mise", "Booster Tutor", "Goblin Mime", "Granny's Payback", "Ashnod's Coupon", "Genju of the Spires", "Okina Nightwatch", "Skyknight Legionnaire", "Castigate", "Wee Dragonauts", "Coiling Oracle", "Surging Flame", "1996 World Champion", "Shichifukujin Dragon", "Proposal", "Splendid Genesis", "Fraternal Exaltation", "Robot Chicken", "Abyssal Hunter", "Acidic Dagger", "Afiya Grove", "Afterlife", "Agility", "Alarum", "Aleatory", "Amber Prison", "Amulet of Unmaking", "Ancestral Memories", "Armor of Thorns", "Armorer Guildmage", "Ashen Powder", "Asmira, Holy Avenger", "Auspicious Ancestor", "Azimaet Drake", "Bad River", "Barbed Foliage", "Barbed-Back Wurm", "Barreling Attack", "Basalt Golem", "Bay Falcon", "Bazaar of Wonders", "Benevolent Unicorn", "Benthic Djinn", "Binding Agony", "Blighted Shaman", "Blind Fury", "Blinding Light", "Blistering Barrier", "Bone Harvest", "Bone Mask", "Breathstealer", "Brushwagg", "Builder's Bane", "Burning Palm Efreet", "Burning Shield Askari", "Cadaverous Bloom", "Cadaverous Knight", "Canopy Dragon", "Carrion", "Catacomb Dragon", "Celestial Dawn", "Cerulean Wyvern", "Chaos Charm", "Chaosphere", "Charcoal Diamond", "Chariot of the Sun", "Choking Sands", "Cinder Cloud", "Circle of Despair", "Civic Guildmage", "Cloak of Invisibility", "Consuming Ferocity", "Coral Fighters", "Crash of Rhinos", "Crimson Hellkite", "Crimson Roc", "Crypt Cobra", "Crystal Golem", "Crystal Vein", "Cursed Totem", "Cycle of Life", "Daring Apprentice", "Dazzling Beauty", "Decomposition", "Delirium", "Dirtwater Wraith", "Discordant Spirit", "Disempower", "Dissipate", "Divine Retribution", "Dread Specter", "Dream Cache", "Dream Fighter", "Dwarven Miner", "Dwarven Nomad", "Early Harvest", "Ebony Charm", "Ekundu Cyclops", "Ekundu Griffin", "Elixir of Vitality", "Emberwilde Caliph", "Emberwilde Djinn", "Energy Bolt", "Energy Vortex", "Enfeeblement", "Ersatz Gnomes", "Ether Well", "Ethereal Champion", "Fallow Earth", "Favorable Destiny", "Femeref Archers", "Femeref Healer", "Femeref Knight", "Femeref Scouts", "Feral Shadow", "Fetid Horror", "Final Fortune", "Fire Diamond", "Flame Elemental", "Flash", "Flood Plain", "Floodgate", "Foratog", "Forbidden Crypt", "Forsaken Wastes", "Frenetic Efreet", "Giant Mantis", "Gibbering Hyenas", "Goblin Elite Infantry", "Goblin Scouts", "Goblin Soothsayer", "Goblin Tinkerer", "Granger Guildmage", "Grasslands", "Grave Servitude", "Gravebane Zombie", "Grim Feast", "Grinning Totem", "Hakim, Loreweaver", "Hall of Gemstone", "Hammer of Bogardan", "Harbinger of Night", "Harbor Guardian", "Harmattan Efreet", "Haunting Apparition", "Hazerider Drake", "Hivis of the Scale", "Horrible Hordes", "Igneous Golem", "Illicit Auction", "Illumination", "Infernal Contract", "Iron Tusk Elephant", "Ivory Charm", "Jabari's Influence", "Jolrael's Centaur", "Jolt", "Jungle Patrol", "Jungle Troll", "Jungle Wurm", "Kaervek's Hex", "Kaervek's Purge", "Kaervek's Torch", "Karoo Meerkat", "Kukemssa Pirates", "Kukemssa Serpent", "Lead Golem", "Leering Gargoyle", "Lightning Reflexes", "Lion's Eye Diamond", "Locust Swarm", "Lure of Prey", "Malignant Growth", "Mana Prism", "Mangara's Blessing", "Mangara's Equity", "Mangara's Tome", "Marble Diamond", "Maro", "Meddle", "Melesse Spirit", "Merfolk Raiders", "Merfolk Seer", "Mind Bend", "Mind Harness", "Mindbender Spores", "Mire Shade", "Misers' Cage", "Mist Dragon", "Moss Diamond", "Mountain Valley", "Mtenda Griffin", "Mtenda Herder", "Mtenda Lion", "Mystical Tutor", "Natural Balance", "Nettletooth Djinn", "Noble Elephant", "Nocturnal Raid", "Null Chamber", "Pacifism", "Painful Memories", "Patagia Golem", "Paupers' Cage", "Pearl Dragon", "Phyrexian Dreadnought", "Phyrexian Purge", "Phyrexian Tribute", "Phyrexian Vault", "Political Trickery", "Polymorph", "Preferred Selection", "Prismatic Boon", "Prismatic Circle", "Prismatic Lace", "Psychic Transfer", "Purgatory", "Purraj of Urborg", "Pyric Salamander", "Quirion Elves", "Radiant Essence", "Raging Spirit", "Rampant Growth", "Rashida Scalebane", "Ravenous Vampire", "Razor Pendulum", "Reality Ripple", "Reckless Embermage", "Reflect Damage", "Reign of Chaos", "Reign of Terror", "Reparations", "Restless Dead", "Ritual of Steel", "Rock Basilisk", "Rocky Tar Pit", "Roots of Life", "Sabertooth Cobra", "Sacred Mesa", "Sand Golem", "Sandbar Crocodile", "Sapphire Charm", "Savage Twister", "Sawback Manticore", "Sea Scryer", "Sealed Fate", "Searing Spear Askari", "Seedling Charm", "Seeds of Innocence", "Serene Heart", "Sewer Rats", "Shadow Guildmage", "Shadowbane", "Shallow Grave", "Shaper Guildmage", "Shauku, Endbringer", "Shauku's Minion", "Shimmer", "Sidar Jabari", "Sirocco", "Skulking Ghost", "Sky Diamond", "Soar", "Soul Echo", "Soul Rend", "Soulshriek", "Spatial Binding", "Spectral Guardian", "Spirit of the Night", "Spitting Earth", "Stalking Tiger", "Subterranean Spirit", "Sunweb", "Superior Numbers", "Suq'Ata Firewalker", "Tainted Specter", "Talruum Minotaur", "Taniwha", "Teeka's Dragon", "Teferi's Curse", "Teferi's Drake", "Teferi's Imp", "Teferi's Isle", "Telim'Tor", "Telim'Tor's Darts", "Telim'Tor's Edict", "Teremko Griffin", "Thirst", "Tidal Wave", "Tombstone Stairwell", "Torrent of Lava", "Tranquil Domain", "Tropical Storm", "Uktabi Faerie", "Uktabi Wildcats", "Unerring Sling", "Unfulfilled Desires", "Unseen Walker", "Unyaro Bee Sting", "Unyaro Griffin", "Urborg Panther", "Vaporous Djinn", "Ventifact Bottle", "Viashino Warrior", "Vigilant Martyr", "Village Elder", "Vitalizing Cascade", "Volcanic Dragon", "Volcanic Geyser", "Waiting in the Weeds", "Wall of Corpses", "Wall of Resistance", "Wall of Roots", "Ward of Lights", "Warping Wurm", "Wave Elemental", "Wellspring", "Wild Elephant", "Wildfire Emissary", "Windreaper Falcon", "Withering Boon", "Worldly Tutor", "Yare", "Zebra Unicorn", "Zhalfirin Commander", "Zhalfirin Knight", "Zirilan of the Claw", "Zombie Mob", "Zuberi, Golden Feather", "Bull Elephant", "Dark Privilege", "King Cheetah", "Necrosavant", "Ovinomancer", "Peace Talks", "Urborg Mindsucker", "Vampirism", "Viashino Sandstalker", "Wicked Reward", "Aku Djinn", "Anvil of Bogardan", "Archangel", "Army Ants", "Betrayal", "Blanket of Night", "Bogardan Phoenix", "Brass-Talon Chimera", "Breathstealer's Crypt", "Breezekeeper", "Brood of Cockroaches", "Chronatog", "City of Solitude", "Cloud Elemental", "Coercion", "Coral Atoll", "Corrosion", "Crypt Rats", "Daraja Griffin", "Death Watch", "Desertion", "Desolation", "Diamond Kaleidoscope", "Dormant Volcano", "Dragon Mask", "Dream Tides", "Dwarven Vigilantes", "Elephant Grass", "Elkin Lair", "Elven Cache", "Emerald Charm", "Equipoise", "Everglades", "Eye of Singularity", "Fallen Askari", "Femeref Enchantress", "Feral Instinct", "Fireblast", "Firestorm Hellkite", "Flooded Shoreline", "Forbidden Ritual", "Foreshadow", "Freewind Falcon", "Funeral Charm", "Giant Caterpillar", "Goblin Recruiter", "Goblin Swine-Rider", "Gossamer Chains", "Griffin Canyon", "Guiding Spirit", "Hearth Charm", "Heat Wave", "Helm of Awakening", "Honorable Passage", "Hope Charm", "Hulking Cyclops", "Impulse", "Infantry Veteran", "Infernal Harvest", "Inspiration", "Iron-Heart Chimera", "Jamuraan Lion", "Juju Bubble", "Jungle Basin", "Kaervek's Spite", "Karoo", "Katabatic Winds", "Keeper of Kookus", "Knight of the Mists", "Knight of Valor", "Kookus", "Kyscu Drake", "Lead-Belly Chimera", "Lichenthrope", "Lightning Cloud", "Longbow Archer", "Magma Mine", "Matopi Golem", "Miraculous Recovery", "Mob Mentality", "Mortal Wound", "Mundungu", "Mystic Veil", "Natural Order", "Necromancy", "Nekrataal", "Ogre Enforcer", "Panther Warriors", "Parapet", "Phyrexian Marauder", "Phyrexian Walker", "Pillar Tombs of Aku", "Prosperity", "Pygmy Hippo", "Python", "Quicksand", "Quirion Druid", "Quirion Ranger", "Raging Gorilla", "Rainbow Efreet", "Relentless Assault", "Relic Ward", "Remedy", "Resistance Fighter", "Retribution of the Meek", "Righteous Aura", "Righteous War", "River Boa", "Rock Slide", "Rowen", "Sands of Time", "Scalebane's Elite", "Shimmering Efreet", "Shrieking Drake", "Simoon", "Sisay's Ring", "Snake Basket", "Solfatara", "Song of Blood", "Spider Climb", "Spitting Drake", "Squandered Resources", "Stampeding Wildebeests", "Suleiman's Legacy", "Summer Bloom", "Sun Clasp", "Suq'Ata Assassin", "Suq'Ata Lancer", "Talruum Champion", "Talruum Piper", "Tar Pit Warrior", "Teferi's Honor Guard", "Teferi's Puzzle Box", "Teferi's Realm", "Tempest Drake", "Three Wishes", "Time and Tide", "Tin-Wing Chimera", "Tithe", "Tremor", "Triangle of War", "Undiscovered Paradise", "Undo", "Vampiric Tutor", "Vanishing", "Viashivan Dragon", "Vision Charm", "Wake of Vultures", "Wand of Denial", "Warrior's Honor", "Warthog", "Waterspout Djinn", "Wind Shear", "Zhalfirin Crusader", "Armored Pegasus", "Bull Hippo", "Cloud Pirates", "Snapping Drake", "Alabaster Dragon", "Alluring Scent", "Anaconda", "Angelic Blessing", "Ardent Militia", "Arrogant Vampire", "Assassin's Blade", "Balance of Power", "Baleful Stare", "Bee Sting", "Blaze", "Blessed Reversal", "Bog Raiders", "Boiling Seas", "Border Guard", "Breath of Life", "Burning Cloak", "Capricious Sorcerer", "Charging Bandits", "Charging Paladin", "Charging Rhino", "Cloak of Feathers", "Cloud Dragon", "Cloud Spirit", "Command of Unsummoning", "Coral Eel", "Craven Giant", "Craven Knight", "Cruel Bargain", "Cruel Fate", "Cruel Tutor", "Deep Wood", "Deep-Sea Serpent", "Defiant Stand", "Déjà Vu", "Desert Drake", "Devastation", "Devoted Hero", "Djinn of the Lamp", "Dread Charge", "Dread Reaper", "Ebon Dragon", "Elite Cat Warrior", "Endless Cockroaches", "Exhaustion", "False Peace", "Final Strike", "Fire Dragon", "Fire Imp", "Fire Snake", "Fire Tempest", "Fleet-Footed Monk", "Flux", "Foot Soldiers", "Forked Lightning", "Fruition", "Giant Octopus", "Gift of Estates", "Goblin Bully", "Gorilla Warrior", "Gravedigger", "Hand of Death", "Harsh Justice", "Highland Giant", "Horned Turtle", "Howling Fury", "Hulking Goblin", "Ingenious Thief", "Jungle Lion", "Keen-Eyed Archers", "King's Assassin", "Knight Errant", "Last Chance", "Lava Axe", "Lava Flow", "Lizard Warrior", "Mercenary Knight", "Mind Knives", "Mind Rot", "Minotaur Warrior", "Mobilize", "Monstrous Growth", "Moon Sprite", "Muck Rats", "Mystic Denial", "Natural Spring", "Nature's Cloak", "Nature's Ruin", "Needle Storm", "Noxious Toad", "Omen", "Owl Familiar", "Path of Peace", "Personal Tutor", "Phantom Warrior", "Pillaging Horde", "Plant Elemental", "Primeval Force", "Raging Cougar", "Raging Goblin", "Raging Minotaur", "Rain of Salt", "Rain of Tears", "Redwood Treefolk", "Regal Unicorn", "Renewing Dawn", "Rowan Treefolk", "Sacred Knight", "Sacred Nectar", "Scorching Spear", "Scorching Winds", "Seasoned Marshal", "Serpent Assassin", "Serpent Warrior", "Skeletal Crocodile", "Skeletal Snake", "Sorcerous Sight", "Soul Shred", "Spiritual Guardian", "Spotted Griffin", "Starlight", "Starlit Angel", "Steadfastness", "Stern Marshal", "Sylvan Tutor", "Symbol of Unsummoning", "Taunt", "Temporary Truce", "Theft of Dreams", "Thing from the Deep", "Thundering Wurm", "Thundermare", "Tidal Surge", "Time Ebb", "Touch of Brilliance", "Treetop Defense", "Undying Beast", "Valorous Charge", "Vampiric Feast", "Vampiric Touch", "Venerable Monk", "Vengeance", "Virtue's Ruin", "Volcanic Hammer", "Wall of Granite", "Warrior's Charge", "Whiptail Wurm", "Wicked Pact", "Willow Dryad", "Wind Drake", "Winter's Grasp", "Withering Gaze", "Wood Elves", "Ashnod", "Barrin", "Crovax", "Eladamri", "Ertai", "Gerrard", "Gix", "Goblin Warchief Avatar", "Birds of Paradise Avatar", "Fallen Angel Avatar", "Flametongue Kavu Avatar", "Erhnam Djinn Avatar", "Greven il-Vec", "Grinning Demon Avatar", "Akroma, Angel of Wrath Avatar", "Hanna", "Karn", "Karona, False God Avatar", "Elvish Champion Avatar", "Bosh, Iron Golem Avatar", "Arcbound Overseer Avatar", "Etched Oracle Avatar", "Eight-and-a-Half-Tails Avatar", "Higure, the Still Wind Avatar", "Ink-Eyes, Servant of Oni Avatar", "Hell's Caretaker Avatar", "Maro Avatar", "Frenetic Efreet Avatar", "Loxodon Hierarch Avatar", "Chronatog Avatar", "Lyzolda, the Blood Witch Avatar", "Haakon, Stromgald Scourge Avatar", "Diamond Faerie Avatar", "Jaya Ballard Avatar", "Braids, Conjurer Adept Avatar", "Heartwood Storyteller Avatar", "Jhoira of the Ghitu Avatar", "Arcanis, the Omnipotent Avatar", "Dakkon Blackblade Avatar", "Ashling the Pilgrim Avatar", "Maralen of the Mornsong Avatar", "Ashling, the Extinguisher Avatar", "Figure of Destiny Avatar", "Mayael the Anima Avatar", "Kresh the Bloodbraided Avatar", "Eladamri, Lord of Leaves Avatar", "Malfegor Avatar", "Maelstrom Archangel Avatar", "Hermit Druid Avatar", "Dauntless Escort Avatar", "Enigma Sphinx Avatar", "Lyna", "Maraxus", "Master of the Wild Hunt Avatar", "Mirri", "Mishra", "Multani", "Oracle", "Orim", "Prodigal Sorcerer Avatar", "Phage the Untouchable Avatar", "Royal Assassin Avatar", "Platinum Angel Avatar", "Raksha Golden Cub Avatar", "Sakashima the Impostor Avatar", "Oni of Wild Places Avatar", "Rumbling Slum Avatar", "Nekrataal Avatar", "Momir Vig, Simic Visionary Avatar", "Mirri the Cursed Avatar", "Mirror Entity Avatar", "Peacekeeper Avatar", "Morinfen Avatar", "Reaper King Avatar", "Murderous Redcap Avatar", "Necropotence Avatar", "Orcish Squatters Avatar", "Rith, the Awakener Avatar", "Rofellos", "Selenia", "Serra", "Serra Angel Avatar", "Stalking Tiger Avatar", "Two-Headed Giant of Foriys Avatar", "Viridian Zealot Avatar", "Seshiro the Anointed Avatar", "Sidar Kondo", "Sisay", "Sisters of Stone Death Avatar", "Sliver Queen, Brood Mother", "Squee", "Starke", "Teysa, Orzhov Scion Avatar", "Stuffy Doll Avatar", "Squee, Goblin Nabob Avatar", "Stonehewer Giant Avatar", "Tahngarth", "Takara", "Tawnos", "Titania", "Tradewind Rider Avatar", "Sliver Queen Avatar", "Urza", "Vampire Nocturnus Avatar", "Volrath", "Xantcha", "Abduction", "Abeyance", "Abjure", "Aboroth", "Abyssal Gatekeeper", "Æther Flash", "Agonizing Memories", "Alms", "Ancestral Knowledge", "Angelic Renewal", "Apathy", "Arctic Wolves", "Argivian Find", "Argivian Restoration", "Aura of Silence", "Avizoa", "Barishi", "Barrow Ghoul", "Benalish Infantry", "Benalish Knight", "Benalish Missionary", "Betrothed of Fire", "Bloodrock Cyclops", "Blossoming Wreath", "Bogardan Firefiend", "Boiling Blood", "Bone Dancer", "Bösium Strip", "Briar Shield", "Bubble Matrix", "Buried Alive", "Call of the Wild", "Chimeric Sphere", "Choking Vines", "Cinder Giant", "Cinder Wall", "Circling Vultures", "Cloud Djinn", "Coils of the Medusa", "Cone of Flame", "Debt of Loyalty", "Dense Foliage", "Desperate Gambit", "Dingus Staff", "Disrupt", "Doomsday", "Downdraft", "Duskrider Falcon", "Dwarven Berserker", "Dwarven Thaumaturgist", "Ertai's Familiar", "Fallow Wurm", "Familiar Ground", "Fatal Blow", "Fervor", "Festering Evil", "Fire Whip", "Firestorm", "Fit of Rage", "Fledgling Djinn", "Fog Elemental", "Foriysian Brigade", "Fungus Elemental", "Gallowbraid", "Gemstone Mine", "Gerrard's Wisdom", "Goblin Bomb", "Goblin Grenadiers", "Goblin Vandal", "Guided Strike", "Harvest Wurm", "Haunting Misery", "Heart of Bogardan", "Heat Stroke", "Heavy Ballista", "Hidden Horror", "Hurloon Shaman", "Infernal Tribute", "Inner Sanctum", "Jabari's Banner", "Jangling Automaton", "Kithkin Armor", "Lava Hounds", "Lava Storm", "Liege of the Hollows", "Llanowar Behemoth", "Llanowar Druid", "Llanowar Sentinel", "Lotus Vale", "Mana Chains", "Mana Web", "Manta Ray", "Maraxus of Keld", "Master of Arms", "Merfolk Traders", "Mind Stone", "Mischievous Poltergeist", "Mistmoon Griffin", "Morinfen", "Mwonvuli Ooze", "Nature's Kiss", "Nature's Resurgence", "Necratog", "Noble Benefactor", "Null Rod", "Odylic Wraith", "Ophidian", "Orcish Settlers", "Paradigm Shift", "Peacekeeper", "Pendrell Mists", "Phantom Wings", "Phyrexian Furnace", "Psychic Vortex", "Razortooth Rats", "Relearn", "Revered Unicorn", "Roc Hatchling", "Rogue Elephant", "Sage Owl", "Sawtooth Ogre", "Scorched Ruins", "Serenity", "Serra's Blessing", "Serrated Biskelion", "Shadow Rider", "Shattered Crypt", "Soul Shepherd", "Southern Paladin", "Spinning Darkness", "Steel Golem", "Strands of Night", "Straw Golem", "Striped Bears", "Sylvan Hierophant", "Tariff", "Teferi's Veil", "Tendrils of Despair", "Thran Forge", "Thran Tome", "Thunderbolt", "Timid Drake", "Tolarian Drake", "Tolarian Entrancer", "Tolarian Serpent", "Touchstone", "Tranquil Grove", "Uktabi Efreet", "Urborg Justice", "Urborg Stalker", "Veteran Explorer", "Vitalize", "Vodalian Illusionist", "Volunteer Reserves", "Wave of Terror", "Well of Knowledge", "Winding Canyons", "Xanthic Statue", "Zombie Scavengers", "Dirtcowl Wurm", "Revenant", "Monstrous Hound", "Lightning Dragon", "Beast of Burden", "Lu Bu, Master-at-Arms", "False Prophet", "Overtaker", "Rathi Assassin", "Avatar of Hope", "Raging Kavu", "Questing Phelddagrif", "Fungal Shambler", "Stone-Tongue Basilisk", "Laquatus's Champion", "Glory", "Silent Specter", "Feral Throwback", "Soul Collector", "Sword of Kaldra", "Shield of Kaldra", "Helm of Kaldra", "Ryusei, the Falling Star", "Ink-Eyes, Servant of Oni", "Kiyomaro, First to Stand", "Gleancrawler", "Djinn Illuminatus", "Avatar of Discord", "Allosaurus Rider", "Lotus Bloom", "Oros, the Avenger", "Korlash, Heir to Blackblade", "Wren's Run Packmaster", "Door of Destinies", "Demigod of Revenge", "Overbeing of Myth", "Ajani Vengeant", "Malfegor", "Dragon Broodmother", "Rampaging Baloths", "Comet Storm", "Emrakul, the Aeons Torn", "Sun Titan", "Wurmcoil Engine", "Hero of Bladehold", "Glissa, the Traitor", "Sheoldred, Whispering One", "Bloodlord of Vaasgoth", "Mayor of Avabruck", "Howlpack Alpha", "Ravenous Demon", "Archdemon of Greed", "Moonsilver Spear", "Xathrid Gorgon", "Archon of the Triumvirate", "Hypersonic Dragon", "Carnival Hellsteed", "Corpsejack Menace", "Grove of the Guardian", "Consuming Aberration", "Fathom Mage", "Foundry Champion", "Rubblehulk", "Treasury Thrull", "Maze's End", "Megantic Sliver", "Celestial Archon", "Shipbreaker Kraken", "Abhorrent Overlord", "Ember Swallower", "Anthousa, Setessan Hero", "Silent Sentinel", "Arbiter of the Ideal", "Eater of Hope", "Forgestoker Dragon", "Nessian Wilds Ravager", "Dawnbringer Charioteers", "Scourge of Fleets", "Doomwake Giant", "Spawn of Thraxes", "Heroes' Bane", "Resolute Archangel", "Mercurial Pretender", "Indulgent Tormentor", "Siege Dragon", "Phytotitan", "Abzan Ascendancy", "Anafenza, the Foremost", "Bloodsoaked Champion", "Butcher of the Horde", "Crackling Doom", "Crater's Claws", "Deflecting Palm", "Dig Through Time", "Dragon-Style Twins", "Duneblast", "Flying Crane Technique", "Grim Haruspex", "Hardened Scales", "Herald of Anafenza", "High Sentinels of Arashin", "Icy Blast", "Jeering Instigator", "Jeskai Ascendancy", "Kheru Lich Lord", "Mardu Ascendancy", "Master of Pearls", "Narset, Enlightened Master", "Necropolis Fiend", "Sidisi, Brood Tyrant", "Siege Rhino", "Sultai Ascendancy", "Surrak Dragonclaw", "Temur Ascendancy", "Thousand Winds", "Trail of Mystery", "Trap Essence", "Utter End", "Villainous Wealth", "Zurgo Helmsmasher", "Abandon Hope", "Advance Scout", "Aftershock", "Altar of Dementia", "Aluren", "Ancient Runes", "Ancient Tomb", "Angelic Protector", "Anoint", "Apes of Rath", "Apocalypse", "Armor Sliver", "Auratog", "Avenging Angel", "Barbed Sliver", "Bayou Dragonfly", "Bellowing Fiend", "Benthic Behemoth", "Blood Frenzy", "Blood Pet", "Boil", "Booby Trap", "Bottle Gnomes", "Bounty Hunter", "Broken Fall", "Caldera Lake", "Canopy Spider", "Canyon Drake", "Canyon Wildcat", "Capsize", "Carrionette", "Chaotic Goo", "Choke", "Cinder Marsh", "Circle of Protection: Shadow", "Clergy en-Vec", "Clot Sliver", "Cloudchaser Eagle", "Coffin Queen", "Coiled Tinviper", "Cold Storage", "Commander Greven il-Vec", "Corpse Dance", "Crazed Armodon", "Crown of Flames", "Cursed Scroll", "Darkling Stalker", "Dauthi Embrace", "Dauthi Ghoul", "Dauthi Horror", "Dauthi Marauder", "Dauthi Mercenary", "Dauthi Mindripper", "Deadshot", "Death Pits of Rath", "Disturbed Burial", "Dracoplasm", "Dread of Night", "Dregs of Sorrow", "Duplicity", "Earthcraft", "Echo Chamber", "Eladamri, Lord of Leaves", "Eladamri's Vineyard", "Elite Javelineer", "Elven Warhounds", "Elvish Fury", "Emerald Medallion", "Emmessi Tome", "Endless Scream", "Energizer", "Enraging Licid", "Ertai's Meddling", "Escaped Shapeshifter", "Essence Bottle", "Evincar's Justice", "Excavator", "Extinction", "Fevered Convulsions", "Field of Souls", "Fighting Drake", "Firefly", "Fireslinger", "Flailing Drake", "Flickering Ward", "Flowstone Giant", "Flowstone Salamander", "Flowstone Sculpture", "Flowstone Wyvern", "Fool's Tome", "Frog Tongue", "Fugitive Druid", "Furnace of Rath", "Fylamarid", "Gallantry", "Gerrard's Battle Cry", "Ghost Town", "Giant Crab", "Goblin Bombardment", "Grindstone", "Hand to Hand", "Hanna's Custody", "Harrow", "Havoc", "Heart Sliver", "Heartwood Dryad", "Heartwood Giant", "Heartwood Treefolk", "Helm of Possession", "Hero's Resolve", "Horned Sliver", "Humility", "Imps' Taunt", "Insight", "Interdict", "Intuition", "Invulnerability", "Jackal Pup", "Jet Medallion", "Jinxed Idol", "Kezzerdrix", "Kindle", "Knight of Dawn", "Knight of Dusk", "Krakilin", "Leeching Licid", "Legacy's Allure", "Legerdemain", "Light of Day", "Lightning Blast", "Lightning Elemental", "Living Death", "Lobotomy", "Lotus Petal", "Lowland Giant", "Maddening Imp", "Magmasaur", "Magnetic Web", "Mana Severance", "Manakin", "Manta Riders", "Marble Titan", "Marsh Lurker", "Master Decoy", "Mawcor", "Maze of Shadows", "Meditate", "Metallic Sliver", "Mindwhip Sliver", "Minion of the Wastes", "Mirri's Guile", "Mnemonic Sliver", "Mogg Cannon", "Mogg Conscripts", "Mogg Fanatic", "Mogg Hollows", "Mogg Raider", "Mogg Squad", "Mongrel Pack", "Mounted Archers", "Muscle Sliver", "Nature's Revolt", "No Quarter", "Nurturing Licid", "Opportunist", "Oracle en-Vec", "Orim, Samite Healer", "Orim's Prayer", "Overrun", "Pallimud", "Patchwork Gnomes", "Pearl Medallion", "Pegasus Refuge", "Perish", "Phyrexian Grimoire", "Phyrexian Hulk", "Phyrexian Splicer", "Pincher Beetles", "Pine Barrens", "Pit Imp", "Precognition", "Propaganda", "Puppet Strings", "Quickening Licid", "Ranger en-Vec", "Rathi Dragon", "Rats of Rath", "Reality Anchor", "Reanimate", "Reap", "Reckless Spite", "Recycle", "Reflecting Pool", "Renegade Warlord", "Repentance", "Respite", "Rolling Thunder", "Root Maze", "Rootbreaker Wurm", "Rootwalla", "Rootwater Depths", "Rootwater Diver", "Rootwater Hunter", "Rootwater Matriarch", "Rootwater Shaman", "Ruby Medallion", "Sacred Guide", "Sadistic Glee", "Safeguard", "Salt Flats", "Sandstone Warrior", "Sapphire Medallion", "Sarcomancy", "Scabland", "Scalding Tongs", "Scorched Earth", "Scragnoth", "Screeching Harpy", "Scroll Rack", "Sea Monster", "Searing Touch", "Seeker of Skybreak", "Segmented Wurm", "Selenia, Dark Angel", "Serene Offering", "Servant of Volrath", "Shadow Rift", "Shadowstorm", "Shimmering Wings", "Shocker", "Sky Spirit", "Skyshroud Condor", "Skyshroud Elf", "Skyshroud Forest", "Skyshroud Ranger", "Skyshroud Troll", "Skyshroud Vampire", "Soltari Crusader", "Soltari Emissary", "Soltari Foot Soldier", "Soltari Guerrillas", "Soltari Lancer", "Soltari Monk", "Soltari Priest", "Soltari Trooper", "Souldrinker", "Spike Drone", "Spinal Graft", "Spirit Mirror", "Spontaneous Combustion", "Squee's Toy", "Stalking Stones", "Starke of Rath", "Static Orb", "Staunch Defenders", "Steal Enchantment", "Stinging Licid", "Storm Front", "Stun", "Sudden Impact", "Tahngarth's Rage", "Talon Sliver", "Telethopter", "Thalakos Dreamsower", "Thalakos Lowlands", "Thalakos Mistfolk", "Thalakos Seer", "Thalakos Sentry", "Thumbscrews", "Time Warp", "Tooth and Claw", "Torture Chamber", "Tradewind Rider", "Trained Armodon", "Trumpeting Armodon", "Twitch", "Unstable Shapeshifter", "Vec Townships", "Verdant Force", "Verdigris", "Vhati il-Dal", "Volrath's Curse", "Wall of Diffusion", "Warmth", "Wasteland", "Watchdog", "Whim of Volrath", "Whispers of the Muse", "Wild Wurm", "Wind Dancer", "Winds of Rath", "Winged Sliver", "Wood Sage", "Worthy Cause", "Acidic Sliver", "Amok", "Awakening", "Bandage", "Bottomless Pit", "Brush with Death", "Bullwhip", "Burgeoning", "Calming Licid", "Cannibalize", "Carnassid", "Change of Heart", "Constant Mists", "Contemplation", "Contempt", "Conviction", "Convulsing Licid", "Corrupting Licid", "Crossbow Ambush", "Crovax the Cursed", "Crystalline Sliver", "Dauthi Trapper", "Death Stroke", "Dream Halls", "Dream Prowler", "Duct Crawler", "Dungeon Shade", "Elven Rite", "Endangered Armodon", "Ensnaring Bridge", "Evacuation", "Fanning the Flames", "Flame Wave", "Flowstone Blade", "Flowstone Hellion", "Flowstone Mauler", "Flowstone Shambler", "Foul Imp", "Furnace Spirit", "Gliding Licid", "Grave Pact", "Hammerhead Shark", "Heartstone", "Heat of Battle", "Hermit Druid", "Hesitation", "Hibernation Sliver", "Hidden Retreat", "Honor Guard", "Horn of Greed", "Hornet Cannon", "Intruder Alarm", "Invasion Plans", "Jinxed Ring", "Lab Rats", "Lancers en-Kor", "Leap", "Lowland Basilisk", "Mask of the Mimic", "Megrim", "Mind Games", "Mind Peel", "Mindwarper", "Mob Justice", "Mogg Bombers", "Mogg Flunkies", "Mogg Infestation", "Mogg Maniac", "Morgue Thrull", "Mortuary", "Mox Diamond", "Mulch", "Nomads en-Kor", "Overgrowth", "Portcullis", "Primal Rage", "Provoke", "Pursuit of Knowledge", "Rabid Rats", "Ransack", "Rebound", "Reins of Power", "Rolling Stones", "Ruination", "Sacred Ground", "Samite Blessing", "Scapegoat", "Seething Anger", "Shaman en-Kor", "Shard Phoenix", "Shifting Wall", "Shock", "Sift", "Silver Wyvern", "Skeleton Scavengers", "Skyshroud Archer", "Skyshroud Falcon", "Skyshroud Troopers", "Sliver Queen", "Smite", "Soltari Champion", "Spike Breeder", "Spike Colony", "Spike Feeder", "Spike Soldier", "Spike Worker", "Spindrift Drake", "Spined Sliver", "Spirit en-Kor", "Spitting Hydra", "Stronghold Assassin", "Stronghold Taskmaster", "Sword of the Chosen", "Temper", "Tempting Licid", "Thalakos Deceiver", "Tidal Warrior", "Torment", "Tortured Existence", "Verdant Touch", "Victual Sliver", "Volrath's Gardens", "Volrath's Laboratory", "Volrath's Shapeshifter", "Volrath's Stronghold", "Walking Dream", "Wall of Blossoms", "Wall of Essence", "Wall of Razors", "Wall of Souls", "Wall of Tears", "Warrior Angel", "Warrior en-Kor", "Youthful Knight", "Abyssal Nightstalker", "Alaborn Cavalier", "Alaborn Grenadier", "Alaborn Musketeer", "Alaborn Trooper", "Alaborn Veteran", "Alaborn Zealot", "Ancient Craving", "Angel of Fury", "Angel of Mercy", "Angelic Wall", "Apprentice Sorcerer", "Armored Galleon", "Armored Griffin", "Barbtooth Wurm", "Bargain", "Bear Cub", "Bloodcurdling Scream", "Brimstone Dragon", "Brutal Nightstalker", "Chorus of Woe", "Coastal Wizard", "Cruel Edict", "Cunning Giant", "Dakmor Bat", "Dakmor Plague", "Dakmor Scorpion", "Dakmor Sorceress", "Dark Offering", "Deathcoil Wurm", "Denizen of the Deep", "Extinguish", "Eye Spy", "False Summoning", "Festival of Trokin", "Foul Spirit", "Goblin Cavaliers", "Goblin Firestarter", "Goblin General", "Goblin Glider", "Goblin Lore", "Goblin Matron", "Goblin Mountaineer", "Goblin Piker", "Goblin Raider", "Goblin War Cry", "Goblin War Strike", "Golden Bear", "Harmony of Nature", "Ironhoof Ox", "Jagged Lightning", "Just Fate", "Kiss of Death", "Lone Wolf", "Lurking Nightstalker", "Lynx", "Magma Giant", "Moaning Spirit", "Nightstalker Engine", "Norwood Archers", "Norwood Priestess", "Norwood Ranger", "Norwood Riders", "Norwood Warrior", "Obsidian Giant", "Ogre Berserker", "Ogre Taskmaster", "Ogre Warrior", "Piracy", "Plated Wurm", "Predatory Nightstalker", "Prowling Nightstalker", "Raiding Nightstalker", "Rain of Daggers", "Rally the Troops", "Ravenous Rats", "Razorclaw Bear", "Remove", "Renewing Touch", "Return of the Nightstalkers", "Righteous Charge", "Righteous Fury", "River Bear", "Salvage", "Screeching Drake", "Sea Drake", "Sleight of Hand", "Steam Catapult", "Steam Frigate", "Swarm of Rats", "Sylvan Basilisk", "Sylvan Yeti", "Talas Air Ship", "Talas Explorer", "Talas Merchant", "Talas Researcher", "Talas Scout", "Talas Warrior", "Temple Acolyte", "Temple Elder", "Temporal Manipulation", "Town Sentry", "Tree Monkey", "Trokin High Guard", "Vampiric Spirit", "Volunteer Militia", "Warrior's Stand", "Wild Griffin", "Wild Ox", "Wildfire", "Wind Sail", "Stroke of Genius", "Gaea's Cradle", "Oath of Druids", "Argothian Enchantress", "Phyrexian Negator", "Deranged Hermit", "Exalted Angel", "Grim Lavamancer", "Meddling Mage", "Pernicious Deed", "Ravenous Baloth", "Cunning Wish", "Yawgmoth's Will", "Vindicate", "Decree of Justice", "Orim's Chant", "Mind's Desire", "Goblin Piledriver", "Living Wish", "Stifle", "Survival of the Fittest", "Burning Wish", "Bloodstained Mire", "Flooded Strand", "Polluted Delta", "Windswept Heath", "Wooded Foothills", "Morphling", "Entomb", "Sword of Fire and Ice", "Vendilion Clique", "Bitterblossom", "Dark Confidant", "Doubling Season", "Goblin Welder", "Xiahou Dun, the One-Eyed", "Flusterstorm", "Noble Hierarch", "Karmic Guide", "Sneak Attack", "Sword of Light and Shadow", "Command Tower", "Bribery", "Imperial Recruiter", "Crucible of Worlds", "Overwhelming Forces", "Show and Tell", "Genesis", "Karador, Ghost Chieftain", "Greater Good", "Riku of Two Reflections", "Hanna, Ship's Navigator", "Sword of Feast and Famine", "Nekusar, the Mindrazer", "Elesh Norn, Grand Cenobite", "Oloro, Ageless Ascetic", "Allay", "Cataclysm", "Convalescence", "Exalted Dragon", "High Ground", "Keeper of the Light", "Kor Chant", "Limited Resources", "Oath of Lieges", "Paladin en-Vec", "Peace of Mind", "Pegasus Stampede", "Penance", "Reaping the Rewards", "Reconnaissance", "Shackles", "Shield Mate", "Soltari Visionary", "Soul Warden", "Standing Troops", "Treasure Hunter", "Wall of Nets", "Welkin Hawk", "Zealots en-Dal", "Æther Tide", "Cunning", "Curiosity", "Dominating Licid", "Ephemeron", "Equilibrium", "Ertai, Wizard Adept", "Fade Away", "Forbid", "Keeper of the Mind", "Killer Whale", "Mana Breach", "Merfolk Looter", "Mind Over Matter", "Mirozel", "Oath of Scholars", "Robe of Mirrors", "Rootwater Mystic", "School of Piranha", "Scrivener", "Thalakos Drifters", "Thalakos Scout", "Treasure Trove", "Wayward Soul", "Whiptongue Frog", "Carnophage", "Cat Burglar", "Culling the Weak", "Cursed Flesh", "Dauthi Cutthroat", "Dauthi Jackal", "Dauthi Warlord", "Death's Duet", "Entropic Specter", "Fugue", "Grollub", "Hatred", "Keeper of the Dead", "Mind Maggots", "Nausea", "Necrologia", "Oath of Ghouls", "Pit Spawn", "Plaguebearer", "Recurring Nightmare", "Scare Tactics", "Slaughter", "Spike Cannibal", "Thrull Surgeon", "Vampire Hounds", "Volrath's Dungeon", "Anarchist", "Cinder Crawler", "Dizzying Gaze", "Fighting Chance", "Flowstone Flood", "Furnace Brood", "Keeper of the Flame", "Mage il-Vec", "Maniacal Rage", "Mogg Assassin", "Oath of Mages", "Ogre Shaman", "Onslaught", "Pandemonium", "Paroxysm", "Price of Progress", "Ravenous Baboons", "Reckless Ogre", "Sabertooth Wyvern", "Scalding Salamander", "Seismic Assault", "Shattering Pulse", "Sonic Burst", "Spellshock", "Avenging Druid", "Bequeathal", "Cartographer", "Crashing Boars", "Elven Palisade", "Elvish Berserker", "Jackalope Herd", "Keeper of the Beasts", "Manabond", "Mirri, Cat Warrior", "Plated Rootwalla", "Predatory Hunger", "Pygmy Troll", "Rabid Wolverines", "Reclaim", "Resuscitate", "Rootwater Alligator", "Skyshroud Elite", "Skyshroud War Beast", "Song of Serenity", "Spike Hatcher", "Spike Rogue", "Spike Weaver", "Coat of Arms", "Erratic Portal", "Medicine Bag", "Memory Crystal", "Mindless Automaton", "Null Brooch", "Skyshaper", "Spellbook", "Sphere of Resistance", "Thopter Squadron", "Transmogrifying Licid", "Workhorse", "City of Traitors", "Charm School", "The Cheese Stands Alone", "Double Dip", "Get a Life", "I'm Rubber, You're Glue", "Knight of the Hokey Pokey", "Lexivore", "Look at Me, I'm the DCI", "Mesa Chicken", "Miss Demeanor", "Once More with Feeling", "Prismatic Wardrobe", "Sex Appeal", "Bureaucracy", "Censorship", "Checks and Balances", "Chicken à la King", "Clambassadors", "Clam-I-Am", "Clam Session", "Common Courtesy", "Denied!", "Double Take", "Fowl Play", "Free-for-All", "Psychic Network", "Sorry", "B.F.M. (Big Furry Monster)", "Deadhead", "Double Cross", "Handcuffs", "Infernal Spawn of Evil", "Jumbo Imp", "Organ Harvest", "Ow", "Poultrygeist", "Temp of the Damned", "Volrath's Motion Sensor", "Burning Cinder Fury of Crimson Chaos Fire", "Chicken Egg", "Double Deal", "Goblin Bookie", "Goblin Bowling Team", "Goblin Tutor", "Hurloon Wrangler", "Jalum Grifter", "Krazy Kow", "Landfill", "Ricochet", "Spark Fiend", "Strategy, Schmategy", "The Ultimate Nightmare of Wizards of the Coast® Customer Service", "Cardboard Carapace", "Double Play", "Elvish Impersonators", "Flock of Rabid Sheep", "Free-Range Chicken", "Gerrymandering", "Ghazbán Ogress", "Growth Spurt", "Gus", "Hungry Hungry Heifer", "Incoming!", "Mine, Mine, Mine!", "Squirrel Farm", "Team Spirit", "Timmy, Power Gamer", "Blacker Lotus", "Bronze Calendar", "Chaos Confetti", "Clay Pigeon", "Giant Fan", "Jack-in-the-Mox", "Jester's Sombrero", "Mirror Mirror", "Paper Tiger", "Rock Lobster", "Scissors Lizard", "Spatula of the Ages", "Urza's Contact Lenses", "Urza's Science Fair Project", "Pegasus token card", "Soldier token card", "Zombie token card", "Goblin token card", "Sheep token card", "Squirrel token card", "Absolute Grace", "Absolute Law", "Angelic Chorus", "Angelic Page", "Brilliant Halo", "Catastrophe", "Clear", "Congregate", "Defensive Formation", "Disciple of Grace", "Disciple of Law", "Elite Archers", "Faith Healer", "Glorious Anthem", "Herald of Serra", "Humble", "Intrepid Hero", "Monk Idealist", "Monk Realist", "Opal Acrolith", "Opal Archangel", "Opal Caryatid", "Opal Gargoyle", "Opal Titan", "Pariah", "Pegasus Charger", "Planar Birth", "Redeem", "Remembrance", "Rune of Protection: Artifacts", "Rune of Protection: Black", "Rune of Protection: Blue", "Rune of Protection: Green", "Rune of Protection: Lands", "Rune of Protection: Red", "Rune of Protection: White", "Sanctum Custodian", "Sanctum Guardian", "Serra Zealot", "Serra's Embrace", "Serra's Hymn", "Serra's Liturgy", "Shimmering Barrier", "Silent Attendant", "Songstitcher", "Soul Sculptor", "Voice of Grace", "Voice of Law", "Waylay", "Worship", "Academy Researchers", "Annul", "Arcane Laboratory", "Attunement", "Back to Basics", "Barrin, Master Wizard", "Catalog", "Cloak of Mists", "Confiscate", "Coral Merfolk", "Curfew", "Disruptive Student", "Douse", "Drifting Djinn", "Energy Field", "Fog Bank", "Gilded Drake", "Great Whale", "Hermetic Study", "Hibernation", "Horseshoe Crab", "Imaginary Pet", "Launch", "Lilting Refrain", "Lingering Mirage", "Pendrell Drake", "Pendrell Flux", "Peregrine Drake", "Power Taint", "Recantation", "Rescind", "Sandbar Merfolk", "Sandbar Serpent", "Somnophore", "Spire Owl", "Stern Proctor", "Sunder", "Telepathy", "Time Spiral", "Tolarian Winds", "Veil of Birds", "Veiled Apparition", "Veiled Crocodile", "Veiled Sentry", "Veiled Serpent", "Windfall", "Wizard Mentor", "Zephid", "Zephid's Embrace", "Abyssal Horror", "Befoul", "Bereavement", "Blood Vassal", "Breach", "Cackling Fiend", "Carrion Beetles", "Contamination", "Crazed Skirge", "Dark Hatchling", "Darkest Hour", "Despondency", "Diabolic Servitude", "Discordant Dirge", "Eastern Paladin", "Exhume", "Expunge", "Flesh Reaver", "Hollow Dogs", "Ill-Gotten Gains", "Looming Shade", "Lurking Evil", "Mana Leech", "No Rest for the Wicked", "Oppression", "Order of Yawgmoth", "Parasitic Bond", "Persecute", "Phyrexian Ghoul", "Planar Void", "Priest of Gix", "Rain of Filth", "Ravenous Skirge", "Reclusive Wight", "Reprocess", "Sanguine Guard", "Sicken", "Skirge Familiar", "Sleeper Agent", "Spined Fluke", "Tainted Æther", "Unnerve", "Unworthy Dead", "Vampiric Embrace", "Vebulid", "Victimize", "Vile Requiem", "Western Paladin", "Witch Engine", "Yawgmoth's Edict", "Acidic Soil", "Antagonism", "Bedlam", "Brand", "Bravado", "Bulwark", "Crater Hellion", "Destructive Urge", "Disorder", "Dromosaur", "Electryte", "Falter", "Fault Line", "Fiery Mantle", "Fire Ants", "Gamble", "Goblin Cadets", "Goblin Lackey", "Goblin Offensive", "Goblin Patrol", "Goblin Spelunkers", "Goblin War Buggy", "Guma", "Headlong Rush", "Heat Ray", "Lay Waste", "Meltdown", "Okk", "Outmaneuver", "Raze", "Reflexes", "Retromancer", "Rumbling Crescendo", "Scald", "Scoria Wurm", "Scrap", "Shiv's Embrace", "Shivan Hellkite", "Shivan Raptor", "Shower of Sparks", "Steam Blast", "Sulfuric Vapors", "Thundering Giant", "Torch Song", "Viashino Outrider", "Viashino Runner", "Viashino Sandswimmer", "Viashino Weaponsmith", "Vug Lizard", "Abundance", "Acridian", "Albino Troll", "Argothian Elder", "Argothian Swine", "Argothian Wurm", "Blanchwood Armor", "Blanchwood Treefolk", "Carpet of Flowers", "Cave Tiger", "Child of Gaea", "Citanul Centaurs", "Citanul Hierophants", "Cradle Guard", "Crosswinds", "Elvish Herder", "Elvish Lyrist", "Endless Wurm", "Exploration", "Fecundity", "Fertile Ground", "Fortitude", "Gaea's Bounty", "Gaea's Embrace", "Greener Pastures", "Hawkeater Moth", "Hidden Ancients", "Hidden Guerrillas", "Hidden Herd", "Hidden Predators", "Hidden Spider", "Hidden Stag", "Hush", "Lull", "Midsummer Revel", "Priest of Titania", "Rejuvenate", "Retaliation", "Sporogenesis", "Spreading Algae", "Symbiosis", "Titania's Boon", "Titania's Chosen", "Treefolk Seedlings", "Treetop Rangers", "Venomous Fangs", "Vernal Bloom", "War Dance", "Whirlwind", "Wild Dogs", "Winding Wurm", "Barrin's Codex", "Cathodion", "Chimeric Staff", "Citanul Flute", "Claws of Gix", "Copper Gnomes", "Crystal Chimes", "Dragon Blood", "Endoskeleton", "Fluctuator", "Grafted Skullcap", "Hopping Automaton", "Lifeline", "Lotus Blossom", "Metrognome", "Mishra's Helix", "Mobile Fort", "Noetic Scales", "Phyrexian Colossus", "Phyrexian Processor", "Purging Scythe", "Smokestack", "Temporal Aperture", "Thran Turbine", "Umbilicus", "Urza's Armor", "Voltaic Key", "Wall of Junk", "Whetstone", "Wirecat", "Worn Powerstone", "Blasted Landscape", "Drifting Meadow", "Phyrexian Tower", "Polluted Mire", "Remote Isle", "Serra's Sanctum", "Shivan Gorge", "Slippery Karst", "Smoldering Crater", "Thran Quarry", "Tolarian Academy", "Angelic Curator", "Burst of Energy", "Cessation", "Defender of Law", "Devout Harpist", "Erase", "Expendable Troops", "Hope and Glory", "Iron Will", "Knighthood", "Martyr's Cause", "Mother of Runes", "Opal Avenger", "Opal Champion", "Peace and Quiet", "Planar Collapse", "Purify", "Radiant, Archangel", "Radiant's Dragoons", "Radiant's Judgment", "Sustainer of the Realm", "Tragic Poet", "Anthroplasm", "Archivist", "Aura Flux", "Bouncing Beebles", "Cloud of Faeries", "Delusions of Mediocrity", "Fleeting Image", "Frantic Search", "Intervene", "King Crab", "Levitation", "Miscalculation", "Opportunity", "Palinchron", "Raven Familiar", "Rebuild", "Second Chance", "Slow Motion", "Snap", "Thornwind Faeries", "Tinker", "Vigilant Drake", "Walking Sponge", "Weatherseed Faeries", "Bone Shredder", "Brink of Madness", "Engineered Plague", "Eviscerator", "Fog of Gnats", "Giant Cockroach", "Lurking Skirge", "No Mercy", "Ostracize", "Phyrexian Broodlings", "Phyrexian Debaser", "Phyrexian Defiler", "Phyrexian Denouncer", "Phyrexian Plaguelord", "Phyrexian Reclamation", "Plague Beetle", "Rank and File", "Sick and Tired", "Sleeper's Guile", "Subversion", "Swat", "Tethered Skirge", "Treacherous Link", "Unearth", "About Face", "Avalanche Riders", "Defender of Chaos", "Ghitu Fire-Eater", "Ghitu Slinger", "Ghitu War Cry", "Goblin Medics", "Granite Grip", "Impending Disaster", "Last-Ditch Effort", "Molten Hydra", "Parch", "Pygmy Pyrosaur", "Pyromancy", "Rack and Ruin", "Rivalry", "Shivan Phoenix", "Sluggishness", "Viashino Bey", "Viashino Cutthroat", "Viashino Heretic", "Viashino Sandscout", "Bloated Toad", "Crop Rotation", "Darkwatch Elves", "Defense of the Heart", "Gang of Elk", "Harmonic Convergence", "Hidden Gibbons", "Might of Oaks", "Multani, Maro-Sorcerer", "Multani's Acolyte", "Multani's Presence", "Rancor", "Repopulate", "Silk Net", "Simian Grunts", "Treefolk Mystic", "Weatherseed Elf", "Weatherseed Treefolk", "Wing Snare", "Yavimaya Granger", "Yavimaya Scion", "Yavimaya Wurm", "Angel's Trumpet", "Crawlspace", "Damping Engine", "Defense Grid", "Grim Monolith", "Iron Maiden", "Jhoira's Toolbox", "Memory Jar", "Quicksilver Amulet", "Ring of Gix", "Scrapheap", "Thran Lens", "Thran War Machine", "Thran Weaponry", "Ticking Gnomes", "Urza's Blueprints", "Wheel of Torture", "Faerie Conclave", "Forbidding Watchtower", "Ghitu Encampment", "Spawning Pool", "Treetop Village", "Alert Shu Infantry", "Eightfold Maze", "Empty City Ruse", "False Defeat", "Flanking Troops", "Guan Yu, Sainted Warrior", "Guan Yu's 1,000-Li March", "Huang Zhong, Shu General", "Kongming, \"Sleeping Dragon\"", "Kongming's Contraptions", "Liu Bei, Lord of Shu", "Loyal Retainers", "Misfortune's Gain", "Pang Tong, \"Young Phoenix\"", "Peach Garden Oath", "Ravages of War", "Riding Red Hare", "Shu Cavalry", "Shu Defender", "Shu Elite Companions", "Shu Elite Infantry", "Shu Farmer", "Shu Foot Soldiers", "Shu General", "Shu Grain Caravan", "Shu Soldier-Farmers", "Virtuous Charge", "Zhang Fei, Fierce Warrior", "Zhao Zilong, Tiger General", "Borrowing 100,000 Arrows", "Brilliant Plan", "Broken Dam", "Capture of Jingzhou", "Champion's Victory", "Council of Advisors", "Counterintelligence", "Forced Retreat", "Lady Sun", "Lu Meng, Wu General", "Lu Su, Wu Advisor", "Lu Xun, Scholar General", "Preemptive Strike", "Red Cliffs Armada", "Sage's Knowledge", "Strategic Planning", "Straw Soldiers", "Sun Ce, Young Conquerer", "Sun Quan, Lord of Wu", "Wu Admiral", "Wu Elite Cavalry", "Wu Infantry", "Wu Light Cavalry", "Wu Longbowman", "Wu Scout", "Wu Spy", "Wu Warship", "Zhou Yu, Chief Commander", "Zhuge Jin, Wu Strategist", "Ambition's Cost", "Cao Cao, Lord of Wei", "Cao Ren, Wei Commander", "Corrupt Court Official", "Cunning Advisor", "Deception", "Desperate Charge", "Famine", "Ghostly Visit", "Imperial Edict", "Imperial Seal", "Poison Arrow", "Return to Battle", "Sima Yi, Wei Field Marshal", "Stolen Grain", "Stone Catapult", "Wei Ambush Force", "Wei Assassins", "Wei Elite Companions", "Wei Infantry", "Wei Night Raiders", "Wei Scout", "Wei Strike Force", "Xun Yu, Wei Advisor", "Young Wei Recruits", "Zhang He, Wei General", "Zhang Liao, Hero of Hefei", "Zodiac Pig", "Zodiac Rat", "Zodiac Snake", "Barbarian General", "Barbarian Horde", "Burning Fields", "Burning of Xinye", "Control of the Court", "Corrupt Eunuchs", "Desert Sandstorm", "Diaochan, Artful Beauty", "Dong Zhou, the Tyrant", "Eunuchs' Intrigues", "Fire Ambush", "Fire Bowman", "Independent Troops", "Ma Chao, Western Warrior", "Mountain Bandit", "Ravaging Horde", "Renegade Troops", "Rockslide Ambush", "Rolling Earthquake", "Warrior's Oath", "Yellow Scarves Cavalry", "Yellow Scarves General", "Yellow Scarves Troops", "Yuan Shao, the Indecisive", "Yuan Shao's Infantry", "Zodiac Dog", "Zodiac Dragon", "Zodiac Goat", "Borrowing the East Wind", "False Mourning", "Forest Bear", "Heavy Fog", "Hua Tuo, Honored Physician", "Hunting Cheetah", "Lady Zhurong, Warrior Queen", "Marshaling the Troops", "Meng Huo, Barbarian King", "Meng Huo's Horde", "Riding the Dilu Horse", "Slashing Tiger", "Southern Elephant", "Spoils of Victory", "Spring of Eternal Peace", "Taoist Hermit", "Taoist Mystic", "Taunting Challenge", "Three Visits", "Trained Cheetah", "Trained Jackal", "Trip Wire", "Wielding the Green Dragon", "Wolf Pack", "Zodiac Horse", "Zodiac Monkey", "Zodiac Ox", "Zodiac Rabbit", "Zodiac Rooster", "Zodiac Tiger", "Zuo Ci, the Mocking Sage", "Academy Rector", "Archery Training", "Capashen Knight", "Capashen Standard", "Capashen Templar", "Fend Off", "Field Surgeon", "Flicker", "Jasmine Seer", "Mask of Law and Grace", "Master Healer", "Opalescence", "Reliquary Monk", "Replenish", "Sanctimony", "Scent of Jasmine", "Scour", "Serra Advocate", "Solidarity", "Tethered Griffin", "Tormented Angel", "Voice of Duty", "Voice of Reason", "Wall of Glare", "Aura Thief", "Blizzard Elemental", "Brine Seer", "Bubbling Beebles", "Disappear", "Donate", "Fatigue", "Fledgling Osprey", "Illuminated Wings", "Iridescent Drake", "Kingfisher", "Mental Discipline", "Metathran Elite", "Metathran Soldier", "Opposition", "Private Research", "Quash", "Rayne, Academy Chancellor", "Rescue", "Scent of Brine", "Sigil of Sleep", "Telepathic Spies", "Temporal Adept", "Thieving Magpie", "Treachery", "Apprentice Necromancer", "Attrition", "Body Snatcher", "Bubbling Muck", "Carnival of Souls", "Chime of Night", "Disease Carriers", "Dying Wail", "Encroach", "Eradicate", "Festering Wound", "Lurking Jackals", "Nightshade Seer", "Phyrexian Monitor", "Plague Dogs", "Rapid Decay", "Scent of Nightshade", "Skittering Horror", "Slinking Skirge", "Soul Feast", "Squirming Mass", "Twisted Experiment", "Yawgmoth's Bargain", "Æther Sting", "Bloodshot Cyclops", "Cinder Seer", "Colos Yearling", "Covetous Dragon", "Flame Jet", "Goblin Berserker", "Goblin Festival", "Goblin Gardener", "Goblin Marshal", "Goblin Masons", "Hulking Ogre", "Impatience", "Incendiary", "Keldon Champion", "Keldon Vandals", "Landslide", "Mark of Fury", "Reckless Abandon", "Repercussion", "Sowing Salt", "Trumpet Blast", "Wake of Destruction", "Wild Colos", "Ancient Silverback", "Compost", "Elvish Lookout", "Elvish Piper", "Emperor Crocodile", "Gamekeeper", "Goliath Beetle", "Heart Warden", "Hunting Moa", "Ivy Seer", "Magnify", "Marker Beetles", "Momentum", "Multani's Decree", "Pattern of Rebirth", "Plated Spider", "Plow Under", "Rofellos, Llanowar Emissary", "Rofellos's Gift", "Scent of Ivy", "Splinter", "Taunting Elf", "Thorn Elemental", "Yavimaya Elder", "Yavimaya Enchantress", "Braidwood Cup", "Braidwood Sextant", "Brass Secretary", "Caltrops", "Extruder", "Fodder Cannon", "Junk Diver", "Mantis Engine", "Masticore", "Metalworker", "Powder Keg", "Scrying Glass", "Storage Matrix", "Thran Dynamo", "Thran Foundry", "Thran Golem", "Urza's Incubator", "Yavimaya Hollow", "Angel of Light", "Champion Lancer", "Devout Monk", "Eager Cadet", "Loyal Sentry", "Royal Falcon", "Royal Trooper", "Veteran Cavalier", "Sea Eagle", "Tidings", "Vizzerdrix", "Dakmor Ghoul", "Dakmor Lancer", "Grim Tutor", "Shrieking Specter", "Stream of Acid", "Cinder Storm", "Goblin Chariot", "Goblin Commando", "Goblin Settler", "Thunder Dragon", "Trained Orgg", "Pride of Lions", "Silverback Ape", "Squall", "Willow Elf", "Alabaster Wall", "Armistice", "Ballista Squad", "Charm Peddler", "Charmed Griffin", "Cho-Arrim Alchemist", "Cho-Arrim Bruiser", "Cho-Arrim Legate", "Cho-Manno, Revolutionary", "Cho-Manno's Blessing", "Common Cause", "Cornered Market", "Crackdown", "Crossbow Infantry", "Devout Witness", "Fountain Watch", "Fresh Volunteers", "Honor the Fallen", "Ignoble Soldier", "Inviolability", "Ivory Mask", "Jhovall Queen", "Jhovall Rider", "Last Breath", "Moment of Silence", "Moonlit Wake", "Muzzle", "Nightwind Glider", "Noble Purpose", "Orim's Cure", "Pious Warrior", "Ramosian Captain", "Ramosian Commander", "Ramosian Lieutenant", "Ramosian Rally", "Ramosian Sergeant", "Ramosian Sky Marshal", "Rappelling Scouts", "Renounce", "Revered Elder", "Reverent Mantra", "Righteous Indignation", "Security Detail", "Soothing Balm", "Spiritual Focus", "Steadfast Guard", "Story Circle", "Task Force", "Thermal Glider", "Tonic Peddler", "Trap Runner", "Wave of Reckoning", "Wishmonger", "Aerial Caravan", "Balloon Peddler", "Blockade Runner", "Buoyancy", "Chambered Nautilus", "Chameleon Spirit", "Charisma", "Cloud Sprite", "Coastal Piracy", "Cowardice", "Customs Depot", "Darting Merfolk", "Dehydration", "Diplomatic Escort", "Diplomatic Immunity", "Drake Hatchling", "Embargo", "Extravagant Spirit", "Glowing Anemone", "Gush", "High Seas", "Hoodwink", "Indentured Djinn", "Karn's Touch", "Misdirection", "Misstep", "Port Inspector", "Rishadan Airship", "Rishadan Brigand", "Rishadan Cutpurse", "Rishadan Footpad", "Sailmonger", "Sand Squid", "Saprazzan Bailiff", "Saprazzan Breaker", "Saprazzan Heir", "Saprazzan Legate", "Saprazzan Outrigger", "Saprazzan Raider", "Shoving Match", "Soothsaying", "Squeeze", "Statecraft", "Stinging Barrier", "Thwart", "Tidal Bore", "Tidal Kraken", "Trade Routes", "War Tax", "Waterfront Bouncer", "Alley Grifters", "Black Market", "Bog Smugglers", "Bog Witch", "Cackling Witch", "Cateran Brute", "Cateran Enforcer", "Cateran Kidnappers", "Cateran Overlord", "Cateran Persuader", "Cateran Slaver", "Cateran Summons", "Conspiracy", "Corrupt Official", "Deathgazer", "Deepwood Ghoul", "Deepwood Legate", "Delraich", "Enslaved Horror", "Extortion", "Forced March", "Ghoul's Feast", "Haunted Crossroads", "Highway Robber", "Instigator", "Insubordination", "Intimidation", "Larceny", "Liability", "Maggot Therapy", "Midnight Ritual", "Misshapen Fiend", "Molting Harpy", "Nether Spirit", "Notorious Assassin", "Pretender's Claim", "Primeval Shambler", "Putrefaction", "Quagmire Lamprey", "Rampart Crawler", "Rouse", "Scandalmonger", "Sever Soul", "Silent Assassin", "Skulking Fugitive", "Snuff Out", "Soul Channeling", "Specter's Wail", "Strongarm Thug", "Thrashing Wumpus", "Undertaker", "Unmask", "Unnatural Hunger", "Vendetta", "Wall of Distortion", "Arms Dealer", "Battle Rampart", "Battle Squadron", "Blaster Mage", "Blood Hound", "Blood Oath", "Brawl", "Cave Sense", "Cave-In", "Cavern Crawler", "Ceremonial Guard", "Cinder Elemental", "Close Quarters", "Crag Saurian", "Crash", "Flailing Manticore", "Flailing Ogre", "Flailing Soldier", "Flaming Sword", "Furious Assault", "Gerrard's Irregulars", "Hammer Mage", "Hired Giant", "Kris Mage", "Kyren Glider", "Kyren Legate", "Kyren Negotiations", "Kyren Sniper", "Lava Runner", "Lithophage", "Lunge", "Magistrate's Veto", "Mercadia's Downfall", "Pulverize", "Puppet's Verdict", "Robber Fly", "Rock Badger", "Seismic Mage", "Shock Troops", "Sizzle", "Squee, Goblin Nabob", "Tectonic Break", "Territorial Dispute", "Thieves' Auction", "Thunderclap", "Two-Headed Dragon", "Uphill Battle", "Volcanic Wind", "War Cadence", "Warpath", "Wild Jhovall", "Ancestral Mask", "Bifurcate", "Boa Constrictor", "Briar Patch", "Caller of the Hunt", "Caustic Wasps", "Clear the Land", "Collective Unconscious", "Dawnstrider", "Deepwood Drummer", "Deepwood Elder", "Deepwood Tantiv", "Deepwood Wolverine", "Erithizon", "Ferocity", "Food Chain", "Foster", "Game Preserve", "Groundskeeper", "Horned Troll", "Howling Wolf", "Hunted Wumpus", "Invigorate", "Land Grant", "Ley Line", "Lumbering Satyr", "Megatherium", "Natural Affinity", "Pangosaur", "Revive", "Rushwood Dryad", "Rushwood Elemental", "Rushwood Herbalist", "Rushwood Legate", "Saber Ants", "Sacred Prey", "Silverglade Elemental", "Silverglade Pathfinder", "Snake Pit", "Snorting Gahr", "Spidersilk Armor", "Spontaneous Generation", "Squallmonger", "Stamina", "Sustenance", "Tiger Claws", "Venomous Dragonfly", "Vernal Equinox", "Vine Dryad", "Vine Trellis", "Assembly Hall", "Barbed Wire", "Bargaining Table", "Credit Voucher", "Crenellated Wall", "Crooked Scales", "Crumbling Sanctuary", "Distorting Lens", "Eye of Ramos", "General's Regalia", "Heart of Ramos", "Henge Guardian", "Horn of Plenty", "Horn of Ramos", "Iron Lance", "Jeweled Torque", "Kyren Archive", "Kyren Toy", "Magistrate's Scepter", "Mercadian Atlas", "Mercadian Lift", "Monkey Cage", "Panacea", "Power Matrix", "Puffer Extract", "Rishadan Pawnshop", "Skull of Ramos", "Tooth of Ramos", "Toymaker", "Worry Beads", "Dust Bowl", "Fountain of Cho", "Henge of Ramos", "Hickory Woodlot", "High Market", "Mercadian Bazaar", "Peat Bog", "Remote Farm", "Rishadan Port", "Rushwood Grove", "Sandstone Needle", "Saprazzan Cove", "Saprazzan Skerry", "Subterranean Hangar", "Tower of the Magistrate", "Slith Firewalker", "Sakura-Tribe Elder", "Elvish Champion", "Mad Auntie", "Smother", "Whipcorder", "Sparksmith", "Krosan Tusker", "Withered Wretch", "Willbender", "Slice and Dice", "Silver Knight", "Krosan Warchief", "Lightning Rift", "Carrion Feeder", "Accumulated Knowledge", "Seal of Cleansing", "Flametongue Kavu", "Blastoderm", "Cabal Therapy", "Fact or Fiction", "Armadillo Cloak", "Terminate", "Goblin Warchief", "Wild Mongrel", "Chainer's Edict", "Circular Logic", "Astral Slide", "Arrogant Wurm", "Life", "Death", "Fire", "Ice", "Firebolt", "Deep Analysis", "Gerrard's Verdict", "Basking Rootwalla", "Wonder", "Goblin Legionnaire", "Goblin Ringleader", "Wing Shards", "Cabal Coffers", "Roar of the Wurm", "Remand", "Eternal Witness", "Tendrils of Agony", "Thirst for Knowledge", "Isochron Scepter", "Shrapnel Blast", "Magma Jet", "Myr Enforcer", "Kitchen Finks", "Merrow Reejerey", "Wren's Run Vanquisher", "Mulldrifter", "Murderous Redcap", "Lightning Greaves", "Watchwolf", "Browbeat", "Oblivion Ring", "Tidehollow Sculler", "Ghostly Prison", "Ancient Ziggurat", "Bloodbraid Elf", "Cloudpost", "Elvish Visionary", "Anathemancer", "Krosan Grip", "Qasali Pridemage", "Rift Bolt", "Gatekeeper of Malakir", "Wild Nacatl", "Everflowing Chalice", "Spellstutter Sprite", "Wall of Omens", "Artisan of Kozilek", "Squadron Hawk", "Rhox War Monk", "Jace's Ingenuity", "Cultivate", "Teetering Peaks", "Contagion Clasp", "Go for the Throat", "Savage Lands", "Glistener Elf", "Despise", "Tectonic Edge", "Dismember", "Ancient Grudge", "Acidic Slime", "Forbidden Alchemy", "Avacyn's Pilgrim", "Lingering Souls", "Pillar of Flame", "Gitaxian Probe", "Searing Spear", "Reliquary Tower", "Farseek", "Call of the Conclave", "Judge's Familiar", "Izzet Charm", "Rakdos Cackler", "Dimir Charm", "Experiment One", "Ghor-Clan Rampager", "Grisly Salvage", "Sin Collector", "Warleader's Helix", "Elvish Mystic", "Banisher Priest", "Encroaching Wastes", "Tormented Hero", "Dissolve", "Magma Spray", "Bile Blight", "Banishing Light", "Fanatic of Xenagos", "Brain Maggot", "Stoke the Flames", "Frenzied Goblin", "Disdainful Stroke", "Hordeling Outburst", "Suspension Field", "Abzan Beastmaster", "Angelic Favor", "Avenger en-Dal", "Blinding Angel", "Chieftain en-Dal", "Defender en-Vec", "Defiant Falcon", "Defiant Vanguard", "Fanatical Devotion", "Lashknife", "Lawbringer", "Lightbringer", "Lin Sivvi, Defiant Hero", "Netter en-Dal", "Noble Stand", "Off Balance", "Oracle's Attendants", "Parallax Wave", "Silkenfist Fighter", "Silkenfist Order", "Sivvi's Ruse", "Sivvi's Valor", "Spiritual Asylum", "Topple", "Voice of Truth", "Æther Barrier", "Air Bladder", "Cloudskate", "Daze", "Dominate", "Ensnare", "Infiltrate", "Jolting Merfolk", "Oraxid", "Pale Moon", "Parallax Tide", "Rising Waters", "Rootwater Commando", "Rootwater Thief", "Seahunter", "Seal of Removal", "Sliptide Serpent", "Sneaky Homunculus", "Stronghold Biologist", "Stronghold Machinist", "Stronghold Zeppelin", "Submerge", "Trickster Mage", "Wandering Eye", "Ascendant Evincar", "Battlefield Percher", "Belbe's Percher", "Carrion Wall", "Dark Triumph", "Death Pit Offering", "Divining Witch", "Massacre", "Mind Slash", "Mind Swords", "Murderous Betrayal", "Parallax Dementia", "Parallax Nexus", "Phyrexian Driver", "Phyrexian Prowler", "Plague Witch", "Rathi Fiend", "Rathi Intimidator", "Seal of Doom", "Spineless Thug", "Spiteful Bully", "Stronghold Discipline", "Vicious Hunger", "Volrath the Fallen", "Ancient Hydra", "Arc Mage", "Bola Warrior", "Downhill Charge", "Flame Rift", "Flowstone Crusher", "Flowstone Overseer", "Flowstone Slide", "Flowstone Strike", "Flowstone Surge", "Flowstone Wall", "Laccolith Grunt", "Laccolith Rig", "Laccolith Titan", "Laccolith Warrior", "Laccolith Whelp", "Mana Cache", "Mogg Alarm", "Mogg Salvage", "Mogg Toady", "Moggcatcher", "Rupture", "Seal of Fire", "Shrieking Mogg", "Stronghold Gambit", "Animate Land", "Coiling Woodworm", "Fog Patch", "Harvest Mage", "Mossdog", "Nesting Wurm", "Overlaid Terrain", "Pack Hunt", "Refreshing Rain", "Reverent Silence", "Rhox", "Saproling Burst", "Saproling Cluster", "Seal of Strength", "Skyshroud Behemoth", "Skyshroud Claim", "Skyshroud Cutter", "Skyshroud Poacher", "Skyshroud Ridgeback", "Skyshroud Sentinel", "Stampede Driver", "Treetop Bracers", "Wild Mammoth", "Woodripper", "Belbe's Armor", "Belbe's Portal", "Complex Automaton", "Eye of Yawgmoth", "Flint Golem", "Flowstone Armor", "Flowstone Thopter", "Kill Switch", "Parallax Inhibitor", "Predator, Flagship", "Rackling", "Rejuvenation Chamber", "Rusting Golem", "Tangle Wire", "Viseling", "Kor Haven", "Rath's Edge", "Terrain Generator", "Abolish", "Aura Fracture", "Blessed Wind", "Celestial Convergence", "Diving Griffin", "Entangler", "Excise", "Flowering Field", "Glittering Lion", "Glittering Lynx", "Jeweled Spirit", "Mageta the Lion", "Mageta's Boon", "Mercenary Informer", "Mine Bearer", "Mirror Strike", "Reveille Squad", "Rhystic Circle", "Rhystic Shield", "Samite Sanctuary", "Sheltering Prayers", "Shield Dancer", "Soul Charmer", "Sword Dancer", "Trenching Steed", "Troubled Healer", "Alexi, Zephyr Mage", "Alexi's Cloak", "Avatar of Will", "Coastal Hornclaw", "Denying Wind", "Excavation", "Foil", "Gulf Squid", "Hazy Homunculus", "Heightened Awareness", "Mana Vapors", "Overburden", "Psychic Theft", "Quicksilver Wall", "Rethink", "Rhystic Deluge", "Rhystic Scrying", "Rhystic Study", "Ribbon Snake", "Shrouded Serpent", "Spiketail Drake", "Spiketail Hatchling", "Stormwatch Eagle", "Sunken Field", "Troublesome Spirit", "Windscouter", "Withdraw", "Agent of Shauku", "Avatar of Woe", "Bog Elemental", "Bog Glider", "Chilling Apparition", "Coffin Puppets", "Death Charmer", "Despoil", "Endbringer's Revel", "Fen Stalker", "Flay", "Greel, Mind Raker", "Greel's Caress", "Infernal Genesis", "Nakaya Shade", "Noxious Field", "Outbreak", "Pit Raptor", "Plague Fiend", "Plague Wind", "Rebel Informer", "Rhystic Syphon", "Rhystic Tutor", "Soul Strings", "Steal Strength", "Wall of Vipers", "Whipstitched Zombie", "Avatar of Fury", "Barbed Field", "Branded Brawlers", "Brutal Suppression", "Citadel of Pain", "Devastate", "Fault Riders", "Fickle Efreet", "Flameshot", "Inflame", "Keldon Arsonist", "Keldon Berserker", "Keldon Firebombers", "Latulla, Keldon Overseer", "Latulla's Orders", "Lesser Gargadon", "Panic Attack", "Rhystic Lightning", "Ridgeline Rager", "Scoria Cat", "Search for Survivors", "Searing Wind", "Spur Grappler", "Task Mage Assembly", "Veteran Brawlers", "Whip Sergeant", "Zerapa Minotaur", "Avatar of Might", "Calming Verse", "Darba", "Dual Nature", "Elephant Resurgence", "Forgotten Harvest", "Jolrael, Empress of Beasts", "Jolrael's Favor", "Living Terrain", "Marsh Boa", "Mungha Wurm", "Pygmy Razorback", "Rib Cage Spider", "Root Cage", "Silt Crawler", "Snag", "Spitting Spider", "Spore Frog", "Squirrel Wrangler", "Thresher Beast", "Thrive", "Verdant Field", "Vintara Elephant", "Vintara Snapper", "Vitalizing Wind", "Wild Might", "Wing Storm", "Chimeric Idol", "Copper-Leaf Angel", "Hollow Warrior", "Keldon Battlewagon", "Well of Discovery", "Well of Life", "Rhystic Cave", "Wintermoon Mesa", "Alabaster Leech", "Ardent Soldier", "Atalya, Samite Master", "Benalish Emissary", "Benalish Heralds", "Benalish Lancer", "Benalish Trapper", "Capashen Unicorn", "Crimson Acolyte", "Crusading Knight", "Death or Glory", "Dismantling Blow", "Divine Presence", "Fight or Flight", "Glimmering Angel", "Global Ruin", "Harsh Judgment", "Liberate", "Obsidian Acolyte", "Orim's Touch", "Pledge of Loyalty", "Prison Barricade", "Protective Sphere", "Pure Reflection", "Rampant Elephant", "Razorfoot Griffin", "Restrain", "Reviving Dose", "Rewards of Diversity", "Reya Dawnbringer", "Rout", "Ruham Djinn", "Samite Ministration", "Spirit of Resistance", "Spirit Weaver", "Strength of Unity", "Sunscape Apprentice", "Sunscape Master", "Teferi's Care", "Wayfaring Giant", "Winnow", "Barrin's Unmaking", "Blind Seer", "Breaking Wave", "Collective Restraint", "Crystal Spray", "Distorting Wake", "Dream Thrush", "Empress Galina", "Essence Leak", "Exclude", "Faerie Squadron", "Mana Maze", "Manipulate Fate", "Metathran Aerostat", "Metathran Transport", "Metathran Zombie", "Opt", "Probe", "Prohibit", "Psychic Battle", "Rainbow Crow", "Repulse", "Sapphire Leech", "Shoreline Raider", "Sky Weaver", "Stormscape Apprentice", "Stormscape Master", "Sway of Illusion", "Teferi's Response", "Temporal Distortion", "Tidal Visionary", "Tolarian Emissary", "Tower Drake", "Traveler's Cloak", "Vodalian Hypnotist", "Vodalian Merchant", "Vodalian Serpent", "Well-Laid Plans", "Worldly Counsel", "Zanam Djinn", "Addle", "Agonizing Demise", "Andradite Leech", "Annihilate", "Bog Initiate", "Cremate", "Crypt Angel", "Defiling Tears", "Desperate Research", "Devouring Strossus", "Do or Die", "Dredge", "Duskwalker", "Exotic Curse", "Firescreamer", "Goham Djinn", "Hate Weaver", "Hypnotic Cloud", "Marauding Knight", "Mourning", "Nightscape Apprentice", "Nightscape Master", "Phyrexian Battleflies", "Phyrexian Delver", "Phyrexian Infiltrator", "Phyrexian Reaper", "Phyrexian Slayer", "Plague Spitter", "Recover", "Scavenged Weaponry", "Spreading Plague", "Tainted Well", "Trench Wurm", "Tsabo's Assassin", "Tsabo's Decree", "Twilight's Call", "Urborg Emissary", "Urborg Phantom", "Urborg Shambler", "Urborg Skeleton", "Yawgmoth's Agenda", "Ancient Kavu", "Bend or Break", "Breath of Darigaaz", "Callous Giant", "Chaotic Strike", "Collapsing Borders", "Firebrand Ranger", "Ghitu Fire", "Goblin Spy", "Halam Djinn", "Hooded Kavu", "Kavu Aggressor", "Kavu Monarch", "Kavu Runner", "Kavu Scout", "Lightning Dart", "Loafing Giant", "Mages' Contest", "Obliterate", "Overload", "Pouncing Kavu", "Rage Weaver", "Rogue Kavu", "Ruby Leech", "Savage Offensive", "Scarred Puma", "Scorching Lava", "Searing Rays", "Shivan Emissary", "Shivan Harvest", "Skittish Kavu", "Skizzik", "Slimy Kavu", "Stand or Fall", "Tectonic Instability", "Thunderscape Apprentice", "Thunderscape Master", "Tribal Flames", "Turf Wound", "Urza's Rage", "Viashino Grappler", "Zap", "Aggressive Urge", "Bind", "Blurred Mongoose", "Canopy Surge", "Elfhame Sanctuary", "Explosive Growth", "Jade Leech", "Kavu Chameleon", "Kavu Climber", "Kavu Lair", "Kavu Titan", "Llanowar Cavalry", "Llanowar Elite", "Llanowar Vanguard", "Might Weaver", "Molimo, Maro-Sorcerer", "Nomadic Elf", "Pincer Spider", "Pulse of Llanowar", "Quirion Sentinel", "Quirion Trailblazer", "Restock", "Rooting Kavu", "Saproling Infestation", "Saproling Symbiosis", "Scouting Trek", "Serpentine Kavu", "Sulam Djinn", "Tangle", "Thicket Elemental", "Thornscape Apprentice", "Thornscape Master", "Treefolk Healer", "Utopia Tree", "Verdeloth the Ancient", "Verduran Emissary", "Vigorous Charge", "Wallop", "Wandering Stream", "Whip Silk", "Absorb", "Æther Rift", "Angelic Shield", "Armored Guardian", "Artifact Mutation", "Aura Mutation", "Aura Shards", "Backlash", "Barrin's Spite", "Blazing Specter", "Captain Sisay", "Cauldron Dance", "Charging Troll", "Cinder Shade", "Coalition Victory", "Crosis, the Purger", "Darigaaz, the Igniter", "Dromar, the Banisher", "Dueling Grounds", "Fires of Yavimaya", "Frenzied Tilling", "Galina's Knight", "Heroes' Reunion", "Horned Cheetah", "Hunting Kavu", "Kangee, Aerie Keeper", "Llanowar Knight", "Meteor Storm", "Noble Panther", "Ordered Migration", "Overabundance", "Plague Spores", "Pyre Zombie", "Reckless Assault", "Recoil", "Reviving Vapors", "Riptide Crab", "Rith, the Awakener", "Sabertooth Nishoba", "Samite Archer", "Seer's Vision", "Shivan Zombie", "Sleeper's Robe", "Slinking Serpent", "Smoldering Tar", "Spinal Embrace", "Stalking Assassin", "Sterling Grove", "Teferi's Moat", "Treva, the Renewer", "Tsabo Tavoc", "Undermine", "Urborg Drake", "Vicious Kavu", "Vile Consumption", "Vodalian Zombie", "Void", "Voracious Cobra", "Wings of Hope", "Yavimaya Barbarian", "Yavimaya Kavu", "Stand", "Deliver", "Spite", "Malice", "Pain", "Suffering", "Assault", "Battery", "Wax", "Wane", "Alloy Golem", "Bloodstone Cameo", "Chromatic Sphere", "Crosis's Attendant", "Darigaaz's Attendant", "Drake-Skull Cameo", "Dromar's Attendant", "Juntu Stakes", "Lotus Guardian", "Phyrexian Altar", "Phyrexian Lens", "Planar Portal", "Power Armor", "Rith's Attendant", "Seashell Cameo", "Sparring Golem", "Tek", "Tigereye Cameo", "Treva's Attendant", "Troll-Horn Cameo", "Tsabo's Web", "Urza's Filter", "Ancient Spring", "Archaeological Dig", "Coastal Tower", "Elfhame Palace", "Geothermal Crevice", "Irrigation Ditch", "Keldon Necropolis", "Salt Marsh", "Shivan Oasis", "Sulfur Vent", "Tinder Farm", "Urborg Volcano", "Aura Blast", "Aurora Griffin", "Disciple of Kangee", "Dominaria's Judgment", "Guard Dogs", "Heroic Defiance", "Hobble", "Honorable Scout", "Lashknife Barrier", "March of Souls", "Planeswalker's Mirth", "Pollen Remedy", "Samite Elder", "Samite Pilgrim", "Sunscape Battlemage", "Sunscape Familiar", "Surprise Deployment", "Voice of All", "Allied Strategies", "Arctic Merfolk", "Confound", "Dralnu's Pet", "Ertai's Trickery", "Escape Routes", "Gainsay", "Hunting Drake", "Planar Overlay", "Planeswalker's Mischief", "Rushing River", "Sea Snidd", "Shifting Sky", "Sisay's Ingenuity", "Sleeping Potion", "Stormscape Battlemage", "Stormscape Familiar", "Sunken Hope", "Waterspout Elemental", "Bog Down", "Dark Suspicions", "Death Bomb", "Diabolic Intent", "Exotic Disease", "Lord of the Undead", "Maggot Carrier", "Morgue Toad", "Nightscape Battlemage", "Nightscape Familiar", "Noxious Vapors", "Phyrexian Bloodstock", "Phyrexian Scuta", "Planeswalker's Scorn", "Shriek of Dread", "Sinister Strength", "Slay", "Volcano Imp", "Warped Devotion", "Caldera Kavu", "Deadapult", "Goblin Game", "Implode", "Insolence", "Kavu Recluse", "Keldon Mantle", "Magma Burst", "Mire Kavu", "Mogg Jailer", "Mogg Sentry", "Planeswalker's Fury", "Singe", "Slingshot Goblin", "Strafe", "Tahngarth, Talruum Hero", "Thunderscape Battlemage", "Thunderscape Familiar", "Alpha Kavu", "Amphibious Kavu", "Falling Timber", "Gaea's Herald", "Gaea's Might", "Magnigoth Treefolk", "Mirrorwood Treefolk", "Multani's Harmony", "Nemata, Grove Guardian", "Planeswalker's Favor", "Primal Growth", "Pygmy Kavu", "Quirion Dryad", "Quirion Explorer", "Root Greevil", "Skyshroud Blessing", "Stone Kavu", "Thornscape Battlemage", "Thornscape Familiar", "Ancient Spider", "Cavern Harpy", "Cloud Cover", "Crosis's Charm", "Darigaaz's Charm", "Daring Leap", "Destructive Flow", "Doomsday Specter", "Dralnu's Crusade", "Dromar's Charm", "Eladamri's Call", "Ertai, the Corrupted", "Fleetfoot Panther", "Gerrard's Command", "Horned Kavu", "Hull Breach", "Keldon Twilight", "Lava Zombie", "Malicious Advice", "Marsh Crocodile", "Natural Emergence", "Phyrexian Tyranny", "Radiant Kavu", "Razing Snidd", "Rith's Charm", "Sawtooth Loon", "Shivan Wurm", "Sparkcaster", "Steel Leaf Paladin", "Treva's Charm", "Urza's Guilt", "Draco", "Mana Cylix", "Skyship Weatherlight", "Star Compass", "Stratadon", "Crosis's Catacombs", "Darigaaz's Caldera", "Dromar's Cavern", "Forsaken City", "Meteor Crater", "Rith's Grove", "Terminal Moraine", "Treva's Ruins", "Voidmage Prodigy", "Psychatog", "Oxidize", "Reciprocate", "Hinder", "Putrefy", "Zombify", "Lightning Helix", "Condemn", "Mortify", "Recollect", "Damnation", "Mana Tithe", "Harmonize", "Ponder", "Cryptic Command", "Flame Javelin", "Unmake", "Nameless Inversion", "Blightning", "Negate", "Cancel", "Sign in Blood", "Infest", "Volcanic Fallout", "Celestial Purge", "Bituminous Blast", "Burst Lightning", "Brave the Elements", "Doom Blade", "Searing Blaze", "Angelfire Crusader", "Coalition Flag", "Coalition Honor Guard", "Dega Disciple", "Dega Sanctuary", "Degavolver", "Diversionary Tactics", "Divine Light", "Enlistment Officer", "False Dawn", "Gerrard Capashen", "Haunted Angel", "Helionaut", "Manacles of Decay", "Orim's Thunder", "Shield of Duty and Reason", "Spectral Lynx", "Standard Bearer", "Ceta Disciple", "Ceta Sanctuary", "Cetavolver", "Coastal Drake", "Evasive Action", "Ice Cave", "Index", "Jaded Response", "Jilt", "Living Airship", "Reef Shaman", "Shimmering Mirage", "Tidal Courier", "Unnatural Selection", "Vodalian Mystic", "Whirlpool Drake", "Whirlpool Rider", "Whirlpool Warrior", "Dead Ringers", "Desolation Angel", "Foul Presence", "Grave Defiler", "Last Caress", "Mind Extraction", "Mournful Zombie", "Necra Disciple", "Necra Sanctuary", "Necravolver", "Phyrexian Arena", "Phyrexian Gargantua", "Planar Despair", "Quagmire Druid", "Suppress", "Urborg Uprising", "Zombie Boa", "Bloodfire Colossus", "Bloodfire Dwarf", "Bloodfire Infusion", "Bloodfire Kavu", "Desolation Giant", "Dwarven Landslide", "Dwarven Patrol", "Illuminate", "Kavu Glider", "Minotaur Tactician", "Raka Disciple", "Raka Sanctuary", "Rakavolver", "Smash", "Tahngarth's Glare", "Tundra Kavu", "Wild Research", "Ana Disciple", "Ana Sanctuary", "Anavolver", "Bog Gnarr", "Gaea's Balance", "Glade Gnarr", "Kavu Howler", "Kavu Mauler", "Lay of the Land", "Penumbra Bobcat", "Penumbra Kavu", "Penumbra Wurm", "Savage Gorilla", "Strength of Night", "Sylvan Messenger", "Symbiotic Deployment", "Tranquil Path", "Urborg Elf", "Æther Mutation", "Captain's Maneuver", "Consume Strength", "Cromat", "Death Grasp", "Death Mutation", "Ebony Treefolk", "Fervent Charge", "Flowstone Charger", "Gaea's Skyfolk", "Goblin Trenches", "Guided Passage", "Jungle Barrier", "Last Stand", "Lightning Angel", "Llanowar Dead", "Martyrs' Tomb", "Minotaur Illusionist", "Mystic Snake", "Overgrown Estate", "Powerstone Minefield", "Prophetic Bolt", "Putrid Warrior", "Quicksilver Dagger", "Razorfin Hunter", "Soul Link", "Spiritmonger", "Squee's Embrace", "Squee's Revenge", "Suffocating Blast", "Temporal Spring", "Yavimaya's Embrace", "Illusion", "Reality", "Night", "Day", "Order", "Chaos", "Brass Herald", "Dodecapod", "Dragon Arch", "Emblazoned Golem", "Legacy Weapon", "Mask of Intolerance", "Battlefield Forge", "Caves of Koilos", "Llanowar Wastes", "Shivan Reef", "Yavimaya Coast", "Aegis of Honor", "Ancestral Tribute", "Animal Boneyard", "Auramancer", "Aven Archer", "Aven Cloudchaser", "Aven Flock", "Aven Shrine", "Balancing Act", "Beloved Chaplain", "Blessed Orator", "Cantivore", "Cease-Fire", "Confessor", "Dedicated Martyr", "Delaying Shield", "Devoted Caretaker", "Divine Sacrament", "Dogged Hunter", "Earnest Fellowship", "Embolden", "Graceful Antelope", "Hallowed Healer", "Karmic Justice", "Kirtar's Desire", "Kirtar's Wrath", "Lieutenant Kirtar", "Life Burst", "Luminous Guardian", "Master Apothecary", "Mystic Crusader", "Mystic Penitent", "Mystic Visionary", "Mystic Zealot", "Nomad Decoy", "Patrol Hound", "Pianna, Nomad Captain", "Pilgrim of Justice", "Pilgrim of Virtue", "Ray of Distortion", "Resilient Wanderer", "Sacred Rites", "Second Thoughts", "Shelter", "Soulcatcher", "Sphere of Duty", "Sphere of Grace", "Sphere of Law", "Sphere of Reason", "Sphere of Truth", "Spiritualize", "Tattoo Ward", "Testament of Faith", "Tireless Tribe", "Wayward Angel", "Aboshan, Cephalid Emperor", "Aboshan's Desire", "Æther Burst", "Amugaba", "Aura Graft", "Aven Fisher", "Aven Smokeweaver", "Aven Windreader", "Balshan Beguiler", "Balshan Griffin", "Bamboozle", "Battle of Wits", "Careful Study", "Cephalid Broker", "Cephalid Looter", "Cephalid Retainer", "Cephalid Scout", "Cephalid Shrine", "Chamber of Manipulation", "Cognivore", "Concentrate", "Cultural Exchange", "Deluge", "Dematerialize", "Divert", "Dreamwinder", "Escape Artist", "Extract", "Fervent Denial", "Immobilizing Ink", "Laquatus's Creativity", "Patron Wizard", "Pedantic Learning", "Peek", "Persuasion", "Phantom Whelp", "Predict", "Psionic Gift", "Pulsating Illusion", "Puppeteer", "Repel", "Rites of Refusal", "Shifty Doppelganger", "Syncopate", "Think Tank", "Thought Devourer", "Thought Eater", "Thought Nibbler", "Time Stretch", "Touch of Invisibility", "Traumatize", "Treetop Sentinel", "Unifying Theory", "Upheaval", "Words of Wisdom", "Afflict", "Bloodcurdler", "Braids, Cabal Minion", "Cabal Inquisitor", "Cabal Patriarch", "Cabal Shrine", "Caustic Tar", "Childhood Horror", "Coffin Purge", "Crypt Creeper", "Cursed Monstrosity", "Decaying Soil", "Decompose", "Diabolic Tutor", "Dirty Wererat", "Dusk Imp", "Execute", "Face of Fear", "Famished Ghoul", "Filthy Cur", "Fledgling Imp", "Frightcrawler", "Ghastly Demise", "Gravestorm", "Haunting Echoes", "Hint of Insanity", "Infected Vermin", "Innocent Blood", "Last Rites", "Malevolent Awakening", "Mind Burst", "Mindslicer", "Morbid Hunger", "Morgue Theft", "Mortivore", "Nefarious Lich", "Overeager Apprentice", "Painbringer", "Patriarch's Desire", "Repentant Vampire", "Rotting Giant", "Sadistic Hypnotist", "Screams of the Damned", "Skeletal Scrying", "Skull Fracture", "Stalking Bloodsucker", "Tainted Pact", "Tombfire", "Traveling Plague", "Whispering Shade", "Zombie Assassin", "Zombie Cannibal", "Zombie Infestation", "Acceptable Losses", "Ashen Firebeast", "Barbarian Lunatic", "Bash to Bits", "Battle Strain", "Blazing Salvo", "Bomb Squad", "Burning Sands", "Chainflinger", "Chance Encounter", "Demolish", "Demoralize", "Dwarven Grunt", "Dwarven Recruiter", "Dwarven Shrine", "Dwarven Strike Force", "Earth Rift", "Ember Beast", "Engulfing Flames", "Epicenter", "Flame Burst", "Frenetic Ogre", "Halberdier", "Impulsive Maneuvers", "Kamahl, Pit Fighter", "Kamahl's Desire", "Lava Blister", "Liquid Fire", "Mad Dog", "Magma Vein", "Magnivore", "Mine Layer", "Minotaur Explorer", "Molten Influence", "Mudhole", "Need for Speed", "Obstinate Familiar", "Pardic Firecat", "Pardic Miner", "Pardic Swordsmith", "Price of Glory", "Reckless Charge", "Recoup", "Rites of Initiation", "Savage Firecat", "Scorching Missile", "Seize the Day", "Shower of Coals", "Spark Mage", "Steam Vines", "Thermal Blast", "Tremble", "Volcanic Spray", "Volley of Boulders", "Whipkeeper", "Bearscape", "Beast Attack", "Call of the Herd", "Chatter of the Squirrel", "Chlorophant", "Crashing Centaur", "Deep Reconnaissance", "Diligent Farmhand", "Druid Lyrist", "Druid's Call", "Elephant Ambush", "Gorilla Titan", "Ground Seal", "Holistic Wisdom", "Howling Gale", "Ivy Elemental", "Krosan Archer", "Krosan Avenger", "Krosan Beast", "Leaf Dancer", "Metamorphic Wurm", "Moment's Peace", "Muscle Burst", "Nantuko Disciple", "Nantuko Elder", "Nantuko Mentor", "Nantuko Shrine", "New Frontiers", "Nimble Mongoose", "Nut Collector", "Piper's Melody", "Primal Frenzy", "Rabid Elephant", "Refresh", "Rites of Spring", "Seton, Krosan Protector", "Seton's Desire", "Simplify", "Skyshooter", "Spellbane Centaur", "Springing Tiger", "Squirrel Mob", "Squirrel Nest", "Still Life", "Sylvan Might", "Terravore", "Twigwalker", "Verdant Succession", "Vivify", "Werebear", "Woodland Druid", "Zoologist", "Atogatog", "Decimate", "Iridescent Angel", "Lithatog", "Mystic Enforcer", "Phantatog", "Sarcatog", "Shadowmage Infiltrator", "Thaumatog", "Vampiric Dragon", "Catalyst Stone", "Charmed Pendant", "Darkwater Egg", "Junk Golem", "Limestone Golem", "Millikin", "Mirari", "Mossfire Egg", "Otarian Juggernaut", "Sandstone Deadfall", "Shadowblood Egg", "Skycloud Egg", "Steamclaw", "Sungrass Egg", "Abandoned Outpost", "Barbarian Ring", "Bog Wreckage", "Cabal Pit", "Centaur Garden", "Cephalid Coliseum", "Crystal Quarry", "Darkwater Catacombs", "Deserted Temple", "Mossfire Valley", "Nomad Stadium", "Petrified Field", "Ravaged Highlands", "Seafloor Debris", "Shadowblood Ridge", "Skycloud Expanse", "Sungrass Prairie", "Tarnished Citadel", "Timberland Ruins", "Angel of Retribution", "Aven Trooper", "Cleansing Meditation", "Equal Treatment", "Floating Shield", "Frantic Purification", "Hypochondria", "Major Teroh", "Militant Monk", "Morningtide", "Mystic Familiar", "Pay No Heed", "Possessed Nomad", "Reborn Hero", "Spirit Flare", "Stern Judge", "Strength of Isolation", "Teroh's Faithful", "Teroh's Vanguard", "Transcendence", "Vengeful Dreams", "Alter Reality", "Ambassador Laquatus", "Aquamoeba", "Balshan Collaborator", "Breakthrough", "Cephalid Aristocrat", "Cephalid Illusionist", "Cephalid Sage", "Cephalid Snitch", "Cephalid Vandal", "Churning Eddy", "Compulsion", "Coral Net", "False Memories", "Ghostly Wings", "Hydromorph Guardian", "Hydromorph Gull", "Liquify", "Llawan, Cephalid Empress", "Obsessive Search", "Plagiarize", "Possessed Aven", "Retraced Image", "Skywing Aven", "Stupefying Touch", "Turbulent Dreams", "Boneshard Slasher", "Cabal Ritual", "Cabal Surgeon", "Cabal Torturer", "Carrion Rats", "Carrion Wurm", "Chainer, Dementia Master", "Crippling Fatigue", "Dawn of the Dead", "Faceless Butcher", "Gloomdrifter", "Gravegouger", "Grotesque Hybrid", "Hypnox", "Ichorid", "Insidious Dreams", "Last Laugh", "Mesmeric Fiend", "Mind Sludge", "Mortal Combat", "Mortiphobia", "Mutilate", "Nantuko Shade", "Organ Grinder", "Psychotic Haze", "Putrid Imp", "Rancid Earth", "Restless Dreams", "Shade's Form", "Shambling Swarm", "Sickening Dreams", "Slithery Stalker", "Soul Scourge", "Strength of Lunacy", "Unhinge", "Waste Away", "Zombie Trailblazer", "Accelerate", "Balthor the Stout", "Barbarian Outcast", "Crackling Club", "Crazed Firecat", "Devastating Dreams", "Enslaved Dwarf", "Fiery Temper", "Flaming Gambit", "Flash of Defiance", "Hell-Bent Raider", "Kamahl's Sledge", "Longhorn Firebeast", "Overmaster", "Pardic Arsonist", "Pardic Collaborator", "Pardic Lancer", "Petradon", "Petravark", "Pitchstone Wall", "Possessed Barbarian", "Pyromania", "Radiate", "Skullscorch", "Sonic Seizure", "Temporary Insanity", "Violent Eruption", "Acorn Harvest", "Anurid Scavenger", "Centaur Chieftain", "Centaur Veteran", "Dwell on the Past", "Far Wanderings", "Gurzigost", "Insist", "Invigorating Falls", "Krosan Constrictor", "Krosan Restorer", "Nantuko Blightcutter", "Nantuko Calmer", "Nantuko Cultivator", "Narcissism", "Nostalgic Dreams", "Parallel Evolution", "Possessed Centaur", "Seton's Scout", "Tainted Field", "Tainted Isle", "Tainted Peak", "Tainted Wood", "Ancestor's Chosen", "Aven Warcraft", "Battle Screech", "Battlewise Aven", "Benevolent Bodyguard", "Border Patrol", "Cagemail", "Chastise", "Commander Eesha", "Funeral Pyre", "Golden Wish", "Lead Astray", "Nomad Mythmaker", "Phantom Flock", "Phantom Nomad", "Prismatic Strands", "Pulsemage Advocate", "Ray of Revelation", "Selfless Exorcist", "Shieldmage Advocate", "Silver Seraph", "Solitary Confinement", "Soulcatchers' Aerie", "Spirit Cairn", "Spurnmage Advocate", "Suntail Hawk", "Test of Endurance", "Trained Pronghorn", "Unquestioned Authority", "Valor", "Vigilant Sentry", "Aven Fogbringer", "Cephalid Constable", "Cephalid Inkshrouder", "Defy Gravity", "Envelop", "Flash of Insight", "Grip of Amnesia", "Hapless Researcher", "Keep Watch", "Laquatus's Disdain", "Lost in Thought", "Mental Note", "Mirror Wall", "Mist of Stagnation", "Quiet Speculation", "Scalpelexis", "Spelljack", "Telekinetic Bonds", "Web of Inertia", "Wormfang Behemoth", "Wormfang Crab", "Wormfang Drake", "Wormfang Manta", "Wormfang Newt", "Wormfang Turtle", "Balthor the Defiled", "Cabal Trainee", "Death Wish", "Earsplitting Rats", "Filth", "Grave Consequences", "Guiltfeeder", "Masked Gorgon", "Morality Shift", "Rats' Feast", "Stitch Together", "Sutured Ghoul", "Toxic Stench", "Treacherous Vampire", "Treacherous Werewolf", "Anger", "Arcane Teachings", "Barbarian Bully", "Book Burning", "Breaking Point", "Dwarven Bloodboiler", "Dwarven Driller", "Dwarven Scorcher", "Ember Shot", "Firecat Blitz", "Flaring Pain", "Fledgling Dragon", "Goretusk Firebeast", "Infectious Rage", "Jeska, Warrior Adept", "Lava Dart", "Liberated Dwarf", "Lightning Surge", "Planar Chaos", "Shaman's Trance", "Soulgorger Orgg", "Spellgorger Barbarian", "Swelter", "Swirling Sandstorm", "Worldgorger Dragon", "Anurid Barkripper", "Anurid Swarmsnapper", "Battlefield Scrounger", "Brawn", "Canopy Claws", "Centaur Rootcaster", "Crush of Wurms", "Elephant Guide", "Epic Struggle", "Exoskeletal Armor", "Folk Medicine", "Forcemage Advocate", "Giant Warthog", "Grizzly Fate", "Harvester Druid", "Ironshell Beetle", "Krosan Reclamation", "Krosan Wayfarer", "Nantuko Tracer", "Nullmage Advocate", "Phantom Centaur", "Phantom Nantuko", "Phantom Tiger", "Seedtime", "Serene Sunset", "Sudden Strength", "Sylvan Safekeeper", "Thriss, Nantuko Primus", "Tunneler Wurm", "Venomous Vines", "Anurid Brushhopper", "Hunting Grounds", "Mirari's Wake", "Phantom Nishoba", "Krosan Verge", "Nantuko Monastery", "Riftstone Portal", "Akroma's Blessing", "Akroma's Vengeance", "Ancestor's Prophet", "Aura Extraction", "Aurification", "Aven Brigadier", "Aven Soulgazer", "Battlefield Medic", "Catapult Master", "Catapult Squad", "Chain of Silence", "Circle of Solace", "Convalescent Care", "Crowd Favorites", "Crown of Awe", "Crude Rampart", "Daru Cavalier", "Daru Healer", "Daru Lancer", "Daunting Defender", "Dawning Purist", "Defensive Maneuvers", "Demystify", "Dive Bomber", "Doubtless One", "Foothill Guide", "Glarecaster", "Glory Seeker", "Grassland Crusader", "Gravel Slinger", "Gustcloak Harrier", "Gustcloak Runner", "Gustcloak Savior", "Gustcloak Sentinel", "Gustcloak Skirmisher", "Harsh Mercy", "Improvised Armor", "Inspirit", "Ironfist Crusher", "Jareth, Leonine Titan", "Mobilization", "Nova Cleric", "Oblation", "Pearlspear Courier", "Piety Charm", "Renewed Faith", "Righteous Cause", "Sandskin", "Shared Triumph", "Shieldmage Elder", "Sigil of the New Dawn", "Sunfire Balm", "True Believer", "Unified Strike", "Weathered Wayfarer", "Words of Worship", "Airborne Aid", "Annex", "Aphetto Alchemist", "Aphetto Grifter", "Arcanis the Omnipotent", "Artificial Evolution", "Ascending Aven", "Aven Fateshaper", "Backslide", "Blatant Thievery", "Callous Oppressor", "Chain of Vapor", "Choking Tethers", "Complicate", "Crafty Pathmage", "Crown of Ascension", "Discombobulate", "Dispersing Orb", "Disruptive Pitmage", "Essence Fracture", "Fleeting Aven", "Future Sight", "Ghosthelm Courier", "Graxiplon", "Imagecrafter", "Information Dealer", "Ixidor, Reality Sculptor", "Ixidor's Will", "Mage's Guile", "Mistform Dreamer", "Mistform Mask", "Mistform Mutant", "Mistform Shrieker", "Mistform Skyreaver", "Mistform Stalker", "Mistform Wall", "Nameless One", "Peer Pressure", "Psychic Trance", "Quicksilver Dragon", "Read the Runes", "Reminisce", "Riptide Biologist", "Riptide Chronologist", "Riptide Entrancer", "Riptide Shapeshifter", "Rummaging Wizard", "Sage Aven", "Screaming Seahawk", "Sea's Claim", "Slipstream Eel", "Spy Network", "Standardize", "Supreme Inquisitor", "Trade Secrets", "Trickery Charm", "Wheel and Deal", "Words of Wind", "Accursed Centaur", "Anurid Murkdiver", "Aphetto Dredging", "Aphetto Vulture", "Blackmail", "Boneknitter", "Cabal Archon", "Cabal Executioner", "Cabal Slaver", "Chain of Smog", "Cover of Darkness", "Crown of Suspicion", "Cruel Revival", "Death Match", "Death Pulse", "Dirge of Dread", "Disciple of Malice", "Doomed Necromancer", "Ebonblade Reaper", "Endemic Plague", "Entrails Feaster", "Fade from Memory", "Fallen Cleric", "False Cure", "Feeding Frenzy", "Festering Goblin", "Frightshroud Courier", "Gangrenous Goliath", "Gluttonous Zombie", "Gravespawn Sovereign", "Grinning Demon", "Haunted Cadaver", "Head Games", "Headhunter", "Misery Charm", "Nantuko Husk", "Oversold Cemetery", "Patriarch's Bidding", "Profane Prayers", "Prowling Pangolin", "Rotlung Reanimator", "Screeching Buzzard", "Severed Legion", "Shade's Breath", "Shepherd of Rot", "Soulless One", "Spined Basher", "Strongarm Tactics", "Syphon Mind", "Thrashing Mudspawn", "Undead Gladiator", "Visara the Dreadful", "Walking Desecration", "Withering Hex", "Words of Waste", "Wretched Anurid", "Æther Charge", "Aggravated Assault", "Airdrop Condor", "Avarax", "Battering Craghorn", "Blistering Firecat", "Break Open", "Brightstone Ritual", "Butcher Orgg", "Chain of Plasma", "Charging Slateback", "Commando Raid", "Crown of Fury", "Custody Battle", "Dragon Roost", "Dwarven Blastminer", "Embermage Goblin", "Erratic Explosion", "Fever Charm", "Flamestick Courier", "Goblin Machinist", "Goblin Pyromancer", "Goblin Sharpshooter", "Goblin Sky Raider", "Goblin Sledder", "Goblin Taskmaster", "Grand Melee", "Gratuitous Violence", "Insurrection", "Kaboom!", "Lavamancer's Skill", "Mana Echoes", "Menacing Ogre", "Nosy Goblin", "Pinpoint Avalanche", "Reckless One", "Risky Move", "Rorix Bladewing", "Searing Flesh", "Shaleskin Bruiser", "Skirk Commando", "Skirk Fire Marshal", "Skirk Prospector", "Skittish Valesk", "Snapping Thragg", "Solar Blast", "Spitfire Handler", "Spurred Wolverine", "Starstorm", "Tephraderm", "Thoughtbound Primoc", "Threaten", "Thunder of Hooves", "Wave of Indifference", "Words of War", "Animal Magnetism", "Barkhide Mauler", "Biorhythm", "Birchlore Rangers", "Bloodline Shaman", "Broodhatch Nantuko", "Centaur Glade", "Chain of Acid", "Crown of Vigor", "Elvish Guidance", "Elvish Pathcutter", "Elvish Pioneer", "Elvish Scrapper", "Elvish Vanguard", "Elvish Warrior", "Enchantress's Presence", "Everglove Courier", "Explosive Vegetation", "Gigapede", "Heedless One", "Hystrodon", "Invigorating Boon", "Kamahl, Fist of Krosa", "Kamahl's Summons", "Krosan Colossus", "Krosan Groundshaker", "Leery Fogbeast", "Mythic Proportions", "Naturalize", "Overwhelming Instinct", "Primal Boost", "Run Wild", "Serpentine Basilisk", "Silklash Spider", "Silvos, Rogue Elemental", "Snarling Undorak", "Spitting Gourna", "Stag Beetle", "Steely Resolve", "Symbiotic Beast", "Symbiotic Elf", "Symbiotic Wurm", "Tempting Wurm", "Towering Baloth", "Treespring Lorian", "Tribal Unity", "Venomspout Brackus", "Vitality Charm", "Voice of the Woods", "Wall of Mulch", "Weird Harvest", "Wellwisher", "Wirewood Elf", "Wirewood Herald", "Wirewood Pride", "Wirewood Savage", "Words of Wilding", "Cryptic Gateway", "Doom Cannon", "Dream Chisel", "Riptide Replicator", "Slate of Ancestry", "Tribal Golem", "Barren Moor", "Contested Cliffs", "Daru Encampment", "Forgotten Cave", "Goblin Burrows", "Grand Coliseum", "Lonely Sandbar", "Riptide Laboratory", "Seaside Haven", "Secluded Steppe", "Starlit Sanctum", "Tranquil Thicket", "Unholy Grotto", "Wirewood Lodge", "Akroma, Angel of Wrath", "Akroma's Devoted", "Aven Redeemer", "Aven Warhawk", "Beacon of Destiny", "Celestial Gatekeeper", "Cloudreach Cavalry", "Daru Mender", "Daru Sanctifier", "Daru Stinger", "Defender of the Order", "Deftblade Elite", "Essence Sliver", "Gempalm Avenger", "Glowrider", "Liege of the Axe", "Lowland Tracker", "Planar Guide", "Plated Sliver", "Starlight Invoker", "Stoic Champion", "Sunstrike Legionnaire", "Swooping Talon", "Wall of Hope", "Ward Sliver", "Whipgrass Entangler", "Windborn Muse", "Wingbeat Warrior", "Aven Envoy", "Cephalid Pathmage", "Chromeshell Crab", "Covert Operative", "Crookclaw Elder", "Dermoplasm", "Dreamborn Muse", "Echo Tracer", "Fugitive Wizard", "Gempalm Sorcerer", "Glintwing Invoker", "Keeneye Aven", "Keeper of the Nine Gales", "Master of the Veil", "Merchant of Secrets", "Mistform Seaswift", "Mistform Sliver", "Mistform Ultimus", "Mistform Wakecaster", "Primoc Escapee", "Riptide Director", "Riptide Mangler", "Shifting Sliver", "Synapse Sliver", "Voidmage Apprentice", "Wall of Deceit", "Warped Researcher", "Weaver of Lies", "Aphetto Exterminator", "Bane of the Living", "Blood Celebrant", "Corpse Harvester", "Crypt Sliver", "Dark Supplicant", "Deathmark Prelate", "Drinker of Sorrow", "Dripping Dead", "Earthblighter", "Embalmed Brawler", "Gempalm Polluter", "Ghastly Remains", "Goblin Turncoat", "Graveborn Muse", "Havoc Demon", "Hollow Specter", "Infernal Caretaker", "Noxious Ghoul", "Phage the Untouchable", "Scion of Darkness", "Skinthinner", "Smokespew Invoker", "Sootfeather Flock", "Spectral Sliver", "Toxin Sliver", "Vile Deacon", "Zombie Brute", "Blade Sliver", "Bloodstoke Howler", "Clickslither", "Crested Craghorn", "Flamewave Invoker", "Frenetic Raptor", "Gempalm Incinerator", "Goblin Assassin", "Goblin Clearcutter", "Goblin Dynamo", "Goblin Firebug", "Goblin Goon", "Goblin Grappler", "Goblin Lookout", "Hunter Sliver", "Imperial Hellkite", "Kilnmouth Dragon", "Lavaborn Muse", "Macetail Hystrodon", "Magma Sliver", "Ridgetop Raptor", "Rockshard Elemental", "Shaleskin Plower", "Skirk Alarmist", "Skirk Drill Sergeant", "Skirk Outrider", "Unstable Hulk", "Warbreak Trumpeter", "Berserk Murlodont", "Branchsnap Lorian", "Brontotherium", "Brood Sliver", "Caller of the Claw", "Canopy Crawler", "Defiant Elf", "Elvish Soultiller", "Enormous Baloth", "Gempalm Strider", "Glowering Rogon", "Hundroog", "Krosan Cloudscraper", "Krosan Vorine", "Nantuko Vigilante", "Needleshot Gourna", "Patron of the Wild", "Primal Whisperer", "Quick Sliver", "Root Sliver", "Seedborn Muse", "Stonewood Invoker", "Timberwatch Elf", "Totem Speaker", "Tribal Forcemage", "Vexing Beetle", "Wirewood Channeler", "Wirewood Hivemaster", "Ageless Sentinels", "Astral Steel", "Aven Farseer", "Aven Liberator", "Daru Spiritualist", "Daru Warchief", "Dawn Elemental", "Dimensional Breach", "Dragon Scales", "Dragonstalker", "Eternal Dragon", "Exiled Doomsayer", "Force Bubble", "Frontline Strategist", "Gilded Light", "Guilty Conscience", "Karona's Zealot", "Noble Templar", "Rain of Blades", "Recuperate", "Reward the Faithful", "Trap Digger", "Wipe Clean", "Zealous Inquisitor", "Aphetto Runecaster", "Brain Freeze", "Coast Watcher", "Day of the Dragons", "Decree of Silence", "Dispersal Shield", "Dragon Wings", "Faces of the Past", "Frozen Solid", "Hindering Touch", "Long-Term Plans", "Mercurial Kite", "Metamorphose", "Mischievous Quanar", "Mistform Warchief", "Parallel Thoughts", "Pemmin's Aura", "Raven Guild Initiate", "Raven Guild Master", "Riptide Survivor", "Rush of Knowledge", "Scornful Egotist", "Shoreline Ranger", "Temporal Fissure", "Thundercloud Elemental", "Bladewing's Thrall", "Cabal Conditioning", "Cabal Interrogator", "Call to the Grave", "Chill Haunting", "Clutch of Undeath", "Consumptive Goo", "Death's-Head Buzzard", "Decree of Pain", "Dragon Shadow", "Fatal Mutation", "Final Punishment", "Lethal Vapors", "Lingering Death", "Nefashu", "Putrid Raptor", "Reaping the Graves", "Skulltap", "Twisted Abomination", "Unburden", "Undead Warchief", "Unspeakable Symbol", "Vengeful Dead", "Zombie Cutthroat", "Bonethorn Valesk", "Carbonize", "Chartooth Cougar", "Decree of Annihilation", "Dragon Breath", "Dragon Mage", "Dragon Tyrant", "Dragonspeaker Shaman", "Dragonstorm", "Enrage", "Extra Arms", "Form of the Dragon", "Goblin Brigand", "Goblin Psychopath", "Grip of Chaos", "Misguided Rage", "Pyrostatic Pillar", "Rock Jockey", "Scattershot", "Siege-Gang Commander", "Skirk Volcanist", "Spark Spray", "Sulfuric Vortex", "Torrent of Fire", "Uncontrolled Infestation", "Accelerated Mutation", "Alpha Status", "Ambush Commander", "Ancient Ooze", "Break Asunder", "Claws of Wirewood", "Decree of Savagery", "Divergent Growth", "Dragon Fangs", "Fierce Empath", "Forgotten Ancient", "Hunting Pack", "Krosan Drover", "Kurgadon", "One with Nature", "Primitive Etchings", "Root Elemental", "Sprouting Vines", "Titanic Bulvox", "Treetop Scout", "Upwelling", "Wirewood Guardian", "Wirewood Symbiote", "Woodcloaker", "Xantid Swarm", "Bladewing the Risen", "Edgewalker", "Karona, False God", "Sliver Overlord", "Ark of Blight", "Proteus Machine", "Stabilizer", "Temple of the False God", "Ass Whuppin'", "Budoka Pupil", "Ichiga, Who Topples Oaks", "Ghost-Lit Raider", "Dimir Guildmage", "Gruul Guildmage", "Azorius Guildmage", "Sudden Shock", "Hedge Troll", "Storm Entity", "Shriekmaw", "Altar's Light", "Auriok Bladewarden", "Auriok Steelshaper", "Auriok Transfixer", "Awe Strike", "Blinding Beam", "Leonin Abunas", "Leonin Den-Guard", "Leonin Elder", "Leonin Skyhunter", "Loxodon Mender", "Loxodon Peacekeeper", "Loxodon Punisher", "Luminous Angel", "Raise the Alarm", "Razor Barrier", "Roar of the Kha", "Rule of Law", "Second Sunrise", "Skyhunter Cub", "Skyhunter Patrol", "Slith Ascendant", "Solar Tide", "Soul Nova", "Sphere of Purity", "Taj-Nar Swordsmith", "Tempest of Light", "Assert Authority", "Broodstar", "Disarm", "Domineer", "Dream's Grip", "Fabricate", "Fatespinner", "Inertia Bubble", "Looming Hoverguard", "Lumengrid Augur", "Lumengrid Sentinel", "Lumengrid Warden", "March of the Machines", "Neurok Familiar", "Neurok Spy", "Override", "Psychic Membrane", "Quicksilver Elemental", "Regress", "Shared Fate", "Slith Strider", "Somber Hoverguard", "Temporal Cascade", "Thoughtcast", "Vedalken Archmage", "Wanderguard Sentry", "Barter in Blood", "Betrayal of Flesh", "Chimney Imp", "Contaminated Bond", "Disciple of the Vault", "Dross Harvester", "Dross Prowler", "Flayed Nim", "Grim Reminder", "Irradiate", "Moriok Scavenger", "Necrogen Mists", "Nim Devourer", "Nim Lasher", "Nim Shambler", "Nim Shrieker", "Promise of Power", "Reiver Demon", "Relic Bane", "Slith Bloodletter", "Spoils of the Vault", "Vermiculos", "Wail of the Nim", "Wall of Blood", "Woebearer", "Wrench Mind", "Arc-Slogger", "Confusion in the Ranks", "Electrostatic Bolt", "Fiery Gambit", "Fists of the Anvil", "Forge Armor", "Fractured Loyalty", "Goblin Striker", "Grab the Reins", "Incite War", "Krark-Clan Grunt", "Krark-Clan Shaman", "Mass Hysteria", "Megatog", "Molten Rain", "Ogre Leadfoot", "Rustmouth Ogre", "Seething Song", "Spikeshot Goblin", "Trash for Treasure", "Vulshok Battlemaster", "Vulshok Berserker", "War Elemental", "Battlegrowth", "Bloodscent", "Copperhoof Vorrac", "Deconstruct", "Fangren Hunter", "Glissa Sunseeker", "Groffskithur", "Hum of the Radix", "Journey of Discovery", "Living Hive", "Molder Slug", "One Dozen Eyes", "Plated Slagwurm", "Predator's Strike", "Slith Predator", "Sylvan Scrying", "Tel-Jilad Archers", "Tel-Jilad Chosen", "Tel-Jilad Exile", "Tooth and Nail", "Troll Ascetic", "Trolls of Tel-Jilad", "Turn to Dust", "Viridian Joiner", "Viridian Shaman", "Wurmskin Forger", "Æther Spellbomb", "Alpha Myr", "Altar of Shadows", "Banshee's Blade", "Blinkmoth Urn", "Bosh, Iron Golem", "Chalice of the Void", "Chrome Mox", "Clockwork Beetle", "Clockwork Condor", "Clockwork Dragon", "Clockwork Vorrac", "Cobalt Golem", "Copper Myr", "Crystal Shard", "Culling Scales", "Damping Matrix", "Dead-Iron Sledge", "Dross Scorpion", "Duplicant", "Duskworker", "Elf Replica", "Empyrial Plate", "Extraplanar Lens", "Farsight Mask", "Fireshrieker", "Frogmite", "Galvanic Key", "Gate to the Æther", "Gilded Lotus", "Goblin Charbelcher", "Goblin Dirigible", "Goblin Replica", "Goblin War Wagon", "Gold Myr", "Golem-Skin Gauntlets", "Granite Shard", "Grid Monitor", "Heartwood Shard", "Hematite Golem", "Iron Myr", "Jinxed Choker", "Krark's Thumb", "Leaden Myr", "Leonin Bladetrap", "Leonin Scimitar", "Leonin Sun Standard", "Leveler", "Liar's Pendulum", "Lifespark Spellbomb", "Lightning Coils", "Lodestone Myr", "Loxodon Warhammer", "Malachite Golem", "Mask of Memory", "Mesmeric Orb", "Mind's Eye", "Mindslaver", "Mindstorm Crown", "Mirror Golem", "Mourner's Shield", "Myr Adapter", "Myr Incubator", "Myr Mindservant", "Myr Prototype", "Myr Retriever", "Necrogen Spellbomb", "Needlebug", "Neurok Hoversail", "Nightmare Lash", "Nim Replica", "Nuisance Engine", "Oblivion Stone", "Omega Myr", "Pearl Shard", "Pentavus", "Pewter Golem", "Platinum Angel", "Power Conduit", "Proteus Staff", "Psychogenic Probe", "Pyrite Spellbomb", "Quicksilver Fountain", "Rust Elemental", "Rustspore Ram", "Scale of Chiss-Goria", "Scrabbling Claws", "Sculpting Steel", "Scythe of the Wretched", "Serum Tank", "Silver Myr", "Skeleton Shard", "Slagwurm Armor", "Soldier Replica", "Solemn Simulacrum", "Soul Foundry", "Spellweaver Helix", "Steel Wall", "Sun Droplet", "Sunbeam Spellbomb", "Synod Sanctum", "Talisman of Dominance", "Talisman of Impulse", "Talisman of Indulgence", "Talisman of Progress", "Talisman of Unity", "Tanglebloom", "Tangleroot", "Tel-Jilad Stylus", "Thought Prison", "Timesifter", "Titanium Golem", "Tooth of Chiss-Goria", "Tower of Champions", "Tower of Eons", "Tower of Fortunes", "Tower of Murmurs", "Viridian Longbow", "Vorrac Battlehorns", "Vulshok Battlegear", "Vulshok Gauntlets", "Welding Jar", "Wizard Replica", "Worldslayer", "Ancient Den", "Blinkmoth Well", "Glimmervoid", "Great Furnace", "Seat of the Synod", "Tree of Tales", "Vault of Whispers", "Auriok Glaivemaster", "Echoing Calm", "Emissary of Hope", "Hallow", "Leonin Battlemage", "Leonin Shikari", "Loxodon Mystic", "Metal Fatigue", "Pristine Angel", "Pteron Ghost", "Pulse of the Fields", "Purge", "Ritual of Restoration", "Soulscour", "Steelshaper Apprentice", "Stir the Pride", "Test of Faith", "Turn the Tables", "Carry Away", "Chromescale Drake", "Echoing Truth", "Hoverguard Observer", "Last Word", "Machinate", "Magnetic Flux", "Neurok Prodigy", "Neurok Transmuter", "Psychic Overload", "Pulse of the Grid", "Quicksilver Behemoth", "Reshape", "Retract", "Second Sight", "Synod Artificer", "Vedalken Engineer", "Vex", "Æther Snap", "Burden of Greed", "Chittering Rats", "Death Cloud", "Echoing Decay", "Emissary of Despair", "Essence Drain", "Greater Harvester", "Grimclaw Bats", "Hunger of the Nim", "Mephitic Ooze", "Murderous Spoils", "Nim Abomination", "Pulse of the Dross", "Scavenging Scarab", "Screams from Within", "Scrounge", "Shriveling Rot", "Barbed Lightning", "Crazed Goblin", "Dismantle", "Drooling Ogre", "Echoing Ruin", "Flamebreak", "Furnace Dragon", "Goblin Archaeologist", "Krark-Clan Stoker", "Pulse of the Forge", "Savage Beating", "Shunt", "Slobad, Goblin Tinkerer", "Tears of Rage", "Unforge", "Vulshok War Boar", "Ageless Entity", "Echoing Courage", "Fangren Firstborn", "Infested Roothold", "Karstoderm", "Nourish", "Pulse of the Tangle", "Reap and Sow", "Rebuking Ceremony", "Roaring Slagwurm", "Stand Together", "Tangle Spider", "Tanglewalker", "Tel-Jilad Outrider", "Tel-Jilad Wolf", "Viridian Acolyte", "Viridian Zealot", "Æther Vial", "Angel's Feather", "Arcane Spyglass", "Arcbound Bruiser", "Arcbound Crusher", "Arcbound Fiend", "Arcbound Hybrid", "Arcbound Lancer", "Arcbound Overseer", "Arcbound Ravager", "Arcbound Reclaimer", "Arcbound Slith", "Arcbound Stinger", "Arcbound Worker", "Auriok Siege Sled", "Chimeric Egg", "Coretapper", "Darksteel Brute", "Darksteel Colossus", "Darksteel Forge", "Darksteel Gargoyle", "Darksteel Pendant", "Darksteel Reactor", "Death-Mask Duplicant", "Demon's Horn", "Dragon's Claw", "Drill-Skimmer", "Dross Golem", "Eater of Days", "Gemini Engine", "Genesis Chamber", "Geth's Grimoire", "Heartseeker", "Kraken's Eye", "Leonin Bola", "Lich's Tomb", "Memnarch", "Mycosynth Lattice", "Myr Landshaper", "Myr Matrix", "Myr Moonvessel", "Nemesis Mask", "Oxidda Golem", "Panoptic Mirror", "Razor Golem", "Serum Powder", "Skullclamp", "Spawning Pit", "Specter's Shroud", "Spellbinder", "Spincrusher", "Spire Golem", "Sundering Titan", "Surestrike Trident", "Talon of Pain", "Tangle Golem", "Thought Dissector", "Thunderstaff", "Trinisphere", "Ur-Golem's Eye", "Voltaic Construct", "Vulshok Morningstar", "Wand of the Elements", "Well of Lost Dreams", "Whispersilk Cloak", "Wirefly Hive", "Wurm's Tooth", "Blinkmoth Nexus", "Darksteel Citadel", "Mirrodin's Core", "Abuna's Chant", "Armed Response", "Auriok Champion", "Auriok Salvagers", "Auriok Windwalker", "Beacon of Immortality", "Bringer of the White Dawn", "Leonin Squire", "Loxodon Anchorite", "Loxodon Stalwart", "Raksha Golden Cub", "Retaliate", "Roar of Reclamation", "Skyhunter Prowler", "Skyhunter Skirmisher", "Stand Firm", "Stasis Cocoon", "Steelshaper's Gift", "Vanquish", "Advanced Hoverguard", "Artificer's Intuition", "Beacon of Tomorrows", "Blinkmoth Infusion", "Bringer of the Blue Dawn", "Condescend", "Disruption Aura", "Early Frost", "Eyes of the Watcher", "Fold into Æther", "Hoverguard Sweepers", "Into Thin Air", "Plasma Elemental", "Qumulox", "Spectral Shift", "Thought Courier", "Trinket Mage", "Vedalken Mastermind", "Beacon of Unrest", "Blind Creeper", "Bringer of the Black Dawn", "Cackling Imp", "Desecration Elemental", "Devour in Shadow", "Dross Crocodile", "Ebon Drake", "Endless Whispers", "Fill with Fright", "Fleshgrafter", "Lose Hope", "Mephidross Vampire", "Moriok Rigger", "Night's Whisper", "Nim Grotesque", "Plunge into Darkness", "Relentless Rats", "Shattered Dreams", "Vicious Betrayal", "Beacon of Destruction", "Bringer of the Red Dawn", "Cosmic Larva", "Feedback Bolt", "Furnace Whelp", "Goblin Brawler", "Granulate", "Ion Storm", "Iron-Barb Hellion", "Krark-Clan Engineers", "Krark-Clan Ogre", "Magnetic Theft", "Mana Geyser", "Rain of Rust", "Reversal of Fortune", "Screaming Fury", "Spark Elemental", "Vulshok Sorcerer", "All Suns' Dawn", "Beacon of Creation", "Bringer of the Green Dawn", "Channel the Suns", "Dawn's Reflection", "Fangren Pathcutter", "Ferocious Charge", "Joiner Adept", "Ouphe Vandals", "Rite of Passage", "Rude Awakening", "Sylvok Explorer", "Tangle Asp", "Tel-Jilad Justice", "Tel-Jilad Lifebreather", "Tornado Elemental", "Tyrranax", "Viridian Lorebearers", "Viridian Scout", "Anodet Lurker", "Arachnoid", "Arcbound Wanderer", "Avarice Totem", "Baton of Courage", "Battered Golem", "Blasting Station", "Chimeric Coils", "Clearwater Goblet", "Clock of Omens", "Composite Golem", "Conjurer's Bauble", "Cranial Plating", "Door to Nothingness", "Doubling Cube", "Energy Chamber", "Engineered Explosives", "Ensouled Scimitar", "Eon Hub", "Etched Oracle", "Ferropede", "Fist of Suns", "Gemstone Array", "Goblin Cannon", "Grafted Wargear", "Grinding Station", "Guardian Idol", "Healer's Headdress", "Heliophial", "Horned Helm", "Infused Arrows", "Krark-Clan Ironworks", "Lantern of Insight", "Lunar Avenger", "Mycosynth Golem", "Myr Quadropod", "Myr Servitor", "Neurok Stealthsuit", "Opaline Bracers", "Paradise Mantle", "Pentad Prism", "Possessed Portal", "Razorgrass Screen", "Razormane Masticore", "Salvaging Station", "Sawtooth Thresher", "Silent Arbiter", "Skullcage", "Skyreach Manta", "Solarion", "Sparring Collar", "Spinal Parasite", "Staff of Domination", "Summoner's Egg", "Summoning Station", "Suncrusher", "Suntouched Myr", "Synod Centurion", "Thermal Navigator", "Vedalken Orrery", "Vedalken Shackles", "Wayfarer's Bauble", "Blessed Breath", "Bushi Tenderfoot", "Kenzo the Hardhearted", "Cage of Hands", "Call to Glory", "Candles' Glow", "Cleanfall", "Devoted Retainer", "Eight-and-a-Half-Tails", "Ethereal Haze", "Harsh Deceiver", "Hikari, Twilight Guardian", "Hold the Line", "Honden of Cleansing Fire", "Horizon Seed", "Hundred-Talon Kami", "Indomitable Will", "Innocence Kami", "Isamaru, Hound of Konda", "Kabuto Moth", "Kami of Ancient Law", "Kami of Old Stone", "Kami of the Painted Road", "Kami of the Palace Fields", "Kitsune Blademaster", "Kitsune Diviner", "Kitsune Healer", "Kitsune Mystic", "Autumn-Tail, Kitsune Sage", "Kitsune Riftwalker", "Konda, Lord of Eiganjo", "Konda's Hatamoto", "Lantern Kami", "Masako the Humorless", "Mothrider Samurai", "Myojin of Cleansing Fire", "Nagao, Bound by Honor", "Otherworldly Journey", "Pious Kitsune", "Quiet Purity", "Reverse the Sands", "Samurai Enforcers", "Samurai of the Pale Curtain", "Sensei Golden-Tail", "Silent-Chant Zubera", "Takeno, Samurai General", "Terashi's Cry", "Vassal's Duty", "Vigilance", "Yosei, the Morning Star", "Aura of Dominion", "Azami, Lady of Scrolls", "Callous Deceiver", "Consuming Vortex", "Counsel of the Soratami", "Cut the Tethers", "Dampen Thought", "Eerie Procession", "Eye of Nowhere", "Field of Reality", "Floating-Dream Zubera", "Gifts Ungiven", "Graceful Adept", "Guardian of Solitude", "Hisoka, Minamo Sensei", "Hisoka's Defiance", "Hisoka's Guard", "Honden of Seeing Winds", "Jushi Apprentice", "Tomoya the Revealer", "Kami of Twisted Reflection", "Keiga, the Tide Star", "Lifted by Clouds", "Meloku the Clouded Mirror", "Myojin of Seeing Winds", "Mystic Restraints", "Part the Veil", "Peer Through Depths", "Petals of Insight", "Psychic Puppetry", "Reach Through Mists", "Reweave", "River Kaijin", "Sift Through Sands", "Sire of the Storm", "Soratami Cloudskater", "Soratami Mirror-Guard", "Soratami Mirror-Mage", "Soratami Rainshaper", "Soratami Savant", "Soratami Seer", "Squelch", "Student of Elements", "Tobita, Master of Winds", "Swirl the Mists", "Teller of Tales", "Thoughtbind", "Time Stop", "The Unspeakable", "Uyo, Silent Prophet", "Wandering Ones", "Ashen-Skin Zubera", "Blood Speaker", "Bloodthirsty Ogre", "Cranial Extraction", "Cruel Deceiver", "Cursed Ronin", "Dance of Shadows", "Deathcurse Ogre", "Devouring Greed", "Distress", "Gibbering Kami", "Gutwrencher Oni", "He Who Hungers", "Hideous Laughter", "Honden of Night's Reach", "Horobi, Death's Wail", "Iname, Death Aspect", "Kami of Lunacy", "Kami of the Waning Moon", "Kiku, Night's Flower", "Kokusho, the Evening Star", "Kuro, Pitlord", "Marrow-Gnawer", "Midnight Covenant", "Myojin of Night's Reach", "Nezumi Bone-Reader", "Nezumi Cutthroat", "Nezumi Graverobber", "Nighteyes the Desecrator", "Nezumi Ronin", "Nezumi Shortfang", "Stabwhisker the Odious", "Night Dealings", "Night of Souls' Betrayal", "Numai Outcast", "Oni Possession", "Painwracker Oni", "Pull Under", "Rag Dealer", "Ragged Veins", "Rend Flesh", "Rend Spirit", "Scuttling Death", "Seizan, Perverter of Truth", "Soulless Revival", "Struggle for Sanity", "Swallowing Plague", "Thief of Hope", "Villainous Ogre", "Waking Nightmare", "Wicked Akuba", "Akki Avalanchers", "Akki Coalflinger", "Akki Lavarunner", "Tok-Tok, Volcano Born", "Akki Rockspeaker", "Akki Underminer", "Battle-Mad Ronin", "Ben-Ben, Akki Hermit", "Blind with Anger", "Blood Rites", "Brothers Yamazaki", "Brutal Deceiver", "Crushing Pain", "Desperate Ritual", "Devouring Rage", "Earthshaker", "Ember-Fist Zubera", "Frostwielder", "Godo, Bandit Warlord", "Hanabi Blast", "Hearth Kami", "Honden of Infinite Rage", "Initiate of Blood", "Goka the Unjust", "Kami of Fire's Roar", "Kiki-Jiki, Mirror Breaker", "Kumano, Master Yamabushi", "Kumano's Pupils", "Lava Spike", "Mana Seism", "Mindblaze", "Myojin of Infinite Rage", "Ore Gorger", "Pain Kami", "Ronin Houndmaster", "Shimatsu the Bloodcloaked", "Sideswipe", "Sokenzan Bruiser", "Soul of Magma", "Soulblast", "Strange Inversion", "Through the Breach", "Tide of War", "Uncontrollable Anger", "Unearthly Blizzard", "Unnatural Speed", "Yamabushi's Flame", "Yamabushi's Storm", "Zo-Zu the Punisher", "Azusa, Lost but Seeking", "Budoka Gardener", "Dokai, Weaver of Life", "Burr Grafter", "Commune with Nature", "Dosan the Falling Leaf", "Dripping-Tongue Zubera", "Feast of Worms", "Feral Deceiver", "Gale Force", "Glimpse of Nature", "Hana Kami", "Heartbeat of Spring", "Honden of Life's Web", "Humble Budoka", "Iname, Life Aspect", "Joyous Respite", "Jugan, the Rising Star", "Jukai Messenger", "Kami of the Hunt", "Kashi-Tribe Reaver", "Kashi-Tribe Warriors", "Kodama of the North Tree", "Kodama of the South Tree", "Kodama's Might", "Kodama's Reach", "Matsu-Tribe Decoy", "Moss Kami", "Myojin of Life's Web", "Nature's Will", "Orbweaver Kumo", "Order of the Sacred Bell", "Orochi Eggwatcher", "Shidako, Broodmistress", "Orochi Leafcaller", "Orochi Ranger", "Orochi Sustainer", "Rootrunner", "Sachi, Daughter of Seshiro", "Serpent Skin", "Seshiro the Anointed", "Shisato, Whispering Hunter", "Soilshaper", "Sosuke, Son of Seshiro", "Strength of Cedars", "Thousand-legged Kami", "Time of Need", "Venerable Kumo", "Vine Kami", "Wear Away", "General's Kabuto", "Hair-Strung Koto", "Hankyu", "Honor-Worn Shaku", "Imi Statue", "Jade Idol", "Journeyer's Kite", "Junkyo Bell", "Konda's Banner", "Kusari-Gama", "Long-Forgotten Gohei", "Moonring Mirror", "Nine-Ringed Bo", "No-Dachi", "Oathkeeper, Takeno's Daisho", "Orochi Hatchery", "Reito Lantern", "Sensei's Divining Top", "Shell of the Last Kappa", "Tatsumasa, the Dragon's Fang", "Tenza, Godo's Maul", "Uba Mask", "Boseiju, Who Shelters All", "Cloudcrest Lake", "Eiganjo Castle", "Forbidden Orchard", "Hall of the Bandit Lord", "Lantern-Lit Graveyard", "Minamo, School at Water's Edge", "Okina, Temple to the Grandfathers", "Pinecrest Ridge", "Shinka, the Bloodsoaked Keep", "Shizo, Death's Storehouse", "Tranquil Garden", "Untaidake, the Cloud Keeper", "Waterveil Cavern", "Atinlay Igpay", "AWOL", "Bosom Buddy", "Cardpecker", "Cheap Ass", "Collector Protector", "Drawn Together", "Emcee", "Erase (Not the Urza's Legacy One)", "Fascist Art Director", "First Come, First Served", "Frankie Peanuts", "Head to Head", "Ladies' Knight", "Little Girl", "Look at Me, I'm R&D", "Man of Measure", "Save Life", "Standing Army", "Staying Power", "Wordmail", "_____", "Ambiguity", "Artful Looter", "Avatar of Me", "Brushstroke Paintermage", "Bursting Beebles", "Carnivorous Death-Parrot", "Cheatyface", "Double Header", "Flaccify", "Framed!", "Greater Morphling", "Johnny, Combo Player", "Loose Lips", "Magical Hacker", "Moniker Mage", "Mouth to Mouth", "Now I Know My ABC's", "Number Crunch", "Question Elemental?", "Richard Garfield, Ph.D.", "Smart Ass", "Spell Counter", "Topsy Turvy", "Aesthetic Consultation", "Bad Ass", "Bloodletter", "Duh", "Enter the Dungeon", "Eye to Eye", "The Fallen Apart", "Farewell to Arms", "Infernal Spawn of Infernal Spawn of Evil", "Kill! Destroy!", "Mother of Goons", "Necro-Impotence", "Persecute Artist", "Phyrexian Librarian", "Stop That", "Tainted Monkey", "Vile Bile", "Wet Willie of the Damned", "When Fluffy Bunnies Attack", "Working Stiff", "Zombie Fanboy", "Zzzyxas's Abyss", "Assquatch", "Blast from the Past", "Curse of the Fire Penguin", "Deal Damage", "Dumb Ass", "Face to Face", "Frazzled Editor", "Goblin Secret Agent", "Goblin S.W.A.T. Team", "Mana Flair", "Mons's Goblin Waiters", "Orcish Paratroopers", "Punctuate", "Pygmy Giant", "Red-Hot Hottie", "Rocket-Powered Turbo Slug", "Sauté", "Six-y Beast", "Touch and Go", "Yet Another Æther Vortex", "B-I-N-G-O", "Creature Guy", "Elvish House Party", "Fat Ass", "Form of the Squirrel", "Fraction Jackson", "Gluetius Maximus", "Graphic Violence", "Keeper of the Sacred Word", "Land Aid '04", "Laughing Hyena", "Monkey Monkey Monkey", "Name Dropping", "Old Fogey", "Our Market Research Shows That Players Like Really Long Card Names So We Made this Card to Have the Absolute Longest Card Name Ever Elemental", "Remodel", "Shoe Tree", "Side to Side", "S.N.O.T.", "Stone-Cold Basilisk", "Supersize", "Symbol Status", "Uktabi Kong", "\"Ach! Hans, Run!\"", "Meddling Kids", "Rare-B-Gone", "Who", "What", "When", "Where", "Why", "Gleemax", "Letter Bomb", "Mana Screw", "Mox Lotus", "My First Tome", "Pointy Finger of Doom", "Rod of Spanking", "Time Machine", "Togglodyte", "Toy Boat", "Urza's Hot Tub", "Water Gun Balloon Game", "World-Bottling Kit", "City of Ass", "R&D's Secret Lair", "Super Secret Tech", "Day of Destiny", "Empty-Shrine Kannushi", "Faithful Squire", "Kaiso, Memory of Loyalty", "Final Judgment", "Genju of the Fields", "Heart of Light", "Hokori, Dust Drinker", "Hundred-Talon Strike", "Indebted Samurai", "Kami of False Hope", "Kami of Tattered Shoji", "Kami of the Honored Dead", "Kentaro, the Smiling Cat", "Kitsune Palliator", "Mending Hands", "Moonlit Strider", "Opal-Eye, Konda's Yojimbo", "Oyobi, Who Split the Heavens", "Patron of the Kitsune", "Shining Shoal", "Silverstorm Samurai", "Split-Tail Miko", "Takeno's Cavalry", "Tallowisp", "Terashi's Grasp", "Terashi's Verdict", "Ward of Piety", "Waxmane Baku", "Yomiji, Who Bars the Way", "Callow Jushi", "Jaraku the Interloper", "Chisei, Heart of Oceans", "Disrupting Shoal", "Floodbringer", "Genju of the Falls", "Heed the Mists", "Higure, the Still Wind", "Jetting Glasskite", "Kaijin of the Vanishing Touch", "Kira, Great Glass-Spinner", "Minamo Sightbender", "Minamo's Meddling", "Mistblade Shinobi", "Ninja of the Deep Hours", "Patron of the Moon", "Quillmane Baku", "Reduce to Dreams", "Ribbons of the Reikai", "Shimmering Glasskite", "Soratami Mindsweeper", "Stream of Consciousness", "Sway of the Stars", "Teardrop Kami", "Threads of Disloyalty", "Toils of Night and Day", "Tomorrow, Azami's Familiar", "Veil of Secrecy", "Walker of Secret Ways", "Bile Urchin", "Blessing of Leeches", "Call for Blood", "Crawling Filth", "Genju of the Fens", "Goryo's Vengeance", "Hero's Demise", "Hired Muscle", "Scarmaker", "Horobi's Whisper", "Kyoki, Sanity's Eclipse", "Mark of the Oni", "Nezumi Shadow-Watcher", "Ogre Marauder", "Okiba-Gang Shinobi", "Patron of the Nezumi", "Psychic Spear", "Pus Kami", "Scourge of Numai", "Shirei, Shizo's Caretaker", "Sickening Shoal", "Skullmane Baku", "Skullsnatcher", "Stir the Grave", "Takenuma Bleeder", "Three Tragedies", "Throat Slitter", "Toshiro Umezawa", "Yukora, the Prisoner", "Akki Blizzard-Herder", "Akki Raider", "Ashen Monstrosity", "Aura Barbs", "Blademane Baku", "Blazing Shoal", "Clash of Realities", "Crack the Earth", "Cunning Bandit", "Azamuki, Treachery Incarnate", "First Volley", "Flames of the Blood Hand", "Frost Ogre", "Frostling", "Fumiko the Lowblood", "Goblin Cohort", "Heartless Hidetsugu", "In the Web of War", "Ire of Kaminari", "Ishi-Ishi, Akki Crackshot", "Kumano's Blessing", "Mannichi, the Fevered Dream", "Ogre Recluse", "Overblaze", "Patron of the Akki", "Ronin Cliffrider", "Shinka Gatekeeper", "Torrent of Stone", "Twist Allegiance", "Body of Jukai", "Child of Thorns", "Enshrined Memories", "Forked-Branch Garami", "Genju of the Cedars", "Gnarled Mass", "Harbinger of Spring", "Isao, Enlightened Bushi", "Iwamori of the Open Fist", "Kodama of the Center Tree", "Lifegift", "Lifespinner", "Loam Dweller", "Mark of Sakiko", "Matsu-Tribe Sniper", "Nourishing Shoal", "Patron of the Orochi", "Petalmane Baku", "Roar of Jukai", "Sakiko, Mother of Summer", "Sakura-Tribe Springcaller", "Scaled Hulk", "Shizuko, Caller of Autumn", "Sosuke's Summons", "Traproot Kami", "Unchecked Growth", "Uproot", "Vital Surge", "Genju of the Realm", "Baku Altar", "Blinding Powder", "Mirror Gallery", "Neko-Te", "Orb of Dreams", "Ornate Kanzashi", "Ronin Warclub", "Shuko", "Shuriken", "Slumbering Tora", "That Which Was Taken", "Umezawa's Jitte", "Gods' Eye, Gate to the Reikai", "Tendo Ice Bridge", "Æther Shockwave", "Araba Mothrider", "Celestial Kirin", "Charge Across the Araba", "Cowed by Wisdom", "Curtain of Light", "Descendant of Kiyomaro", "Eiganjo Free-Riders", "Enduring Ideal", "Ghost-Lit Redeemer", "Hail of Arrows", "Hand of Honor", "Inner-Chamber Guard", "Kataki, War's Wage", "Kitsune Bonesetter", "Kitsune Dawnblade", "Kitsune Loreweaver", "Michiko Konda, Truth Seeker", "Moonwing Moth", "Nikko-Onna", "Plow Through Reito", "Presence of the Wise", "Promise of Bunrei", "Pure Intentions", "Reverence", "Rune-Tail, Kitsune Ascendant", "Rune-Tail's Essence", "Shinen of Stars' Light", "Spiritual Visit", "Torii Watchward", "Cloudhoof Kirin", "Cut the Earthly Bond", "Descendant of Soramaro", "Dreamcatcher", "Erayo, Soratami Ascendant", "Erayo's Essence", "Eternal Dominion", "Evermind", "Freed from the Real", "Ghost-Lit Warder", "Ideas Unbound", "Kaho, Minamo Historian", "Kami of the Crescent Moon", "Kiri-Onna", "Meishin, the Mind Cage", "Minamo Scrollkeeper", "Moonbow Illusionist", "Murmurs from Beyond", "Oboro Breezecaller", "Oboro Envoy", "Oppressive Will", "Overwhelming Intellect", "Rushing-Tide Zubera", "Sakashima the Impostor", "Secretkeeper", "Shape Stealer", "Shifting Borders", "Shinen of Flight's Wings", "Soramaro, First to Dream", "Trusted Advisor", "Twincast", "Akuta, Born of Ash", "Choice of Damnations", "Death Denied", "Death of a Thousand Stings", "Deathknell Kami", "Deathmask Nezumi", "Exile into Darkness", "Footsteps of the Goryo", "Ghost-Lit Stalker", "Gnat Miser", "Hand of Cruelty", "Infernal Kirin", "Kagemaro, First to Suffer", "Kagemaro's Clutch", "Kami of Empty Graves", "Kemuri-Onna", "Kiku's Shadow", "Kuon, Ogre Ascendant", "Kuon's Essence", "Kuro's Taken", "Locust Miser", "Maga, Traitor to Mortals", "Measure of Wickedness", "Neverending Torment", "One with Nothing", "Pain's Reward", "Raving Oni-Slave", "Razorjaw Oni", "Shinen of Fear's Chill", "Sink into Takenuma", "Skull Collector", "Adamaro, First to Desire", "Akki Drillmaster", "Akki Underling", "Barrel Down Sokenzan", "Burning-Eye Zubera", "Captive Flame", "Feral Lightning", "Gaze of Adamaro", "Glitterfang", "Godo's Irregulars", "Hidetsugu's Second Rite", "Homura, Human Ascendant", "Homura's Essence", "Iizuka the Ruthless", "Inner Fire", "Into the Fray", "Jiwari, the Earth Aflame", "Oni of Wild Places", "Path of Anger's Flame", "Rally the Horde", "Ronin Cavekeeper", "Shinen of Fury's Fire", "Skyfire Kirin", "Sokenzan Renegade", "Sokenzan Spellblade", "Spiraling Embers", "Sunder from Within", "Thoughts of Ruin", "Undying Flames", "Yuki-Onna", "Arashi, the Sky Asunder", "Ayumi, the Last Visitor", "Bounteous Kirin", "Briarknit Kami", "Dense Canopy", "Descendant of Masumaro", "Dosan's Oldest Chant", "Elder Pine of Jukai", "Endless Swarm", "Fiddlehead Kami", "Ghost-Lit Nourisher", "Haru-Onna", "Inner Calm, Outer Strength", "Kami of the Tended Garden", "Kashi-Tribe Elite", "Masumaro, First to Live", "Matsu-Tribe Birdstalker", "Molting Skin", "Nightsoil Kami", "Promised Kannushi", "Reki, the History of Kamigawa", "Rending Vines", "Sakura-Tribe Scout", "Sasaya, Orochi Ascendant", "Sasaya's Essence", "Seed the Land", "Seek the Horizon", "Sekki, Seasons' Guide", "Shinen of Life's Roar", "Stampeding Serow", "Iname as One", "Ashes of the Fallen", "Blood Clock", "Ebony Owl Netsuke", "Ivory Crane Netsuke", "Manriki-Gusari", "O-Naginata", "Pithing Needle", "Scroll of Origins", "Soratami Cloud Chariot", "Wine of Blood and Iron", "Mikokoro, Center of the Sea", "Miren, the Moaning Well", "Oboro, Palace in the Clouds", "Tomb of Urami", "Auratouched Mage", "Bathe in Light", "Benevolent Ancestor", "Blazing Archon", "Boros Fury-Shield", "Caregiver", "Chant of Vitu-Ghazi", "Concerted Effort", "Conclave Equenaut", "Conclave Phalanx", "Conclave's Blessing", "Courier Hawk", "Devouring Light", "Divebomber Griffin", "Dromad Purebred", "Faith's Fetters", "Festival of the Guildpact", "Flickerform", "Gate Hound", "Ghosts of the Innocent", "Hour of Reckoning", "Hunted Lammasu", "Leave No Trace", "Light of Sanction", "Loxodon Gatekeeper", "Nightguard Patrol", "Oathsworn Giant", "Sandsower", "Screeching Griffin", "Seed Spark", "Suppression Field", "Three Dreams", "Twilight Drover", "Veteran Armorer", "Votary of the Conclave", "Wojek Apothecary", "Wojek Siren", "Belltower Sphinx", "Cerulean Sphinx", "Compulsive Research", "Convolute", "Copy Enchantment", "Dizzy Spell", "Drake Familiar", "Dream Leash", "Drift of Phantasms", "Ethereal Usher", "Eye of the Storm", "Flight of Fancy", "Flow of Ideas", "Followed Footsteps", "Grayscaled Gharial", "Grozoth", "Halcyon Glaze", "Hunted Phantasm", "Induce Paranoia", "Lore Broker", "Mark of Eviction", "Mnemonic Nexus", "Muddle the Mixture", "Peel from Reality", "Quickchange", "Spawnbroker", "Stasis Cell", "Surveilling Sprite", "Tattered Drake", "Telling Time", "Terraformer", "Tidewater Minion", "Tunnel Vision", "Vedalken Dismisser", "Vedalken Entrancer", "Wizened Snitches", "Zephyr Spirit", "Blood Funnel", "Brainspoil", "Carrion Howler", "Clinging Darkness", "Darkblast", "Dimir House Guard", "Dimir Machinations", "Disembowel", "Empty the Catacombs", "Golgari Thug", "Helldozer", "Hex", "Hunted Horror", "Infectious Host", "Keening Banshee", "Last Gasp", "Mausoleum Turnkey", "Moonlight Bargain", "Mortipede", "Necromantic Thirst", "Necroplasm", "Netherborn Phalanx", "Nightmare Void", "Ribbons of Night", "Roofstalker Wight", "Sadistic Augermage", "Sewerdreg", "Shred Memory", "Sins of the Past", "Stinkweed Imp", "Strands of Undeath", "Thoughtpicker Witch", "Undercity Shade", "Vigor Mortis", "Vindictive Mob", "Woebringer Demon", "Barbarian Riftcutter", "Blockbuster", "Breath of Fury", "Char", "Cleansing Beam", "Coalhauler Swine", "Dogpile", "Excruciator", "Fiery Conclusion", "Flame Fusillade", "Flash Conscription", "Galvanic Arc", "Goblin Fire Fiend", "Greater Forgeling", "Hammerfist Giant", "Hunted Dragon", "Incite Hysteria", "Indentured Oaf", "Instill Furor", "Mindmoil", "Molten Sentry", "Ordruun Commando", "Rain of Embers", "Reroute", "Sabertooth Alley Cat", "Seismic Spike", "Sell-Sword Brute", "Sparkmage Apprentice", "Stoneshaker Shaman", "Surge of Zeal", "Torpid Moloch", "Viashino Fangtail", "Viashino Slasher", "Warp World", "War-Torch Goblin", "Wojek Embermage", "Bramble Elemental", "Carven Caryatid", "Chord of Calling", "Civic Wayfinder", "Dowsing Shaman", "Dryad's Caress", "Elvish Skysweeper", "Fists of Ironwood", "Gather Courage", "Golgari Brownscale", "Golgari Grave-Troll", "Goliath Spider", "Greater Mossdog", "Hunted Troll", "Ivy Dancer", "Life from the Loam", "Moldervine Cloak", "Nullmage Shepherd", "Overwhelm", "Perilous Forays", "Primordial Sage", "Rolling Spoil", "Root-Kin Ally", "Scatter the Seeds", "Scion of the Wild", "Siege Wurm", "Stone-Seeder Hierophant", "Sundering Vitae", "Transluminant", "Trophy Hunter", "Ursapine", "Vinelasher Kudzu", "Agrus Kos, Wojek Veteran", "Autochthon Wurm", "Bloodbond March", "Boros Swiftblade", "Brightflame", "Chorus of the Conclave", "Circu, Dimir Lobotomist", "Clutch of the Undercity", "Congregation at Dawn", "Consult the Necrosages", "Dimir Cutpurse", "Dimir Doppelganger", "Dimir Infiltrator", "Drooling Groodion", "Firemane Angel", "Flame-Kin Zealot", "Glare of Subdual", "Glimpse the Unthinkable", "Golgari Germination", "Golgari Rotwurm", "Grave-Shell Scarab", "Guardian of Vitu-Ghazi", "Loxodon Hierarch", "Mindleech Mass", "Moroii", "Perplex", "Phytohydra", "Pollenbright Wings", "Psychic Drain", "Rally the Righteous", "Razia, Boros Archangel", "Razia's Purification", "Savra, Queen of the Golgari", "Searing Meditation", "Seeds of Strength", "Selesnya Evangel", "Selesnya Sagittars", "Shambling Shell", "Sisters of Stone Death", "Sunhome Enforcer", "Szadek, Lord of Secrets", "Thundersong Trumpeter", "Tolsimir Wolfblood", "Twisted Justice", "Vulturous Zombie", "Woodwraith Corrupter", "Woodwraith Strangler", "Boros Guildmage", "Boros Recruit", "Centaur Safeguard", "Gaze of the Gorgon", "Golgari Guildmage", "Lurking Informant", "Master Warcraft", "Privileged Position", "Selesnya Guildmage", "Shadow of Doubt", "Bloodletter Quill", "Boros Signet", "Bottled Cloister", "Cloudstone Curio", "Crown of Convergence", "Cyclopean Snare", "Dimir Signet", "Glass Golem", "Golgari Signet", "Grifter's Blade", "Junktroller", "Leashling", "Nullstone Gargoyle", "Pariah's Shield", "Peregrine Mask", "Plague Boiler", "Selesnya Signet", "Spectral Searchlight", "Sunforger", "Terrarion", "Voyager Staff", "Boros Garrison", "Dimir Aqueduct", "Duskmantle, House of Shadow", "Golgari Rot Farm", "Overgrown Tomb", "Sacred Foundry", "Selesnya Sanctuary", "Sunhome, Fortress of the Legion", "Svogthos, the Restless Tomb", "Temple Garden", "Vitu-Ghazi, the City-Tree", "Watery Grave", "Calciderm", "Reckless Wurm", "Yixlid Jailer", "Zoetic Cavern", "Dauntless Dourbark", "Cenn's Tactician", "Oona's Blackguard", "Boggart Ram-Gang", "Wilt-Leaf Cavaliers", "Duergar Hedge-Mage", "Selkie Hedge-Mage", "Absolver Thrull", "Belfry Spirit", "Benediction of Moons", "Droning Bureaucrats", "Ghost Warden", "Ghostway", "Graven Dominator", "Guardian's Magemark", "Harrier Griffin", "Leyline of the Meek", "Lionheart Maverick", "Martyred Rusalka", "Order of the Stars", "Shadow Lance", "Shrieking Grotesque", "Sinstriker's Will", "Skyrider Trainee", "Spelltithe Enforcer", "Storm Herd", "To Arms!", "Withstand", "Ætherplasm", "Crystal Seer", "Drowned Rusalka", "Frazzle", "Gigadrowse", "Hatching Plans", "Infiltrator's Magemark", "Leyline of Singularity", "Mimeofacture", "Quicken", "Repeal", "Runeboggle", "Sky Swallower", "Steamcore Weird", "Stratozeppelid", "Thunderheads", "Torch Drake", "Train of Thought", "Vacuumelt", "Vedalken Plotter", "Vertigo Spawn", "Abyssal Nocturnus", "Caustic Rain", "Cry of Contrition", "Cryptwailing", "Daggerclaw Imp", "Douse in Gloom", "Exhumer Thrull", "Hissing Miasma", "Leyline of the Void", "Necromancer's Magemark", "Orzhov Euthanist", "Ostiary Thrull", "Plagued Rusalka", "Poisonbelly Ogre", "Restless Bones", "Revenant Patriarch", "Sanguine Praetor", "Seize the Soul", "Skeletal Vampire", "Smogsteed Rider", "Bloodscale Prowler", "Fencer's Magemark", "Ghor-Clan Bloodscale", "Hypervolt Grasp", "Leyline of Lightning", "Living Inferno", "Ogre Savant", "Parallectric Feedback", "Pyromatics", "Rabble-Rouser", "Scorched Rusalka", "Shattering Spree", "Siege of Towers", "Skarrgan Firebird", "Tin Street Hooligan", "Battering Wurm", "Beastmaster's Magemark", "Bioplasm", "Crash Landing", "Dryad Sophisticate", "Earth Surge", "Gatherer of Graces", "Ghor-Clan Savage", "Gristleback", "Gruul Nodorog", "Gruul Scrapper", "Leyline of Lifeforce", "Petrified Wood-Kin", "Predatory Focus", "Primeval Light", "Silhana Ledgewalker", "Silhana Starfletcher", "Skarrgan Pit-Skulk", "Starved Rusalka", "Wildsize", "Wurmweaver Coil", "Agent of Masks", "Angel of Despair", "Blind Hunter", "Borborygmos", "Burning-Tree Bloodscale", "Burning-Tree Shaman", "Cerebral Vortex", "Conjurer's Ban", "Culling Sun", "Dune-Brood Nephilim", "Feral Animist", "Gelectrode", "Ghost Council of Orzhova", "Glint-Eye Nephilim", "Goblin Flectomancer", "Ink-Treader Nephilim", "Invoke the Firemind", "Izzet Chronarch", "Killer Instinct", "Leap of Flame", "Niv-Mizzet, the Firemind", "Orzhov Pontiff", "Pillory of the Sleepless", "Rumbling Slum", "Scab-Clan Mauler", "Schismotivate", "Skarrgan Skybreaker", "Souls of the Faultless", "Stitch in Time", "Streetbreaker Wurm", "Teysa, Orzhov Scion", "Tibor and Lumia", "Ulasht, the Hate Seed", "Witch-Maw Nephilim", "Wreak Havoc", "Yore-Tiller Nephilim", "Debtors' Knell", "Giant Solifuge", "Izzet Guildmage", "Mourning Thrull", "Orzhov Guildmage", "Petrahydrox", "Wild Cantor", "Gruul Signet", "Gruul War Plow", "Izzet Signet", "Mizzium Transreliquat", "Moratorium Stone", "Orzhov Signet", "Sword of the Paruns", "Godless Shrine", "Gruul Turf", "Izzet Boilerworks", "Nivix, Aerie of the Firemind", "Orzhov Basilica", "Orzhova, the Church of Deals", "Skarrg, the Rage Pits", "Steam Vents", "Stomping Ground", "Rakdos Guildmage", "Voidslime", "Urza's Factory", "Serra Avenger", "Blood Knight", "Groundbreaker", "Imperious Perfect", "Doran, the Siege Tower", "Bramblewood Paragon", "Mutavault", "Aurora Eidolon", "Azorius Herald", "Beacon Hawk", "Blessing of the Nephilim", "Brace for Impact", "Carom", "Celestial Ancient", "Freewind Equenaut", "Guardian of the Guildpact", "Haazda Exonerator", "Haazda Shield Mate", "Mistral Charger", "Paladin of Prahv", "Proclamation of Rebirth", "Proper Burial", "Soulsworn Jury", "Steeling Stance", "Stoic Ephemera", "Valor Made Real", "Wakestone Gargoyle", "Court Hussar", "Cytoplast Manipulator", "Enigma Eidolon", "Govern the Guildless", "Helium Squirter", "Novijen Sages", "Ocular Halo", "Plaxmanta", "Psychic Possession", "Silkwing Scout", "Skyscribing", "Spell Snare", "Tidespout Tyrant", "Vigean Graftmage", "Vision Skeins", "Writ of Passage", "Bond of Agony", "Brain Pry", "Crypt Champion", "Delirium Skeins", "Demon's Jester", "Drekavac", "Enemy of the Guildpact", "Entropic Eidolon", "Infernal Tutor", "Macabre Waltz", "Nettling Curse", "Nightcreep", "Nihilistic Glee", "Ragamuffyn", "Ratcatcher", "Slaughterhouse Bouncer", "Slithering Shade", "Unliving Psychopath", "Vesper Ghoul", "Wit's End", "Cackling Flames", "Demonfire", "Flame-Kin War Scout", "Flaring Flame-Kin", "Gnat Alley Creeper", "Ignorant Bliss", "Kill-Suit Cultist", "Kindle the Carnage", "Ogre Gatecrasher", "Psychotic Fury", "Rakdos Pit Dragon", "Sandstorm Eidolon", "Squealing Devil", "Stalking Vengeance", "Stormscale Anarch", "Taste for Mayhem", "Utvara Scalper", "War's Toll", "Weight of Spires", "Whiptail Moloch", "Aquastrand Spider", "Cytoplast Root-Kin", "Cytospawn Shambler", "Elemental Resonance", "Fertile Imagination", "Flash Foliage", "Indrik Stomphowler", "Loaming Shaman", "Might of the Nephilim", "Patagia Viper", "Protean Hulk", "Simic Basilisk", "Simic Initiate", "Simic Ragworm", "Sporeback Troll", "Sprouting Phytohydra", "Stomp and Howl", "Street Savvy", "Utopia Sprawl", "Verdant Eidolon", "Æthermage's Touch", "Anthem of Rakdos", "Assault Zeppelid", "Azorius Æthermage", "Azorius First-Wing", "Azorius Ploy", "Cytoshape", "Dread Slag", "Experiment Kraj", "Gobhobbler Rats", "Grand Arbiter Augustin IV", "Hellhole Rats", "Isperia the Inscrutable", "Jagged Poppet", "Leafdrake Roost", "Lyzolda, the Blood Witch", "Momir Vig, Simic Visionary", "Omnibian", "Overrule", "Pain Magnification", "Palliation Accord", "Plaxcaster Frogling", "Plumes of Peace", "Pride of the Clouds", "Rain of Gore", "Rakdos Augermage", "Rakdos Ickspitter", "Rakdos the Defiler", "Simic Sky Swallower", "Sky Hussar", "Swift Silence", "Trygon Predator", "Twinstrike", "Vigean Hydropon", "Vigean Intuition", "Windreaver", "Wrecking Ball", "Biomantic Mastery", "Dovescape", "Minister of Impediments", "Riot Spikes", "Shielding Plax", "Simic Guildmage", "Bound", "Determined", "Crime", "Punishment", "Hide", "Seek", "Hit", "Run", "Odds", "Ends", "Pure", "Simple", "Research", "Development", "Rise", "Fall", "Supply", "Demand", "Trial", "Error", "Azorius Signet", "Bronze Bombshell", "Evolution Vat", "Magewright's Stone", "Muse Vessel", "Rakdos Riteknife", "Rakdos Signet", "Simic Signet", "Skullmead Cauldron", "Transguild Courier", "Walking Archive", "Azorius Chancery", "Blood Crypt", "Breeding Pool", "Ghost Quarter", "Hallowed Fountain", "Novijen, Heart of Progress", "Pillar of the Paruns", "Prahv, Spires of Order", "Rakdos Carnarium", "Rix Maadi, Dungeon Palace", "Simic Growth Chamber", "Adarkar Valkyrie", "Boreal Griffin", "Cover of Winter", "Darien, King of Kjeldor", "Field Marshal", "Gelid Shackles", "Glacial Plating", "Jötun Grunt", "Jötun Owl Keeper", "Kjeldoran Gargoyle", "Kjeldoran Javelineer", "Kjeldoran Outrider", "Kjeldoran War Cry", "Luminesce", "Martyr of Sands", "Ronom Unicorn", "Squall Drifter", "Sun's Bounty", "Sunscour", "Surging Sentinels", "Swift Maneuver", "Ursine Fylgja", "Wall of Shards", "White Shield Crusader", "Woolly Razorback", "Adarkar Windform", "Arcum Dagsson", "Balduvian Frostwaker", "Commandeer", "Controvert", "Counterbalance", "Drelnoch", "Flashfreeze", "Frost Raptor", "Heidar, Rimewind Master", "Jokulmorder", "Krovikan Mist", "Krovikan Whispers", "Martyr of Frost", "Perilous Research", "Rimefeather Owl", "Rimewind Cryomancer", "Rimewind Taskmage", "Ronom Serpent", "Rune Snag", "Surging Æther", "Survivor of the Unseen", "Thermal Flux", "Vexing Sphinx", "Balduvian Fallen", "Chill to the Bone", "Chilling Shade", "Deathmark", "Disciple of Tevesh Szat", "Feast of Flesh", "Garza's Assassin", "Grim Harvest", "Gristle Grinner", "Gutless Ghoul", "Haakon, Stromgald Scourge", "Herald of Leshrac", "Krovikan Rot", "Krovikan Scoundrel", "Martyr of Bones", "Phobian Phantasm", "Phyrexian Etchings", "Rime Transfusion", "Rimebound Dead", "Soul Spike", "Stromgald Crusader", "Surging Dementia", "Tresserhorn Skyknight", "Void Maw", "Zombie Musher", "Balduvian Rage", "Balduvian Warlord", "Braid of Fire", "Cryoclasm", "Earthen Goo", "Fury of the Horde", "Goblin Furrier", "Goblin Rimerunner", "Greater Stone Spirit", "Icefall", "Karplusan Minotaur", "Karplusan Wolverine", "Lightning Serpent", "Lightning Storm", "Lovisa Coldeyes", "Magmatic Core", "Martyr of Ashes", "Ohran Yeti", "Orcish Bloodpainter", "Rimescale Dragon", "Rite of Flame", "Skred", "Stalking Yeti", "Thermopod", "Arctic Nishoba", "Aurochs Herd", "Boreal Centaur", "Boreal Druid", "Brooding Saurian", "Bull Aurochs", "Freyalise's Radiance", "Frostweb Spider", "Hibernation's End", "Into the North", "Karplusan Strider", "Martyr of Spores", "Mystic Melting", "Ohran Viper", "Panglacial Wurm", "Resize", "Rimehorn Aurochs", "Ronom Hulk", "Shape of the Wiitigo", "Sheltering Ancient", "Simian Brawler", "Sound the Call", "Steam Spitter", "Surging Might", "Blizzard Specter", "Deepfire Elemental", "Diamond Faerie", "Garza Zol, Plague Queen", "Juniper Order Ranger", "Sek'Kuar, Deathkeeper", "Tamanoa", "Vanish into Memory", "Wilderness Elemental", "Zur the Enchanter", "Coldsteel Heart", "Jester's Scepter", "Mishra's Bauble", "Phyrexian Ironfoot", "Phyrexian Snowcrusher", "Phyrexian Soulgorger", "Thrumming Stone", "Arctic Flats", "Boreal Shelf", "Dark Depths", "Frost Marsh", "Highland Weald", "Mouth of Ronom", "Scrying Sheets", "Tresserhorn Sinks", "Amrou Scout", "Amrou Seekers", "Angel's Grace", "Benalish Cavalry", "Castle Raptors", "Cavalry Master", "Celestial Crusader", "Children of Korlis", "Chronosavant", "Cloudchaser Kestrel", "D'Avenant Healer", "Detainment Spell", "Divine Congregation", "Duskrider Peregrine", "Errant Doomsayers", "Evangelize", "Flickering Spirit", "Foriysian Interceptor", "Fortify", "Gaze of Justice", "Griffin Guide", "Gustcloak Cavalier", "Icatian Crier", "Ivory Giant", "Jedit's Dragoons", "Knight of the Holy Nimbus", "Magus of the Disk", "Mangara of Corondor", "Momentary Blink", "Opal Guardian", "Outrider en-Kor", "Pentarch Paladin", "Pentarch Ward", "Plated Pegasus", "Pull from Eternity", "Pulmonic Sliver", "Quilled Sliver", "Restore Balance", "Return to Dust", "Sidewinder Sliver", "Spirit Loop", "Temporal Isolation", "Tivadar of Thorn", "Watcher Sliver", "Weathered Bodyguards", "Zealot il-Vec", "Ancestral Vision", "Bewilder", "Brine Elemental", "Careful Consideration", "Clockspinning", "Coral Trickster", "Crookclaw Transmuter", "Deep-Sea Kraken", "Draining Whelk", "Dream Stalker", "Drifter il-Dal", "Errant Ephemeron", "Eternity Snare", "Fathom Seer", "Fledgling Mawcor", "Fool's Demise", "Ixidron", "Looter il-Kor", "Magus of the Jar", "Moonlace", "Mystical Teachings", "Ophidian Eye", "Paradox Haze", "Psionic Sliver", "Riftwing Cloudskate", "Sage of Epityr", "Screeching Sliver", "Shadow Sliver", "Slipstream Serpent", "Snapback", "Spell Burst", "Spiketail Drakeling", "Sprite Noble", "Stormcloud Djinn", "Teferi, Mage of Zhalfir", "Telekinetic Sliver", "Temporal Eddy", "Think Twice", "Tolarian Sentinel", "Trickbind", "Truth or Tale", "Vesuvan Shapeshifter", "Viscerid Deepwalker", "Walk the Aeons", "Wipe Away", "Assassinate", "Basal Sliver", "Call to the Netherworld", "Corpulent Corpse", "Curse of the Cabal", "Cyclopean Giant", "Dark Withering", "Deathspore Thallid", "Demonic Collusion", "Dread Return", "Drudge Reavers", "Endrek Sahr, Master Breeder", "Evil Eye of Urborg", "Faceless Devourer", "Fallen Ideal", "Feebleness", "Gorgon Recluse", "Haunting Hymn", "Liege of the Pit", "Lim-Dûl the Necromancer", "Living End", "Magus of the Mirror", "Mana Skimmer", "Mindlash Sliver", "Mindstab", "Nether Traitor", "Nightshade Assassin", "Phthisis", "Pit Keeper", "Plague Sliver", "Premature Burial", "Psychotic Episode", "Sangrophage", "Sengir Nosferatu", "Skittering Monstrosity", "Skulking Knight", "Smallpox", "Strangling Soot", "Stronghold Overseer", "Sudden Death", "Sudden Spoiling", "Tendrils of Corruption", "Traitor's Clutch", "Trespasser il-Vec", "Urborg Syphon-Mage", "Vampiric Sliver", "Viscid Lemures", "Ætherflame Wall", "Barbed Shocker", "Basalt Gargoyle", "Blazing Blade Askari", "Bogardan Hellkite", "Bogardan Rager", "Bonesplitter Sliver", "Coal Stoker", "Conflagrate", "Empty the Warrens", "Firemaw Kavu", "Flamecore Elemental", "Flowstone Channeler", "Fortune Thief", "Fury Sliver", "Ghitu Firebreathing", "Goblin Skycutter", "Grapeshot", "Greater Gargadon", "Ground Rift", "Ib Halfheart, Goblin Tactician", "Ignite Memories", "Ironclaw Buzzardiers", "Keldon Halberdier", "Lightning Axe", "Magus of the Scroll", "Mogg War Marshal", "Norin the Wary", "Orcish Cannonade", "Pardic Dragon", "Plunder", "Reiterate", "Sedge Sliver", "Subterranean Shambler", "Sulfurous Blast", "Tectonic Fiend", "Thick-Skinned Goblin", "Two-Headed Sliver", "Undying Rage", "Viashino Bladescout", "Volcanic Awakening", "Wheel of Fate", "Word of Seizing", "Æther Web", "Ashcoat Bear", "Aspect of Mongoose", "Chameleon Blur", "Durkwood Baloth", "Durkwood Tracker", "Fungus Sliver", "Gemhide Sliver", "Glass Asp", "Greenseeker", "Havenwood Wurm", "Herd Gnarr", "Hypergenesis", "Magus of the Candelabra", "Might of Old Krosa", "Might Sliver", "Molder", "Mwonvuli Acid-Moss", "Nantuko Shaman", "Pendelhaven Elder", "Penumbra Spider", "Phantom Wurm", "Primal Forcemage", "Savage Thallid", "Scarwood Treefolk", "Scryb Ranger", "Search for Tomorrow", "Spectral Force", "Spike Tiller", "Spinneret Sliver", "Sporesower Thallid", "Sprout", "Squall Line", "Stonewood Invocation", "Strength in Numbers", "Thallid Germinator", "Thallid Shell-Dweller", "Thelon of Havenwood", "Thelonite Hermit", "Thrill of the Hunt", "Tromp the Domains", "Unyaro Bees", "Verdant Embrace", "Wormwood Dryad", "Wurmcalling", "Yavimaya Dryad", "Dementia Sliver", "Dralnu, Lich Lord", "Firewake Sliver", "Ghostflame Sliver", "Harmonic Sliver", "Ith, High Arcanist", "Kaervek the Merciless", "Mishra, Artificer Prodigy", "Opaline Sliver", "Saffi Eriksdotter", "Scion of the Ur-Dragon", "Stonebrow, Krosan Hero", "Assembly-Worker", "Brass Gnat", "Candles of Leng", "Chromatic Star", "Chronatog Totem", "Clockwork Hydra", "Foriysian Totem", "Gauntlet of Power", "Hivestone", "Jhoira's Timebug", "Locket of Yesterdays", "Paradise Plume", "Phyrexian Totem", "Prismatic Lens", "Sarpadian Empires, Vol. VII", "Stuffy Doll", "Thunder Totem", "Triskelavus", "Venser's Sliver", "Weatherseed Totem", "Academy Ruins", "Calciform Pools", "Dreadship Reef", "Flagstones of Trokair", "Fungal Reaches", "Gemstone Caverns", "Kher Keep", "Molten Slagheap", "Saltcrusted Steppe", "Swarmyard", "Terramorphic Expanse", "Vesuva", "Fruitcake Elemental", "Gifts Given", "Evil Presents", "Season's Beatings", "Snow Mercy", "Yule Ooze", "Naughty", "Nice", "Stocking Tiger", "Mishra's Toy Workshop", "Aven Riftwatcher", "Benalish Commander", "Crovax, Ascendant Hero", "Dawn Charm", "Dust Elemental", "Ghost Tactician", "Heroes Remembered", "Magus of the Tabernacle", "Mantle of Leadership", "Pallid Mycoderm", "Poultice Sliver", "Rebuff the Wicked", "Retether", "Riftmarked Knight", "Saltblast", "Saltfield Recluse", "Serra's Boon", "Shade of Trokair", "Stonecloaker", "Stormfront Riders", "Voidstone Gargoyle", "Whitemane Lion", "Malach of the Dawn", "Mesa Enchantress", "Mycologist", "Porphyry Nodes", "Revered Dead", "Sinew Sliver", "Sunlance", "Aeon Chronicler", "Aquamorph Entity", "Auramancer's Guise", "Body Double", "Braids, Conjurer Adept", "Chronozoa", "Dichotomancy", "Dismal Failure", "Dreamscape Artist", "Erratic Mutation", "Jodah's Avenger", "Magus of the Bazaar", "Pongify", "Reality Acid", "Shaper Parasite", "Spellshift", "Synchronous Sliver", "Tidewalker", "Timebender", "Veiling Oddity", "Venarian Glimmer", "Wistful Thinking", "Frozen Æther", "Gossamer Phantasm", "Merfolk Thaumaturgist", "Ovinize", "Piracy Charm", "Primal Plasma", "Riptide Pilferer", "Serendib Sorcerer", "Serra Sphinx", "Big Game Hunter", "Blightspeaker", "Brain Gorgers", "Circle of Affliction", "Cradle to Grave", "Dash Hopes", "Deadly Grub", "Enslave", "Extirpate", "Imp's Mischief", "Magus of the Coffers", "Midnight Charm", "Mirri the Cursed", "Muck Drubb", "Phantasmagorian", "Ridged Kusite", "Roiling Horror", "Spitting Sliver", "Temporal Extortion", "Treacherous Urge", "Waning Wurm", "Bog Serpent", "Dunerider Outlaw", "Kor Dirge", "Melancholy", "Null Profusion", "Rathi Trapper", "Shrouded Lore", "Vampiric Link", "Æther Membrane", "Akroma, Angel of Fury", "Battering Sliver", "Detritivore", "Dust Corona", "Fatal Frenzy", "Firefright Mage", "Fury Charm", "Hammerheim Deadeye", "Keldon Marauders", "Lavacore Elemental", "Magus of the Arena", "Needlepeak Spider", "Shivan Meteor", "Stingscourger", "Sulfur Elemental", "Timecrafting", "Torchling", "Volcano Hellion", "Boom", "Bust", "Dead", "Gone", "Rough", "Tumble", "Brute Force", "Molten Firebird", "Prodigal Pyromancer", "Pyrohemia", "Shivan Wumpus", "Simian Spirit Guide", "Skirk Shaman", "Ana Battlemage", "Citanul Woodreaders", "Deadwood Treefolk", "Evolution Charm", "Fungal Behemoth", "Giant Dustwasp", "Hunting Wilds", "Jedit Ojanen of Efrava", "Kavu Predator", "Life and Limb", "Magus of the Library", "Mire Boa", "Pouncing Wurm", "Psychotrope Thallid", "Reflex Sliver", "Sophic Centaur", "Timbermare", "Uktabi Drake", "Utopia Vow", "Vitaspore Thallid", "Wild Pair", "Essence Warden", "Fa'adiyah Seer", "Gaea's Anthem", "Healing Leaves", "Keen Sense", "Seal of Primordium", "Cautery Sliver", "Darkheart Sliver", "Dormant Sliver", "Frenetic Sliver", "Intet, the Dreamer", "Necrotic Sliver", "Numot, the Devastator", "Radha, Heir to Keld", "Teneb, the Harvester", "Vorosh, the Hunter", "Urborg, Tomb of Yawgmoth", "Ajani Goldmane", "Maelstrom Pulse", "Goblin Guide", "Lotus Cobra", "Primeval Titan", "All Is Dust", "Batterskull", "Griselbrand", "Angel of Salvation", "Augur il-Vec", "Barren Glory", "Chronomantic Escape", "Dust of Moments", "Even the Odds", "Gift of Granite", "Intervention Pact", "Judge Unworthy", "Knight of Sursi", "Lost Auramancers", "Magus of the Moat", "Marshaling Cry", "Saltskitter", "Samite Censer-Bearer", "Scout's Warning", "Spirit en-Dal", "Aven Mindcensor", "Blade of the Sixth Pride", "Bound in Silence", "Daybreak Coronet", "Goldmeadow Lookout", "Imperial Mask", "Lucent Liminid", "Lumithread Field", "Lymph Sliver", "Mistmeadow Skulk", "Oriss, Samite Guardian", "Patrician's Scorn", "Ramosian Revivalist", "Seht's Tiger", "Aven Augur", "Cloudseeder", "Cryptic Annelid", "Delay", "Foresee", "Infiltrator il-Kor", "Leaden Fists", "Maelstrom Djinn", "Magus of the Future", "Mystic Speculation", "Pact of Negation", "Reality Strobe", "Take Possession", "Unblinking Bleb", "Venser, Shaper Savant", "Venser's Diffusion", "Arcanum Wings", "Blind Phantasm", "Bonded Fetch", "Linessa, Zephyr Mage", "Logic Knot", "Mesmeric Sliver", "Narcomoeba", "Nix", "Sarcomite Myr", "Second Wind", "Shapeshifter's Marrow", "Spellweaver Volute", "Spin into Myth", "Vedalken Æthermage", "Whip-Spine Drake", "Augur of Skulls", "Cutthroat il-Dal", "Festering March", "Gibbering Descent", "Grave Peril", "Ichor Slick", "Lost Hours", "Magus of the Abyss", "Minions' Murmurs", "Nihilith", "Oblivion Crown", "Pooling Venom", "Putrid Cyclops", "Shimian Specter", "Skirk Ridge Exhumer", "Slaughter Pact", "Stronghold Rats", "Bitter Ordeal", "Bridge from Below", "Death Rattle", "Deepcavern Imp", "Fleshwrither", "Frenzy Sliver", "Grave Scrabbler", "Mass of Ghouls", "Snake Cult Initiation", "Street Wraith", "Tombstalker", "Witch's Mist", "Arc Blade", "Bogardan Lancer", "Char-Rumbler", "Emberwilde Augur", "Fatal Attraction", "Gathan Raiders", "Haze of Rage", "Magus of the Moon", "Molten Disaster", "Pact of the Titan", "Pyromancer's Swath", "Riddle of Lightning", "Rift Elemental", "Scourge of Kher Ridges", "Shivan Sand-Mage", "Sparkspitter", "Bloodshot Trainee", "Boldwyr Intimidator", "Emblem of the Warmind", "Flowstone Embrace", "Fomori Nomad", "Ghostfire", "Grinning Ignus", "Henchfiend of Ukor", "Homing Sliver", "Shah of Naar Isle", "Skizzik Surger", "Steamflogger Boss", "Tarox Bladewing", "Thunderblade Charge", "Cyclical Evolution", "Force of Savagery", "Heartwood Storyteller", "Kavu Primarch", "Llanowar Augur", "Llanowar Empath", "Llanowar Mentor", "Magus of the Vineyard", "Petrified Plating", "Quiet Disrepair", "Ravaging Riftwurm", "Riftsweeper", "Rites of Flourishing", "Sprout Swarm", "Summoner's Pact", "Utopia Mycon", "Wrap in Vigor", "Baru, Fist of Krosa", "Centaur Omenreader", "Edge of Autumn", "Imperiosaur", "Muraganda Petroglyphs", "Nacatl War-Pride", "Nessian Courser", "Phosphorescent Feast", "Quagnoth", "Spellwild Ouphe", "Sporoloth Ancient", "Tarmogoyf", "Thornweald Archer", "Virulent Sliver", "Glittering Wish", "Jhoira of the Ghitu", "Sliver Legion", "Akroma's Memorial", "Cloud Key", "Coalition Relic", "Epochrasite", "Sliversmith", "Soultether Golem", "Sword of the Meek", "Veilstone Amulet", "Darksteel Garrison", "Whetwheel", "Dakmor Salvage", "Keldon Megaliths", "Llanowar Reborn", "New Benalia", "Tolaria West", "Dryad Arbor", "Graven Cairns", "Grove of the Burnwillows", "Horizon Canopy", "Nimbus Maze", "River of Tears", "Liliana's Specter", "Mitotic Slime", "Memnite", "Tempered Steel", "Treasure Mage", "Black Sun's Zenith", "Myr Superion", "Priest of Urabrask", "Stormblood Berserker", "Dungrove Elder", "Diregraf Ghoul", "Elite Inquisitor", "Zombie Apocalypse", "Strangleroot Geist", "Suture Priest", "Pristine Talisman", "Latch Seeker", "Killing Wave", "Magmaquake", "Mwonvuli Beast Tracker", "Cryptborn Horror", "Dryad Militant", "Firemane Avenger", "Zameck Guildmage", "Melek, Izzet Paragon", "Trostani's Summoner", "Hive Stirrings", "Goblin Diplomats", "Phalanx Leader", "Nighthowler", "Pain Seer", "Kiora's Follower", "Squelching Leeches", "Dictate of Kruphix", "Hall of Triumph", "Heir of the Wilds", "Reclamation Sage", "Chief Engineer", "Mardu Shadowspear", "Supplant Form", "Thunderbreak Regent", "Scaleguard Sentinels", "Arbiter of Knollridge", "Austere Command", "Avian Changeling", "Battle Mastery", "Brigid, Hero of Kinsbaile", "Burrenton Forge-Tender", "Cenn's Heir", "Changeling Hero", "Cloudgoat Ranger", "Crib Swap", "Dawnfluke", "Entangling Trap", "Favor of the Mighty", "Galepowder Mage", "Goldmeadow Dodger", "Goldmeadow Harrier", "Goldmeadow Stalwart", "Harpoon Sniper", "Hillcomber Giant", "Hoofprints of the Stag", "Judge of Currents", "Kinsbaile Balloonist", "Kinsbaile Skirmisher", "Kithkin Greatheart", "Kithkin Harbinger", "Kithkin Healer", "Knight of Meadowgrain", "Lairwatch Giant", "Militia's Pride", "Mirror Entity", "Neck Snap", "Oaken Brawler", "Plover Knights", "Pollen Lullaby", "Purity", "Sentry Oak", "Shields of Velis Vel", "Soaring Hope", "Springjack Knight", "Summon the School", "Surge of Thoughtweft", "Thoughtweft Trio", "Triclopean Sight", "Veteran of the Depths", "Wellgabber Apothecary", "Wispmare", "Wizened Cenn", "Æthersnipe", "Amoeboid Changeling", "Aquitect's Will", "Benthicore", "Broken Ambitions", "Captivating Glance", "Deeptread Merrow", "Drowner of Secrets", "Ego Erasure", "Ethereal Whiskergill", "Faerie Harbinger", "Faerie Trickery", "Fallowsage", "Familiar's Ruse", "Fathom Trawl", "Forced Fruition", "Glen Elendra Pranksters", "Glimmerdust Nap", "Guile", "Inkfathom Divers", "Merrow Commerce", "Merrow Harbinger", "Mistbind Clique", "Paperfin Rascal", "Pestermite", "Protective Bubble", "Ringskipper", "Scattering Stroke", "Scion of Oona", "Sentinels of Glen Elendra", "Shapesharer", "Silvergill Adept", "Silvergill Douser", "Sower of Temptation", "Stonybrook Angler", "Streambed Aquitects", "Surgespanner", "Tideshaper Mystic", "Turtleshell Changeling", "Wanderwine Prophets", "Whirlpool Whelm", "Wings of Velis Vel", "Zephyr Net", "Black Poplar Shaman", "Bog Hoodlums", "Boggart Birth Rite", "Boggart Harbinger", "Boggart Loggers", "Boggart Mob", "Cairn Wanderer", "Colfenor's Plans", "Dread", "Dreamspoiler Witches", "Exiled Boggart", "Eyeblight's Ending", "Facevaulter", "Faerie Tauntings", "Final Revels", "Fodder Launch", "Footbottom Feast", "Ghostly Changeling", "Hoarder's Greed", "Hornet Harasser", "Hunter of Eyeblights", "Knucklebone Witch", "Lys Alana Scarblade", "Makeshift Mannequin", "Marsh Flitter", "Moonglove Winnower", "Mournwhelk", "Nath's Buffoon", "Nectar Faerie", "Nettlevine Blight", "Nightshade Stinger", "Oona's Prowler", "Peppersmoke", "Profane Command", "Prowess of the Fair", "Quill-Slinger Boggart", "Scarred Vinebreeder", "Skeletal Changeling", "Spiderwig Boggart", "Squeaking Pie Sneak", "Thieving Sprite", "Thorntooth Witch", "Thoughtseize", "Warren Pilferers", "Weed Strangle", "Adder-Staff Boggart", "Ashling the Pilgrim", "Ashling's Prerogative", "Axegrinder Giant", "Blades of Velis Vel", "Blind-Spot Giant", "Boggart Forager", "Boggart Shenanigans", "Boggart Sprite-Chaser", "Caterwauling Boggart", "Ceaseless Searblades", "Chandra Nalaar", "Changeling Berserker", "Consuming Bonfire", "Crush Underfoot", "Faultgrinder", "Fire-Belly Changeling", "Flamekin Bladewhirl", "Flamekin Brawler", "Flamekin Harbinger", "Flamekin Spitfire", "Giant Harbinger", "Giant's Ire", "Glarewielder", "Goatnapper", "Hearthcage Giant", "Heat Shimmer", "Hostility", "Hurly-Burly", "Incandescent Soulstoke", "Incendiary Command", "Ingot Chewer", "Inner-Flame Acolyte", "Inner-Flame Igniter", "Lash Out", "Lowland Oaf", "Mudbutton Torchrunner", "Needle Drop", "Nova Chaser", "Rebellion of the Flamekin", "Smokebraider", "Soulbright Flamekin", "Stinkdrinker Daredevil", "Sunrise Sovereign", "Tar Pitcher", "Tarfire", "Thundercloud Shaman", "Wild Ricochet", "Battlewand Oak", "Bog-Strider Ash", "Briarhorn", "Changeling Titan", "Cloudcrown Oak", "Cloudthresher", "Elvish Branchbender", "Elvish Eulogist", "Elvish Handservant", "Elvish Harbinger", "Elvish Promenade", "Epic Proportions", "Eyes of the Wisent", "Fistful of Force", "Gilt-Leaf Ambush", "Gilt-Leaf Seer", "Guardian of Cloverdell", "Heal the Scars", "Hunt Down", "Immaculate Magistrate", "Incremental Growth", "Jagged-Scar Archers", "Kithkin Daggerdare", "Kithkin Mourncaller", "Lace with Moonglove", "Lammastide Weave", "Leaf Gilder", "Lignify", "Lys Alana Huntmaster", "Masked Admirers", "Nath's Elite", "Oakgnarl Warrior", "Primal Command", "Rootgrapple", "Seedguide Ash", "Spring Cleaning", "Sylvan Echoes", "Timber Protector", "Treefolk Harbinger", "Vigor", "Warren-Scourge Elf", "Woodland Changeling", "Woodland Guidance", "Gaddock Teeg", "Horde of Notions", "Nath of the Gilt-Leaf", "Sygg, River Guide", "Wort, Boggart Auntie", "Wydwen, the Biting Gale", "Colfenor's Urn", "Deathrender", "Dolmen Gate", "Herbal Poultice", "Moonglove Extract", "Rings of Brighthearth", "Runed Stalactite", "Springleaf Drum", "Thorn of Amethyst", "Thousand-Year Elixir", "Twinning Glass", "Wanderer's Twig", "Ancient Amphitheater", "Auntie's Hovel", "Gilt-Leaf Palace", "Howltooth Hollow", "Mosswort Bridge", "Secluded Glen", "Shelldock Isle", "Shimmering Grotto", "Spinerock Knoll", "Vivid Crag", "Vivid Creek", "Vivid Grove", "Vivid Marsh", "Vivid Meadow", "Wanderwine Hub", "Windbrisk Heights", "Elemental", "Elf Warrior", "Goblin", "Earwig Squad", "Vexing Shusher", "Figure of Destiny", "Obelisk of Alara", "Knight of New Alara", "Ant Queen", "Valakut, the Molten Pinnacle", "Joraga Warcaller", "Lord of Shatterskull Pass", "Ancient Hellkite", "Steel Hellkite", "Thopter Assembly", "Phyrexian Metamorph", "Garruk's Horde", "Ludevic's Test Subject", "Ludevic's Abomination", "Mondronen Shaman", "Tovolar's Magehunter", "Restoration Angel", "Staff of Nin", "Deadbridge Goliath", "Skarrg Goliath", "Breaking", "Entering", "Colossal Whale", "Bident of Thassa", "Tromokratis", "Dictate of the Twin Gods", "Dragon Throne of Tarkir", "In Garruk's Wake", "Sandsteppe Mastodon", "Deathbringer Regent", "Ballyrush Banneret", "Battletide Alchemist", "Burrenton Bombardier", "Burrenton Shield-Bearers", "Changeling Sentinel", "Coordinated Barrage", "Daily Regimen", "Feudkiller's Verdict", "Forfend", "Graceful Reprieve", "Idyllic Tutor", "Indomitable Ancients", "Kinsbaile Borderguard", "Kinsbaile Cavalier", "Kithkin Zephyrnaut", "Meadowboon", "Mosquito Guard", "Order of the Golden Cricket", "Preeminent Captain", "Redeem the Lost", "Reveillark", "Shinewend", "Stonehewer Giant", "Stonybrook Schoolmaster", "Swell of Courage", "Wandering Graybeard", "Weight of Conscience", "Declaration of Naught", "Dewdrop Spy", "Disperse", "Distant Melody", "Fencer Clique", "Floodchaser", "Grimoire Thief", "Ink Dissolver", "Inspired Sprite", "Knowledge Exploitation", "Latchkey Faerie", "Merrow Witsniper", "Mind Spring", "Mothdust Changeling", "Nevermaker", "Notorious Throng", "Research the Deep", "Sage of Fables", "Sage's Dousing", "Sigil Tracer", "Slithermuse", "Stonybrook Banneret", "Stream of Unconsciousness", "Supreme Exemplar", "Thieves' Fortune", "Waterspout Weavers", "Auntie's Snitch", "Blightsoil Druid", "Fendeep Summoner", "Festercreep", "Final-Sting Faerie", "Frogtosser Banneret", "Maralen of the Mornsong", "Mind Shatter", "Moonglove Changeling", "Morsel Theft", "Nightshade Schemers", "Noggin Whack", "Offalsnout", "Pack's Disdain", "Prickly Boggart", "Pulling Teeth", "Revive the Fallen", "Scarblade Elite", "Squeaking Pie Grubfellows", "Stenchskipper", "Stinkdrinker Bandit", "Violet Pall", "Warren Weirding", "Weed-Pruner Poplar", "Weirding Shaman", "Boldwyr Heavyweights", "Borderland Behemoth", "Brighthearth Banneret", "Countryside Crusher", "Fire Juggler", "Hostile Realm", "Kindled Fury", "Lightning Crafter", "Lunk Errant", "Mudbutton Clanger", "Pyroclast Consul", "Rage Forger", "Release the Ants", "Rivals' Duel", "Roar of the Crowd", "Seething Pathblazer", "Sensation Gorger", "Shard Volley", "Shared Animosity", "Spitebellows", "Stingmoggie", "Stomping Slabs", "Sunflare Shaman", "Taurean Mauler", "Titan's Revenge", "Vengeful Firebrand", "War-Spike Changeling", "Ambassador Oak", "Bosk Banneret", "Chameleon Colossus", "Cream of the Crop", "Deglamer", "Earthbrawn", "Everbark Shaman", "Fertilid", "Game-Trail Changeling", "Gilt-Leaf Archdruid", "Greatbow Doyen", "Heritage Druid", "Hunting Triad", "Leaf-Crowned Elder", "Luminescent Rain", "Lys Alana Bowmaster", "Orchard Warden", "Reach of Branches", "Recross the Paths", "Reins of the Vinesteed", "Rhys the Exiled", "Scapeshift", "Unstoppable Ash", "Walker of the Grove", "Winnower Patrol", "Wolf-Skull Shaman", "Cloak and Dagger", "Diviner's Wand", "Obsidian Battle-Axe", "Thornbite Staff", "Veteran's Armaments", "Murmuring Bosk", "Primal Beyond", "Rustic Clachan", "Apothecary Initiate", "Armored Ascension", "Ballynock Cohort", "Barrenton Medic", "Boon Reflection", "Goldenglow Moth", "Greater Auramancy", "Inquisitor's Snare", "Kithkin Rabble", "Kithkin Shielddare", "Mass Calcify", "Mine Excavation", "Niveous Wisps", "Order of Whiteclay", "Pale Wayfarer", "Prison Term", "Resplendent Mentor", "Rune-Cervin Rider", "Runed Halo", "Safehold Sentry", "Spectral Procession", "Strip Bare", "Twilight Shepherd", "Windbrisk Raptor", "Woeleecher", "Advice from the Fae", "Biting Tether", "Briarberry Cohort", "Cerulean Wisps", "Consign to Dream", "Counterbore", "Cursecatcher", "Deepchannel Mentor", "Drowner Initiate", "Faerie Swarm", "Ghastly Discovery", "Isleback Spawn", "Kinscaer Harpoonist", "Knacksaw Clique", "Leech Bonder", "Merrow Wavebreakers", "Parapet Watchers", "Prismwake Merrow", "Puca's Mischief", "Put Away", "River Kelpie", "Savor the Moment", "Sinking Feeling", "Spell Syphon", "Thought Reflection", "Whimwader", "Aphotic Wisps", "Ashenmoor Cohort", "Beseech the Queen", "Blowfly Infestation", "Cinderbones", "Cinderhaze Wretch", "Corrosive Mentor", "Crowd of Cinders", "Disturbing Plot", "Dusk Urchins", "Faerie Macabre", "Gloomlance", "Hollowborn Barghest", "Hollowsage", "Incremental Blight", "Loch Korrigan", "Midnight Banshee", "Plague of Vermin", "Polluted Bonds", "Puppeteer Clique", "Rite of Consumption", "Sickle Ripper", "Smolder Initiate", "Splitting Headache", "Wound Reflection", "Blistering Dieflyn", "Bloodmark Mentor", "Bloodshed Fever", "Boggart Arsonists", "Burn Trail", "Cragganwick Cremator", "Crimson Wisps", "Deep-Slumber Titan", "Elemental Mastery", "Ember Gale", "Furystoke Giant", "Horde of Boggarts", "Inescapable Brute", "Intimidator Initiate", "Jaws of Stone", "Knollspine Dragon", "Knollspine Invocation", "Mudbrawler Cohort", "Power of Fire", "Puncture Bolt", "Pyre Charger", "Rage Reflection", "Rustrazor Butcher", "Slinking Giant", "Smash to Smithereens", "Wild Swing", "Crabapple Cohort", "Devoted Druid", "Dramatic Entrance", "Drove of Elves", "Farhaven Elf", "Flourishing Defenses", "Foxfire Oak", "Gleeful Sabotage", "Gloomwidow", "Gloomwidow's Feast", "Howl of the Night Pack", "Hungry Spriggan", "Juvenile Gloomwidow", "Mana Reflection", "Mossbridge Troll", "Nurturer Initiate", "Presence of Gond", "Prismatic Omen", "Raking Canopy", "Roughshod Mentor", "Spawnwrithe", "Toil to Renown", "Tower Above", "Viridescent Wisps", "Wildslayer Elves", "Witherscale Wurm", "Woodfall Primus", "Æthertow", "Augury Adept", "Barrenton Cragtreads", "Curse of Chains", "Enchanted Evening", "Glamer Spinners", "Godhead of Awe", "Mirrorweave", "Mistmeadow Witch", "Plumeveil", "Puresight Merrow", "Repel Intruders", "Silkbind Faerie", "Somnomancer", "Steel of the Godhead", "Swans of Bryn Argoll", "Thistledown Duo", "Thistledown Liege", "Thoughtweft Gambit", "Turn to Mist", "Worldpurge", "Zealous Guardian", "Cemetery Puca", "Dire Undercurrents", "Dream Salvage", "Fate Transfer", "Ghastlord of Fugue", "Glen Elendra Liege", "Gravelgill Axeshark", "Gravelgill Duo", "Helm of the Ghastlord", "Inkfathom Infiltrator", "Inkfathom Witch", "Memory Plunder", "Memory Sluice", "Merrow Grimeblotter", "Oona, Queen of the Fae", "Oona's Gatewarden", "River's Grasp", "Scarscale Ritual", "Sygg, River Cutthroat", "Torpor Dust", "Wanderbrine Rootcutters", "Wasp Lancer", "Ashenmoor Gouger", "Ashenmoor Liege", "Cultbrand Cinder", "Din of the Fireherd", "Emberstrike Duo", "Everlasting Torment", "Fists of the Demigod", "Fulminator Mage", "Grief Tyrant", "Kulrath Knight", "Manaforge Cinder", "Poison the Well", "Scar", "Sootstoke Kindler", "Sootwalkers", "Spiteflame Witch", "Spiteful Visions", "Torrent of Souls", "Traitor's Roar", "Tyrannize", "Boartusk Liege", "Deus of Calamity", "Firespout", "Fossil Find", "Giantbaiting", "Guttural Response", "Impromptu Raid", "Loamdragger Giant", "Manamorphose", "Morselhoarder", "Mudbrawler Raiders", "Rosheen Meanderer", "Runes of the Deus", "Scuzzback Marauders", "Scuzzback Scrapper", "Tattermunge Duo", "Tattermunge Maniac", "Tattermunge Witch", "Valleymaker", "Wort, the Raidmother", "Barkshell Blessing", "Dawnglow Infusion", "Elvish Hexhunter", "Fracturing Gust", "Heartmender", "Medicine Runner", "Mercy Killing", "Old Ghastbark", "Oracle of Nectars", "Oversoul of Dusk", "Raven's Run Dragoon", "Reknit", "Rhys the Redeemed", "Safehold Duo", "Safehold Elite", "Safewright Quest", "Seedcradle Witch", "Shield of the Oversoul", "Wheel of Sun and Moon", "Wilt-Leaf Liege", "Blazethorn Scarecrow", "Blight Sickle", "Cauldron of Souls", "Chainbreaker", "Elsewhere Flask", "Gnarled Effigy", "Grim Poppet", "Heap Doll", "Illuminated Folio", "Lockjaw Snapper", "Lurebound Scarecrow", "Painter's Servant", "Pili-Pala", "Rattleblaze Scarecrow", "Reaper King", "Revelsong Horn", "Scrapbasket", "Scuttlemutt", "Tatterkite", "Thornwatch Scarecrow", "Trip Noose", "Umbral Mantle", "Watchwing Scarecrow", "Wicker Warcrawler", "Wingrattle Scarecrow", "Fire-Lit Thicket", "Leechridden Swamp", "Madblind Mountain", "Mistveil Plains", "Moonring Island", "Mystic Gate", "Sapseep Forest", "Sunken Ruins", "Wooded Bastion", "Archon of Justice", "Ballynock Trapper", "Cenn's Enlistment", "Endless Horizons", "Endure", "Flickerwisp", "Hallowed Burial", "Kithkin Spellduster", "Kithkin Zealot", "Light from Within", "Loyal Gyrfalcon", "Patrol Signaler", "Recumbent Bliss", "Spirit of the Hearth", "Springjack Shepherd", "Suture Spirit", "Banishing Knack", "Cache Raiders", "Dream Fracture", "Dream Thief", "Glamerdye", "Glen Elendra Archmage", "Idle Thoughts", "Indigo Faerie", "Inundate", "Merrow Levitator", "Oona's Grace", "Razorfin Abolisher", "Sanity Grinding", "Talonrend", "Wake Thrasher", "Wilderness Hypnotist", "Ashling, the Extinguisher", "Creakwood Ghoul", "Crumbling Ashes", "Lingering Tormentor", "Merrow Bonegnawer", "Necroskitter", "Needle Specter", "Nightmare Incursion", "Raven's Crime", "Smoldering Butcher", "Soot Imp", "Soul Reap", "Soul Snuffers", "Syphon Life", "Talara's Bane", "Umbra Stalker", "Chaotic Backlash", "Cinder Pyromancer", "Duergar Cave-Guard", "Fiery Bombardment", "Flame Jab", "Hatchet Bully", "Hateflayer", "Heartlash Cinder", "Hotheaded Giant", "Impelled Giant", "Outrage Shaman", "Puncture Blast", "Rekindled Flame", "Stigma Lasher", "Thunderblust", "Unwilling Recruit", "Aerie Ouphes", "Bloom Tender", "Duskdale Wurm", "Helix Pinnacle", "Marshdrinker Giant", "Monstrify", "Nettle Sentinel", "Primalcrux", "Regal Force", "Savage Conception", "Swirling Spriggan", "Talara's Battalion", "Tilling Treefolk", "Twinblade Slasher", "Wickerbough Elder", "Batwing Brume", "Beckon Apparition", "Bloodied Ghost", "Cauldron Haze", "Deathbringer Liege", "Divinity of Pride", "Edge of the Divinity", "Evershrike", "Gwyllion Hedge-Mage", "Harvest Gwyllion", "Nightsky Mimic", "Nip Gwyllion", "Pyrrhic Revival", "Restless Apparition", "Stillmoon Cavalier", "Voracious Hatchling", "Call the Skybreaker", "Clout of the Dominus", "Crackleburr", "Crag Puca", "Dominus of Fealty", "Inside Out", "Mindwrack Liege", "Mirror Sheen", "Noggle Bandit", "Noggle Bridgebreaker", "Noggle Hedge-Mage", "Noggle Ransacker", "Nucklavee", "Riverfall Mimic", "Shrewd Hatchling", "Stream Hopper", "Unnerving Assault", "Canker Abomination", "Cankerous Thirst", "Creakwood Liege", "Deity of Scars", "Desecrator Hag", "Doomgape", "Drain the Well", "Gift of the Deity", "Hag Hedge-Mage", "Noxious Hatchling", "Odious Trow", "Quillspike", "Rendclaw Trow", "Sapling of Colfenor", "Stalker Hag", "Woodlurker Mimic", "Worm Harvest", "Balefire Liege", "Battlegate Mimic", "Belligerent Hatchling", "Double Cleave", "Duergar Assailant", "Duergar Mine-Captain", "Fire at Will", "Hearthfire Hobgoblin", "Hobgoblin Dragoon", "Moonhold", "Nobilis of War", "Rise of the Hobgoblins", "Scourge of the Nobilis", "Spitemare", "Waves of Aggression", "Cold-Eyed Selkie", "Fable of Wolf and Owl", "Favor of the Overbeing", "Gilder Bairn", "Grazing Kelpie", "Groundling Pouncer", "Invert the Skies", "Murkfiend Liege", "Shorecrasher Mimic", "Slippery Bogle", "Snakeform", "Spitting Image", "Sturdy Hatchling", "Trapjaw Kelpie", "Wistful Selkie", "Altar Golem", "Antler Skulkin", "Fang Skulkin", "Hoof Skulkin", "Jawbone Skulkin", "Leering Emblem", "Scarecrone", "Shell Skulkin", "Ward of Bones", "Cascade Bluffs", "Fetid Heath", "Flooded Grove", "Rugged Prairie", "Springjack Pasture", "Twilight Mire", "Hellkite Overlord", "Sprouting Thrinax", "Woolly Thoctar", "Path to Exile", "Hellspark Elemental", "Marisi's Twinclaws", "Slave of Bolas", "Mycoid Shepherd", "Naya Sojourners", "Mind Control", "Rise from the Grave", "Kor Duelist", "Vampire Nighthawk", "Nissa's Chosen", "Emeria Angel", "Kor Firewalker", "Leatherback Baloth", "Hada Freeblade", "Kalastria Highborn", "Pathrazer of Ulamog", "Curse of Wizardry", "Staggershock", "Deathless Angel", "Sylvan Ranger", "Plague Stinger", "Golem's Heart", "Skinrender", "Master's Call", "Plague Myr", "Signal Pest", "Vault Skirge", "Maul Splicer", "Shrine of Burning Rage", "Tormented Soul", "Circle of Flame", "Gather the Townsfolk", "Curse of the Bloody Tome", "Curse of Thirst", "Nearheath Stalker", "Bloodcrazed Neonate", "Boneyard Wurm", "Akrasan Squire", "Angel's Herald", "Angelic Benediction", "Angelsong", "Bant Battlemage", "Battlegrace Angel", "Cradle of Vitality", "Dispeller's Capsule", "Elspeth, Knight-Errant", "Ethersworn Canonist", "Excommunicate", "Guardians of Akrasa", "Gustrider Exuberant", "Invincible Hymn", "Knight of the Skyward Eye", "Knight of the White Orchid", "Knight-Captain of Eos", "Marble Chalice", "Metallurgeon", "Ranger of Eos", "Resounding Silence", "Rockcaster Platoon", "Sanctum Gargoyle", "Scourglass", "Sighted-Caste Sorcerer", "Sigiled Paladin", "Soul's Grace", "Sunseed Nurturer", "Welkin Guide", "Yoked Plowbeast", "Call to Heel", "Cathartic Adept", "Cloudheath Drake", "Coma Veil", "Courier's Capsule", "Covenant of Minds", "Dawnray Archer", "Esper Battlemage", "Etherium Astrolabe", "Etherium Sculptor", "Fatestitcher", "Filigree Sages", "Gather Specimens", "Jhessian Lookout", "Kathari Screecher", "Kederekt Leviathan", "Master of Etherium", "Memory Erosion", "Mindlock Orb", "Outrider of Jhess", "Protomatter Powder", "Resounding Wave", "Sharding Sphinx", "Skill Borrower", "Spell Snip", "Sphinx's Herald", "Steelclad Serpent", "Tezzeret the Seeker", "Tortoise Formation", "Vectis Silencers", "Ad Nauseam", "Archdemon of Unx", "Banewasp Affliction", "Blister Beetle", "Bone Splinters", "Corpse Connoisseur", "Cunning Lethemancer", "Death Baron", "Deathgreeter", "Demon's Herald", "Dreg Reaver", "Dregscape Zombie", "Executioner's Capsule", "Fleshbag Marauder", "Glaze Fiend", "Grixis Battlemage", "Immortal Coil", "Onyx Goblet", "Puppet Conjurer", "Resounding Scream", "Salvage Titan", "Scavenger Drake", "Shadowfeed", "Shore Snapper", "Skeletal Kathari", "Tar Fiend", "Undead Leotau", "Vein Drinker", "Viscera Dragger", "Bloodpyre Elemental", "Bloodthorn Taunter", "Caldera Hellion", "Crucible of Fire", "Dragon's Herald", "Exuberant Firestoker", "Flameblast Dragon", "Goblin Assault", "Hell's Thunder", "Hissing Iguanar", "Incurable Ogre", "Jund Battlemage", "Lightning Talons", "Predator Dragon", "Resounding Thunder", "Ridge Rannet", "Rockslide Elemental", "Scourge Devil", "Skeletonize", "Soul's Fire", "Thorn-Thrash Viashino", "Thunder-Thrash Elder", "Viashino Skeleton", "Vicious Shadows", "Vithian Stinger", "Volcanic Submersion", "Where Ancients Tread", "Algae Gharial", "Behemoth's Herald", "Cavern Thoctar", "Court Archers", "Cylian Elf", "Druid of the Anima", "Drumhunter", "Feral Hydra", "Gift of the Gargantuan", "Godtoucher", "Jungle Weaver", "Keeper of Progenitus", "Lush Growth", "Mighty Emergence", "Manaplasm", "Mosstodon", "Mycoloth", "Naya Battlemage", "Ooze Garden", "Resounding Roar", "Rhox Charger", "Sacellum Godspeaker", "Savage Hunger", "Skullmulcher", "Soul's Might", "Spearbreaker Behemoth", "Topan Ascetic", "Agony Warp", "Bant Charm", "Blood Cultist", "Branching Bolt", "Brilliant Ultimatum", "Bull Cerodon", "Carrion Thrash", "Clarion Ultimatum", "Cruel Ultimatum", "Deft Duelist", "Empyrial Archangel", "Esper Charm", "Fire-Field Ogre", "Goblin Deathraiders", "Godsire", "Grixis Charm", "Hindering Light", "Jhessian Infiltrator", "Jund Charm", "Kederekt Creeper", "Kiss of the Amesha", "Kresh the Bloodbraided", "Mayael the Anima", "Naya Charm", "Necrogenesis", "Prince of Thralls", "Punish Ignorance", "Qasali Ambusher", "Rafiq of the Many", "Rakeclaw Gargantuan", "Realm Razer", "Rip-Clan Crasher", "Sangrite Surge", "Sarkhan Vol", "Sedraxis Specter", "Sedris, the Traitor King", "Sharuum the Hegemon", "Sigil Blessing", "Sphinx Sovereign", "Stoic Angel", "Swerve", "Thoughtcutter Agent", "Tidehollow Strix", "Titanic Ultimatum", "Tower Gargoyle", "Violent Ultimatum", "Waveskimmer Aven", "Windwright Mage", "Lich's Mirror", "Minion Reflector", "Obelisk of Bant", "Obelisk of Esper", "Obelisk of Grixis", "Obelisk of Jund", "Obelisk of Naya", "Quietus Spike", "Relic of Progenitus", "Sigil of Distinction", "Arcane Sanctum", "Bant Panorama", "Crumbling Necropolis", "Esper Panorama", "Grixis Panorama", "Jund Panorama", "Jungle Shrine", "Naya Panorama", "Seaside Citadel", "Elemental Shaman", "Aerie Mystics", "Asha's Favor", "Aven Squire", "Aven Trailblazer", "Court Homunculus", "Darklit Gargoyle", "Gleam of Resistance", "Lapse of Certainty", "Mark of Asylum", "Martial Coup", "Mirror-Sigil Sergeant", "Nacatl Hunt-Pride", "Paragon of the Amesha", "Rhox Meditant", "Scepter of Dominance", "Sigil of the Empty Throne", "Valiant Guard", "Wall of Reverence", "Brackwater Elemental", "Constricting Tendrils", "Controlled Instincts", "Cumber Stone", "Esperzoa", "Ethersworn Adjudicator", "Faerie Mechanist", "Frontline Sage", "Grixis Illusionist", "Inkwell Leviathan", "Master Transmuter", "Parasitic Strix", "Scepter of Insight", "Scornful Æther-Lich", "Telemin Performance", "Traumatic Visions", "View from Above", "Absorb Vis", "Corrupted Roots", "Drag Down", "Dreadwing", "Extractor Demon", "Fleshformer", "Grixis Slavedriver", "Infectious Horror", "Kederekt Parasite", "Nyxathid", "Pestilent Kathari", "Rotting Rats", "Salvage Slasher", "Scepter of Fugue", "Sedraxis Alchemist", "Voices from the Void", "Wretched Banquet", "Yoke of the Damned", "Banefire", "Bloodhall Ooze", "Canyon Minotaur", "Dark Temper", "Dragonsoul Knight", "Fiery Fall", "Goblin Razerunners", "Ignite Disorder", "Kranioceros", "Molten Frame", "Quenchable Fire", "Rakka Mar", "Toxic Iguanar", "Viashino Slaughtermaster", "Voracious Dragon", "Wandering Goblins", "Worldheart Phoenix", "Beacon Behemoth", "Cliffrunner Behemoth", "Cylian Sunsinger", "Ember Weaver", "Filigree Fracture", "Gluttonous Slime", "Matca Rioters", "Might of Alara", "Nacatl Savage", "Paleoloth", "Sacellum Archers", "Scattershot Archer", "Shard Convergence", "Soul's Majesty", "Spore Burst", "Sylvan Bounty", "Thornling", "Tukatongue Thallid", "Wild Leotau", "Apocalypse Hydra", "Blood Tyrant", "Charnelhoard Wurm", "Child of Alara", "Conflux", "Countersquall", "Elder Mastery", "Esper Cormorants", "Exploding Borders", "Fusion Elemental", "Giltspire Avenger", "Goblin Outlander", "Gwafa Hazid, Profiteer", "Hellkite Hatchling", "Jhessian Balmgiver", "Knight of the Reliquary", "Knotvine Mystic", "Maelstrom Archangel", "Magister Sphinx", "Meglonoth", "Nacatl Outlander", "Nicol Bolas, Planeswalker", "Progenitus", "Rhox Bodyguard", "Scarland Thrinax", "Shambling Remains", "Skyward Eye Prophets", "Sludge Strider", "Sphinx Summoner", "Suicidal Charge", "Vagrant Plowbeasts", "Valeron Outlander", "Vectis Agents", "Vedalken Outlander", "Zombie Outlander", "Armillary Sphere", "Bone Saw", "Font of Mythos", "Kaleidostone", "Manaforce Mace", "Exotic Orchard", "Rupture Spire", "Unstable Frontier", "Spirit", "Demon", "Thrull", "Ardent Plea", "Aven Mimeomancer", "Ethercaste Knight", "Ethersworn Shieldmage", "Fieldmist Borderpost", "Filigree Angel", "Glassdust Hulk", "Offering to Asha", "Sanctum Plowbeast", "Shield of the Righteous", "Sovereigns of Lost Alara", "Stormcaller's Boon", "Talon Trooper", "Unbender Tine", "Wall of Denial", "Architects of Will", "Brainbite", "Deny Reality", "Etherium Abomination", "Illusory Demon", "Jhessian Zombies", "Kathari Remnant", "Lich Lord of Unx", "Mask of Riddles", "Mind Funeral", "Mistvein Borderpost", "Nemesis of Reason", "Soul Manipulation", "Soulquake", "Time Sieve", "Vedalken Ghoul", "Deathbringer Thoctar", "Defiler of Souls", "Demonic Dread", "Demonspine Whip", "Igneous Pouncer", "Kathari Bomber", "Lightning Reaver", "Monstrous Carabid", "Sanity Gnawers", "Singe-Mind Ogre", "Thought Hemorrhage", "Veinfire Borderpost", "Blitz Hellion", "Colossal Might", "Deadshot Minotaur", "Firewild Borderpost", "Godtracker of Jund", "Gorger Wurm", "Mage Slayer", "Predatory Advantage", "Rhox Brute", "Spellbreaker Behemoth", "Valley Rannet", "Vengeful Rebirth", "Violent Outburst", "Vithian Renegades", "Behemoth Sledge", "Captured Sunlight", "Dauntless Escort", "Enlisted Wurm", "Grizzled Leotau", "Knotvine Paladin", "Leonin Armorguard", "Pale Recluse", "Reborn Hope", "Sigil Captain", "Sigil of the Nayan Gods", "Sigiled Behemoth", "Wildfield Borderpost", "Identity Crisis", "Necromancer's Covenant", "Tainted Sigil", "Vectis Dominator", "Zealous Persecution", "Cloven Casting", "Double Negative", "Magefire Wings", "Skyclaw Thrash", "Spellbound Dragon", "Lord of Extinction", "Marrow Chomper", "Morbid Bloom", "Putrid Leech", "Cerodon Yearling", "Fight to the Death", "Glory of Warfare", "Intimidation Bolt", "Stun Sniper", "Lorescale Coatl", "Nulltread Gargantuan", "Sages of the Anima", "Vedalken Heretic", "Winged Coatl", "Enigma Sphinx", "Esper Sojourners", "Etherwrought Page", "Sen Triplets", "Sphinx of the Steel Wind", "Drastic Revelation", "Grixis Sojourners", "Thraximundar", "Unscythe, Killer of Kings", "Dragon Appeasement", "Jund Sojourners", "Karrthus, Tyrant of Jund", "Lavalanche", "Madrush Cyclops", "Gloryscale Viashino", "Mayael's Aria", "Uril, the Miststalker", "Bant Sojourners", "Finest Hour", "Flurry of Wings", "Jenara, Asura of War", "Wargate", "Maelstrom Nexus", "Arsenal Thresher", "Esper Stormblade", "Thopter Foundry", "Grixis Grimblade", "Sewn-Eye Drake", "Giant Ambush Beetle", "Jund Hackblade", "Sangrite Backlash", "Naya Hushblade", "Trace of Abundance", "Bant Sureblade", "Crystallization", "Messenger Falcons", "Angel's Mercy", "Baneslayer Angel", "Blinding Mage", "Captain of the Watch", "Divine Verdict", "Elite Vanguard", "Glorious Charge", "Griffin Sentinel", "Guardian Seraph", "Harm's Way", "Indestructibility", "Lifelink", "Lightwielder Paladin", "Open the Vaults", "Palace Guard", "Planar Cleansing", "Rhox Pikemaster", "Safe Passage", "Siege Mastodon", "Silence", "Silvercoat Lion", "Solemn Offering", "Stormfront Pegasus", "Undead Slayer", "Veteran Armorsmith", "Veteran Swordsmith", "Wall of Faith", "Alluring Siren", "Convincing Mirage", "Disorient", "Divination", "Djinn of Wishes", "Essence Scatter", "Hive Mind", "Ice Cage", "Illusionary Servant", "Merfolk Sovereign", "Serpent of the Endless Sea", "Sleep", "Sphinx Ambassador", "Tome Scour", "Wall of Frost", "Zephyr Sprite", "Acolyte of Xathrid", "Cemetery Reaper", "Child of Night", "Disentomb", "Dread Warlock", "Howling Banshee", "Kelinore Bat", "Sanguine Bond", "Soul Bleed", "Vampire Aristocrat", "Warpath Ghoul", "Xathrid Demon", "Zombie Goliath", "Act of Treason", "Berserkers of Blood Ridge", "Burning Inquiry", "Burst of Speed", "Capricious Efreet", "Fiery Hellhound", "Goblin Artillery", "Goblin Chieftain", "Inferno Elemental", "Jackal Familiar", "Magma Phoenix", "Seismic Strike", "Viashino Spearhunter", "Yawning Fissure", "Awakener Druid", "Borderland Ranger", "Bountiful Harvest", "Bramble Creeper", "Centaur Courser", "Cudgel Troll", "Deadly Recluse", "Elvish Archdruid", "Emerald Oryx", "Entangling Vines", "Great Sable Stag", "Kalonian Behemoth", "Lurking Predators", "Master of the Wild Hunt", "Mist Leopard", "Mold Adder", "Nature's Spiral", "Oakenform", "Prized Unicorn", "Protean Hydra", "Regenerate", "Runeclaw Bear", "Stampeding Rhino", "Windstorm", "Gorgon Flail", "Magebane Armor", "Mirror of Fate", "Dragonskull Summit", "Drowned Catacomb", "Gargoyle Castle", "Glacial Fortress", "Rootbound Crag", "Sunpetal Grove", "Academy at Tolaria West", "The Æther Flues", "Agyrem", "Kor Sanctifiers", "Bant", "Cliffside Market", "The Dark Barony", "Eloren Wilds", "The Eon Fog", "Feeding Grounds", "Fields of Summer", "The Fourth Sphere", "Glimmervoid Basin", "Goldmeadow", "The Great Forest", "Grixis", "The Hippodrome", "Whiplash Trap", "Immersturm", "Isle of Vesuva", "Izzet Steam Maze", "Krosa", "Lethe Lake", "Llanowar", "The Maelstrom", "Minamo", "Murasa", "Naar Isle", "Naya", "Otaria", "Panopticon", "Pools of Becoming", "Raven's Run", "Hideous End", "Sanctum of Serra", "Sea of Sand", "Shiv", "Skybreen", "Sokenzan", "Stronghold Furnace", "Turri Island", "Undercity Reaches", "Velis Vel", "Tazeem", "Beast Hunt", "Armament Master", "Arrow Volley Trap", "Bold Defense", "Caravan Hurda", "Celestial Mantle", "Cliff Threader", "Conqueror's Pledge", "Devout Lightcaster", "Felidar Sovereign", "Iona, Shield of Emeria", "Journey to Nowhere", "Kabira Evangel", "Kazandu Blademaster", "Kor Aeronaut", "Kor Cartographer", "Kor Hookmaster", "Kor Outfitter", "Landbind Ritual", "Luminarch Ascension", "Makindi Shieldmate", "Narrow Escape", "Nimbus Wings", "Noble Vestige", "Ondu Cleric", "Pillarfield Ox", "Pitfall Trap", "Quest for the Holy Relic", "Shepherd of the Lost", "Shieldmate's Blessing", "Steppe Lynx", "Sunspring Expedition", "Windborne Charge", "World Queller", "Æther Figment", "Archive Trap", "Archmage Ascension", "Caller of Gales", "Cosi's Trickster", "Gomazoa", "Hedron Crab", "Into the Roil", "Ior Ruin Expedition", "Kraken Hatchling", "Lethargy Trap", "Living Tsunami", "Lorthos, the Tidemaker", "Lullmage Mentor", "Merfolk Seastalkers", "Merfolk Wayfinder", "Mindbreak Trap", "Paralyzing Grasp", "Quest for Ancient Secrets", "Reckless Scholar", "Rite of Replication", "Roil Elemental", "Sea Gate Loremaster", "Seascape Aerialist", "Shoal Serpent", "Sky Ruin Drake", "Spell Pierce", "Sphinx of Jwar Isle", "Sphinx of Lost Truths", "Spreading Seas", "Summoner's Bane", "Tempest Owl", "Trapfinder's Trick", "Trapmaker's Snare", "Umara Raptor", "Welkin Tern", "Windrider Eel", "Bala Ged Thief", "Blood Seeker", "Blood Tribute", "Bloodchief Ascension", "Bloodghast", "Bog Tatters", "Crypt Ripper", "Desecrated Earth", "Disfigure", "Giant Scorpion", "Grim Discovery", "Guul Draz Specter", "Guul Draz Vampire", "Hagra Crocodile", "Hagra Diabolist", "Halo Hunter", "Heartstabber Mosquito", "Kalitas, Bloodchief of Ghet", "Malakir Bloodwitch", "Marsh Casualties", "Mindless Null", "Mire Blight", "Needlebite Trap", "Nimana Sell-Sword", "Ob Nixilis, the Fallen", "Quest for the Gravelord", "Ravenous Trap", "Sadistic Sacrament", "Sorin Markov", "Soul Stair Expedition", "Surrakar Marauder", "Vampire Hexmage", "Vampire Lacerator", "Vampire's Bite", "Bladetusk Boar", "Chandra Ablaze", "Electropotence", "Elemental Appeal", "Geyser Glider", "Goblin Bushwhacker", "Goblin Ruinblaster", "Goblin Shortcutter", "Goblin War Paint", "Hellfire Mongrel", "Hellkite Charger", "Highland Berserker", "Inferno Trap", "Kazuul Warlord", "Lavaball Trap", "Magma Rift", "Mark of Mutiny", "Molten Ravager", "Murasa Pyromancer", "Obsidian Fireheart", "Plated Geopede", "Punishing Fire", "Pyromancer Ascension", "Quest for Pure Flame", "Ruinous Minotaur", "Runeflare Trap", "Seismic Shudder", "Shatterskull Giant", "Slaughter Cry", "Spire Barrage", "Torch Slinger", "Tuktuk Grunts", "Unstable Footing", "Warren Instigator", "Zektar Shrine Expedition", "Baloth Cage Trap", "Baloth Woodcrasher", "Beastmaster Ascension", "Cobra Trap", "Frontier Guide", "Gigantiform", "Grazing Gladehart", "Greenweaver Druid", "Joraga Bard", "Khalni Heart Expedition", "Mold Shambler", "Oracle of Mul Daya", "Oran-Rief Recluse", "Oran-Rief Survivalist", "Predatory Urge", "Primal Bellow", "Quest for the Gemblades", "Relic Crush", "Savage Silhouette", "Scute Mob", "Scythe Tiger", "Summoning Trap", "Tajuru Archer", "Tanglesap", "Terra Stomper", "Territorial Baloth", "Timbermaw Larva", "Turntimber Basilisk", "Turntimber Ranger", "Vastwood Gorger", "Vines of Vastwood", "Zendikar Farguide", "Adventuring Gear", "Blade of the Bloodchief", "Blazing Torch", "Carnage Altar", "Eldrazi Monument", "Eternity Vessel", "Expedition Map", "Explorer's Scope", "Grappling Hook", "Hedron Scrabbler", "Khalni Gem", "Spidersilk Net", "Stonework Puma", "Trailblazer's Boots", "Trusty Machete", "Akoum Refuge", "Arid Mesa", "Crypt of Agadeem", "Emeria, the Sky Ruin", "Graypelt Refuge", "Jwar Isle Refuge", "Kabira Crossroads", "Kazandu Refuge", "Magosi, the Waterveil", "Marsh Flats", "Misty Rainforest", "Oran-Rief, the Vastwood", "Piranha Marsh", "Scalding Tarn", "Sejiri Refuge", "Soaring Seacliff", "Turntimber Grove", "Verdant Catacombs", "Beast", "Elephant", "Admonition Angel", "Apex Hawks", "Archon of Redemption", "Battle Hurda", "Fledgling Griffin", "Guardian Zendikon", "Iona's Judgment", "Join the Ranks", "Kitesail Apprentice", "Lightkeeper of Emeria", "Loam Lion", "Marsh Threader", "Marshal's Anthem", "Perimeter Captain", "Refraction Trap", "Rest for the Weary", "Ruin Ghost", "Stoneforge Mystic", "Talus Paladin", "Terra Eternal", "Veteran's Reflexes", "Æther Tradewinds", "Calcite Snapper", "Dispel", "Enclave Elite", "Goliath Sphinx", "Halimar Excavator", "Horizon Drake", "Jace, the Mind Sculptor", "Jwari Shapeshifter", "Mysteries of the Deep", "Permafrost Trap", "Quest for Ula's Temple", "Sejiri Merfolk", "Selective Memory", "Spell Contortion", "Surrakar Banisher", "Thada Adel, Acquisitor", "Tideforce Elemental", "Vapor Snare", "Voyager Drake", "Wind Zendikon", "Abyssal Persecutor", "Agadeem Occultist", "Anowon, the Ruin Sage", "Bloodhusk Ritualist", "Bojuka Brigand", "Brink of Disaster", "Butcher of Malakir", "Caustic Crawler", "Corrupted Zendikon", "Dead Reckoning", "Death's Shadow", "Jagwasp Swarm", "Mire's Toll", "Nemesis Trap", "Pulse Tracker", "Quag Vampires", "Quest for the Nihil Stone", "Ruthless Cullblade", "Scrib Nibblers", "Shoreline Salvager", "Tomb Hex", "Urge to Feed", "Akoum Battlesinger", "Bazaar Trader", "Bull Rush", "Chain Reaction", "Claws of Valakut", "Cosi's Ravager", "Crusher Zendikon", "Cunning Sparkmage", "Deathforge Shaman", "Dragonmaster Outcast", "Goblin Roughrider", "Grotag Thrasher", "Kazuul, Tyrant of the Cliffs", "Mordant Dragon", "Quest for the Goblin Lord", "Ricochet Trap", "Roiling Terrain", "Rumbling Aftershocks", "Skitter of Lizards", "Slavering Nulls", "Stone Idol Trap", "Tuktuk Scrapper", "Arbor Elf", "Avenger of Zendikar", "Bestial Menace", "Canopy Cover", "Explore", "Feral Contest", "Gnarlid Pack", "Grappler Spider", "Graypelt Hunter", "Groundswell", "Harabaz Druid", "Nature's Claim", "Omnath, Locus of Mana", "Quest for Renewal", "Slingbow Trap", "Snapping Creeper", "Strength of the Tajuru", "Summit Apes", "Vastwood Animist", "Vastwood Zendikon", "Wolfbriar Elemental", "Novablast Wurm", "Wrexial, the Risen Deep", "Amulet of Vigor", "Basilisk Collar", "Hammer of Ruin", "Hedron Rover", "Kitesail", "Lodestone Golem", "Pilgrim's Eye", "Razor Boomerang", "Seer's Sundial", "Walking Atlas", "Bojuka Bog", "Creeping Tar Pit", "Dread Statuary", "Eye of Ugin", "Halimar Depths", "Khalni Garden", "Lavaclaw Reaches", "Raging Ravine", "Sejiri Steppe", "Smoldering Spires", "Stirring Wildwood", "Hornet", "Minion", "Saproling", "Eldrazi Conscription", "Hand of Emrakul", "Kozilek, Butcher of Truth", "It That Betrays", "Not of This World", "Skittering Invasion", "Spawnsire of Ulamog", "Ulamog, the Infinite Gyre", "Ulamog's Crusher", "Affa Guard Hound", "Caravan Escort", "Dawnglare Invoker", "Eland Umbra", "Emerge Unscathed", "Gideon Jura", "Guard Duty", "Harmless Assault", "Hedron-Field Purists", "Hyena Umbra", "Ikiral Outrider", "Kabira Vindicator", "Knight of Cliffhaven", "Kor Line-Slinger", "Kor Spiritdancer", "Lightmine Field", "Linvala, Keeper of Silence", "Lone Missionary", "Luminous Wake", "Makindi Griffin", "Mammoth Umbra", "Near-Death Experience", "Nomads' Assembly", "Oust", "Puncturing Light", "Repel the Darkness", "Soul's Attendant", "Soulbound Guardians", "Stalwart Shield-Bearers", "Student of Warfare", "Survival Cache", "Time of Heroes", "Totem-Guide Hartebeest", "Transcendent Master", "Umbra Mystic", "Aura Finesse", "Cast Through Time", "Champion's Drake", "Coralhelm Commander", "Crab Umbra", "Deprive", "Distortion Strike", "Domestication", "Dormant Gomazoa", "Drake Umbra", "Echo Mage", "Eel Umbra", "Enclave Cryptologist", "Fleeting Distraction", "Frostwind Invoker", "Gravitational Shift", "Guard Gomazoa", "Hada Spy Patrol", "Halimar Wavewatch", "Jwari Scuttler", "Lay Bare", "Lighthouse Chronologist", "Merfolk Observer", "Merfolk Skyscout", "Mnemonic Wall", "Narcolepsy", "Phantasmal Abomination", "Reality Spasm", "Recurring Insight", "Renegade Doppelganger", "Sea Gate Oracle", "See Beyond", "Shared Discovery", "Skywatcher Adept", "Sphinx of Magosi", "Surrakar Spellblade", "Training Grounds", "Unified Will", "Venerated Teacher", "Arrogant Bloodlord", "Bala Ged Scorpion", "Baneful Omen", "Bloodrite Invoker", "Cadaver Imp", "Consume the Meek", "Consuming Vapors", "Contaminated Ground", "Corpsehatch", "Death Cultist", "Demonic Appetite", "Drana, Kalastria Bloodchief", "Dread Drone", "Escaped Null", "Essence Feed", "Gloomhunter", "Hellcarver Demon", "Induce Despair", "Inquisition of Kozilek", "Last Kiss", "Mortician Beetle", "Nighthaze", "Nirkana Cutthroat", "Nirkana Revenant", "Null Champion", "Pawn of Ulamog", "Perish the Thought", "Pestilence Demon", "Repay in Kind", "Shrivel", "Skeletal Wurm", "Suffer the Past", "Thought Gorger", "Virulent Swipe", "Zof Shade", "Zulaport Enforcer", "Akoum Boulderfoot", "Battle-Rattle Shaman", "Brimstone Mage", "Brood Birthing", "Conquering Manticore", "Devastating Summons", "Disaster Radius", "Emrakul's Hatcher", "Explosive Revelation", "Fissure Vent", "Flame Slash", "Forked Bolt", "Goblin Arsonist", "Goblin Tunneler", "Grotag Siege-Runner", "Hellion Eruption", "Kargan Dragonlord", "Kiln Fiend", "Lagac Lizard", "Lavafume Invoker", "Lust for War", "Magmaw", "Ogre Sentry", "Rage Nimbus", "Raid Bombardment", "Rapacious One", "Soulsurge Elemental", "Spawning Breath", "Splinter Twin", "Surreal Memoir", "Traitorous Instinct", "Tuktuk the Explorer", "Valakut Fireboar", "Vent Sentinel", "World at War", "Wrap in Flames", "Ancient Stirrings", "Aura Gnarlid", "Awakening Zone", "Bear Umbra", "Beastbreaker of Bala Ged", "Boar Umbra", "Bramblesnap", "Broodwarden", "Daggerback Basilisk", "Gelatinous Genesis", "Gigantomancer", "Gravity Well", "Growth Spasm", "Haze Frog", "Irresistible Prey", "Jaddi Lifestrider", "Joraga Treespeaker", "Kazandu Tuskcaller", "Khalni Hydra", "Kozilek's Predator", "Leaf Arrow", "Living Destiny", "Might of the Masses", "Momentous Fall", "Mul Daya Channelers", "Nema Siltlurker", "Nest Invader", "Ondu Giant", "Overgrown Battlement", "Pelakka Wurm", "Prey's Vengeance", "Realms Uncharted", "Snake Umbra", "Spider Umbra", "Sporecap Spider", "Stomper Cub", "Tajuru Preserver", "Vengevine", "Wildheart Invoker", "Sarkhan the Mad", "Angelheart Vial", "Dreamstone Hedron", "Enatu Golem", "Hedron Matrix", "Keening Stone", "Ogre's Cleaver", "Pennon Blade", "Prophetic Prism", "Reinforced Bulwark", "Runed Servitor", "Sphinx-Bone Wand", "Warmonger's Chariot", "Eldrazi Temple", "All in Good Time", "All Shall Smolder in My Wake", "Approach My Molten Realm", "Behold the Power of Destruction", "Choose Your Champion", "Dance, Pathetic Marionette", "The Dead Shall Serve", "A Display of My Dark Power", "Embrace My Diabolical Vision", "Every Hope Shall Vanish", "Every Last Vestige Shall Rot", "Evil Comes to Fruition", "The Fate of the Flammable", "Feed the Machine", "I Bask in Your Silent Awe", "I Call on the Ancient Magics", "I Delight in Your Convulsions", "I Know All, I See All", "Ignite the Cloneforge!", "Into the Earthen Maw", "Introductions Are in Order", "The Iron Guardian Stirs", "Reassembling Skeleton", "Know Naught but Fire", "Look Skyward and Despair", "May Civilization Collapse", "Mortal Flesh Is Weak", "My Crushing Masterstroke", "My Genius Knows No Bounds", "My Undead Horde Awakens", "My Wish Is Your Command", "Nature Demands an Offering", "Nature Shields Its Own", "Chandra's Outrage", "Nothing Can Stop Me Now", "Only Blood Ends Your Nightmares", "The Pieces Are Coming Together", "Realms Befitting My Majesty", "Roots of All Evil", "Rotted Ones, Lay Siege", "Surrender Your Thoughts", "Tooth, Claw, and Tail", "The Very Soil Shall Shake", "Which of You Burns Brightest?", "Your Fate Is Thrice Sealed", "Your Puny Minds Cannot Fathom", "Your Will Is Not Your Own", "Plummet", "Sorcerer's Strongbox", "Ajani's Mantra", "Ajani's Pridemate", "Angelic Arbiter", "Assault Griffin", "Cloud Crusader", "Inspired Charge", "Leyline of Sanctity", "Mighty Leap", "Roc Egg", "Serra Ascendant", "Tireless Missionaries", "Vengeful Archon", "War Priest of Thune", "Æther Adept", "Air Servant", "Armored Cancrix", "Augury Owl", "Call to Mind", "Conundrum Sphinx", "Diminish", "Harbor Serpent", "Jace's Erasure", "Leyline of Anticipation", "Maritime Guard", "Mass Polymorph", "Merfolk Spy", "Phantom Beast", "Preordain", "Redirect", "Scroll Thief", "Stormtide Leviathan", "Time Reversal", "Water Servant", "Barony Vampire", "Blood Tithe", "Captivating Vampire", "Dark Tutelage", "Demon of Death's Gate", "Liliana's Caress", "Necrotic Plague", "Nether Horror", "Nightwing Shade", "Phylactery Lich", "Quag Sickness", "Rotting Legion", "Stabbing Pain", "Viscera Seer", "Arc Runner", "Bloodcrazed Goblin", "Chandra's Spitfire", "Combust", "Cyclops Gladiator", "Destructive Force", "Earth Servant", "Ember Hauler", "Fire Servant", "Hoarding Dragon", "Incite", "Leyline of Punishment", "Manic Vandal", "Pyretic Ritual", "Reverberate", "Thunder Strike", "Volcanic Strength", "Wild Evocation", "Autumn's Veil", "Back to Nature", "Brindle Boar", "Dryad's Favor", "Fauna Shaman", "Gaea's Revenge", "Garruk's Companion", "Garruk's Packleader", "Greater Basilisk", "Hornet Sting", "Hunters' Feast", "Leyline of Vitality", "Obstinate Baloth", "Overwhelming Stampede", "Primal Cocoon", "Sacred Wolf", "Wall of Vines", "Brittle Effigy", "Crystal Ball", "Elixir of Immortality", "Gargoyle Sentinel", "Steel Overseer", "Stone Golem", "Sword of Vengeance", "Temple Bell", "Warlord's Axe", "Mystifying Maze", "Sword of Body and Mind", "Kemba's Skyguard", "Abuna Acolyte", "Auriok Edgewright", "Auriok Sunchaser", "Dispense Justice", "Elspeth Tirel", "Fulgent Distraction", "Ghalma's Warden", "Glimmerpoint Stag", "Glint Hawk", "Indomitable Archangel", "Kemba, Kha Regent", "Leonin Arbiter", "Loxodon Wayfarer", "Myrsmith", "Razor Hippogriff", "Revoke Existence", "Salvage Scout", "Seize the Initiative", "Soul Parry", "Sunspear Shikari", "True Conviction", "Vigil for the Lost", "Whitesun's Passage", "Argent Sphinx", "Bonds of Quicksilver", "Darkslick Drake", "Dissipation Field", "Grand Architect", "Halt Order", "Inexorable Tide", "Lumengrid Drake", "Neurok Invisimancer", "Plated Seastrider", "Quicksilver Gargantuan", "Riddlesmith", "Scrapdiver Serpent", "Screeching Silcaw", "Shape Anew", "Sky-Eel School", "Steady Progress", "Stoic Rebuttal", "Thrummingbird", "Turn Aside", "Twisted Image", "Vault Skyward", "Vedalken Certarch", "Volition Reins", "Blackcleave Goblin", "Bleak Coven Vampires", "Blistergrub", "Carnifex Demon", "Contagious Nim", "Corrupted Harvester", "Dross Hopper", "Exsanguinate", "Flesh Allergy", "Fume Spitter", "Geth, Lord of the Vault", "Grasp of Darkness", "Hand of the Praetors", "Ichor Rats", "Instill Infection", "Moriok Reaver", "Necrogen Scudder", "Necrotic Ooze", "Painful Quandary", "Painsmith", "Psychic Miasma", "Relic Putrescence", "Skithiryx, the Blight Dragon", "Tainted Strike", "Arc Trail", "Assault Strobe", "Barrage Ogre", "Blade-Tribe Berserkers", "Cerebral Eruption", "Embersmith", "Ferrovore", "Flameborn Hellion", "Furnace Celebration", "Galvanic Blast", "Goblin Gaveleer", "Hoard-Smelter Dragon", "Koth of the Hammer", "Kuldotha Phoenix", "Kuldotha Rebirth", "Melt Terrain", "Molten Psyche", "Ogre Geargrabber", "Oxidda Daredevil", "Oxidda Scrapmelter", "Scoria Elemental", "Spikeshot Elder", "Tunnel Ignus", "Turn to Slag", "Vulshok Heartstoker", "Acid Web Spider", "Alpha Tyrranax", "Asceticism", "Bellowing Tanglewurm", "Blight Mamba", "Blunt the Assault", "Carapace Forger", "Carrion Call", "Copperhorn Scout", "Cystbearer", "Engulfing Slagwurm", "Ezuri, Renegade Leader", "Ezuri's Archers", "Ezuri's Brigade", "Genesis Wave", "Liege of the Tangle", "Lifesmith", "Molder Beast", "Putrefax", "Slice in Twain", "Tangle Angler", "Tel-Jilad Defiance", "Tel-Jilad Fallen", "Untamed Might", "Viridian Revel", "Wing Puncture", "Withstand Death", "Venser, the Sojourner", "Accorder's Shield", "Argentum Armor", "Auriok Replica", "Barbed Battlegear", "Bladed Pinions", "Chimeric Mass", "Chrome Steed", "Clone Shell", "Contagion Engine", "Corpse Cur", "Culling Dais", "Darksteel Axe", "Darksteel Juggernaut", "Darksteel Myr", "Darksteel Sentinel", "Echo Circlet", "Etched Champion", "Flight Spellbomb", "Glint Hawk Idol", "Golden Urn", "Golem Artisan", "Golem Foundry", "Grafted Exoskeleton", "Grindclock", "Heavy Arbalest", "Horizon Spellbomb", "Ichorclaw Myr", "Infiltration Lens", "Kuldotha Forgemaster", "Liquimetal Coating", "Livewire Lash", "Lux Cannon", "Mimic Vat", "Molten-Tail Masticore", "Moriok Replica", "Mox Opal", "Myr Battlesphere", "Myr Galvanizer", "Myr Propagator", "Myr Reservoir", "Necrogen Censer", "Necropede", "Neurok Replica", "Nihil Spellbomb", "Nim Deathmantle", "Origin Spellbomb", "Palladium Myr", "Panic Spellbomb", "Perilous Myr", "Platinum Emperion", "Precursor Golem", "Prototype Portal", "Razorfield Thresher", "Rust Tick", "Rusted Relic", "Saberclaw Golem", "Semblance Anvil", "Snapsail Glider", "Soliton", "Strata Scythe", "Strider Harness", "Sylvok Lifestaff", "Sylvok Replica", "Throne of Geth", "Tower of Calamities", "Trigon of Corruption", "Trigon of Infestation", "Trigon of Mending", "Trigon of Rage", "Trigon of Thought", "Tumble Magnet", "Vector Asp", "Venser's Journal", "Vulshok Replica", "Wall of Tanglecord", "Blackcleave Cliffs", "Copperline Gorge", "Darkslick Shores", "Glimmerpost", "Razorverge Thicket", "Seachrome Coast", "Accorder Paladin", "Ardent Recruit", "Banishment Decree", "Choking Fumes", "Frantic Salvage", "Gore Vassal", "Kemba's Legion", "Leonin Relic-Warder", "Loxodon Partisan", "Phyrexian Rebirth", "Priests of Norn", "Tine Shrike", "Victory's Herald", "White Sun's Zenith", "Blue Sun's Zenith", "Consecrated Sphinx", "Corrupted Conscience", "Cryptoplasm", "Distant Memories", "Fuel for the Cause", "Mirran Spy", "Mitotic Manipulation", "Neurok Commando", "Oculus", "Quicksilver Geyser", "Serum Raker", "Spire Serpent", "Steel Sabotage", "Turn the Tide", "Vedalken Anatomist", "Vedalken Infuser", "Vivisection", "Caustic Hound", "Flensermite", "Flesh-Eater Imp", "Gruesome Encore", "Horrifying Revelation", "Massacre Wurm", "Morbid Plunder", "Nested Ghoul", "Phyresis", "Phyrexian Crusader", "Phyrexian Vatmother", "Sangromancer", "Scourge Servant", "Septic Rats", "Spread the Sickness", "Virulent Wound", "Blisterstick Shaman", "Burn the Impure", "Concussive Bolt", "Crush", "Galvanoth", "Gnathosaur", "Goblin Wardriver", "Hellkite Igniter", "Hero of Oxid Ridge", "Into the Core", "Koth's Courier", "Kuldotha Flamefiend", "Kuldotha Ringleader", "Metallic Mastery", "Ogre Resister", "Rally the Forces", "Red Sun's Zenith", "Slagstorm", "Spiraling Duelist", "Blightwidow", "Creeping Corrosion", "Fangren Marauder", "Glissa's Courier", "Green Sun's Zenith", "Lead the Stampede", "Melira's Keepers", "Mirran Mettle", "Phyrexian Hydra", "Pistus Strike", "Plaguemaw Beast", "Praetor's Counsel", "Quilled Slagwurm", "Rot Wolf", "Tangle Mantis", "Thrun, the Last Troll", "Unnatural Predation", "Viridian Corrupter", "Viridian Emissary", "Tezzeret, Agent of Bolas", "Bladed Sentinel", "Blightsteel Colossus", "Bonehoard", "Brass Squire", "Copper Carapace", "Core Prowler", "Darksteel Plate", "Decimator Web", "Dross Ripper", "Flayer Husk", "Gust-Skimmer", "Hexplate Golem", "Ichor Wellspring", "Knowledge Pool", "Lumengrid Gargoyle", "Magnetic Mine", "Mirrorworks", "Mortarpod", "Myr Sire", "Myr Turbine", "Myr Welder", "Peace Strider", "Phyrexian Digester", "Phyrexian Juggernaut", "Phyrexian Revoker", "Pierce Strider", "Piston Sledge", "Psychosis Crawler", "Razorfield Rhino", "Rusted Slasher", "Shimmer Myr", "Shriekhorn", "Silverskin Armor", "Skinwing", "Sphere of the Suns", "Spin Engine", "Spine of Ish Sah", "Strandwalker", "Tangle Hulk", "Titan Forge", "Training Drone", "Viridian Claw", "Contested War Zone", "Inkmoth Nexus", "Karn Liberated", "Apostle's Blessing", "Auriok Survivors", "Blade Splicer", "Cathedral Membrane", "Chancellor of the Annex", "Dispatch", "Due Respect", "Exclusion Ritual", "Forced Worship", "Inquisitor Exarch", "Lost Leonin", "Loxodon Convert", "Marrow Shards", "Master Splicer", "Norn's Annex", "Phyrexian Unlife", "Porcelain Legionnaire", "Puresteel Paladin", "Remember the Fallen", "Sensor Splicer", "Shattered Angel", "Shriek Raptor", "War Report", "Argent Mutation", "Arm with Æther", "Blighted Agent", "Chained Throatseeker", "Chancellor of the Spires", "Corrupted Resolve", "Deceiver Exarch", "Defensive Stance", "Impaler Shrike", "Jin-Gitaxias, Core Augur", "Mental Misstep", "Mindculling", "Numbing Dose", "Phyrexian Ingester", "Psychic Barrier", "Psychic Surgery", "Spined Thopter", "Spire Monitor", "Tezzeret's Gambit", "Vapor Snag", "Viral Drake", "Wing Splicer", "Xenograft", "Blind Zealot", "Caress of Phyrexia", "Chancellor of the Dross", "Dementia Bat", "Entomber Exarch", "Geth's Verdict", "Glistening Oil", "Grim Affliction", "Ichor Explosion", "Life's Finale", "Mortis Dogs", "Parasitic Implant", "Phyrexian Obliterator", "Pith Driller", "Postmortem Lunge", "Praetor's Grasp", "Reaper of Sheoldred", "Toxic Nim", "Whispering Specter", "Act of Aggression", "Artillerize", "Bludgeon Brawl", "Chancellor of the Forge", "Fallen Ferromancer", "Flameborn Viron", "Furnace Scamp", "Geosurge", "Gut Shot", "Invader Parasite", "Moltensteel Dragon", "Ogre Menial", "Rage Extractor", "Razor Swine", "Ruthless Invasion", "Scrapyard Salvo", "Slag Fiend", "Slash Panther", "Tormentor Exarch", "Urabrask the Hidden", "Victorious Destruction", "Volt Charge", "Vulshok Refugee", "Whipflare", "Beast Within", "Birthing Pod", "Brutalizer Exarch", "Chancellor of the Tangle", "Corrosive Gale", "Death-Hood Cobra", "Fresh Meat", "Glissa's Scorn", "Greenhilt Trainee", "Leeching Bite", "Melira, Sylvok Outcast", "Mutagenic Growth", "Mycosynth Fiend", "Noxious Revival", "Phyrexian Swarmlord", "Rotted Hystrix", "Spinebiter", "Thundering Tanadon", "Triumph of the Hordes", "Viridian Betrayers", "Viridian Harvest", "Vital Splicer", "Vorinclex, Voice of Hunger", "Jor Kadeen, the Prevailer", "Alloy Myr", "Blinding Souleater", "Caged Sun", "Conversion Chamber", "Darksteel Relic", "Etched Monstrosity", "Gremlin Mine", "Hex Parasite", "Hovermyr", "Immolating Souleater", "Insatiable Souleater", "Isolation Cell", "Kiln Walker", "Lashwrithe", "Mindcrank", "Mycosynth Wellspring", "Necropouncer", "Omen Machine", "Pestilent Souleater", "Shrine of Boundless Growth", "Shrine of Limitless Power", "Shrine of Loyal Legions", "Shrine of Piercing Vision", "Sickleslicer", "Soul Conduit", "Spellskite", "Surge Node", "Sword of War and Peace", "Torpor Orb", "Trespassing Souleater", "Unwinding Clock", "Phyrexia's Core", "Alliance of Arms", "Archangel of Strife", "Celestial Force", "Crescendo of War", "Martyr's Bond", "Soul Snare", "Vow of Duty", "Minds Aglow", "Riddlekeeper", "Spell Crumple", "Trench Gorger", "Vow of Flight", "Dread Cacodemon", "Scythe Specter", "Sewer Nemesis", "Shared Trauma", "Syphon Flesh", "Vow of Malice", "Avatar of Slaughter", "Chaos Warp", "Death by Dragons", "Magmatic Force", "Mana-Charged Dragon", "Stranglehold", "Vow of Lightning", "Collective Voyage", "Hornet Queen", "Hydra Omnivore", "Tribute to the Wild", "Vow of Wildness", "Animar, Soul of Elements", "Basandra, Battle Seraph", "Damia, Sage of Stone", "Edric, Spymaster of Trest", "Ghave, Guru of Spores", "Kaalia of the Vast", "The Mimeoplasm", "Nin, the Pain Artist", "Ruhan of the Fomori", "Skullbriar, the Walking Grave", "Tariel, Reckoner of Souls", "Vish Kal, Blood Arbiter", "Zedruu the Greathearted", "Acorn Catapult", "Champion's Helm", "Homeward Path", "Aegis Angel", "Alabaster Mage", "Angelic Destiny", "Arbalest Elite", "Armored Warhorse", "Benalish Veteran", "Divine Favor", "Gideon's Avenger", "Gideon's Lawkeeper", "Grand Abolisher", "Griffin Rider", "Guardians' Pledge", "Peregrine Griffin", "Personal Sanctuary", "Pride Guardian", "Spirit Mantle", "Stave Off", "Stonehorn Dignitary", "Timely Reinforcements", "Amphin Cutthroat", "Aven Fleetwing", "Azure Mage", "Chasm Drake", "Frost Breath", "Jace's Archivist", "Lord of the Unreal", "Master Thief", "Mind Unbound", "Phantasmal Bear", "Phantasmal Dragon", "Phantasmal Image", "Skywinder Drake", "Sphinx of Uthuun", "Turn to Frog", "Visions of Beyond", "Bloodrage Vampire", "Dark Favor", "Devouring Swarm", "Drifting Shade", "Duskhunter Bat", "Hideous Visage", "Monomania", "Onyx Mage", "Rune-Scarred Demon", "Sorin's Thirst", "Sorin's Vengeance", "Taste of Blood", "Vampire Outcasts", "Vengeful Pharaoh", "Wring Flesh", "Blood Ogre", "Bonebreaker Giant", "Chandra, the Firebrand", "Crimson Mage", "Furyborn Hellkite", "Goblin Bangchuckers", "Goblin Fireslinger", "Gorehorn Minotaurs", "Scrambleverse", "Tectonic Rift", "Wall of Torches", "Warstorm Surge", "Arachnus Spinner", "Arachnus Web", "Carnage Wurm", "Doubling Chant", "Garruk, Primal Hunter", "Gladecover Scout", "Hunter's Insight", "Jade Mage", "Lurking Crocodile", "Skinshifter", "Stingerfling Spider", "Titanic Growth", "Trollhide", "Adaptive Automaton", "Crown of Empires", "Crumbling Colossus", "Druidic Satchel", "Greatsword", "Kite Shield", "Manalith", "Rusted Sentinel", "Scepter of Empires", "Sundial of the Infinite", "Swiftfoot Boots", "Throne of Empires", "Buried Ruin", "Mikaeus, the Lunarch", "Abbey Griffin", "Angel of Flight Alabaster", "Angelic Overseer", "Avacynian Priest", "Bonds of Faith", "Champion of the Parish", "Chapel Geist", "Cloistered Youth", "Unholy Fiend", "Dearly Departed", "Divine Reckoning", "Doomed Traveler", "Elder Cathar", "Feeling of Dread", "Fiend Hunter", "Gallows Warden", "Geist-Honored Monk", "Ghostly Possession", "Intangible Virtue", "Mausoleum Guard", "Mentor of the Meek", "Midnight Haunting", "Moment of Heroism", "Nevermore", "Paraselene", "Purify the Grave", "Rally the Peasants", "Rebuke", "Selfless Cathar", "Silverchase Fox", "Slayer of the Wicked", "Smite the Monstrous", "Spare from Evil", "Spectral Rider", "Stony Silence", "Thraben Purebloods", "Thraben Sentry", "Thraben Militia", "Unruly Mob", "Urgent Exorcism", "Village Bell-Ringer", "Voiceless Spirit", "Armored Skaab", "Back from the Brink", "Battleground Geist", "Cackling Counterpart", "Civilized Scholar", "Homicidal Brute", "Claustrophobia", "Delver of Secrets", "Insectile Aberration", "Deranged Assistant", "Dream Twist", "Fortress Crab", "Frightful Delusion", "Grasp of Phantoms", "Hysterical Blindness", "Invisible Stalker", "Laboratory Maniac", "Lantern Spirit", "Lost in the Mist", "Makeshift Mauler", "Memory's Journey", "Mindshrieker", "Mirror-Mad Phantasm", "Moon Heron", "Murder of Crows", "Rooftop Storm", "Runic Repetition", "Selhoff Occultist", "Sensory Deprivation", "Silent Departure", "Skaab Goliath", "Skaab Ruinator", "Snapcaster Mage", "Spectral Flight", "Stitched Drake", "Stitcher's Apprentice", "Sturmgeist", "Undead Alchemist", "Abattoir Ghoul", "Altar's Reap", "Army of the Damned", "Bitterheart Witch", "Bloodgift Demon", "Bloodline Keeper", "Lord of Lineage", "Brain Weevil", "Bump in the Night", "Corpse Lunge", "Curse of Death's Hold", "Curse of Oblivion", "Dead Weight", "Disciple of Griselbrand", "Endless Ranks of the Dead", "Falkenrath Noble", "Ghoulcaller's Chant", "Ghoulraiser", "Gruesome Deformity", "Heartless Summoning", "Liliana of the Veil", "Manor Skeleton", "Markov Patrician", "Maw of the Mire", "Moan of the Unhallowed", "Morkrut Banshee", "Night Terrors", "Reaper from the Abyss", "Rotting Fensnake", "Screeching Bat", "Stalking Vampire", "Sever the Bloodline", "Skeletal Grimace", "Skirsdag High Priest", "Stromkirk Patrol", "Tribute to Hunger", "Typhoid Rats", "Unbreathing Horde", "Unburial Rites", "Vampire Interloper", "Victim of Night", "Village Cannibals", "Walking Corpse", "Ashmouth Hound", "Balefire Dragon", "Blasphemous Act", "Brimstone Volley", "Burning Vengeance", "Charmbreaker Devils", "Crossway Vampire", "Curse of Stalked Prey", "Curse of the Nightly Hunt", "Curse of the Pierced Heart", "Desperate Ravings", "Falkenrath Marauders", "Feral Ridgewolf", "Furor of the Bitten", "Geistflame", "Hanweir Watchkeep", "Bane of Hanweir", "Harvest Pyre", "Heretic's Punishment", "Infernal Plunge", "Instigator Gang", "Wildblood Pack", "Into the Maw of Hell", "Kessig Wolf", "Kruin Outlaw", "Terror of Kruin Pass", "Night Revelers", "Nightbird's Clutches", "Past in Flames", "Pitchburn Devils", "Rage Thrower", "Rakish Heir", "Reckless Waif", "Merciless Predator", "Riot Devils", "Rolling Temblor", "Scourge of Geier Reach", "Skirsdag Cultist", "Stromkirk Noble", "Tormented Pariah", "Rampaging Werewolf", "Traitorous Blood", "Vampiric Fury", "Village Ironsmith", "Ironfang", "Ambush Viper", "Bramblecrush", "Caravan Vigil", "Creeping Renaissance", "Darkthicket Wolf", "Daybreak Ranger", "Nightfall Predator", "Elder of Laurels", "Essence of the Wild", "Festerhide Boar", "Full Moon's Rise", "Garruk Relentless", "Garruk, the Veil-Cursed", "Gatstaf Shepherd", "Gatstaf Howler", "Gnaw to the Bone", "Grave Bramble", "Grizzled Outcasts", "Krallenhorde Wantons", "Gutter Grime", "Hamlet Captain", "Hollowhenge Scavenger", "Kessig Cagebreakers", "Kindercatch", "Lumberknot", "Make a Wish", "Moldgraf Monstrosity", "Moonmist", "Orchard Spirit", "Parallel Lives", "Prey Upon", "Ranger's Guile", "Somberwald Spider", "Spider Spawning", "Spidery Grasp", "Splinterfright", "Travel Preparations", "Tree of Redemption", "Ulvenwald Mystics", "Ulvenwald Primordials", "Villagers of Estwald", "Howlpack of Estwald", "Woodland Sleuth", "Wreath of Geists", "Evil Twin", "Geist of Saint Traft", "Grimgrin, Corpse-Born", "Olivia Voldaren", "Butcher's Cleaver", "Cellar Door", "Cobbled Wings", "Creepy Doll", "Demonmail Hauberk", "Galvanic Juggernaut", "Geistcatcher's Rig", "Ghoulcaller's Bell", "Graveyard Shovel", "Grimoire of the Dead", "Inquisitor's Flail", "Manor Gargoyle", "Mask of Avacyn", "One-Eyed Scarecrow", "Runechanter's Pike", "Sharpened Pitchfork", "Silver-Inlaid Dagger", "Traveler's Amulet", "Trepanation Blade", "Witchbane Orb", "Wooden Stake", "Clifftop Retreat", "Gavony Township", "Hinterland Harbor", "Isolated Chapel", "Kessig Wolf Run", "Moorland Haunt", "Nephalia Drownyard", "Stensia Bloodhall", "Sulfur Falls", "Woodland Cemetery", "Archangel's Light", "Bar the Door", "Break of Day", "Burden of Guilt", "Curse of Exhaustion", "Elgaud Inquisitor", "Faith's Shield", "Gavony Ironwright", "Hollowhenge Spirit", "Increasing Devotion", "Loyal Cathar", "Unhallowed Cathar", "Midnight Guard", "Niblis of the Mist", "Niblis of the Urn", "Requiem Angel", "Sanctuary Cat", "Séance", "Silverclaw Griffin", "Skillful Lunge", "Sudden Disappearance", "Thalia, Guardian of Thraben", "Thraben Doomsayer", "Thraben Heretic", "Artful Dodge", "Beguiler of Wills", "Bone to Ash", "Call to the Kindred", "Chant of the Skifsang", "Chill of Foreboding", "Counterlash", "Curse of Echoes", "Dungeon Geists", "Geralf's Mindcrusher", "Griptide", "Havengul Runebinder", "Headless Skaab", "Increasing Confusion", "Mystic Retrieval", "Nephalia Seakite", "Niblis of the Breath", "Relentless Skaabs", "Saving Grasp", "Screeching Skaab", "Secrets of the Dead", "Shriekgeist", "Soul Seizer", "Ghastly Haunting", "Stormbound Geist", "Thought Scour", "Tower Geist", "Black Cat", "Chosen of Markov", "Markov's Servant", "Curse of Misfortunes", "Deadly Allure", "Death's Caress", "Falkenrath Torturer", "Farbog Boneflinger", "Fiend of the Shadows", "Geralf's Messenger", "Gravepurge", "Gruesome Discovery", "Harrowing Journey", "Highborn Ghoul", "Increasing Ambition", "Mikaeus, the Unhallowed", "Reap the Seagraf", "Sightless Ghoul", "Skirsdag Flayer", "Spiteful Shadows", "Tragic Slip", "Undying Evil", "Vengeful Vampire", "Wakedancer", "Afflicted Deserter", "Werewolf Ransacker", "Alpha Brawl", "Blood Feud", "Burning Oil", "Curse of Bloodletting", "Erdwal Ripper", "Fires of Undeath", "Flayer of the Hatebound", "Forge Devil", "Heckling Fiends", "Hellrider", "Hinterland Hermit", "Hinterland Scourge", "Increasing Vengeance", "Markov Blademaster", "Markov Warlord", "Moonveil Dragon", "Pyreheart Wolf", "Russet Wolves", "Scorch the Fields", "Shattered Perception", "Talons of Falkenrath", "Torch Fiend", "Wrack with Madness", "Briarpack Alpha", "Clinging Mists", "Crushing Vines", "Dawntreader Elk", "Deranged Outcast", "Favor of the Woods", "Feed the Pack", "Ghoultree", "Gravetiller Wurm", "Grim Flowering", "Hollowhenge Beast", "Hunger of the Howlpack", "Increasing Savagery", "Kessig Recluse", "Lambholt Elder", "Silverpelt Werewolf", "Lost in the Woods", "Predator Ooze", "Scorned Villager", "Moonscarred Werewolf", "Somberwald Dryad", "Tracker's Instincts", "Ulvenwald Bear", "Village Survivors", "Vorapede", "Wild Hunger", "Wolfbitten Captive", "Krallenhorde Killer", "Young Wolf", "Diregraf Captain", "Drogskol Captain", "Drogskol Reaver", "Falkenrath Aristocrat", "Havengul Lich", "Huntmaster of the Fells", "Ravager of the Fells", "Immerwolf", "Sorin, Lord of Innistrad", "Stromkirk Captain", "Altar of the Lost", "Avacyn's Collar", "Chalice of Life", "Chalice of Death", "Elbrus, the Binding Blade", "Withengar Unbound", "Executioner's Hood", "Grafdigger's Cage", "Heavy Mattock", "Helvault", "Jar of Eyeballs", "Warden of the Wall", "Wolfhunter's Quiver", "Grim Backwoods", "Haunted Fengraf", "Vault of the Archangel", "Angel of Jubilation", "Avacyn, Angel of Hope", "Banishing Stroke", "Builder's Blessing", "Call to Serve", "Cathars' Crusade", "Cathedral Sanctifier", "Cloudshift", "Commander's Authority", "Cursebreak", "Defang", "Defy Death", "Devout Chaplain", "Divine Deflection", "Emancipation Angel", "Entreat the Angels", "Farbog Explorer", "Goldnight Commander", "Goldnight Redeemer", "Herald of War", "Holy Justiciar", "Leap of Faith", "Midnight Duelist", "Midvast Protector", "Moonlight Geist", "Moorland Inquisitor", "Nearheath Pilgrim", "Riders of Gavony", "Righteous Blow", "Seraph of Dawn", "Spectral Gateguards", "Terminus", "Thraben Valiant", "Voice of the Provinces", "Zealous Strike", "Alchemist's Apprentice", "Amass the Components", "Arcane Melee", "Captain of the Mists", "Crippling Chill", "Deadeye Navigator", "Devastation Tide", "Dreadwaters", "Elgaud Shieldmate", "Favorable Winds", "Fettergeist", "Galvanic Alchemist", "Geist Snatch", "Ghostform", "Ghostly Flicker", "Ghostly Touch", "Gryff Vanguard", "Havengul Skaab", "Infinite Reflection", "Into the Void", "Lone Revenant", "Lunar Mystic", "Mass Appeal", "Mist Raven", "Misthollow Griffin", "Nephalia Smuggler", "Outwit", "Rotcrown Ghoul", "Scrapskin Drake", "Second Guess", "Spectral Prison", "Spirit Away", "Stern Mentor", "Stolen Goods", "Tamiyo, the Moon Sage", "Tandem Lookout", "Temporal Mastery", "Vanishment", "Wingcrafter", "Appetite for Brains", "Blood Artist", "Bloodflow Connoisseur", "Butcher Ghoul", "Corpse Traders", "Dark Impostor", "Death Wind", "Demonic Rising", "Demonic Taskmaster", "Demonlord of Ashmouth", "Descent into Madness", "Dread Slaver", "Driver of the Dead", "Essence Harvest", "Evernight Shade", "Exquisite Blood", "Ghoulflesh", "Gloom Surgeon", "Grave Exchange", "Harvester of Souls", "Homicidal Seclusion", "Human Frailty", "Hunted Ghoul", "Maalfeld Twins", "Marrow Bats", "Mental Agony", "Necrobite", "Polluted Dead", "Predator's Gambit", "Renegade Demon", "Searchlight Geist", "Soulcage Fiend", "Treacherous Pit-Dweller", "Triumph of Cruelty", "Undead Executioner", "Unhallowed Pact", "Aggravate", "Archwing Dragon", "Banners Raised", "Battle Hymn", "Bonfire of the Damned", "Burn at the Stake", "Dangerous Wager", "Dual Casting", "Falkenrath Exterminator", "Fervent Cathar", "Gang of Devils", "Guise of Fire", "Hanweir Lancer", "Havengul Vampire", "Heirs of Stromkirk", "Hound of Griselbrand", "Kessig Malcontents", "Kruin Striker", "Lightning Mauler", "Lightning Prowess", "Mad Prophet", "Malicious Intent", "Malignus", "Raging Poltergeist", "Reforge the Soul", "Riot Ringleader", "Rite of Ruin", "Rush of Blood", "Scalding Devil", "Somberwald Vigilante", "Stonewright", "Thatcher Revolt", "Thunderous Wrath", "Tibalt, the Fiend-Blooded", "Tyrant of Discord", "Uncanny Speed", "Vexing Devil", "Vigilante Justice", "Zealous Conscripts", "Abundant Growth", "Blessings of Nature", "Bower Passage", "Champion of Lambholt", "Craterhoof Behemoth", "Descendants' Path", "Diregraf Escort", "Druid's Familiar", "Druids' Repository", "Eaten by Spiders", "Flowering Lumberknot", "Geist Trappers", "Grounded", "Howlgeist", "Joint Assault", "Lair Delve", "Natural End", "Nettle Swine", "Nightshade Peddler", "Pathbreaker Wurm", "Primal Surge", "Rain of Thorns", "Revenge of the Hunted", "Sheltering Word", "Snare the Skies", "Somberwald Sage", "Soul of the Harvest", "Terrifying Presence", "Timberland Guide", "Triumph of Ferocity", "Trusted Forcemage", "Ulvenwald Tracker", "Vorstclaw", "Wandering Wolf", "Wild Defiance", "Wildwood Geist", "Wolfir Avenger", "Wolfir Silverheart", "Yew Spirit", "Bruna, Light of Alabaster", "Gisela, Blade of Goldnight", "Sigarda, Host of Herons", "Angel's Tomb", "Angelic Armaments", "Bladed Bracers", "Conjurer's Closet", "Gallows at Willow Hill", "Haunted Guardian", "Narstad Scrapper", "Otherworld Atlas", "Scroll of Avacyn", "Scroll of Griselbrand", "Tormentor's Trident", "Vanguard's Shield", "Vessel of Endless Rest", "Alchemist's Refuge", "Cavern of Souls", "Desolate Lighthouse", "Seraph Sanctuary", "Slayers' Stronghold", "Chaotic Æther", "Interplanar Tunnel", "Morphic Tide", "Mutual Epiphany", "Planewide Disaster", "Reality Shaping", "Felidar Umbra", "Spatial Merging", "Time Distortion", "Akoum", "Aretopolis", "Astral Arena", "Bloodhill Bastion", "Edge of Malacol", "Furnace Layer", "Gavony", "Glen Elendra", "Grand Ossuary", "Grove of the Dreampods", "Hedron Fields of Agadeem", "Illusory Angel", "Jund", "Kessig", "Kharasha Foothills", "Kilnspire District", "Lair of the Ashen Idol", "Sakashima's Student", "Mount Keralia", "Nephalia", "Norn's Dominion", "Onakke Catacomb", "Orochi Colony", "Orzhova", "Prahv", "Quicksilver Sea", "Selesnya Loft Gardens", "Stensia", "Takenuma", "Talon Gates", "Trail of the Mage-Rings", "Truga Jungle", "Windriddle Palaces", "The Zephyr Maze", "Beetleback Chief", "Mass Mutiny", "Preyseizer Dragon", "Brindle Shoat", "Dreampod Druid", "Baleful Strix", "Dragonlair Spider", "Elderwood Scion", "Etherium-Horn Sorcerer", "Indrik Umbra", "Krond the Dawn-Clad", "Maelstrom Wanderer", "Shardless Agent", "Silent-Blade Oni", "Thromok the Insatiable", "Vela the Night-Clad", "Fractured Powerstone", "Sai of the Shinobi", "Stairs to Infinity", "Ajani's Sunstriker", "Attended Knight", "Battleflight Eagle", "Captain's Call", "Crusader of Odric", "Faith's Reward", "Griffin Protector", "Guardian Lions", "Healer of the Pride", "Knight of Glory", "Odric, Master Tactician", "Prized Elephant", "Rhox Faithmender", "Show of Valor", "Sublime Archangel", "Touch of the Eternal", "War Falcon", "Warclamp Mastiff", "Archaeomancer", "Arctic Aven", "Augur of Bolas", "Courtly Provocateur", "Downpour", "Encrust", "Faerie Invaders", "Hydrosurge", "Jace's Phantasm", "Master of the Pearl Trident", "Mind Sculpt", "Omniscience", "Spelltwine", "Switcheroo", "Talrand, Sky Summoner", "Talrand's Invocation", "Tricks of the Trade", "Void Stalker", "Watercourser", "Blood Reckoning", "Bloodhunter Bat", "Cower in Fear", "Crippling Blight", "Diabolic Revelation", "Disciple of Bolas", "Duskmantle Prowler", "Duty-Bound Dead", "Harbor Bandit", "Knight of Infamy", "Liliana's Shade", "Mark of the Vampire", "Murder", "Nefarox, Overlord of Grixis", "Public Execution", "Servant of Nefarox", "Veilborn Ghoul", "Vile Rebirth", "Cleaver Riot", "Craterize", "Crimson Muckwader", "Dragon Hatchling", "Firewing Phoenix", "Flames of the Firebrand", "Goblin Battle Jester", "Krenko, Mob Boss", "Krenko's Command", "Mindclaw Shaman", "Reckless Brute", "Rummaging Goblin", "Slumbering Dragon", "Smelt", "Thundermaw Hellkite", "Wild Guess", "Worldfire", "Bond Beetle", "Boundless Realms", "Elderscale Wurm", "Flinthoof Boar", "Fungal Sprouting", "Predatory Rampage", "Primal Huntbeast", "Ranger's Path", "Roaring Primadox", "Sentinel Spider", "Serpent's Gift", "Spiked Baloth", "Thragtusk", "Timberpack Wolf", "Yeva, Nature's Herald", "Yeva's Forcemage", "Chronomaton", "Gem of Becoming", "Ring of Evos Isle", "Ring of Kalonia", "Ring of Thune", "Ring of Valkas", "Ring of Xathrid", "Sands of Delirium", "Trading Post", "Hellion Crucible", "Goblin Electromancer", "Street Spasm", "Jarad, Golgari Lich Lord", "Korozda Guildmage", "Angel of Serenity", "Armory Guard", "Avenging Arrow", "Azorius Arrester", "Azorius Justiciar", "Bazaar Krovod", "Concordia Pegasus", "Ethereal Armor", "Eyes in the Skies", "Fencing Ace", "Keening Apparition", "Knightly Valor", "Martial Law", "Palisade Giant", "Phantom General", "Precinct Captain", "Rest in Peace", "Rootborn Defenses", "Security Blockade", "Selesnya Sentry", "Seller of Songbirds", "Soul Tithe", "Sphere of Safety", "Sunspire Griffin", "Swift Justice", "Trained Caracal", "Trostani's Judgment", "Aquus Steed", "Blustersquall", "Chronic Flooding", "Conjured Currency", "Crosstown Courier", "Cyclonic Rift", "Doorkeeper", "Downsize", "Faerie Impostor", "Hover Barrier", "Inaction Injunction", "Isperia's Skywatch", "Jace, Architect of Thought", "Mizzium Skin", "Psychic Spiral", "Runewing", "Search the City", "Skyline Predator", "Soulsworn Spirit", "Sphinx of the Chimes", "Voidwielder", "Assassin's Strike", "Catacomb Slug", "Daggerdrome Imp", "Dark Revenant", "Dead Reveler", "Desecration Demon", "Destroy the Evidence", "Deviant Glee", "Drainpipe Vermin", "Grave Betrayal", "Grim Roustabout", "Launch Party", "Necropolis Regent", "Ogre Jailbreaker", "Pack Rat", "Perilous Shadow", "Sewer Shambler", "Shrieking Affliction", "Slum Reaper", "Stab Wound", "Tavern Swindler", "Terrus Wurm", "Thrill-Kill Assassin", "Ultimate Price", "Underworld Connections", "Zanikev Locust", "Annihilating Fire", "Ash Zealot", "Batterhorn", "Bellows Lizard", "Bloodfray Giant", "Chaos Imps", "Cobblebrute", "Dynacharge", "Electrickery", "Explosive Impact", "Goblin Rally", "Gore-House Chainwalker", "Guild Feud", "Guttersnipe", "Lobber Crew", "Minotaur Aggressor", "Mizzium Mortars", "Pursuit of Flight", "Pyroconvergence", "Racecourse Fury", "Splatter Thug", "Survey the Wreckage", "Tenement Crasher", "Utvara Hellkite", "Vandalblast", "Viashino Racketeer", "Aerial Predation", "Archweaver", "Axebane Guardian", "Axebane Stag", "Brushstrider", "Centaur's Herald", "Chorus of Might", "Death's Presence", "Drudge Beetle", "Druid's Deliverance", "Gatecreeper Vine", "Gobbling Ooze", "Golgari Decoy", "Horncaller's Chant", "Korozda Monitor", "Mana Bloom", "Oak Street Innkeeper", "Rubbleback Rhino", "Savage Surge", "Slime Molding", "Stonefare Crocodile", "Towering Indrik", "Urban Burgeoning", "Wild Beastmaster", "Worldspine Wurm", "Abrupt Decay", "Armada Wurm", "Auger Spree", "Azorius Charm", "Centaur Healer", "Chemister's Trick", "Collective Blessing", "Common Bond", "Counterflux", "Coursers' Accord", "Detention Sphere", "Dramatic Rescue", "Dreadbore", "Epic Experiment", "Essence Backlash", "Fall of the Gavel", "Firemind's Foresight", "Golgari Charm", "Havoc Festival", "Hellhole Flailer", "Hussar Patrol", "Isperia, Supreme Judge", "Izzet Staticaster", "Jarad's Orders", "Lotleth Troll", "Loxodon Smiter", "Lyev Skyknight", "Mercurial Chemister", "New Prahv Guildmage", "Nivix Guildmage", "Niv-Mizzet, Dracogenius", "Rakdos Charm", "Rakdos Ragemutt", "Rakdos Ringleader", "Rakdos, Lord of Riots", "Rakdos's Return", "Righteous Authority", "Risen Sanctuary", "Rites of Reaping", "Rix Maadi Guildmage", "Search Warrant", "Selesnya Charm", "Skull Rend", "Skymark Roc", "Slaughter Games", "Sluiceway Scorpion", "Spawn of Rix Maadi", "Sphinx's Revelation", "Teleportal", "Thoughtflare", "Treasured Find", "Trestle Troll", "Trostani, Selesnya's Voice", "Vitu-Ghazi Guildmage", "Vraska the Unseen", "Wayfaring Temple", "Azor's Elocutors", "Blistercoil Weird", "Deathrite Shaman", "Frostburn Weird", "Golgari Longlegs", "Growing Ranks", "Nivmagus Elemental", "Rakdos Shred-Freak", "Slitherhead", "Sundering Growth", "Vassal Soul", "Azorius Keyrune", "Chromatic Lantern", "Civic Saber", "Codex Shredder", "Golgari Keyrune", "Izzet Keyrune", "Rakdos Keyrune", "Selesnya Keyrune", "Street Sweeper", "Tablet of the Guilds", "Volatile Rig", "Azorius Guildgate", "Golgari Guildgate", "Izzet Guildgate", "Rakdos Guildgate", "Rogue's Passage", "Selesnya Guildgate", "Transguild Promenade", "Aerial Maneuver", "Angelic Edict", "Basilica Guards", "Blind Obedience", "Boros Elite", "Court Street Denizen", "Daring Skyjek", "Debtor's Pulpit", "Dutiful Thrull", "Frontline Medic", "Gideon, Champion of Justice", "Guardian of the Gateless", "Guildscorn Ward", "Hold the Gates", "Holy Mantle", "Knight of Obligation", "Knight Watch", "Luminate Primordial", "Murder Investigation", "Nav Squad Commandos", "Shielded Passage", "Syndic of Tithes", "Urbis Protector", "Zarichi Tiger", "Ætherize", "Agoraphobia", "Clinging Anemones", "Cloudfin Raptor", "Diluvian Primordial", "Enter the Infinite", "Frilled Oculus", "Gridlock", "Hands of Binding", "Incursion Specialist", "Keymaster Rogue", "Last Thoughts", "Leyline Phantom", "Metropolis Sprite", "Mindeye Drake", "Rapid Hybridization", "Realmwright", "Sage's Row Denizen", "Sapphire Drake", "Scatter Arc", "Simic Fluxmage", "Simic Manipulator", "Skygames", "Spell Rupture", "Stolen Identity", "Totally Lost", "Voidwalk", "Way of the Thief", "Balustrade Spy", "Basilica Screecher", "Corpse Blockade", "Crypt Ghast", "Death's Approach", "Devour Flesh", "Dying Wish", "Gateway Shade", "Grisly Spectacle", "Gutter Skulk", "Horror of the Dim", "Illness in the Ranks", "Killing Glare", "Lord of the Void", "Mental Vapors", "Midnight Recovery", "Ogre Slumlord", "Sepulchral Primordial", "Shadow Alley Denizen", "Shadow Slice", "Slate Street Ruffian", "Smog Elemental", "Syndicate Enforcer", "Thrull Parasite", "Undercity Informer", "Undercity Plague", "Wight of Precinct Six", "Bomber Corps", "Crackling Perimeter", "Firefist Striker", "Five-Alarm Fire", "Foundry Street Denizen", "Furious Resistance", "Hellkite Tyrant", "Hellraiser Goblin", "Homing Lightning", "Legion Loyalist", "Madcap Skills", "Mark for Death", "Massive Raid", "Molten Primordial", "Mugging", "Ripscale Predator", "Scorchwalker", "Skinbrand Goblin", "Skullcrack", "Structural Collapse", "Tin Street Market", "Towering Thunderfist", "Viashino Shanktail", "Warmind Infantry", "Wrecking Ogre", "Adaptive Snapjaw", "Alpha Authority", "Burst of Strength", "Crocanura", "Crowned Ceratok", "Disciple of the Old Ways", "Forced Adaptation", "Giant Adephage", "Greenside Watcher", "Gyre Sage", "Hindervines", "Ivy Lane Denizen", "Miming Slime", "Ooze Flux", "Predator's Rapport", "Rust Scarab", "Scab-Clan Charger", "Serene Remembrance", "Slaughterhorn", "Spire Tracer", "Sylvan Primordial", "Tower Defense", "Verdant Haven", "Wasteland Viper", "Wildwood Rebirth", "Alms Beast", "Assemble the Legion", "Aurelia, the Warleader", "Aurelia's Fury", "Bane Alley Broker", "Biovisionary", "Borborygmos Enraged", "Boros Charm", "Call of the Nightwing", "Cartel Aristocrat", "Clan Defiance", "Deathpact Angel", "Dinrova Horror", "Domri Rade", "Drakewing Krasis", "Duskmantle Guildmage", "Duskmantle Seer", "Elusive Krasis", "Executioner's Swing", "Fortress Cyclops", "Ground Assault", "Gruul Charm", "Gruul Ragebeast", "High Priest of Penance", "Hydroform", "Kingpin's Pet", "Lazav, Dimir Mastermind", "Martial Glory", "Master Biomancer", "Merciless Eviction", "Mind Grind", "Mortus Strider", "Mystic Genesis", "Nimbus Swimmer", "Obzedat, Ghost Council", "One Thousand Lashes", "Ordruun Veteran", "Orzhov Charm", "Paranoid Delusions", "Primal Visitation", "Prime Speaker Zegana", "Psychic Strike", "Purge the Profane", "Ruination Wurm", "Shambleshark", "Signal the Clans", "Simic Charm", "Skarrg Guildmage", "Soul Ransom", "Spark Trooper", "Sunhome Guildmage", "Truefire Paladin", "Unexpected Results", "Urban Evolution", "Vizkopa Confessor", "Vizkopa Guildmage", "Whispering Madness", "Wojek Halberdiers", "Zhur-Taa Swine", "Arrows of Justice", "Biomass Mutation", "Bioshift", "Boros Reckoner", "Burning-Tree Emissary", "Coerced Confession", "Deathcult Rogue", "Gift of Orzhova", "Immortal Servitude", "Merfolk of the Depths", "Pit Fight", "Rubblebelt Raiders", "Shattering Blow", "Armored Transport", "Boros Keyrune", "Dimir Keyrune", "Glaring Spotlight", "Gruul Keyrune", "Illusionist's Bracers", "Millennial Gargoyle", "Orzhov Keyrune", "Razortip Whip", "Riot Gear", "Simic Keyrune", "Skyblinder Staff", "Boros Guildgate", "Dimir Guildgate", "Gruul Guildgate", "Orzhov Guildgate", "Simic Guildgate", "Thespian's Stage", "Boros Mastiff", "Haazda Snare Squad", "Lyev Decree", "Maze Sentinel", "Renounce the Guilds", "Riot Control", "Scion of Vitu-Ghazi", "Steeple Roc", "Sunspire Gatekeepers", "Wake the Reflections", "Ætherling", "Hidden Strings", "Maze Glider", "Mindstatic", "Murmuring Phantasm", "Opal Lake Gatekeepers", "Runner's Bane", "Trait Doctoring", "Uncovered Clues", "Bane Alley Blackguard", "Blood Scrivener", "Crypt Incursion", "Fatal Fumes", "Hired Torturer", "Maze Abomination", "Pontiff of Blight", "Rakdos Drake", "Sinister Possession", "Ubul Sar Gatekeepers", "Awe for the Guilds", "Clear a Path", "Maze Rusher", "Possibility Storm", "Punish the Enemy", "Pyrewild Shaman", "Riot Piker", "Rubblebelt Maaka", "Smelt-Ward Gatekeepers", "Weapon Surge", "Battering Krasis", "Kraul Warrior", "Maze Behemoth", "Mending Touch", "Mutant's Prey", "Phytoburst", "Renegade Krasis", "Saruli Gatekeepers", "Skylasher", "Thrashing Mossdog", "Advent of the Wurm", "Armored Wolf-Rider", "Ascended Lawmage", "Beetleform Mage", "Blast of Genius", "Blaze Commando", "Blood Baron of Vizkopa", "Boros Battleshaper", "Bred for the Hunt", "Bronzebeak Moa", "Carnage Gladiator", "Council of the Absolute", "Deadbridge Chant", "Debt to the Deathless", "Deputy of Acquittals", "Dragonshift", "Drown in Filth", "Emmara Tandris", "Exava, Rakdos Blood Witch", "Fluxcharger", "Gleam of Battle", "Goblin Test Pilot", "Gruul War Chant", "Haunter of Nightveil", "Jelenn Sphinx", "Korozda Gorgon", "Krasis Incubation", "Lavinia of the Tenth", "Legion's Initiative", "Master of Cruelties", "Maw of the Obzedat", "Mirko Vosk, Mind Drinker", "Morgue Burst", "Nivix Cyclops", "Notion Thief", "Obzedat's Aid", "Pilfered Plans", "Plasm Capture", "Progenitor Mimic", "Ral Zarek", "Reap Intellect", "Restore the Peace", "Rot Farm Skeleton", "Ruric Thar, the Unbowed", "Savageborn Hydra", "Scab-Clan Giant", "Showstopper", "Sire of Insanity", "Species Gorger", "Spike Jester", "Tajic, Blade of the Legion", "Teysa, Envoy of Ghosts", "Tithe Drinker", "Unflinching Courage", "Varolz, the Scar-Striped", "Viashino Firstblade", "Voice of Resurgence", "Vorel of the Hull Clade", "Warped Physique", "Woodlot Crawler", "Zhur-Taa Ancient", "Zhur-Taa Druid", "Alive", "Well", "Armed", "Dangerous", "Beck", "Call", "Catch", "Release", "Down", "Dirty", "Far", "Away", "Flesh", "Blood", "Give", "Take", "Profit", "Loss", "Protect", "Serve", "Ready", "Willing", "Toil", "Trouble", "Turn", "Burn", "Wear", "Tear", "Azorius Cluestone", "Boros Cluestone", "Dimir Cluestone", "Golgari Cluestone", "Gruul Cluestone", "Izzet Cluestone", "Orzhov Cluestone", "Rakdos Cluestone", "Selesnya Cluestone", "Simic Cluestone", "Ajani's Chosen", "Angelic Accord", "Archangel of Thune", "Celestial Flare", "Charging Griffin", "Dawnstrike Paladin", "Devout Invocation", "Fiendslayer Paladin", "Imposing Sovereign", "Master of Diversion", "Path of Bravery", "Sentinel Sliver", "Seraph of the Sword", "Soulmender", "Steelform Sliver", "Stonehorn Chanter", "Dismiss into Dream", "Elite Arcanist", "Galerider Sliver", "Glimpse the Future", "Illusionary Armor", "Jace's Mindseeker", "Messenger Drake", "Seacoast Drake", "Tidebinder Mage", "Trained Condor", "Warden of Evos Isle", "Windreader Sphinx", "Zephyr Charge", "Accursed Spirit", "Artificer's Hex", "Blightcaster", "Blood Bairn", "Bogbrew Witch", "Corpse Hauler", "Dark Prophecy", "Deathgaze Cockatrice", "Festering Newt", "Gnawing Zombie", "Grim Return", "Lifebane Zombie", "Liliana's Reaver", "Liturgy of Blood", "Minotaur Abomination", "Rise of the Dark Realms", "Shadowborn Apostle", "Shadowborn Demon", "Syphon Sliver", "Tenacious Dead", "Undead Minotaur", "Vampire Warlord", "Academy Raider", "Awaken the Ancient", "Barrage of Expendables", "Battle Sliver", "Blur Sliver", "Burning Earth", "Cyclops Tyrant", "Dragon Egg", "Fleshpulper Giant", "Marauding Maulhorn", "Mindsparker", "Molten Birth", "Regathan Firecat", "Scourge of Valkas", "Seismic Stomp", "Striking Sliver", "Thorncaster Sliver", "Young Pyromancer", "Advocate of The Beast", "Enlarge", "Groundshaker Sliver", "Hunt the Weak", "Into the Wilds", "Kalonian Hydra", "Kalonian Tusker", "Manaweft Sliver", "Oath of the Ancient Wood", "Predatory Sliver", "Primeval Bounty", "Rumbling Baloth", "Savage Summoning", "Sporemound", "Vastwood Hydra", "Voracious Wurm", "Witchstalker", "Woodborn Behemoth", "Bubbling Cauldron", "Guardian of the Ages", "Haunted Plate Mail", "Pyromancer's Gauntlet", "Ring of Three Wishes", "Sliver Construct", "Staff of the Death Magus", "Staff of the Flame Magus", "Staff of the Mind Magus", "Staff of the Sun Magus", "Staff of the Wild Magus", "Strionic Resonator", "Vial of Poison", "Cavalry Pegasus", "Anax and Cymede", "Ordeal of Purphoros", "Polukranos, World Eater", "Satyr Hedonist", "Destructive Revelry", "Battlewise Valor", "Chained to the Rocks", "Chosen by Heliod", "Dauntless Onslaught", "Decorated Griffin", "Elspeth, Sun's Champion", "Ephara's Warden", "Evangel of Heliod", "Fabled Hero", "Favored Hoplite", "Gift of Immortality", "Glare of Heresy", "Gods Willing", "Heliod, God of the Sun", "Heliod's Emissary", "Hopeful Eidolon", "Hundred-Handed One", "Lagonna-Band Elder", "Leonin Snarecaster", "Observant Alseid", "Ordeal of Heliod", "Ray of Dissolution", "Scholar of Athreos", "Setessan Battle Priest", "Setessan Griffin", "Silent Artisan", "Soldier of the Pantheon", "Spear of Heliod", "Traveling Philosopher", "Vanquish the Foul", "Wingsteed Rider", "Yoked Ox", "Aqueous Form", "Artisan of Forms", "Benthic Giant", "Breaching Hippocamp", "Coastline Chimera", "Crackling Triton", "Curse of the Swine", "Fate Foretold", "Horizon Scholar", "Lost in a Labyrinth", "Master of Waves", "Meletis Charlatan", "Nimbus Naiad", "Omenspeaker", "Ordeal of Thassa", "Prescient Chimera", "Prognostic Sphinx", "Sea God's Revenge", "Sealock Monster", "Stymied Hopes", "Swan Song", "Thassa, God of the Sea", "Thassa's Bounty", "Thassa's Emissary", "Triton Fortune Hunter", "Triton Shorethief", "Triton Tactics", "Vaporkin", "Voyage's End", "Wavecrash Triton", "Agent of the Fates", "Asphodel Wanderer", "Baleful Eidolon", "Blood-Toll Harpy", "Boon of Erebos", "Cavern Lampad", "Cutthroat Maneuver", "Dark Betrayal", "Disciple of Phenax", "Erebos, God of the Dead", "Erebos's Emissary", "Felhide Minotaur", "Fleshmad Steed", "Gray Merchant of Asphodel", "Hero's Downfall", "Hythonia the Cruel", "Insatiable Harpy", "Keepsake Gorgon", "Lash of the Whip", "Loathsome Catoblepas", "March of the Returned", "Mogis's Marauder", "Ordeal of Erebos", "Pharika's Cure", "Read the Bones", "Rescue from the Underworld", "Returned Centaur", "Returned Phalanx", "Scourgemark", "Sip of Hemlock", "Viper's Kiss", "Whip of Erebos", "Akroan Crusader", "Anger of the Gods", "Arena Athlete", "Borderland Minotaur", "Boulderfall", "Coordinated Assault", "Deathbellow Raider", "Dragon Mantle", "Fanatic of Mogis", "Firedrinker Satyr", "Flamespeaker Adept", "Hammer of Purphoros", "Ill-Tempered Cyclops", "Labyrinth Champion", "Lightning Strike", "Messenger's Speed", "Minotaur Skullcleaver", "Peak Eruption", "Portent of Betrayal", "Priest of Iroas", "Purphoros, God of the Forge", "Purphoros's Emissary", "Rage of Purphoros", "Rageblood Shaman", "Satyr Rambler", "Spark Jolt", "Spearpoint Oread", "Stoneshock Giant", "Stormbreath Dragon", "Titan of Eternal Fire", "Titan's Strength", "Two-Headed Cerberus", "Wild Celebrants", "Agent of Horizons", "Arbor Colossus", "Artisan's Sorrow", "Boon Satyr", "Bow of Nylea", "Centaur Battlemaster", "Commune with the Gods", "Defend the Hearth", "Fade into Antiquity", "Feral Invocation", "Hunt the Hunter", "Leafcrown Dryad", "Mistcutter Hydra", "Nemesis of Mortals", "Nessian Asp", "Nylea, God of the Hunt", "Nylea's Disciple", "Nylea's Emissary", "Nylea's Presence", "Ordeal of Nylea", "Pheres-Band Centaurs", "Reverent Hunter", "Satyr Piper", "Sedge Scorpion", "Shredding Winds", "Staunch-Hearted Warrior", "Time to Feed", "Voyaging Satyr", "Vulpine Goliath", "Warriors' Lesson", "Akroan Hoplite", "Ashen Rider", "Ashiok, Nightmare Weaver", "Battlewise Hoplite", "Chronicler of Heroes", "Daxos of Meletis", "Fleecemane Lion", "Horizon Chimera", "Kragma Warcaller", "Medomai the Ageless", "Pharika's Mender", "Polis Crusher", "Prophet of Kruphix", "Psychic Intrusion", "Reaper of the Wilds", "Sentry of the Underworld", "Shipwreck Singer", "Spellheart Chimera", "Steam Augury", "Triad of Fates", "Tymaret, the Murder King", "Underworld Cerberus", "Xenagos, the Reveler", "Akroan Horse", "Anvilwrought Raptor", "Bronze Sable", "Burnished Hart", "Colossus of Akros", "Flamecast Wheel", "Fleetfeather Sandals", "Guardians of Meletis", "Opaline Unicorn", "Prowler's Helm", "Pyxis of Pandemonium", "Witches' Eye", "Nykthos, Shrine to Nyx", "Temple of Abandon", "Temple of Deceit", "Temple of Mystery", "Temple of Silence", "Temple of Triumph", "Unknown Shores", "Act of Authority", "Angel of Finality", "Curse of the Forsaken", "Darksteel Mutation", "Mystic Barrier", "Serene Master", "Tempt with Glory", "Unexpectedly Absent", "Curse of Inertia", "Diviner Spirit", "Djinn of Infinite Deceits", "Illusionist's Gambit", "Order of Succession", "Tempt with Reflections", "Tidal Force", "True-Name Nemesis", "Baleful Force", "Curse of Shallow Graves", "Fell Shepherd", "Hooded Horror", "Ophiomancer", "Price of Knowledge", "Tempt with Immortality", "Toxic Deluge", "Curse of Chaos", "From the Ashes", "Sudden Demise", "Tempt with Vengeance", "Terra Ravager", "Widespread Panic", "Witch Hunt", "Bane of Progress", "Curse of Predation", "Naya Soulbeast", "Primal Vigor", "Restore", "Spawning Grounds", "Tempt with Discovery", "Derevi, Empyrial Tactician", "Gahiji, Honored One", "Jeleva, Nephalia's Scourge", "Marath, Will of the Wild", "Prossh, Skyraider of Kher", "Roon of the Hidden Realm", "Shattergang Brothers", "Sydri, Galvanic Genius", "Eye of Doom", "Surveyor's Scope", "Opal Palace", "Acolyte's Reward", "Akroan Phalanx", "Akroan Skyguard", "Archetype of Courage", "Brimaz, King of Oreskos", "Dawn to Dusk", "Eidolon of Countless Battles", "Elite Skirmisher", "Ephara's Radiance", "Excoriate", "Fated Retribution", "Ghostblade Eidolon", "Glimpse the Sun God", "God-Favored General", "Great Hart", "Griffin Dreamfinder", "Hero of Iroas", "Hold at Bay", "Loyal Pegasus", "Mortal's Ardor", "Nyxborn Shieldmate", "Oreskos Sun Guide", "Ornitharch", "Plea for Guidance", "Spirit of the Labyrinth", "Sunbond", "Vanguard of Brimaz", "Aerie Worshippers", "Archetype of Imagination", "Chorus of the Tides", "Crypsis", "Deepwater Hypnotist", "Evanescent Intellect", "Fated Infatuation", "Flitterstep Eidolon", "Floodtide Serpent", "Kraken of the Straits", "Meletis Astronomer", "Mindreaver", "Nullify", "Nyxborn Triton", "Oracle's Insight", "Perplexing Chimera", "Retraction Helix", "Siren of the Fanged Coast", "Sphinx's Disciple", "Stratus Walk", "Sudden Storm", "Thassa's Rebuff", "Vortex Elemental", "Whelming Wave", "Archetype of Finality", "Ashiok's Adept", "Asphyxiate", "Black Oak of Odunos", "Champion of Stray Souls", "Claim of Erebos", "Drown in Sorrow", "Eye Gouge", "Fate Unraveler", "Fated Return", "Felhide Brawler", "Forlorn Pseudamma", "Forsaken Drifters", "Gild", "Grisly Transformation", "Herald of Torment", "Marshmist Titan", "Nyxborn Eidolon", "Odunos River Trawler", "Sanguimancy", "Servant of Tymaret", "Shrike Harpy", "Spiteful Returned", "Warchanter of Mogis", "Weight of the Underworld", "Akroan Conscriptor", "Archetype of Aggression", "Bolt of Keranos", "Cyclops of One-Eyed Pass", "Epiphany Storm", "Everflame Eidolon", "Fall of the Hammer", "Fearsome Temper", "Felhide Spiritbinder", "Flame-Wreathed Phoenix", "Impetuous Sunchaser", "Kragma Butcher", "Lightning Volley", "Nyxborn Rollicker", "Oracle of Bones", "Pharagax Giant", "Pinnacle of Rage", "Reckless Reveler", "Rise to the Challenge", "Satyr Firedancer", "Satyr Nyx-Smith", "Scouring Sands", "Searing Blood", "Stormcaller of Keranos", "Thunder Brute", "Thunderous Might", "Whims of the Fates", "Archetype of Endurance", "Aspect of Hydra", "Charging Badger", "Courser of Kruphix", "Culling Mark", "Fated Intervention", "Graverobber Spider", "Hero of Leina Tower", "Hunter's Prowess", "Karametra's Favor", "Mischief and Mayhem", "Mortal's Resolve", "Nessian Demolok", "Noble Quarry", "Nyxborn Wolf", "Peregrination", "Pheres-Band Raiders", "Pheres-Band Tromper", "Raised by Wolves", "Satyr Wayfinder", "Scourge of Skola Vale", "Setessan Oathsworn", "Setessan Starbreaker", "Skyreaping", "Snake of the Golden Grove", "Swordwise Centaur", "Unravel the Æther", "Chromanticore", "Ephara, God of the Polis", "Ephara's Enlightenment", "Karametra, God of Harvests", "Kiora, the Crashing Wave", "Mogis, God of Slaughter", "Phenax, God of Deception", "Ragemonger", "Reap What Is Sown", "Siren of the Silent Song", "Xenagos, God of Revels", "Astral Cornucopia", "Gorgon's Head", "Heroes' Podium", "Pillar of War", "Siren Song Lyre", "Temple of Enlightenment", "Temple of Malice", "Temple of Plenty", "Aegis of the Gods", "Ajani's Presence", "Akroan Mastiff", "Armament of Nyx", "Deicide", "Dictate of Heliod", "Eagle of the Watch", "Eidolon of Rhetoric", "Font of Vigor", "Godsend", "Harvestguard Alseids", "Lagonna-Band Trailblazer", "Launch the Fleet", "Leonin Iconoclast", "Mortal Obstinacy", "Nyx-Fleece Ram", "Oppressive Rays", "Oreskos Swiftclaw", "Phalanx Formation", "Quarry Colossus", "Sightless Brawler", "Skybind", "Skyspear Cavalry", "Stonewise Fortifier", "Supply-Line Cranes", "Tethmos High Priest", "Aerial Formation", "Battlefield Thaumaturge", "Cloaked Siren", "Countermand", "Crystalline Nautilus", "Dakra Mystic", "Daring Thief", "Font of Fortunes", "Godhunter Octopus", "Hour of Need", "Hubris", "Hypnotic Siren", "Interpret the Signs", "Kiora's Dismissal", "Pin to the Earth", "Polymorphous Rush", "Pull from the Deep", "Riptide Chimera", "Rise of Eagles", "Sage of Hours", "Sigiled Starfish", "Thassa's Devourer", "Thassa's Ire", "Triton Cavalry", "Triton Shorestalker", "War-Wing Siren", "Whitewater Naiads", "Agent of Erebos", "Aspect of Gorgon", "Bloodcrazed Hoplite", "Cast into Darkness", "Cruel Feeding", "Dictate of Erebos", "Dreadbringer Lampads", "Extinguish All Hope", "Feast of Dreams", "Felhide Petrifier", "Font of Return", "Gnarled Scarhide", "Grim Guardian", "King Macar, the Gold-Cursed", "Master of the Feast", "Nightmarish End", "Nyx Infusion", "Pharika's Chosen", "Returned Reveler", "Ritual of the Returned", "Rotted Hulk", "Silence the Believers", "Spiteful Blow", "Thoughtrender Lamia", "Tormented Thoughts", "Worst Fears", "Akroan Line Breaker", "Bearer of the Heavens", "Blinding Flare", "Cyclops of Eternal Fury", "Eidolon of the Great Revel", "Flamespeaker's Will", "Flurry of Horns", "Font of Ire", "Forgeborn Oreads", "Gluttonous Cyclops", "Harness by Force", "Knowledge and Power", "Lightning Diadem", "Mogis's Warhound", "Pensive Minotaur", "Prophetic Flamespeaker", "Rollick of Abandon", "Rouse the Mob", "Satyr Hoplite", "Sigiled Skink", "Spite of Mogis", "Starfall", "Twinflame", "Wildfire Cerberus", "Bassara Tower Archer", "Colossal Heroics", "Consign to Dust", "Desecration Plague", "Dictate of Karametra", "Font of Fertility", "Golden Hind", "Goldenhide Ox", "Humbler of Mortals", "Hydra Broodmaster", "Kruphix's Insight", "Market Festival", "Nature's Panoply", "Nessian Game Warden", "Oakheart Dryads", "Pheres-Band Thunderhoof", "Pheres-Band Warchief", "Ravenous Leucrocota", "Renowned Weaver", "Reviving Melody", "Satyr Grovedancer", "Setessan Tactics", "Solidarity of Heroes", "Spirespine", "Strength from the Fallen", "Swarmborn Giant", "Ajani, Mentor of Heroes", "Athreos, God of Passage", "Desperate Stand", "Disciple of Deceit", "Fleetfeather Cockatrice", "Iroas, God of Victory", "Keranos, God of Storms", "Kruphix, God of Horizons", "Nyx Weaver", "Pharika, God of Affliction", "Revel of the Fallen God", "Stormchaser Chimera", "Underworld Coinsmith", "Armory of Iroas", "Chariot of Victory", "Deserter's Quarters", "Gold-Forged Sentinel", "Mana Confluence", "Temple of Epiphany", "Temple of Malady", "Advantageous Proclamation", "Backup Plan", "Brago's Favor", "Double Stroke", "Immediate Action", "Iterative Analysis", "Muzzio's Preparations", "Power Play", "Secret Summoning", "Secrets of Paradise", "Sentinel Dispatch", "Unexpected Potential", "Worldknit", "Brago's Representative", "Council Guardian", "Council's Judgment", "Custodi Soulbinders", "Custodi Squire", "Rousing of Souls", "Academy Elite", "Marchesa's Emissary", "Marchesa's Infiltrator", "Muzzio, Visionary Architect", "Plea for Power", "Split Decision", "Bite of the Black Rose", "Drakestown Forgotten", "Grudge Keeper", "Reign of the Pit", "Tyrant's Choice", "Enraged Revolutionary", "Grenzo's Cutthroat", "Grenzo's Rebuttal", "Ignition Team", "Scourge of the Throne", "Treasonous Ogre", "Predator's Howl", "Realm Seekers", "Selvala's Charge", "Selvala's Enforcer", "Brago, King Eternal", "Dack Fayden", "Dack's Duplicate", "Deathreap Ritual", "Extract from Darkness", "Flamewright", "Grenzo, Dungeon Warden", "Marchesa, the Black Rose", "Marchesa's Smuggler", "Selvala, Explorer Returned", "Woodvine Elemental", "Æther Searcher", "Agent of Acquisitions", "Canal Dredger", "Coercive Portal", "Cogwork Grinder", "Cogwork Librarian", "Cogwork Spy", "Cogwork Tracker", "Deal Broker", "Lore Seeker", "Lurking Automaton", "Whispergear Sneak", "Paliano, the High City", "Avacyn, Guardian Angel", "Boonweaver Giant", "Constricting Sliver", "Dauntless River Marshal", "Ephemeral Shields", "First Response", "Geist of the Moors", "Heliod's Pilgrim", "Hushwing Gryff", "Marked by Honor", "Meditation Puzzle", "Paragon of New Dawns", "Pillar of Light", "Return to the Ranks", "Sanctified Charge", "Seraph of the Masses", "Soul of Theros", "Spectra Ward", "Spirit Bonds", "Sungrace Pegasus", "Triplicate Spirits", "Warden of the Beyond", "Ætherspouts", "Amphin Pathmage", "Chasm Skulker", "Chronostutter", "Coral Barrier", "Diffusion Sliver", "Ensoul Artifact", "Frost Lynx", "Glacial Crasher", "Jalira, Master Polymorphist", "Jorubai Murk Lurker", "Kapsho Kitefins", "Master of Predicaments", "Military Intelligence", "Nimbus of the Isles", "Paragon of Gathering Mists", "Polymorphist's Jest", "Quickling", "Research Assistant", "Statute of Denial", "Void Snare", "Blood Host", "Carrion Crow", "Covenant of Blood", "Cruel Sadist", "Endless Obedience", "Eternal Thirst", "Feast on the Fallen", "Festergloom", "Flesh to Dust", "Leeching Sliver", "Necromancer's Assistant", "Necromancer's Stockpile", "Nightfire Giant", "Ob Nixilis, Unshackled", "Paragon of Open Graves", "Rotfeaster Maggot", "Shadowcloak Vampire", "Soul of Innistrad", "Stain the Mind", "Ulcerate", "Unmake the Graves", "Wall of Limbs", "Waste Not", "Witch's Familiar", "Xathrid Slyblade", "Act on Impulse", "Aggressive Mining", "Altac Bloodseeker", "Belligerent Sliver", "Blastfire Bolt", "Borderland Marauder", "Brood Keeper", "Burning Anger", "Crowd's Favor", "Generator Servant", "Goblin Kaboomist", "Hammerhand", "Inferno Fist", "Kird Chieftain", "Krenko's Enforcer", "Kurkesh, Onakke Ancient", "Might Makes Right", "Miner's Bane", "Paragon of Fierce Defiance", "Scrapyard Mongrel", "Soul of Shandalar", "Carnivorous Moss-Beast", "Feral Incarnation", "Genesis Hydra", "Hornet Nest", "Hunter's Ambush", "Invasive Species", "Kalonian Twingrove", "Life's Legacy", "Living Totem", "Netcaster Spider", "Nissa's Expedition", "Paragon of Eternal Wilds", "Shaman of Spring", "Sunblade Elf", "Undergrowth Scavenger", "Venom Sliver", "Vineweft", "Yisan, the Wanderer Bard", "Sliver Hivelord", "Avarice Amulet", "Brawler's Plate", "The Chain Veil", "Hot Soup", "Meteorite", "Obelisk of Urd", "Perilous Vault", "Profane Memento", "Rogue's Gloves", "Sacred Armory", "Scuttling Doom Engine", "Shield of the Avatar", "Soul of New Phyrexia", "Tyrant's Machine", "Will-Forged Golem", "Radiant Fountain", "Sliver Hive", "Mardu Heart-Piercer", "Nomad Outpost", "Jeskai Elder", "Mystic Monastery", "Abzan Battle Priest", "Abzan Falconer", "Ainok Bond-Kin", "Alabaster Kirin", "Brave the Sands", "Dazzling Ramparts", "Defiant Strike", "End Hostilities", "Feat of Resistance", "Firehoof Cavalry", "Jeskai Student", "Kill Shot", "Mardu Hateblade", "Mardu Hordechief", "Rush of Battle", "Sage-Eye Harrier", "Salt Road Patrol", "Seeker of the Way", "Siegecraft", "Take Up Arms", "Timely Hordemate", "Venerable Lammasu", "War Behemoth", "Watcher of the Roost", "Wingmate Roc", "Blinding Spray", "Clever Impersonator", "Dragon's Eye Savants", "Embodiment of Spring", "Force Away", "Glacial Stalker", "Jeskai Windscout", "Kheru Spellsnatcher", "Mistfire Weaver", "Monastery Flock", "Mystic of the Hidden Way", "Pearl Lake Ancient", "Quiet Contemplation", "Riverwheel Aerialists", "Scaldkin", "Scion of Glaciers", "Set Adrift", "Singing Bell Strike", "Stubborn Denial", "Taigam's Scheming", "Treasure Cruise", "Waterwhirl", "Weave Fate", "Wetland Sambar", "Whirlwind Adept", "Bellowing Saddlebrute", "Bitter Revelation", "Dead Drop", "Debilitating Injury", "Disowned Ancestor", "Dutiful Return", "Empty the Pits", "Gurmag Swiftwing", "Kheru Bloodsucker", "Kheru Dreadmaw", "Krumar Bond-Kin", "Mardu Skullhunter", "Mer-Ek Nightblade", "Molting Snakeskin", "Murderous Cut", "Raiders' Spoils", "Rakshasa's Secret", "Retribution of the Ancients", "Rite of the Serpent", "Rotting Mastodon", "Ruthless Ripper", "Shambling Attendants", "Sidisi's Pet", "Sultai Scavenger", "Swarm of Bloodflies", "Throttle", "Unyielding Krumar", "Ainok Tracker", "Arrow Storm", "Ashcloud Phoenix", "Barrage of Boulders", "Bloodfire Expert", "Bloodfire Mentor", "Bring Low", "Burn Away", "Canyon Lurkers", "Dragon Grip", "Goblinslide", "Horde Ambusher", "Howl of the Horde", "Leaping Master", "Mardu Blazebringer", "Mardu Warshrieker", "Monastery Swiftspear", "Sarkhan, the Dragonspeaker", "Summit Prowler", "Swift Kick", "Tormenting Voice", "Valley Dasher", "War-Name Aspirant", "Alpine Grizzly", "Archers' Parapet", "Awaken the Bear", "Become Immense", "Dragonscale Boon", "Feed the Clan", "Highland Game", "Hooded Hydra", "Hooting Mandrills", "Kin-Tree Warden", "Longshot Squad", "Meandering Towershell", "Pine Walker", "Roar of Challenge", "Sagu Archer", "Savage Punch", "Scout the Borders", "See the Unwritten", "Smoke Teller", "Sultai Flayer", "Temur Charger", "Tusked Colossodon", "Tuskguard Captain", "Woolly Loxodon", "Abomination of Gudul", "Abzan Charm", "Abzan Guide", "Armament Corps", "Bear's Companion", "Chief of the Edge", "Chief of the Scale", "Death Frenzy", "Efreet Weaponmaster", "Highspire Mantis", "Icefeather Aven", "Jeskai Charm", "Kin-Tree Invocation", "Mantis Rider", "Mardu Charm", "Mardu Roughrider", "Master the Way", "Mindswipe", "Ponyback Brigade", "Rakshasa Deathdealer", "Ride Down", "Sagu Mauler", "Savage Knuckleblade", "Secret Plans", "Snowhorn Rider", "Sorin, Solemn Visitor", "Sultai Soothsayer", "Temur Charm", "Warden of the Eye", "Winterflame", "Abzan Banner", "Altar of the Brood", "Briber's Purse", "Cranial Archive", "Ghostfire Blade", "Heart-Piercer Bow", "Jeskai Banner", "Lens of Clarity", "Mardu Banner", "Sultai Banner", "Temur Banner", "Ugin's Nexus", "Witness of the Ages", "Bloodfell Caves", "Blossoming Sands", "Dismal Backwater", "Frontier Bivouac", "Jungle Hollow", "Opulent Palace", "Rugged Highlands", "Sandsteppe Citadel", "Scoured Barrens", "Swiftwater Cliffs", "Thornwood Falls", "Tomb of the Spirit Dragon", "Tranquil Cove", "Wind-Scarred Crag", "Angel of the Dire Hour", "Angelic Field Marshal", "Benevolent Offering", "Comeuppance", "Containment Priest", "Deploy to the Front", "Fell the Mighty", "Hallowed Spiritkeeper", "Jazal Goldmane", "Nahiri, the Lithomancer", "Æther Gale", "Breaching Leviathan", "Domineering Will", "Dulcet Sirens", "Intellectual Offering", "Reef Worm", "Stitcher Geralf", "Stormsurge Kraken", "Teferi, Temporal Archmage", "Well of Ideas", "Demon of Wailing Agonies", "Flesh Carver", "Ghoulcaller Gisa", "Infernal Offering", "Malicious Affliction", "Necromantic Selection", "Ob Nixilis of the Black Oath", "Overseer of the Damned", "Raving Dead", "Spoils of Blood", "Wake the Dead", "Bitter Feud", "Daretti, Scrap Savant", "Dualcaster Mage", "Feldon of the Third Path", "Impact Resonance", "Incite Rebellion", "Scrap Mastery", "Tyrant's Familiar", "Volcanic Offering", "Warmonger Hellkite", "Creeperhulk", "Freyalise, Llanowar's Fury", "Grave Sifter", "Lifeblood Hydra", "Siege Behemoth", "Song of the Dryads", "Sylvan Offering", "Thunderfoot Baloth", "Titania, Protector of Argoth", "Wave of Vitriol", "Wolfcaller's Howl", "Assault Suit", "Commander's Sphere", "Crown of Doom", "Loreseeker's Stone", "Masterwork of Ingenuity", "Unstable Obelisk", "Arcane Lighthouse", "Flamekin Village", "Myriad Landscape", "Ugin, the Spirit Dragon", "Mastery of the Unseen", "Soul Summons", "Jeskai Infiltrator", "Reality Shift", "Write into Being", "Sultai Emissary", "Fierce Invocation", "Arashin War Beast", "Formless Nurturing", "Wildcall", "Hewed Stone Retainers", "Ugin's Construct", "Abzan Advantage", "Abzan Runemark", "Abzan Skycaptain", "Arashin Cleric", "Aven Skirmisher", "Channel Harm", "Citadel Siege", "Daghatar the Adamant", "Dragon Bell Monk", "Elite Scaleguard", "Great-Horn Krushok", "Honor's Reward", "Jeskai Barricade", "Lightform", "Lotus-Eye Mystics", "Mardu Woe-Reaper", "Monastery Mentor", "Pressure Point", "Rally the Ancestors", "Sage's Reverie", "Sandblast", "Sandsteppe Outcast", "Soulfire Grand Master", "Valorous Stance", "Wandering Champion", "Wardscale Dragon", "Aven Surveyor", "Cloudform", "Enhanced Awareness", "Fascination", "Frost Walker", "Jeskai Runemark", "Jeskai Sage", "Lotus Path Djinn", "Marang River Prowler", "Mindscour Dragon", "Mistfire Adept", "Monastery Siege", "Neutralizing Blast", "Rakshasa's Disdain", "Refocus", "Renowned Weaponsmith", "Rite of Undoing", "Shifting Loyalties", "Shu Yun, the Silent Tempest", "Sultai Skullkeeper", "Temporal Trespass", "Torrent Elemental", "Whisk Away", "Will of the Naga", "Alesha's Vanguard", "Ancestral Vengeance", "Battle Brawler", "Brutal Hordechief", "Crux of Fate", "Dark Deal", "Diplomacy of the Wastes", "Fearsome Awakening", "Ghastly Conscription", "Grave Strength", "Gurmag Angler", "Hooded Assassin", "Mardu Strike Leader", "Merciless Executioner", "Noxious Dragon", "Orc Sureshot", "Palace Siege", "Qarsi High Priest", "Reach of Shadows", "Sibsig Host", "Sibsig Muckdraggers", "Soulflayer", "Sultai Runemark", "Tasigur, the Golden Fang", "Tasigur's Cruelty", "Alesha, Who Smiles at Death", "Arcbond", "Bathe in Dragonfire", "Bloodfire Enforcers", "Break Through the Line", "Collateral Damage", "Defiant Ogre", "Dragonrage", "Flamewake Phoenix", "Friendly Fire", "Goblin Heelcutter", "Gore Swine", "Humble Defector", "Hungering Yeti", "Lightning Shrieker", "Mardu Runemark", "Mardu Scout", "Mob Rule", "Outpost Siege", "Rageform", "Shaman of the Great Hunt", "Shockmaw Dragon", "Smoldering Efreet", "Temur Battle Rage", "Vaultbreaker", "Wild Slash", "Abzan Kin-Guard", "Ainok Guide", "Ambush Krotiq", "Archers of Qarsi", "Battlefront Krushok", "Cached Defenses", "Destructor Dragon", "Feral Krushok", "Frontier Mastodon", "Frontier Siege", "Fruit of the First Tree", "Map the Wastes", "Return to the Earth", "Ruthless Instincts", "Sudden Reclamation", "Temur Runemark", "Temur Sabertooth", "Warden of the First Tree", "Whisperer of the Wilds", "Whisperwood Elemental", "Winds of Qal Sisma", "Yasova Dragonclaw", "Atarka, World Render", "Cunning Strike", "Dromoka, the Eternal", "Ethereal Ambush", "Grim Contest", "Harsh Sustenance", "Kolaghan, the Storm's Fury", "Ojutai, Soul of Winter", "Silumgar, the Drifting Death", "War Flare", "Goblin Boom Keg", "Hero's Blade", "Pilgrim of the Fires", "Scroll of the Masters", "Crucible of the Spirit Dragon", "Soldier", "Kraken", "Scion of Ugin", "Anafenza, Kin-Tree Spirit", "Arashin Foremost", "Artful Maneuver", "Aven Sunstriker", "Aven Tactician", "Center Soul", "Champion of Arashin", "Dragon Hunter", "Dragon's Eye Sentry", "Dromoka Captain", "Dromoka Dunecaster", "Dromoka Warrior", "Echoes of the Kin Tree", "Enduring Victory", "Fate Forgotten", "Glaring Aegis", "Gleam of Authority", "Graceblade Artisan", "Great Teacher's Decree", "Herald of Dromoka", "Hidden Dragonslayer", "Lightwalker", "Misthoof Kirin", "Myth Realized", "Ojutai Exemplars", "Orator of Ojutai", "Profound Journey", "Radiant Purge", "Resupply", "Sandcrafter Mage", "Sandstorm Charger", "Scale Blessing", "Secure the Wastes", "Shieldhide Dragon", "Silkwrap", "Strongarm Monk", "Student of Ojutai", "Sunscorch Regent", "Surge of Righteousness", "Territorial Roc", "Ancient Carp", "Anticipate", "Belltoll Dragon", "Blessed Reincarnation", "Clone Legion", "Contradict", "Dance of the Skywise", "Dirgur Nemesis", "Dragonlord's Prerogative", "Elusive Spellfist", "Encase in Ice", "Glint", "Gudul Lurker", "Gurmag Drowner", "Icefall Regent", "Illusory Gains", "Learn from the Past", "Living Lore", "Mirror Mockery", "Monastery Loremaster", "Mystic Meditation", "Ojutai Interceptor", "Ojutai's Breath", "Ojutai's Summons", "Palace Familiar", "Profaner of the Dead", "Qarsi Deceiver", "Reduce in Stature", "Shorecrasher Elemental", "Sidisi's Faithful", "Sight Beyond Sight", "Silumgar Sorcerer", "Silumgar Spell-Eater", "Silumgar's Scorn", "Skywise Teachings", "Stratus Dancer", "Taigam's Strike", "Updraft Elemental", "Void Squall", "Youthful Scholar", "Zephyr Scribe", "Acid-Spewer Dragon", "Ambuscade Shaman", "Blood-Chin Fanatic", "Blood-Chin Rager", "Butcher's Glee", "Coat with Venom", "Corpseweft", "Damnable Pact", "Deadly Wanderings", "Defeat", "Dutiful Attendant", "Flatten", "Foul Renewal", "Foul-Tongue Invocation", "Foul-Tongue Shriek", "Hand of Silumgar", "Hedonist's Trove", "Kolaghan Skirmisher", "Marang River Skeleton", "Marsh Hulk", "Minister of Pain", "Pitiless Horde", "Qarsi Sadist", "Rakshasa Gravecaller", "Reckless Imp", "Risen Executioner", "Self-Inflicted Wound", "Shambling Goblin", "Sibsig Icebreakers", "Sidisi, Undead Vizier", "Silumgar Assassin", "Silumgar Butcher", "Ukud Cobra", "Virulent Plague", "Vulturous Aven", "Wandering Tombshell", "Atarka Efreet", "Atarka Pummeler", "Berserkers' Onslaught", "Commune with Lava", "Crater Elemental", "Descent of the Dragons", "Draconic Roar", "Dragon Tempest", "Dragon Whisperer", "Hardened Berserker", "Impact Tremors", "Ire Shaman", "Kolaghan Aspirant", "Kolaghan Forerunners", "Kolaghan Stormsinger", "Lightning Berserker", "Lose Calm", "Magmatic Chasm", "Qal Sisma Behemoth", "Rending Volley", "Roast", "Sabertooth Outrider", "Sarkhan's Rage", "Sarkhan's Triumph", "Screamreach Brawler", "Seismic Rupture", "Sprinting Warbrute", "Stormcrag Elemental", "Stormwing Dragon", "Tail Slash", "Twin Bolt", "Vandalize", "Volcanic Rush", "Volcanic Vision", "Warbringer", "Zurgo Bellstriker", "Aerie Bowmasters", "Ainok Artillerist", "Ainok Survivalist", "Assault Formation", "Atarka Beastbreaker", "Avatar of the Resolute", "Circle of Elders", "Collected Company", "Colossodon Yearling", "Conifer Strider", "Deathmist Raptor", "Den Protector", "Display of Dominance", "Dragon-Scarred Bear", "Dromoka's Gift", "Epic Confrontation", "Glade Watcher", "Guardian Shield-Bearer", "Herdchaser Dragon", "Inspiring Call", "Lurking Arynx", "Obscuring Æther", "Pinion Feast", "Press the Advantage", "Revealing Wind", "Salt Road Ambushers", "Salt Road Quartermasters", "Sandsteppe Scavenger", "Segmented Krotiq", "Servant of the Scale", "Shaman of Forgotten Ways", "Shape the Sands", "Sheltered Aerie", "Sight of the Scalelords", "Stampeding Elk Herd", "Sunbringer's Touch", "Surrak, the Hunt Caller", "Tread Upon", "Atarka's Command", "Cunning Breezedancer", "Dragonlord Atarka", "Dragonlord Dromoka", "Dragonlord Kolaghan", "Dragonlord Ojutai", "Dragonlord Silumgar", "Dromoka's Command", "Enduring Scalelord", "Kolaghan's Command", "Narset Transcendent", "Ruthless Deathfang", "Sarkhan Unbroken", "Savage Ventmaw", "Silumgar's Command", "Swift Warkite", "Ancestral Statue", "Atarka Monument", "Custodian of the Trove", "Dragonloft Idol", "Dromoka Monument", "Gate Smasher", "Keeper of the Lens", "Kolaghan Monument", "Ojutai Monument", "Silumgar Monument", "Stormrider Rig", "Tapestry of the Ages", "Vial of Dragonfire", "Haven of the Spirit Dragon", "Akroan Jailer", "Ampryn Tactician", "Anointer of Champions", "Archangel of Tithes", "Aven Battle Priest", "Blessed Spirits", "Cleric of the Forward Order", "Consul's Lieutenant", "Enlightened Ascetic", "Enshrouding Mist", "Gideon's Phalanx", "Grasp of the Hieromancer", "Hallowed Moonlight", "Healing Hands", "Heavy Infantry", "Hixus, Prison Warden", "Knight of the Pilgrim's Road", "Kytheon, Hero of Akros", "Gideon, Battle-Forged", "Kytheon's Irregulars", "Kytheon's Tactics", "Patron of the Valiant", "Relic Seeker", "Sentinel of the Eternal Watch", "Stalwart Aven", "Starfield of Nyx", "Suppression Bonds", "Swift Reckoning", "Topan Freeblade", "Tragic Arrogance", "Valor in Akros", "Vryn Wingmare", "War Oracle", "Alhammarret, High Arbiter", "Anchor to the Æther", "Artificer's Epiphany", "Aspiring Aeronaut", "Calculated Dismissal", "Clash of Wills", "Day's Undoing", "Deep-Sea Terror", "Disciple of the Ring", "Displacement Wave", "Faerie Miscreant", "Harbinger of the Tides", "Hydrolash", "Jace, Vryn's Prodigy", "Jace, Telepath Unbound", "Jace's Sanctum", "Jhessian Thief", "Mizzium Meddler", "Nivix Barrier", "Psychic Rebuttal", "Ringwarden Owl", "Send to Sleep", "Separatist Voidmage", "Soulblade Djinn", "Sphinx's Tutelage", "Talent of the Telepath", "Thopter Spy Network", "Whirler Rogue", "Willbreaker", "Consecrated by Blood", "Dark Dabbling", "Dark Petition", "Deadbridge Shaman", "Demonic Pact", "Despoiler of Souls", "Erebos's Titan", "Eyeblight Assassin", "Eyeblight Massacre", "Fetid Imp", "Gilt-Leaf Winnower", "Gnarlroot Trapper", "Graveblade Marauder", "Infernal Scarring", "Infinite Obliteration", "Kothophed, Soul Hoarder", "Languish", "Liliana, Heretical Healer", "Liliana, Defiant Necromancer", "Malakir Cullblade", "Necromantic Summons", "Nightsnare", "Priest of the Blood Rite", "Rabid Bloodsucker", "Reave Soul", "Shadows of the Past", "Shambling Ghoul", "Tainted Remedy", "Thornbow Archer", "Touch of Moonglove", "Undead Servant", "Unholy Hunger", "Abbot of Keral Keep", "Acolyte of the Inferno", "Akroan Sergeant", "Avaricious Dragon", "Boggart Brute", "Call of the Full Moon", "Chandra, Fire of Kaladesh", "Chandra, Roaring Flame", "Chandra's Ignition", "Embermaw Hellion", "Enthralling Victor", "Exquisite Firecraft", "Fiery Impulse", "Firefiend Elemental", "Flameshadow Conjuring", "Ghirapur Æther Grid", "Ghirapur Gearcrafter", "Goblin Glory Chaser", "Infectious Bloodlust", "Lightning Javelin", "Mage-Ring Bully", "Magmatic Insight", "Molten Vortex", "Pia and Kiran Nalaar", "Prickleboar", "Ravaging Blaze", "Scab-Clan Berserker", "Seismic Elemental", "Skyraker Giant", "Subterranean Scout", "Thopter Engineer", "Volcanic Rambler", "Aerial Volley", "Animist's Awakening", "Caustic Caterpillar", "Conclave Naturalists", "Dwynen, Gilt-Leaf Daen", "Dwynen's Elite", "Elemental Bond", "Evolutionary Leap", "Gather the Pack", "The Great Aurora", "Herald of the Pantheon", "Hitchclaw Recluse", "Honored Hierarch", "Joraga Invocation", "Managorger Hydra", "Mantle of Webs", "Nissa, Vastwood Seer", "Nissa, Sage Animist", "Nissa's Pilgrimage", "Nissa's Revelation", "Outland Colossus", "Pharika's Disciple", "Rhox Maulers", "Skysnare Spider", "Somberwald Alpha", "Undercity Troll", "Valeron Wardens", "Vine Snare", "Wild Instincts", "Woodland Bellower", "Zendikar's Roil", "Blazing Hellhound", "Blood-Cursed Knight", "Bounding Krasis", "Citadel Castellan", "Iroas's Champion", "Possessed Skaab", "Reclusive Artificer", "Shaman of the Pack", "Thunderclap Wyvern", "Zendikar Incarnate", "Alchemist's Vial", "Alhammarret's Archive", "Bonded Construct", "Chief of the Foundry", "Guardian Automaton", "Hangarback Walker", "Helm of the Gods", "Mage-Ring Responder", "Orbs of Warding", "Prism Ring", "Pyromancer's Goggles", "Ramroller", "Sigil of Valor", "Sword of the Animist", "Throwing Knife", "Veteran's Sidearm", "War Horn", "Foundry of the Consuls", "Mage-Ring Network", "Sheer Drop", "Retreat to Kazandu", "Veteran Warleader", "Oblivion Sower", "Dominator Drone", "Forerunner of Slaughter", "Eldrazi Spawn", "Hellion", "Plant", "Bane of Bala Ged", "Blight Herder", "Breaker of Armies", "Conduit of Ruin", "Deathless Behemoth", "Desolation Twin", "Eldrazi Devastator", "Endless One", "Gruesome Slaughter", "Kozilek's Channeler", "Ruin Processor", "Scour from Existence", "Titan's Presence", "Ulamog, the Ceaseless Hunger", "Ulamog's Despoiler", "Void Winnower", "Angel of Renewal", "Angelic Gift", "Cliffside Lookout", "Courier Griffin", "Emeria Shepherd", "Encircling Fissure", "Expedition Envoy", "Felidar Cub", "Fortified Rampart", "Ghostly Sentinel", "Gideon, Ally of Zendikar", "Gideon's Reproach", "Hero of Goma Fada", "Kitesail Scout", "Kor Bladewhirl", "Kor Castigator", "Kor Entanglers", "Lantern Scout", "Lithomancer's Focus", "Makindi Patrol", "Ondu Greathorn", "Ondu Rising", "Planar Outburst", "Quarantine Field", "Retreat to Emeria", "Roil's Retribution", "Serene Steward", "Shadow Glider", "Stasis Snare", "Stone Haven Medic", "Tandem Tactics", "Unified Front", "Adverse Conditions", "Benthic Infiltrator", "Cryptic Cruiser", "Drowner of Hope", "Eldrazi Skyspawner", "Horribly Awry", "Incubator Drone", "Mist Intruder", "Murk Strider", "Oracle of Dust", "Ruination Guide", "Salvage Drone", "Spell Shrivel", "Tide Drifter", "Ulamog's Reclaimer", "Brilliant Spectrum", "Cloud Manta", "Clutch of Currents", "Coastal Discovery", "Coralhelm Guide", "Dampening Pulse", "Exert Influence", "Guardian of Tazeem", "Halimar Tidecaller", "Part the Waterveil", "Prism Array", "Retreat to Coralhelm", "Roilmage's Trick", "Rush of Ice", "Scatter to the Winds", "Tightening Coils", "Ugin's Insight", "Wave-Wing Elemental", "Windrider Patrol", "Complete Disregard", "Culling Drone", "Grave Birthing", "Grip of Desolation", "Mind Raker", "Silent Skimmer", "Skitterskin", "Sludge Crawler", "Smothering Abomination", "Swarm Surge", "Transgress the Mind", "Wasteland Strangler", "Bloodbond Vampire", "Carrier Thrall", "Defiant Bloodlord", "Demon's Grasp", "Drana, Liberator of Malakir", "Geyserfield Stalker", "Guul Draz Overseer", "Hagra Sharpshooter", "Kalastria Healer", "Kalastria Nightwatch", "Malakir Familiar", "Mire's Malice", "Nirkana Assassin", "Ob Nixilis Reignited", "Painful Truths", "Retreat to Hagra", "Rising Miasma", "Ruinous Path", "Vampiric Rites", "Voracious Null", "Zulaport Cutthroat", "Barrage Tyrant", "Crumble to Dust", "Kozilek's Sentinel", "Molten Nursery", "Nettle Drone", "Processor Assault", "Serpentine Spike", "Touch of the Void", "Turn Against", "Vestige of Emrakul", "Vile Aggregate", "Akoum Firebird", "Akoum Hellkite", "Akoum Stonewaker", "Belligerent Whiptail", "Boiling Earth", "Chasm Guide", "Firemantle Mage", "Lavastep Raider", "Makindi Sliderunner", "Ondu Champion", "Outnumber", "Radiant Flames", "Reckless Cohort", "Retreat to Valakut", "Shatterskull Recruit", "Stonefury", "Sure Strike", "Tunneling Geopede", "Valakut Invoker", "Valakut Predator", "Volcanic Upheaval", "Zada, Hedron Grinder", "Blisterpod", "Brood Monitor", "Call the Scions", "Eyeless Watcher", "From Beyond", "Unnatural Aggression", "Void Attendant", "Beastcaller Savant", "Broodhunter Wurm", "Earthen Arms", "Greenwarden of Murasa", "Infuse with the Elements", "Jaddi Offshoot", "Lifespring Druid", "Murasa Ranger", "Natural Connection", "Nissa's Renewal", "Oran-Rief Hydra", "Oran-Rief Invoker", "Plated Crusher", "Reclaiming Vines", "Rot Shambler", "Scythe Leopard", "Seek the Wilds", "Snapping Gnarlid", "Swell of Growth", "Tajuru Beastmaster", "Tajuru Stalwart", "Tajuru Warcaller", "Undergrowth Champion", "Woodland Wanderer", "Brood Butcher", "Brutal Expulsion", "Catacomb Sifter", "Dust Stalker", "Fathom Feeder", "Herald of Kozilek", "Sire of Stagnation", "Ulamog's Nullifier", "Angelic Captain", "Bring to Light", "Drana's Emissary", "Grove Rumbler", "Grovetender Druids", "Kiora, Master of the Depths", "March from the Tomb", "Munda, Ambush Leader", "Noyan Dar, Roil Shaper", "Omnath, Locus of Rage", "Resolute Blademaster", "Roil Spout", "Skyrider Elf", "Aligned Hedron Network", "Hedron Archive", "Hedron Blade", "Pathway Arrows", "Slab Hammer", "Ally Encampment", "Blighted Cataract", "Blighted Fen", "Blighted Gorge", "Blighted Steppe", "Blighted Woodland", "Canopy Vista", "Cinder Glade", "Fertile Thicket", "Looming Spires", "Lumbering Falls", "Mortuary Mire", "Prairie Stream", "Sanctum of Ugin", "Sandstone Bridge", "Shambling Vent", "Shrine of the Forsaken Gods", "Skyline Cascade", "Smoldering Marsh", "Spawning Bed", "Sunken Hollow", "Bastion Protector", "Dawnbreak Reclaimer", "Grasp of Fate", "Herald of the Host", "Kalemne's Captain", "Oreskos Explorer", "Righteous Confluence", "Shielded by Faith", "Æthersnatch", "Broodbirth Viper", "Gigantoplasm", "Illusory Ambusher", "Mirror Match", "Mystic Confluence", "Synthetic Destiny", "Banshee of the Dread Choir", "Corpse Augur", "Daxos's Torment", "Deadly Tempest", "Dread Summons", "Scourge of Nel Toth", "Thief of Blood", "Wretched Confluence", "Awaken the Sky Tyrant", "Dream Pillager", "Fiery Confluence", "Magus of the Wheel", "Meteor Blast", "Mizzix's Mastery", "Rite of the Raging Storm", "Warchief Giant", "Arachnogenesis", "Bloodspore Thrinax", "Caller of the Pack", "Centaur Vinecrasher", "Ezuri's Predation", "Great Oak Guardian", "Pathbreaker Ibex", "Skullwinder", "Verdant Confluence", "Anya, Merciless Angel", "Arjun, the Shifting Flame", "Daxos the Returned", "Ezuri, Claw of Progress", "Kalemne, Disciple of Iroas", "Karlov of the Ghost Council", "Kaseto, Orochi Archmage", "Mazirek, Kraul Death Priest", "Meren of Clan Nel Toth", "Mizzix of the Izmagnus", "Blade of Selves", "Sandstone Oracle", "Scytheclaw", "Seal of the Guildpact", "Thought Vessel", "Command Beacon", "Deceiver of Form", "Eldrazi Mimic", "Endbringer", "Kozilek, the Great Distortion", "Kozilek's Pathfinder", "Matter Reshaper", "Reality Smasher", "Spatial Contortion", "Thought-Knot Seer", "Walker of the Wastes", "Warden of Geometries", "Warping Wail", "Eldrazi Displacer", "Affa Protector", "Allied Reinforcements", "Call the Gatewatch", "Dazzling Reflection", "Expedition Raptor", "General Tazri", "Immolating Glare", "Iona's Blessing", "Isolation Zone", "Kor Scythemaster", "Kor Sky Climber", "Linvala, the Preserver", "Make a Stand", "Makindi Aeronaut", "Munda's Vanguard", "Oath of Gideon", "Ondu War Cleric", "Relief Captain", "Searing Light", "Shoulder to Shoulder", "Spawnbinder Mage", "Steppe Glider", "Stone Haven Outfitter", "Stoneforge Acolyte", "Wall of Resurgence", "Abstruse Interference", "Blinding Drone", "Cultivator Drone", "Deepfathom Skulker", "Dimensional Infiltrator", "Gravity Negator", "Prophet of Distortion", "Slip Through Space", "Thought Harvester", "Void Shatter", "Ancient Crab", "Comparative Analysis", "Containment Membrane", "Crush of Tentacles", "Cyclone Sire", "Gift of Tusks", "Grip of the Roil", "Hedron Alignment", "Jwar Isle Avenger", "Oath of Jace", "Overwhelming Denial", "Roiling Waters", "Sphinx of the Final Word", "Sweep Away", "Umara Entangler", "Unity of Purpose", "Bearer of Silence", "Dread Defiler", "Essence Depleter", "Flaying Tendrils", "Havoc Sower", "Inverter of Truth", "Kozilek's Shrieker", "Kozilek's Translator", "Oblivion Strike", "Reaver Drone", "Sifter of Skulls", "Sky Scourer", "Slaughter Drone", "Unnatural Endurance", "Visions of Brutality", "Witness the End", "Corpse Churn", "Drana's Chosen", "Kalitas, Traitor of Ghet", "Malakir Soothsayer", "Null Caller", "Remorseless Punishment", "Tar Snare", "Untamed Hunger", "Vampire Envoy", "Zulaport Chainmage", "Consuming Sinkhole", "Eldrazi Aggressor", "Eldrazi Obligator", "Immobilizer Eldrazi", "Kozilek's Return", "Maw of Kozilek", "Reality Hemorrhage", "Akoum Flameseeker", "Boulder Salvo", "Brute Strength", "Chandra, Flamecaller", "Cinder Hellion", "Devour in Flames", "Embodiment of Fury", "Expedite", "Fall of the Titans", "Goblin Dark-Dwellers", "Goblin Freerunner", "Kazuul's Toll Collector", "Oath of Chandra", "Press into Service", "Pyromancer's Assault", "Reckless Bushwhacker", "Sparkmage's Gambit", "Tears of Valakut", "Tyrant of Valakut", "Zada's Commando", "Birthing Hulk", "Ruin in Their Wake", "Scion Summoner", "Stalking Drone", "Vile Redeemer", "World Breaker", "Baloth Pup", "Bonds of Mortality", "Canopy Gorger", "Elemental Uprising", "Embodiment of Insight", "Gladehart Cavalry", "Harvester Troll", "Lead by Example", "Loam Larva", "Natural State", "Nissa, Voice of Zendikar", "Nissa's Judgment", "Oath of Nissa", "Pulse of Murasa", "Saddleback Lagac", "Seed Guardian", "Sylvan Advocate", "Tajuru Pathwarden", "Vines of the Recluse", "Zendikar Resurgent", "Flayer Drone", "Mindmelter", "Void Grafter", "Ayli, Eternal Pilgrim", "Baloth Null", "Cliffhaven Vampire", "Joraga Auxiliary", "Jori En, Ruin Diver", "Mina and Denn, Wildborn", "Reflector Mage", "Relentless Hunter", "Stormchaser Mage", "Weapons Trainer", "Captain's Claws", "Chitinous Cloak", "Hedron Crawler", "Seer's Lantern", "Stoneforge Masterwork", "Cinder Barrens", "Corrupted Crossroads", "Crumbling Vestige", "Hissing Quagmire", "Holdout Settlement", "Meandering River", "Mirrorpool", "Needle Spires", "Ruins of Oran-Rief", "Sea Gate Wreckage", "Submerged Boneyard", "Timber Gorge", "Tranquil Expanse", "Wandering Fumarole", "Wastes", "Eerie Interlude", "Topplegeist", "Pore Over the Pages", "Mindwrack Demon", "Compelling Deterrence", "Tooth Collector", "Angel", "Human", "Zombie" ], "ue4_filenames" : [ "UE4Client.Target.cs", "UE4Editor.Target.cs", "UE4Game.Target.cs", "UE4Server.Target.cs", "AITestSuite.Build.cs", "MockAI.h", "MockAI_BT.h", "MockGameplayTasks.h", "TestPawnAction_CallFunction.h", "TestPawnAction_Log.h", "TestBTDecorator_CantExecute.h", "TestBTDecorator_DelayedAbort.h", "TestBTTask_LatentWithFlags.h", "TestBTTask_Log.h", "TestBTTask_SetFlag.h", "AITestSuite.cpp", "AITestSuitePrivatePCH.h", "TestLogger.cpp", "TestPawnAction_CallFunction.cpp", "TestPawnAction_Log.cpp", "TestBTDecorator_CantExecute.cpp", "TestBTDecorator_DelayedAbort.cpp", "TestBTTask_LatentWithFlags.cpp", "TestBTTask_Log.cpp", "TestBTTask_SetFlag.cpp", "MockAI.cpp", "MockAI_BT.cpp", "MockGameplayTasks.cpp", "AITestsCommon.cpp", "AITestsCommon.h", "BBTest.cpp", "BTTest.cpp", "GameplayTasksTest.cpp", "PawnActionsTest.cpp", "ResourceIdTest.cpp", "AITestSuite.h", "BTBuilder.h", "TestLogger.h", "AllDesktopTargetPlatform.Build.cs", "AllDesktopTargetPlatform.cpp", "AllDesktopTargetPlatform.h", "AllDesktopTargetPlatformModule.cpp", "AllDesktopTargetPlatformPrivatePCH.h", "AndroidDeviceDetection.Build.cs", "AndroidDeviceDetectionModule.cpp", "AndroidDeviceDetectionPrivatePCH.h", "AndroidDeviceDetection.h", "IAndroidDeviceDetection.h", "IAndroidDeviceDetectionModule.h", "AndroidPlatformEditor.Build.cs", "AndroidPlatformEditorModule.cpp", "AndroidPlatformEditorPrivatePCH.h", "AndroidSDKSettings.cpp", "AndroidSDKSettings.h", "AndroidSDKSettingsCustomization.cpp", "AndroidSDKSettingsCustomization.h", "AndroidTargetSettingsCustomization.cpp", "AndroidTargetSettingsCustomization.h", "AndroidTargetPlatform.Build.cs", "AndroidTargetDevice.h", "AndroidTargetDeviceOutput.h", "AndroidTargetPlatform.h", "AndroidTargetPlatformModule.cpp", "AndroidTargetPlatformPrivatePCH.h", "Android_ASTCTargetPlatform.Build.cs", "Android_ASTCTargetPlatformModule.cpp", "Android_ASTCTargetPlatformPrivatePCH.h", "Android_ATCTargetPlatform.Build.cs", "Android_ATCTargetPlatformModule.cpp", "Android_ATCTargetPlatformPrivatePCH.h", "Android_DXTTargetPlatform.Build.cs", "Android_DXTTargetPlatformModule.cpp", "Android_DXTTargetPlatformPrivatePCH.h", "Android_ETC1TargetPlatform.Build.cs", "Android_ETC1TargetPlatformModule.cpp", "Android_ETC1TargetPlatformPrivatePCH.h", "Android_ETC2TargetPlatform.Build.cs", "Android_ETC2TargetPlatformModule.cpp", "Android_ETC2TargetPlatformPrivatePCH.h", "Android_MultiTargetPlatform.Build.cs", "Android_MultiTargetPlatformModule.cpp", "Android_MultiTargetPlatformPrivatePCH.h", "IAndroid_MultiTargetPlatformModule.h", "Android_PVRTCTargetPlatform.Build.cs", "Android_PVRTCTargetPlatformModule.cpp", "Android_PVRTCTargetPlatformPrivatePCH.h", "MetalShaderFormat.Build.cs", "MetalBackend.cpp", "MetalBackend.h", "MetalShaderCompiler.cpp", "MetalShaderFormat.cpp", "MetalShaderFormat.h", "MetalUtils.cpp", "MetalUtils.h", "AssetTools.Build.cs", "AssetFixUpRedirectors.cpp", "AssetFixUpRedirectors.h", "AssetRenameManager.cpp", "AssetRenameManager.h", "AssetTools.cpp", "AssetTools.h", "AssetToolsConsoleCommands.h", "AssetToolsModule.cpp", "AssetToolsPrivatePCH.h", "SDiscoveringAssetsDialog.cpp", "SDiscoveringAssetsDialog.h", "SPackageReportDialog.cpp", "SPackageReportDialog.h", "AssetTypeActions_AimOffset.h", "AssetTypeActions_AimOffset1D.h", "AssetTypeActions_AnimationAsset.cpp", "AssetTypeActions_AnimationAsset.h", "AssetTypeActions_AnimBlueprint.cpp", "AssetTypeActions_AnimBlueprint.h", "AssetTypeActions_AnimComposite.h", "AssetTypeActions_AnimMontage.h", "AssetTypeActions_AnimSequence.cpp", "AssetTypeActions_AnimSequence.h", "AssetTypeActions_BlendSpace.h", "AssetTypeActions_BlendSpace1D.h", "AssetTypeActions_Blueprint.cpp", "AssetTypeActions_Blueprint.h", "AssetTypeActions_CameraAnim.cpp", "AssetTypeActions_CameraAnim.h", "AssetTypeActions_Class.cpp", "AssetTypeActions_Class.h", "AssetTypeActions_ClassTypeBase.cpp", "AssetTypeActions_ClassTypeBase.h", "AssetTypeActions_CSVAssetBase.cpp", "AssetTypeActions_Curve.cpp", "AssetTypeActions_Curve.h", "AssetTypeActions_CurveFloat.h", "AssetTypeActions_CurveLinearColor.h", "AssetTypeActions_CurveTable.cpp", "AssetTypeActions_CurveTable.h", "AssetTypeActions_CurveVector.h", "AssetTypeActions_DataAsset.h", "AssetTypeActions_DataTable.cpp", "AssetTypeActions_DataTable.h", "AssetTypeActions_DestructibleMesh.cpp", "AssetTypeActions_DestructibleMesh.h", "AssetTypeActions_DialogueVoice.h", "AssetTypeActions_DialogueWave.cpp", "AssetTypeActions_DialogueWave.h", "AssetTypeActions_Enum.cpp", "AssetTypeActions_Enum.h", "AssetTypeActions_FbxSceneImportData.cpp", "AssetTypeActions_FbxSceneImportData.h", "AssetTypeActions_Font.cpp", "AssetTypeActions_Font.h", "AssetTypeActions_ForceFeedbackEffect.cpp", "AssetTypeActions_ForceFeedbackEffect.h", "AssetTypeActions_InstancedFoliageSettings.cpp", "AssetTypeActions_InstancedFoliageSettings.h", "AssetTypeActions_InterpData.h", "AssetTypeActions_LandscapeGrassType.h", "AssetTypeActions_LandscapeLayer.h", "AssetTypeActions_Material.cpp", "AssetTypeActions_Material.h", "AssetTypeActions_MaterialFunction.cpp", "AssetTypeActions_MaterialFunction.h", "AssetTypeActions_MaterialInstanceConstant.cpp", "AssetTypeActions_MaterialInstanceConstant.h", "AssetTypeActions_MaterialInterface.cpp", "AssetTypeActions_MaterialInterface.h", "AssetTypeActions_MaterialParameterCollection.h", "AssetTypeActions_MorphTarget.cpp", "AssetTypeActions_MorphTarget.h", "AssetTypeActions_NiagaraEffect.cpp", "AssetTypeActions_NiagaraEffect.h", "AssetTypeActions_NiagaraScript.cpp", "AssetTypeActions_NiagaraScript.h", "AssetTypeActions_ObjectLibrary.h", "AssetTypeActions_ParticleSystem.cpp", "AssetTypeActions_ParticleSystem.h", "AssetTypeActions_PhysicalMaterial.cpp", "AssetTypeActions_PhysicalMaterial.h", "AssetTypeActions_PhysicsAsset.cpp", "AssetTypeActions_PhysicsAsset.h", "AssetTypeActions_ProceduralFoliageSpawner.cpp", "AssetTypeActions_ProceduralFoliageSpawner.h", "AssetTypeActions_Redirector.cpp", "AssetTypeActions_Redirector.h", "AssetTypeActions_ReverbEffect.cpp", "AssetTypeActions_ReverbEffect.h", "AssetTypeActions_Rig.cpp", "AssetTypeActions_Rig.h", "AssetTypeActions_SkeletalMesh.cpp", "AssetTypeActions_SkeletalMesh.h", "AssetTypeActions_Skeleton.cpp", "AssetTypeActions_Skeleton.h", "AssetTypeActions_SlateBrush.cpp", "AssetTypeActions_SlateBrush.h", "AssetTypeActions_SlateWidgetStyle.cpp", "AssetTypeActions_SlateWidgetStyle.h", "AssetTypeActions_SoundAttenuation.cpp", "AssetTypeActions_SoundAttenuation.h", "AssetTypeActions_SoundBase.cpp", "AssetTypeActions_SoundBase.h", "AssetTypeActions_SoundClass.cpp", "AssetTypeActions_SoundClass.h", "AssetTypeActions_SoundConcurrency.cpp", "AssetTypeActions_SoundConcurrency.h", "AssetTypeActions_SoundCue.cpp", "AssetTypeActions_SoundCue.h", "AssetTypeActions_SoundMix.cpp", "AssetTypeActions_SoundMix.h", "AssetTypeActions_SoundWave.cpp", "AssetTypeActions_SoundWave.h", "AssetTypeActions_StaticMesh.cpp", "AssetTypeActions_StaticMesh.h", "AssetTypeActions_Struct.cpp", "AssetTypeActions_Struct.h", "AssetTypeActions_SubsurfaceProfile.cpp", "AssetTypeActions_SubsurfaceProfile.h", "AssetTypeActions_Texture.cpp", "AssetTypeActions_Texture.h", "AssetTypeActions_Texture2D.cpp", "AssetTypeActions_Texture2D.h", "AssetTypeActions_TextureCube.h", "AssetTypeActions_TextureLightProfile.cpp", "AssetTypeActions_TextureLightProfile.h", "AssetTypeActions_TextureRenderTarget.cpp", "AssetTypeActions_TextureRenderTarget.h", "AssetTypeActions_TextureRenderTarget2D.h", "AssetTypeActions_TextureRenderTargetCube.h", "AssetTypeActions_TouchInterface.cpp", "AssetTypeActions_TouchInterface.h", "AssetTypeActions_VectorField.h", "AssetTypeActions_VectorFieldAnimated.h", "AssetTypeActions_VectorFieldStatic.cpp", "AssetTypeActions_VectorFieldStatic.h", "AssetTypeActions_VertexAnimation.cpp", "AssetTypeActions_VertexAnimation.h", "AssetTypeActions_World.cpp", "AssetTypeActions_World.h", "AssetToolsModule.h", "AssetTypeActions_Base.h", "AssetTypeActions_CSVAssetBase.h", "AssetTypeCategories.h", "ClassTypeActions_Base.h", "IAssetTools.h", "IAssetTypeActions.h", "IClassTypeActions.h", "AudioFormatADPCM.Build.cs", "AudioFormatADPCM.cpp", "AudioFormatADPCM.h", "AudioFormatOgg.Build.cs", "AudioFormatOgg.cpp", "AudioFormatOgg.h", "AudioFormatOpus.Build.cs", "AudioFormatOpus.cpp", "AudioFormatOpus.h", "AutomationController.Build.cs", "AutomationCommandline.cpp", "AutomationControllerManager.h", "AutomationControllerManger.cpp", "AutomationControllerModule.cpp", "AutomationControllerModule.h", "AutomationControllerPrivatePCH.h", "AutomationDeviceClusterManager.cpp", "AutomationDeviceClusterManager.h", "AutomationReport.cpp", "AutomationReport.h", "AutomationReportManager.cpp", "AutomationReportManager.h", "AutomationController.h", "IAutomationControllerManager.h", "IAutomationControllerModule.h", "IAutomationReport.h", "AutomationWindow.Build.cs", "AutomationFilter.h", "AutomationPresetManager.cpp", "AutomationPresetManager.h", "AutomationWindowModule.cpp", "AutomationWindowPrivatePCH.h", "SAutomationExportMenu.cpp", "SAutomationExportMenu.h", "SAutomationGraphicalResultBox.cpp", "SAutomationGraphicalResultBox.h", "SAutomationTestItem.cpp", "SAutomationTestItem.h", "SAutomationTestItemContextMenu.h", "SAutomationTestTreeView.h", "SAutomationWindow.cpp", "SAutomationWindow.h", "SAutomationWindowCommandBar.cpp", "SAutomationWindowCommandBar.h", "AutomationWindow.h", "IAutomationWindowModule.h", "BlankModule.Build.cs", "BlankModule.cpp", "BlankModulePrivatePCH.h", "BlankModule.h", "BlueprintCompilerCppBackend.Build.cs", "BlueprintCompilerCppBackend.cpp", "BlueprintCompilerCppBackend.h", "BlueprintCompilerCppBackendAnim.cpp", "BlueprintCompilerCppBackendBase.cpp", "BlueprintCompilerCppBackendBase.h", "BlueprintCompilerCppBackendGatherDependencies.cpp", "BlueprintCompilerCppBackendModule.cpp", "BlueprintCompilerCppBackendModulePrivatePCH.h", "BlueprintCompilerCppBackendUMG.cpp", "BlueprintCompilerCppBackendUtils.cpp", "BlueprintCompilerCppBackendUtils.h", "BlueprintCompilerCppBackendValueHelper.cpp", "BPCompilerTests.cpp", "BlueprintCompilerCppBackendGatherDependencies.h", "IBlueprintCompilerCppBackendModule.h", "BlueprintNativeCodeGen.Build.cs", "BlueprintNativeCodeGenManifest.cpp", "BlueprintNativeCodeGenManifest.h", "BlueprintNativeCodeGenModule.cpp", "BlueprintNativeCodeGenPCH.h", "BlueprintNativeCodeGenUtils.cpp", "BlueprintNativeCodeGenUtils.h", "NativeCodeGenCommandlineParams.cpp", "NativeCodeGenCommandlineParams.h", "NativeCodeGenerationTool.cpp", "BlueprintNativeCodeGenModule.h", "NativeCodeGenerationTool.h", "BlueprintProfiler.Build.cs", "BlueprintProfiler.cpp", "BlueprintProfilerSupport.cpp", "BlueprintProfilerPCH.h", "BlueprintProfiler.h", "BlueprintProfilerModule.h", "BlueprintProfilerSupport.h", "CollectionManager.Build.cs", "Collection.cpp", "Collection.h", "CollectionManager.cpp", "CollectionManager.h", "CollectionManagerConsoleCommands.h", "CollectionManagerModule.cpp", "CollectionManagerPrivatePCH.h", "CollectionManagerModule.h", "CollectionManagerTypes.h", "ICollectionManager.h", "CollisionAnalyzer.Build.cs", "CollisionAnalyzer.cpp", "CollisionAnalyzer.h", "CollisionAnalyzerModule.cpp", "CollisionAnalyzerPCH.h", "CollisionAnalyzerStyle.cpp", "CollisionAnalyzerStyle.h", "SCAQueryDetails.cpp", "SCAQueryDetails.h", "SCAQueryTableRow.cpp", "SCAQueryTableRow.h", "SCollisionAnalyzer.cpp", "SCollisionAnalyzer.h", "CollisionAnalyzerModule.h", "ICollisionAnalyzer.h", "CrashDebugHelper.Build.cs", "CrashDebugHelper.cpp", "CrashDebugHelperModule.cpp", "CrashDebugHelperPrivatePCH.h", "CrashDebugPDBCache.cpp", "CrashDebugHelperLinux.cpp", "CrashDebugHelperLinux.h", "CrashDebugHelperMac.cpp", "CrashDebugHelperMac.h", "CrashDebugHelperWindows.cpp", "CrashDebugHelperWindows.h", "WindowsPlatformStackWalkExt.cpp", "WindowsPlatformStackWalkExt.h", "CrashDebugHelper.h", "CrashDebugHelperModule.h", "CrashDebugPDBCache.h", "CrashTracker.Build.cs", "AVIHandler.cpp", "AVIHandler.h", "CrashTrackerModule.cpp", "CrashTrackerPrivatePCH.h", "CrashVideoCapture.cpp", "CrashVideoCapture.h", "CrashTracker.h", "ICrashTrackerModule.h", "DerivedDataCache.Build.cs", "DDCCleanup.cpp", "DDCCleanup.h", "DerivedDataBackendAsyncPutWrapper.h", "DerivedDataBackendCorruptionWrapper.h", "DerivedDataBackends.cpp", "DerivedDataBackendVerifyWrapper.h", "DerivedDataCache.cpp", "DerivedDataLimitKeyLengthWrapper.h", "FileSystemDerivedDataBackend.cpp", "HierarchicalDerivedDataBackend.h", "MemoryDerivedDataBackend.h", "PakFileDerivedDataBackend.h", "DerivedDataBackendInterface.h", "DerivedDataCacheInterface.h", "DerivedDataPluginInterface.h", "DerivedDataUtilsInterface.h", "DesktopPlatform.Build.cs", "DesktopPlatformBase.cpp", "DesktopPlatformBase.h", "DesktopPlatformModule.cpp", "DesktopPlatformPrivatePCH.h", "PlatformInfo.cpp", "DesktopPlatformLinux.cpp", "DesktopPlatformLinux.h", "DesktopPlatformMac.cpp", "DesktopPlatformMac.h", "MacNativeFeedbackContext.cpp", "MacNativeFeedbackContext.h", "DesktopPlatformWindows.cpp", "DesktopPlatformWindows.h", "WindowsNativeFeedbackContext.cpp", "WindowsNativeFeedbackContext.h", "WindowsRegistry.cpp", "WindowsRegistry.h", "DesktopPlatformModule.h", "IDesktopPlatform.h", "PlatformInfo.h", "DesktopWidgets.Build.cs", "DesktopWidgetsModule.cpp", "DesktopWidgetsPrivatePCH.h", "SFilePathPicker.cpp", "SFilePathPicker.h", "DeviceManager.Build.cs", "DeviceManagerModule.cpp", "DeviceManagerPrivatePCH.h", "DeviceBrowserFilter.h", "DeviceDetailsCommands.h", "DeviceDetailsFeature.h", "DeviceManagerModel.h", "SDeviceManager.cpp", "SDeviceManager.h", "SDeviceApps.cpp", "SDeviceApps.h", "SDeviceAppsAppListRow.h", "SDeviceBrowser.cpp", "SDeviceBrowser.h", "SDeviceBrowserContextMenu.h", "SDeviceBrowserDeviceAdder.cpp", "SDeviceBrowserDeviceAdder.h", "SDeviceBrowserDeviceListRow.h", "SDeviceBrowserFilterBar.cpp", "SDeviceBrowserFilterBar.h", "SDeviceBrowserTooltip.h", "SDeviceDetails.cpp", "SDeviceDetails.h", "SDeviceDetailsFeatureListRow.h", "SDeviceProcesses.cpp", "SDeviceProcesses.h", "SDeviceProcessesProcessListRow.h", "SDeviceProcessesProcessTreeNode.h", "SDeviceQuickInfo.h", "SDeviceToolbar.cpp", "SDeviceToolbar.h", "DeviceManager.h", "IDeviceManagerModule.h", "DirectoryWatcher.Build.cs", "DirectoryWatcherModule.cpp", "DirectoryWatcherPrivatePCH.h", "DirectoryWatcherTests.cpp", "FileCache.cpp", "FileCacheUtilities.cpp", "DirectoryWatcherLinux.cpp", "DirectoryWatcherLinux.h", "DirectoryWatchRequestLinux.cpp", "DirectoryWatchRequestLinux.h", "DirectoryWatcherMac.cpp", "DirectoryWatcherMac.h", "DirectoryWatchRequestMac.cpp", "DirectoryWatchRequestMac.h", "DirectoryWatchterRunTests.cpp", "DirectoryWatcherWindows.cpp", "DirectoryWatcherWindows.h", "DirectoryWatchRequestWindows.cpp", "DirectoryWatchRequestWindows.h", "DirectoryWatcherModule.h", "FileCache.h", "FileCacheUtilities.h", "IDirectoryWatcher.h", "ExternalImagePicker.Build.cs", "ExternalImagePickerModule.cpp", "ExternalImagePickerPrivatePCH.h", "SExternalImagePicker.cpp", "SExternalImagePicker.h", "IExternalImagePickerModule.h", "FriendsAndChat.Build.cs", "FriendsAndChatModule.cpp", "FriendsAndChatPrivatePCH.h", "FriendsAndChatStyle.cpp", "FriendsChatChromeStyle.cpp", "FriendsChatStyle.cpp", "FriendsComboStyle.cpp", "FriendsFontStyle.cpp", "FriendsListStyle.cpp", "FriendsMarkupStyle.cpp", "FriendsAndChat.h", "FriendsAndChatStyle.h", "FriendsChatChromeStyle.h", "FriendsChatStyle.h", "FriendsComboStyle.h", "FriendsFontStyle.h", "FriendsListStyle.h", "FriendsMarkupStyle.h", "IFriendsAndChatModule.h", "FunctionalTesting.Build.cs", "FuncTestRenderingComponent.h", "FunctionalAITest.h", "FunctionalTest.h", "FunctionalTestingManager.h", "FuncTestManager.cpp", "FuncTestManager.h", "FuncTestRenderingComponent.cpp", "FunctionalAITest.cpp", "FunctionalTest.cpp", "FunctionalTestingManager.cpp", "FunctionalTestingModule.cpp", "FunctionalTestingPrivatePCH.h", "ClientFuncTestPerforming.cpp", "FunctionalTestingModule.h", "IFuncTestManager.h", "GameplayDebugger.Build.cs", "GameplayDebuggerSettings.h", "GameplayDebuggingComponent.h", "GameplayDebuggingControllerComponent.h", "GameplayDebuggingHUDComponent.h", "GameplayDebuggingReplicator.h", "GameplayDebuggingTypes.h", "GameplayDebugger.cpp", "GameplayDebuggerPrivate.h", "GameplayDebuggerSettings.cpp", "GameplayDebuggingComponent.cpp", "GameplayDebuggingControllerComponent.cpp", "GameplayDebuggingHUDComponent.cpp", "GameplayDebuggingReplicator.cpp", "GameplayDebugger.h", "GammaUI.Build.cs", "GammaUI.cpp", "GammaUIPanel.cpp", "GammaUIPanel.h", "GammaUIPrivatePCH.h", "GammaUI.h", "HierarchicalLODUtilities.Build.cs", "HierarchicalLODProxyProcessor.cpp", "HierarchicalLODUtilities.cpp", "HierarchicalLODUtilitiesModulePrivatePCH.h", "HierarchicalLODProxyProcessor.h", "HierarchicalLODUtilities.h", "HotReload.Build.cs", "HotReload.cpp", "HotReloadClassReinstancer.cpp", "HotReloadClassReinstancer.h", "HotReloadPrivatePCH.h", "IHotReload.h", "HTML5PlatformEditor.Build.cs", "HTML5TargetSettings.h", "HTML5PlatformEditorClasses.cpp", "HTML5PlatformEditorModule.cpp", "HTML5PlatformEditorPrivatePCH.h", "HTML5SDKSettings.cpp", "HTML5SDKSettings.h", "HTML5TargetPlatform.Build.cs", "HTML5TargetDevice.cpp", "HTML5TargetDevice.h", "HTML5TargetPlatform.cpp", "HTML5TargetPlatform.h", "HTML5TargetPlatformModule.cpp", "HTML5TargetPlatformPrivatePCH.h", "IHTML5TargetPlatformModule.h", "ImageCore.Build.cs", "ImageCore.cpp", "ImageCorePCH.h", "ImageCore.h", "ImageWrapper.Build.cs", "BmpImageWrapper.cpp", "BmpImageWrapper.h", "ExrImageWrapper.cpp", "ExrImageWrapper.h", "IcnsImageWrapper.cpp", "IcnsImageWrapper.h", "IcoImageWrapper.cpp", "IcoImageWrapper.h", "ImageWrapperBase.cpp", "ImageWrapperBase.h", "ImageWrapperModule.cpp", "ImageWrapperPrivatePCH.h", "JpegImageWrapper.cpp", "JpegImageWrapper.h", "PngImageWrapper.cpp", "PngImageWrapper.h", "BmpImageSupport.h", "ImageWrapper.h", "IImageWrapper.h", "IImageWrapperModule.h", "InternationalizationSettings.Build.cs", "InternationalizationSettingsModel.h", "InternationalizationSettings.cpp", "InternationalizationSettingsModel.cpp", "InternationalizationSettingsModelDetails.cpp", "InternationalizationSettingsModule.cpp", "InternationalizationSettingsModulePrivatePCH.h", "InternationalizationSettings.h", "InternationalizationSettingsModelDetails.h", "InternationalizationSettingsModule.h", "IOSPlatformEditor.Build.cs", "IOSPlatformEditorModule.cpp", "IOSPlatformEditorPrivatePCH.h", "IOSTargetSettingsCustomization.cpp", "IOSTargetSettingsCustomization.h", "SCertificateListRow.h", "SProvisionListRow.h", "IOSTargetPlatform.Build.cs", "IOSDeviceHelper.h", "IOSTargetDevice.cpp", "IOSTargetDevice.h", "IOSTargetPlatform.cpp", "IOSTargetPlatform.h", "IOSTargetPlatformModule.cpp", "IOSTargetPlatformPrivatePCH.h", "IOSDeviceHelperMac.cpp", "IOSDeviceHelperWindows.cpp", "TVOSTargetPlatform.Build.cs", "TVOSTargetPlatformModule.cpp", "TVOSTargetPlatformPrivatePCH.h", "LauncherServices.Build.cs", "LauncherServicesModule.cpp", "LauncherServicesPrivatePCH.h", "Launcher.cpp", "Launcher.h", "LauncherProjectPath.cpp", "LauncherProjectPath.h", "LauncherTask.h", "LauncherTaskChainState.h", "LauncherUATCommand.h", "LauncherUATTask.h", "LauncherVerifyProfileTask.h", "LauncherWorker.cpp", "LauncherWorker.h", "LauncherDeviceGroup.h", "LauncherProfile.h", "LauncherProfileLaunchRole.h", "LauncherProfileManager.cpp", "LauncherProfileManager.h", "LauncherServices.h", "GameProjectHelper.h", "ILauncher.h", "ILauncherDeviceGroup.h", "ILauncherProfile.h", "ILauncherProfileLaunchRole.h", "ILauncherProfileManager.h", "ILauncherServicesModule.h", "ILauncherTask.h", "ILauncherWorker.h", "LinuxNoEditorTargetPlatform.Build.cs", "LinuxNoEditorTargetPlatformModule.cpp", "LinuxNoEditorTargetPlatformPrivatePCH.h", "LinuxTargetDevice.cpp", "LinuxServerTargetPlatform.Build.cs", "LinuxServerTargetPlatformModule.cpp", "LinuxServerTargetPlatformPrivatePCH.h", "LinuxTargetDevice.cpp", "LinuxTargetPlatform.Build.cs", "LinuxTargetSettings.h", "LinuxTargetDevice.cpp", "LinuxTargetDevice.h", "LinuxTargetPlatform.h", "LinuxTargetPlatformClasses.cpp", "LinuxTargetPlatformModule.cpp", "LinuxTargetPlatformPrivatePCH.h", "LocalizationService.Build.cs", "DefaultLocalizationServiceProvider.cpp", "DefaultLocalizationServiceProvider.h", "LocalizationServiceHelpers.cpp", "LocalizationServiceModule.cpp", "LocalizationServiceModule.h", "LocalizationServicePrivatePCH.h", "LocalizationServiceSettings.cpp", "LocalizationServiceSettings.h", "ScopedLocalizationServiceProgress.cpp", "ILocalizationServiceModule.h", "ILocalizationServiceOperation.h", "ILocalizationServiceProvider.h", "ILocalizationServiceRevision.h", "ILocalizationServiceState.h", "LocalizationServiceHelpers.h", "LocalizationServiceOperations.h", "ScopedLocalizationServiceProgress.h", "LogVisualizer.Build.cs", "LogVisualizer.cpp", "LogVisualizer.h", "LogVisualizerModule.cpp", "LogVisualizerSessionSettings.cpp", "LogVisualizerSettings.cpp", "LogVisualizerStyle.cpp", "LogVisualizerStyle.h", "SFilterCheckBox.h", "SFilterWidget.cpp", "SFilterWidget.h", "SSequencerSectionOverlay.cpp", "SSequencerSectionOverlay.h", "STimeline.cpp", "STimeline.h", "STimelineBar.cpp", "STimelineBar.h", "STimelinesContainer.cpp", "STimelinesContainer.h", "STimeSlider.cpp", "STimeSlider.h", "SVisualLogger.cpp", "SVisualLogger.h", "SVisualLoggerFilters.cpp", "SVisualLoggerFilters.h", "SVisualLoggerLogsList.cpp", "SVisualLoggerLogsList.h", "SVisualLoggerReport.cpp", "SVisualLoggerReport.h", "SVisualLoggerStatusView.cpp", "SVisualLoggerStatusView.h", "SVisualLoggerToolbar.cpp", "SVisualLoggerToolbar.h", "SVisualLoggerView.cpp", "SVisualLoggerView.h", "TimeSliderController.cpp", "TimeSliderController.h", "VisualLoggerCameraController.cpp", "VisualLoggerCameraController.h", "VisualLoggerCanvasRenderer.cpp", "VisualLoggerCanvasRenderer.h", "VisualLoggerCommands.h", "VisualLoggerDatabase.cpp", "VisualLoggerDatabase.h", "VisualLoggerHUD.cpp", "VisualLoggerHUD.h", "VisualLoggerRenderingActor.cpp", "VisualLoggerRenderingActor.h", "VisualLoggerRenderingComponent.h", "ILogVisualizer.h", "LogVisualizerSessionSettings.h", "LogVisualizerSettings.h", "MacClientTargetPlatform.Build.cs", "MacClientTargetPlatformModule.cpp", "MacClientTargetPlatformPrivatePCH.h", "MacNoEditorTargetPlatform.Build.cs", "MacNoEditorTargetPlatformModule.cpp", "MacNoEditorTargetPlatformPrivatePCH.h", "MacServerTargetPlatform.Build.cs", "MacServerTargetPlatformModule.cpp", "MacServerTargetPlatformPrivatePCH.h", "MacTargetPlatform.Build.cs", "MacTargetSettings.h", "GenericMacTargetPlatform.h", "LocalMacTargetDevice.h", "MacTargetPlatformClasses.cpp", "MacTargetPlatformModule.cpp", "MacTargetPlatformPrivatePCH.h", "MaterialUtilities.Build.cs", "MaterialUtilities.cpp", "MaterialUtilitiesPrivatePCH.h", "MeshRendering.cpp", "MaterialUtilities.h", "MeshRendering.h", "Merge.Build.cs", "BlueprintMergeData.h", "Merge.cpp", "MergePrivatePCH.h", "MergeUtils.cpp", "MergeUtils.h", "SBlueprintMerge.cpp", "SBlueprintMerge.h", "SMergeAssetPickerView.cpp", "SMergeAssetPickerView.h", "SMergeDetailsView.cpp", "SMergeDetailsView.h", "SMergeGraphView.cpp", "SMergeGraphView.h", "SMergeTreeView.cpp", "SMergeTreeView.h", "Merge.h", "MeshBoneReduction.Build.cs", "MeshBoneReduction.cpp", "MeshBoneReduction.h", "MeshSimplifier.Build.cs", "BinaryHeap.h", "Cache.h", "HashTable.cpp", "HashTable.h", "MeshSimplify.h", "MeshSimplifyElements.h", "Quadric.cpp", "Quadric.h", "QuadricMeshReduction.cpp", "UnrolledLinkList.h", "MeshUtilities.Build.cs", "Allocator2D.cpp", "Allocator2D.h", "DisjointSet.h", "LayoutUV.cpp", "LayoutUV.h", "MeshUtilities.cpp", "MeshUtilitiesPrivate.h", "SkeletalMeshTools.cpp", "SkeletalMeshTools.h", "MeshMergeData.h", "MeshUtilities.h", "MessageLog.Build.cs", "MessageFilter.cpp", "MessageFilter.h", "MessageLogModule.cpp", "MessageLogPrivatePCH.h", "MessageLogListingModel.cpp", "MessageLogListingModel.h", "MessageLogModel.cpp", "MessageLogModel.h", "MessageLogListingViewModel.cpp", "MessageLogListingViewModel.h", "MessageLogViewModel.cpp", "MessageLogViewModel.h", "SMessageLog.cpp", "SMessageLog.h", "SMessageLogCategoryListRow.h", "SMessageLogListing.cpp", "SMessageLogListing.h", "SMessageLogMessageListRow.cpp", "SMessageLogMessageListRow.h", "IMessageLogListing.h", "MessageLogInitializationOptions.h", "MessageLogModule.h", "ModuleUI.Build.cs", "ModuleUI.cpp", "ModuleUIPrivatePCH.h", "SModuleUI.cpp", "SModuleUI.h", "ModuleUIInterface.h", "OutputLog.Build.cs", "OutputLogModule.cpp", "OutputLogPrivatePCH.h", "SDebugConsole.cpp", "SDebugConsole.h", "SDeviceOutputLog.cpp", "SDeviceOutputLog.h", "SOutputLog.cpp", "SOutputLog.h", "OutputLogModule.h", "PackageDependencyInfo.Build.cs", "PackageDependencyInfo.cpp", "PackageDependencyInfoPrivate.h", "PackageDependencyInfoPrivatePCH.h", "PackageDependencyInfo.h", "Profiler.Build.cs", "ProfilerCommands.cpp", "ProfilerCommands.h", "ProfilerDataProvider.cpp", "ProfilerDataProvider.h", "ProfilerDataSource.cpp", "ProfilerDataSource.h", "ProfilerFPSAnalyzer.cpp", "ProfilerFPSAnalyzer.h", "ProfilerManager.cpp", "ProfilerManager.h", "ProfilerModule.cpp", "ProfilerPrivatePCH.h", "ProfilerRawStats.cpp", "ProfilerRawStats.h", "ProfilerSample.cpp", "ProfilerSample.h", "ProfilerSession.cpp", "ProfilerSession.h", "ProfilerStream.cpp", "ProfilerStream.h", "SDataGraph.cpp", "SDataGraph.h", "SEventGraph.cpp", "SEventGraph.h", "SEventGraphTooltip.cpp", "SEventGraphTooltip.h", "SFiltersAndPresets.cpp", "SFiltersAndPresets.h", "SHistogram.cpp", "SHistogram.h", "SProfilerFPSChartPanel.cpp", "SProfilerFPSChartPanel.h", "SProfilerGraphPanel.cpp", "SProfilerGraphPanel.h", "SProfilerMiniView.cpp", "SProfilerMiniView.h", "SProfilerSettings.cpp", "SProfilerSettings.h", "SProfilerThreadView.cpp", "SProfilerThreadView.h", "SProfilerToolbar.cpp", "SProfilerToolbar.h", "SProfilerWindow.cpp", "SProfilerWindow.h", "StatDragDropOp.h", "Profiler.h", "ProfilerCommon.h", "IProfilerModule.h", "ProfilerClient.Build.cs", "ProfilerClientManager.cpp", "ProfilerClientManager.h", "ProfilerClientModule.cpp", "ProfilerClientPrivatePCH.h", "ProfilerClient.h", "IProfilerClient.h", "IProfilerClientModule.h", "ProfilerMessages.Build.cs", "ProfilerServiceMessages.h", "ProfilerMessagesModule.cpp", "ProfilerMessagesPrivatePCH.h", "ProfilerMessages.h", "ProfilerService.Build.cs", "ProfilerServiceFileTransfer.cpp", "ProfilerServiceManager.cpp", "ProfilerServiceManager.h", "ProfilerServiceModule.cpp", "ProfilerServicePrivatePCH.h", "ProfilerService.h", "IProfilerServiceManager.h", "IProfilerServiceModule.h", "ProjectLauncher.Build.cs", "ProjectLauncherModule.cpp", "ProjectLauncherPrivatePCH.h", "ProjectLauncherCommands.h", "ProjectLauncherModel.h", "SProjectLauncher.cpp", "SProjectLauncher.h", "SProjectLauncherBuildTaskSettings.cpp", "SProjectLauncherBuildTaskSettings.h", "SProjectLauncherDelegates.h", "SProjectLauncherDeployTaskSettings.cpp", "SProjectLauncherDeployTaskSettings.h", "SProjectLauncherLaunchTaskSettings.cpp", "SProjectLauncherLaunchTaskSettings.h", "SProjectLauncherMessageListRow.h", "SProjectLauncherPreviewPage.cpp", "SProjectLauncherPreviewPage.h", "SProjectLauncherProgress.h", "SProjectLauncherSettings.cpp", "SProjectLauncherSettings.h", "SProjectLauncherTaskListRow.cpp", "SProjectLauncherTaskListRow.h", "SProjectLauncherValidation.h", "SProjectLauncherBuildPage.cpp", "SProjectLauncherBuildPage.h", "SProjectLauncherCookByTheBookSettings.cpp", "SProjectLauncherCookByTheBookSettings.h", "SProjectLauncherCookedPlatforms.cpp", "SProjectLauncherCookedPlatforms.h", "SProjectLauncherCookOnTheFlySettings.cpp", "SProjectLauncherCookOnTheFlySettings.h", "SProjectLauncherCookPage.cpp", "SProjectLauncherCookPage.h", "SProjectLauncherCultureListRow.h", "SProjectLauncherMapListRow.h", "SProjectLauncherPlatformListRow.h", "SProjectLauncherSimpleCookPage.cpp", "SProjectLauncherSimpleCookPage.h", "SProjectLauncherDeployFileServerSettings.cpp", "SProjectLauncherDeployFileServerSettings.h", "SProjectLauncherDeployPage.cpp", "SProjectLauncherDeployPage.h", "SProjectLauncherDeployRepositorySettings.cpp", "SProjectLauncherDeployRepositorySettings.h", "SProjectLauncherDeployTargetListRow.h", "SProjectLauncherDeployTargets.cpp", "SProjectLauncherDeployTargets.h", "SProjectLauncherDeployToDeviceSettings.cpp", "SProjectLauncherDeployToDeviceSettings.h", "SProjectLauncherDeviceGroupSelector.cpp", "SProjectLauncherDeviceGroupSelector.h", "SProjectLauncherSimpleDeviceListRow.h", "SProjectLauncherSimpleDeviceListView.cpp", "SProjectLauncherSimpleDeviceListView.h", "SProjectLauncherLaunchCustomRoles.cpp", "SProjectLauncherLaunchCustomRoles.h", "SProjectLauncherLaunchPage.cpp", "SProjectLauncherLaunchPage.h", "SProjectLauncherLaunchRoleEditor.cpp", "SProjectLauncherLaunchRoleEditor.h", "SProjectLauncherPackagePage.cpp", "SProjectLauncherPackagePage.h", "SProjectLauncherPackagingSettings.cpp", "SProjectLauncherPackagingSettings.h", "SProjectLauncherProfileListRow.h", "SProjectLauncherProfileListView.cpp", "SProjectLauncherProfileListView.h", "SProjectLauncherProjectPage.cpp", "SProjectLauncherProjectPage.h", "SProjectLauncherProjectPicker.cpp", "SProjectLauncherProjectPicker.h", "SProjectLauncherBuildConfigurationSelector.h", "SProjectLauncherCookModeSelector.h", "SProjectLauncherFormLabel.h", "SProjectLauncherInstanceTypeSelector.h", "SProjectLauncherProfileLaunchButton.h", "SProjectLauncherProfileNameDescEditor.cpp", "SProjectLauncherProfileNameDescEditor.h", "SProjectLauncherVariantSelector.h", "ProjectLauncher.h", "IProjectLauncherModule.h", "RawMesh.Build.cs", "RawMesh.cpp", "RawMesh.h", "RealtimeProfiler.Build.cs", "RealtimeProfiler.cpp", "RealtimeProfiler.h", "SRealtimeProfilerFrame.cpp", "SRealtimeProfilerFrame.h", "SRealtimeProfilerLineGraph.cpp", "SRealtimeProfilerLineGraph.h", "SRealtimeProfilerTimeline.cpp", "SRealtimeProfilerTimeline.h", "SRealtimeProfilerVisualizer.cpp", "SRealtimeProfilerVisualizer.h", "ScreenShotComparison.Build.cs", "ScreenShotComparisonModule.cpp", "ScreenShotComparisonPrivatePCH.h", "ScreenShotComparisonFilter.h", "SScreenHistoryView.cpp", "SScreenHistoryView.h", "SScreenPlatformRow.cpp", "SScreenPlatformRow.h", "SScreenShotBrowser.cpp", "SScreenShotBrowser.h", "SScreenShotImagePopup.cpp", "SScreenShotImagePopup.h", "SScreenShotItem.cpp", "SScreenShotItem.h", "SScreenShotSearchBar.cpp", "SScreenShotSearchBar.h", "SScreenViewRow.cpp", "SScreenViewRow.h", "ScreenShotComparison.h", "IScreenShotComparisonModule.h", "ScreenShotComparisonTools.Build.cs", "ScreenShotBaseNode.cpp", "ScreenShotBaseNode.h", "ScreenShotComparisonToolsPrivatePCH.h", "ScreenShotManager.cpp", "ScreenShotManager.h", "ScreenShotPlatformNode.h", "ScreenShotScreenNode.h", "ScreenShotToolsModule.cpp", "ScreenShotComparisonTools.h", "ScreenShotDataItem.h", "IScreenShotData.h", "IScreenShotManager.h", "IScreenShotToolsModule.h", "SessionFrontend.Build.cs", "SessionFrontendModule.cpp", "SessionFrontendPrivatePCH.h", "SessionBrowserOwnerFilter.h", "SessionBrowserTreeItems.h", "SessionConsoleCategoryFilter.h", "SessionConsoleCommands.h", "SessionConsoleLogMessage.h", "SessionConsoleVerbosityFilter.h", "SSessionFrontend.cpp", "SSessionFrontend.h", "SSessionBrowser.cpp", "SSessionBrowser.h", "SSessionBrowserCommandBar.cpp", "SSessionBrowserCommandBar.h", "SSessionBrowserTreeGroupRow.h", "SSessionBrowserTreeInstanceRow.h", "SSessionBrowserTreeSessionRow.h", "SSessionConsole.cpp", "SSessionConsole.h", "SSessionConsoleCommandBar.cpp", "SSessionConsoleCommandBar.h", "SSessionConsoleFilterBar.cpp", "SSessionConsoleFilterBar.h", "SSessionConsoleLogTableRow.h", "SSessionConsoleShortcutWindow.cpp", "SSessionConsoleShortcutWindow.h", "SSessionConsoleToolbar.cpp", "SSessionConsoleToolbar.h", "ISessionFrontendModule.h", "SessionMessages.Build.cs", "SessionServiceMessages.h", "SessionMessagesModule.cpp", "SessionMessagesPrivatePCH.h", "SessionMessages.h", "SessionServices.Build.cs", "SessionInfo.cpp", "SessionInfo.h", "SessionInstanceInfo.cpp", "SessionInstanceInfo.h", "SessionManager.cpp", "SessionManager.h", "SessionService.cpp", "SessionService.h", "SessionServicesModule.cpp", "SessionServicesPrivatePCH.h", "ISessionInfo.h", "ISessionInstanceInfo.h", "ISessionManager.h", "ISessionService.h", "ISessionServicesModule.h", "SessionLogMessage.h", "Settings.Build.cs", "SettingsCategory.cpp", "SettingsCategory.h", "SettingsContainer.cpp", "SettingsContainer.h", "SettingsModule.cpp", "SettingsPrivatePCH.h", "SettingsSection.cpp", "SettingsSection.h", "ISettingsCategory.h", "ISettingsContainer.h", "ISettingsModule.h", "ISettingsSection.h", "ISettingsViewer.h", "SettingsEditor.Build.cs", "SettingsEditorModule.cpp", "SettingsEditorPrivatePCH.h", "SettingsEditorModel.h", "SSettingsEditor.cpp", "SSettingsEditor.h", "ISettingsEditorModel.h", "ISettingsEditorModule.h", "ShaderCompilerCommon.Build.cs", "CCIR.h", "HlslAST.cpp", "HlslAST.h", "HlslLexer.cpp", "HlslLexer.h", "HlslParser.cpp", "HlslParser.h", "HlslUtils.cpp", "HlslUtils.h", "ShaderCompilerCommon.cpp", "CrossCompiler.h", "ShaderCompilerCommon.h", "ShaderFormatOpenGL.Build.cs", "GlslBackend.cpp", "GlslBackend.h", "OpenGLShaderCompiler.cpp", "ShaderFormatOpenGL.cpp", "ShaderFormatOpenGL.h", "ShaderPreprocessor.Build.cs", "PreprocessorFile.cpp", "PreprocessorPrivate.h", "ShaderPreprocessor.cpp", "ShaderPreprocessor.h", "SharedSettingsWidgets.Build.cs", "ManifestUpdateHelper.cpp", "SExternalImageReference.cpp", "SharedSettingsWidgetsModule.cpp", "SharedSettingsWidgetsPrivatePCH.h", "SHyperlinkLaunchURL.cpp", "SPlatformSetupMessage.cpp", "SSettingsEditorCheckoutNotice.cpp", "ManifestUpdateHelper.h", "PlatformIconInfo.h", "SExternalImageReference.h", "SHyperlinkLaunchURL.h", "SPlatformSetupMessage.h", "SSettingsEditorCheckoutNotice.h", "SimplygonMeshReduction.Build.cs", "SimplygonMeshReduction.cpp", "SimplygonTypes.h", "SimplygonSwarm.Build.cs", "SimplygonRESTClient.cpp", "SimplygonSwarm.cpp", "SimplygonRESTClient.h", "SimplygonSwarmPrivatePCH.h", "SlateFileDialogs.Build.cs", "SlateFileDialogsModule.cpp", "SlateFileDialogsPrivatePCH.h", "SlateFileDialogsStyles.cpp", "SlateFileDlgWindow.cpp", "SlateFileDlgWindow.h", "ISlateFileDialogModule.h", "SlateFileDialogs.h", "SlateFileDialogsStyles.h", "SlateReflector.Build.cs", "SlateReflectorModule.cpp", "SlateReflectorPrivatePCH.h", "WidgetSnapshotMessages.h", "WidgetSnapshotService.cpp", "WidgetSnapshotService.h", "WidgetReflectorNode.cpp", "WidgetReflectorNode.h", "SAtlasVisualizer.cpp", "SAtlasVisualizer.h", "SWidgetReflector.cpp", "SWidgetReflector.h", "SWidgetReflectorToolTipWidget.h", "SWidgetReflectorTreeWidgetItem.cpp", "SWidgetReflectorTreeWidgetItem.h", "SWidgetSnapshotVisualizer.cpp", "SWidgetSnapshotVisualizer.h", "ISlateReflectorModule.h", "SourceCodeAccess.Build.cs", "DefaultSourceCodeAccessor.cpp", "DefaultSourceCodeAccessor.h", "SourceCodeAccessModule.cpp", "SourceCodeAccessModule.h", "SourceCodeAccessPrivatePCH.h", "SourceCodeAccessSettings.cpp", "SourceCodeAccessSettings.h", "ISourceCodeAccessModule.h", "ISourceCodeAccessor.h", "SourceControl.Build.cs", "DefaultSourceControlProvider.cpp", "DefaultSourceControlProvider.h", "ScopedSourceControlProgress.cpp", "SourceControlHelpers.cpp", "SourceControlModule.cpp", "SourceControlModule.h", "SourceControlPrivatePCH.h", "SourceControlSettings.cpp", "SourceControlSettings.h", "SSourceControlLogin.cpp", "SSourceControlLogin.h", "SSourceControlPicker.cpp", "SSourceControlPicker.h", "SourceControlTests.cpp", "ISourceControlLabel.h", "ISourceControlModule.h", "ISourceControlOperation.h", "ISourceControlProvider.h", "ISourceControlRevision.h", "ISourceControlState.h", "ScopedSourceControlProgress.h", "SourceControlHelpers.h", "SourceControlOperations.h", "SourceControlAutomationCommon.h", "StandaloneRenderer.Build.cs", "StandaloneRenderer.cpp", "StandaloneRendererPrivate.h", "SlateOpenGLContext.cpp", "SlateOpenGLESView.cpp", "SlateOpenGLViewport.cpp", "SlateOpenGLContext.cpp", "SlateOpenGLViewport.cpp", "SlateOpenGLContext.cpp", "SlateOpenGLMac.h", "SlateOpenGLViewport.cpp", "SlateOpenGLExtensions.cpp", "SlateOpenGLExtensions.h", "SlateOpenGLIndexBuffer.cpp", "SlateOpenGLIndexBuffer.h", "SlateOpenGLRenderer.cpp", "SlateOpenGLRenderer.h", "SlateOpenGLRenderingPolicy.cpp", "SlateOpenGLRenderingPolicy.h", "SlateOpenGLShaders.cpp", "SlateOpenGLShaders.h", "SlateOpenGLTextureManager.cpp", "SlateOpenGLTextureManager.h", "SlateOpenGLTextures.cpp", "SlateOpenGLTextures.h", "SlateOpenGLVertexBuffer.cpp", "SlateOpenGLVertexBuffer.h", "SlateD3DConstantBuffer.h", "SlateD3DIndexBuffer.cpp", "SlateD3DIndexBuffer.h", "SlateD3DRenderer.cpp", "SlateD3DRenderer.h", "SlateD3DRenderingPolicy.cpp", "SlateD3DRenderingPolicy.h", "SlateD3DShaders.cpp", "SlateD3DShaders.h", "SlateD3DTextureManager.cpp", "SlateD3DTextureManager.h", "SlateD3DTextures.cpp", "SlateD3DTextures.h", "SlateD3DVertexBuffer.cpp", "SlateD3DVertexBuffer.h", "SlateOpenGLContext.cpp", "SlateOpenGLViewport.cpp", "StandaloneRenderer.h", "SlateOpenGLESView.h", "SuperSearch.Build.cs", "SSuperSearch.cpp", "SSuperSearch.h", "SuperSearchModule.cpp", "SuperSearchPrivatePCH.h", "SuperSearchModule.h", "SynthBenchmark.Build.cs", "FractalBenchmark.cpp", "RayIntersectBenchmark.cpp", "SynthBenchmarkPrivatePCH.cpp", "SynthBenchmarkPrivatePCH.h", "SynthBenchmark.h", "TargetDeviceServices.Build.cs", "TargetDeviceServiceMessages.h", "TargetDeviceProxy.cpp", "TargetDeviceProxy.h", "TargetDeviceProxyManager.cpp", "TargetDeviceProxyManager.h", "TargetDeviceService.cpp", "TargetDeviceService.h", "TargetDeviceServiceManager.cpp", "TargetDeviceServiceManager.h", "TargetDeviceServicesModule.cpp", "TargetDeviceServicesPrivatePCH.h", "TargetDeviceServices.h", "ITargetDeviceProxy.h", "ITargetDeviceProxyManager.h", "ITargetDeviceService.h", "ITargetDeviceServiceManager.h", "ITargetDeviceServicesModule.h", "TargetPlatform.Build.cs", "InstalledPlatformInfo.cpp", "TargetPlatformManagerModule.cpp", "TargetPlatformPrivatePCH.h", "InstalledPlatformInfo.h", "TargetPlatform.h", "TargetPlatformBase.h", "IAudioFormat.h", "IAudioFormatModule.h", "IShaderFormat.h", "IShaderFormatModule.h", "ITargetDevice.h", "ITargetDeviceOutput.h", "ITargetPlatform.h", "ITargetPlatformManagerModule.h", "ITargetPlatformModule.h", "ITextureFormat.h", "ITextureFormatModule.h", "TargetDeviceId.h", "TaskGraph.Build.cs", "SBarVisualizer.cpp", "SEventsTree.cpp", "SGraphBar.cpp", "SProfileVisualizer.cpp", "SProfileVisualizer.h", "STaskGraph.cpp", "STimeline.cpp", "TaskGraphStyle.cpp", "TaskGraphStyle.h", "VisualizerEvents.cpp", "SBarVisualizer.h", "SEventsTree.h", "SGraphBar.h", "STaskGraph.h", "STimeline.h", "VisualizerEvents.h", "TextureCompressor.Build.cs", "TextureCompressorModule.cpp", "TextureCompressorPrivatePCH.h", "TextureCompressorModule.h", "TextureFormatAndroid.Build.cs", "TextureFormatAndroid.cpp", "TextureFormatASTC.Build.cs", "TextureFormatASTC.cpp", "TextureFormatDXT.Build.cs", "TextureFormatDXT.cpp", "TextureFormatIntelISPCTexComp.Build.cs", "TextureFormatIntelISPCTexComp.cpp", "TextureFormatPVR.Build.cs", "TextureFormatPVR.cpp", "TextureFormatUncompressed.Build.cs", "TextureFormatUncompressed.cpp", "STreeMap.cpp", "TreeMap.Build.cs", "TreeMap.cpp", "TreeMapModule.cpp", "TreeMapModule.h", "TreeMapStyle.cpp", "ITreeMap.h", "ITreeMapCustomization.h", "STreeMap.h", "TreeMapStyle.h", "UnrealCodeAnalyzerTests.Build.cs", "Inheritance.cpp", "Inheritance.h", "TemplatedClassInstance.cpp", "TemplatedClassInstance.h", "TemplatedFunctionInstance_Explicit.cpp", "TemplatedFunctionInstance_Explicit.h", "TemplatedFunctionInstance_Implicit.cpp", "TemplatedFunctionInstance_Implicit.h", "ThreadSafety.cpp", "ThreadSafety.h", "UnrealCodeAnalyzerTests.cpp", "UnrealCodeAnalyzerTestsPCH.h", "UseClass.cpp", "UseClass.h", "UseClassStaticField.cpp", "UseClassStaticField.h", "UseClassStaticMember.cpp", "UseClassStaticMember.h", "UseClassWithNonStaticField.cpp", "UseClassWithNonStaticField.h", "UseClassWithNonStaticPtrField.cpp", "UseClassWithNonStaticPtrField.h", "UseElifMacro.cpp", "UseElifMacro.h", "UseFunction.cpp", "UseFunction.h", "UseIfMacro.cpp", "UseIfMacro.h", "UseVariable.cpp", "UseVariable.h", "UnrealCodeAnalyzerTests.h", "WidgetCarousel.Build.cs", "SCarouselNavigationBar.cpp", "WidgetCarouselModule.cpp", "WidgetCarouselPrivatePCH.h", "WidgetCarouselStyle.cpp", "SCarouselNavigationBar.h", "SCarouselNavigationButton.h", "SWidgetCarousel.h", "SWidgetCarouselWithNavigation.h", "WidgetCarouselModule.h", "WidgetCarouselStyle.h", "ShaderFormatD3D.Build.cs", "D3D11ShaderCompiler.cpp", "ShaderFormatD3D.cpp", "ShaderFormatD3D.h", "WindowsClientTargetPlatform.Build.cs", "WindowsClientTargetPlatformModule.cpp", "WindowsClientTargetPlatformPrivatePCH.h", "WindowsNoEditorTargetPlatform.Build.cs", "WindowsNoEditorTargetPlatformModule.cpp", "WindowsNoEditorTargetPlatformPrivatePCH.h", "WindowsServerTargetPlatform.Build.cs", "WindowsServerTargetPlatformModule.cpp", "WindowsServerTargetPlatformPrivatePCH.h", "WindowsTargetPlatform.Build.cs", "WindowsTargetSettings.h", "GenericWindowsTargetPlatform.h", "LocalPcTargetDevice.h", "WindowsTargetPlatformClasses.cpp", "WindowsTargetPlatformModule.cpp", "WindowsTargetPlatformPrivatePCH.h", "ActorPickerMode.Build.cs", "ActorPickerMode.cpp", "ActorPickerModePrivatePCH.h", "EditorModeActorPicker.cpp", "EditorModeActorPicker.h", "ActorPickerMode.h", "AddContentDialog.Build.cs", "AddContentDialogModule.cpp", "AddContentDialogPCH.h", "AddContentDialogStyle.cpp", "AddContentDialogStyle.h", "ContentSourceDragDropOp.cpp", "ContentSourceDragDropOp.h", "ContentSourceProviderManager.cpp", "ContentSourceProviderManager.h", "IContentSource.h", "IContentSourceProvider.h", "SAddContentDialog.cpp", "SAddContentDialog.h", "SAddContentWidget.cpp", "SAddContentWidget.h", "FeaturePackContentSource.cpp", "FeaturePackContentSourceProvider.cpp", "FeaturePackContentSourceProvider.h", "AddContentWidgetViewModel.cpp", "AddContentWidgetViewModel.h", "CategoryViewModel.cpp", "CategoryViewModel.h", "ContentSourceViewModel.cpp", "ContentSourceViewModel.h", "FeaturePackContentSource.h", "IAddContentDialogModule.h", "AIGraph.Build.cs", "AIGraph.h", "AIGraphNode.h", "AIGraphSchema.h", "AIGraphTypes.h", "AIGraph.cpp", "AIGraphConnectionDrawingPolicy.cpp", "AIGraphEditor.cpp", "AIGraphModule.cpp", "AIGraphNode.cpp", "AIGraphPrivatePCH.h", "AIGraphSchema.cpp", "AIGraphTypes.cpp", "SGraphEditorActionMenuAI.cpp", "SGraphNodeAI.cpp", "AIGraphConnectionDrawingPolicy.h", "AIGraphEditor.h", "AIGraphModule.h", "SGraphEditorActionMenuAI.h", "SGraphNodeAI.h", "AnimGraph.Build.cs", "AnimationConduitGraphSchema.h", "AnimationCustomTransitionGraph.h", "AnimationCustomTransitionSchema.h", "AnimationGraph.h", "AnimationGraphSchema.h", "AnimationStateGraph.h", "AnimationStateGraphSchema.h", "AnimationStateMachineGraph.h", "AnimationStateMachineSchema.h", "AnimationTransitionGraph.h", "AnimationTransitionSchema.h", "AnimGraphNode_AnimDynamics.h", "AnimGraphNode_ApplyAdditive.h", "AnimGraphNode_ApplyMeshSpaceAdditive.h", "AnimGraphNode_AssetPlayerBase.cpp", "AnimGraphNode_AssetPlayerBase.h", "AnimGraphNode_Base.h", "AnimGraphNode_BlendListBase.h", "AnimGraphNode_BlendListByBool.h", "AnimGraphNode_BlendListByEnum.h", "AnimGraphNode_BlendListByInt.h", "AnimGraphNode_BlendSpaceBase.h", "AnimGraphNode_BlendSpaceEvaluator.h", "AnimGraphNode_BlendSpacePlayer.h", "AnimGraphNode_BoneDrivenController.h", "AnimGraphNode_ComponentToLocalSpace.h", "AnimGraphNode_CopyBone.h", "AnimGraphNode_CopyPoseFromMesh.h", "AnimGraphNode_CustomTransitionResult.h", "AnimGraphNode_Fabrik.h", "AnimGraphNode_HandIKRetargeting.h", "AnimGraphNode_IdentityPose.h", "AnimGraphNode_LayeredBoneBlend.h", "AnimGraphNode_LocalRefPose.h", "AnimGraphNode_LocalToComponentSpace.h", "AnimGraphNode_LookAt.h", "AnimGraphNode_MeshRefPose.h", "AnimGraphNode_ModifyBone.h", "AnimGraphNode_RandomPlayer.h", "AnimGraphNode_RefPoseBase.h", "AnimGraphNode_Root.h", "AnimGraphNode_RotateRootBone.h", "AnimGraphNode_RotationMultiplier.h", "AnimGraphNode_RotationOffsetBlendSpace.h", "AnimGraphNode_SaveCachedPose.h", "AnimGraphNode_SequenceEvaluator.h", "AnimGraphNode_SequencePlayer.h", "AnimGraphNode_SkeletalControlBase.h", "AnimGraphNode_Slot.h", "AnimGraphNode_SpringBone.h", "AnimGraphNode_StateMachine.h", "AnimGraphNode_StateMachineBase.h", "AnimGraphNode_StateResult.h", "AnimGraphNode_Trail.h", "AnimGraphNode_TransitionPoseEvaluator.h", "AnimGraphNode_TransitionResult.h", "AnimGraphNode_TwoBoneIK.h", "AnimGraphNode_TwoWayBlend.h", "AnimGraphNode_UseCachedPose.h", "AnimGraphNode_WheelHandler.h", "AnimPreviewInstance.h", "AnimStateConduitNode.h", "AnimStateEntryNode.h", "AnimStateNode.h", "AnimStateNodeBase.h", "AnimStateTransitionNode.h", "K2Node_AnimGetter.h", "K2Node_TransitionRuleGetter.h", "AnimationConduitGraphSchema.cpp", "AnimationCustomTransitionGraph.cpp", "AnimationCustomTransitionSchema.cpp", "AnimationGraph.cpp", "AnimationGraphSchema.cpp", "AnimationStateGraph.cpp", "AnimationStateGraphSchema.cpp", "AnimationStateMachineGraph.cpp", "AnimationStateMachineSchema.cpp", "AnimationTransitionGraph.cpp", "AnimationTransitionSchema.cpp", "AnimGraphModule.cpp", "AnimGraphNode_AnimDynamics.cpp", "AnimGraphNode_ApplyAdditive.cpp", "AnimGraphNode_ApplyMeshSpaceAdditive.cpp", "AnimGraphNode_Base.cpp", "AnimGraphNode_BlendListBase.cpp", "AnimGraphNode_BlendListByBool.cpp", "AnimGraphNode_BlendListByEnum.cpp", "AnimGraphNode_BlendListByInt.cpp", "AnimGraphNode_BlendSpaceBase.cpp", "AnimGraphNode_BlendSpaceEvaluator.cpp", "AnimGraphNode_BlendSpacePlayer.cpp", "AnimGraphNode_BoneDrivenController.cpp", "AnimGraphNode_ComponentToLocalSpace.cpp", "AnimGraphNode_CopyBone.cpp", "AnimGraphNode_CopyPoseFromMesh.cpp", "AnimGraphNode_CustomTransitionResult.cpp", "AnimGraphNode_Fabrik.cpp", "AnimGraphNode_HandIKRetargeting.cpp", "AnimGraphNode_IdentityPose.cpp", "AnimGraphNode_LayeredBoneBlend.cpp", "AnimGraphNode_LocalRefPose.cpp", "AnimGraphNode_LocalToComponentSpace.cpp", "AnimGraphNode_LookAt.cpp", "AnimGraphNode_MeshRefPose.cpp", "AnimGraphNode_ModifyBone.cpp", "AnimGraphNode_ObserveBone.cpp", "AnimGraphNode_RandomPlayer.cpp", "AnimGraphNode_RefPoseBase.cpp", "AnimGraphNode_Root.cpp", "AnimGraphNode_RotateRootBone.cpp", "AnimGraphNode_RotationMultiplier.cpp", "AnimGraphNode_RotationOffsetBlendSpace.cpp", "AnimGraphNode_SaveCachedPose.cpp", "AnimGraphNode_SequenceEvaluator.cpp", "AnimGraphNode_SequencePlayer.cpp", "AnimGraphNode_SkeletalControlBase.cpp", "AnimGraphNode_Slot.cpp", "AnimGraphNode_SpringBone.cpp", "AnimGraphNode_StateMachine.cpp", "AnimGraphNode_StateMachineBase.cpp", "AnimGraphNode_StateResult.cpp", "AnimGraphNode_Trail.cpp", "AnimGraphNode_TransitionPoseEvaluator.cpp", "AnimGraphNode_TransitionResult.cpp", "AnimGraphNode_TwoBoneIK.cpp", "AnimGraphNode_TwoWayBlend.cpp", "AnimGraphNode_UseCachedPose.cpp", "AnimGraphNode_WheelHandler.cpp", "AnimGraphPrivatePCH.h", "AnimPreviewInstance.cpp", "AnimStateConduitNode.cpp", "AnimStateEntryNode.cpp", "AnimStateNode.cpp", "AnimStateNodeBase.cpp", "AnimStateTransitionNode.cpp", "K2Node_AnimGetter.cpp", "K2Node_TransitionRuleGetter.cpp", "AnimGraphDefinitions.h", "AnimGraphModule.h", "AnimGraphNode_ObserveBone.h", "BehaviorTreeEditor.Build.cs", "BehaviorTreeDecoratorGraph.h", "BehaviorTreeDecoratorGraphNode.h", "BehaviorTreeDecoratorGraphNode_Decorator.h", "BehaviorTreeDecoratorGraphNode_Logic.h", "BehaviorTreeEditorTypes.h", "BehaviorTreeFactory.h", "BehaviorTreeGraph.h", "BehaviorTreeGraphNode.h", "BehaviorTreeGraphNode_Composite.h", "BehaviorTreeGraphNode_CompositeDecorator.h", "BehaviorTreeGraphNode_Decorator.h", "BehaviorTreeGraphNode_Root.h", "BehaviorTreeGraphNode_Service.h", "BehaviorTreeGraphNode_SimpleParallel.h", "BehaviorTreeGraphNode_SubtreeTask.h", "BehaviorTreeGraphNode_Task.h", "BlackboardDataFactory.h", "EdGraphSchema_BehaviorTree.h", "EdGraphSchema_BehaviorTreeDecorator.h", "AssetTypeActions_BehaviorTree.cpp", "AssetTypeActions_BehaviorTree.h", "AssetTypeActions_Blackboard.cpp", "AssetTypeActions_Blackboard.h", "BehaviorTreeColors.h", "BehaviorTreeConnectionDrawingPolicy.cpp", "BehaviorTreeConnectionDrawingPolicy.h", "BehaviorTreeDebugger.cpp", "BehaviorTreeDebugger.h", "BehaviorTreeDecoratorGraph.cpp", "BehaviorTreeDecoratorGraphNode.cpp", "BehaviorTreeDecoratorGraphNode_Decorator.cpp", "BehaviorTreeDecoratorGraphNode_Logic.cpp", "BehaviorTreeEditor.cpp", "BehaviorTreeEditor.h", "BehaviorTreeEditorCommands.cpp", "BehaviorTreeEditorCommands.h", "BehaviorTreeEditorModes.cpp", "BehaviorTreeEditorModes.h", "BehaviorTreeEditorModule.cpp", "BehaviorTreeEditorPrivatePCH.h", "BehaviorTreeEditorTabFactories.cpp", "BehaviorTreeEditorTabFactories.h", "BehaviorTreeEditorTabs.cpp", "BehaviorTreeEditorTabs.h", "BehaviorTreeEditorToolbar.cpp", "BehaviorTreeEditorToolbar.h", "BehaviorTreeEditorTypes.cpp", "BehaviorTreeEditorUtils.cpp", "BehaviorTreeEditorUtils.h", "BehaviorTreeFactory.cpp", "BehaviorTreeGraph.cpp", "BehaviorTreeGraphNode.cpp", "BehaviorTreeGraphNode_Composite.cpp", "BehaviorTreeGraphNode_CompositeDecorator.cpp", "BehaviorTreeGraphNode_Decorator.cpp", "BehaviorTreeGraphNode_Root.cpp", "BehaviorTreeGraphNode_Service.cpp", "BehaviorTreeGraphNode_SimpleParallel.cpp", "BehaviorTreeGraphNode_SubtreeTask.cpp", "BehaviorTreeGraphNode_Task.cpp", "BlackboardDataFactory.cpp", "EdGraphSchema_BehaviorTree.cpp", "EdGraphSchema_BehaviorTreeDecorator.cpp", "FindInBT.cpp", "FindInBT.h", "SBehaviorTreeBlackboardEditor.cpp", "SBehaviorTreeBlackboardEditor.h", "SBehaviorTreeBlackboardView.cpp", "SBehaviorTreeBlackboardView.h", "SBehaviorTreeDiff.cpp", "SBehaviorTreeDiff.h", "SGraphNode_BehaviorTree.cpp", "SGraphNode_BehaviorTree.h", "SGraphNode_Decorator.cpp", "SGraphNode_Decorator.h", "BehaviorDecoratorDetails.cpp", "BehaviorDecoratorDetails.h", "BlackboardDataDetails.cpp", "BlackboardDataDetails.h", "BlackboardDecoratorDetails.cpp", "BlackboardDecoratorDetails.h", "BlackboardSelectorDetails.cpp", "BlackboardSelectorDetails.h", "BehaviorTreeEditorModule.h", "IBehaviorTreeEditor.h", "BlueprintGraph.Build.cs", "BlueprintBoundEventNodeSpawner.h", "BlueprintBoundNodeSpawner.h", "BlueprintComponentNodeSpawner.h", "BlueprintDelegateNodeSpawner.h", "BlueprintEventNodeSpawner.h", "BlueprintFieldNodeSpawner.h", "BlueprintFunctionNodeSpawner.h", "BlueprintNodeBinder.h", "BlueprintVariableNodeSpawner.h", "EdGraphSchema_K2.h", "EdGraphSchema_K2_Actions.h", "K2Node.h", "K2Node_ActorBoundEvent.h", "K2Node_AddComponent.h", "K2Node_AddDelegate.h", "K2Node_AIMoveTo.h", "K2Node_AssignDelegate.h", "K2Node_AssignmentStatement.h", "K2Node_BaseAsyncTask.h", "K2Node_BaseMCDelegate.h", "K2Node_BreakStruct.h", "K2Node_CallArrayFunction.h", "K2Node_CallDataTableFunction.h", "K2Node_CallDelegate.h", "K2Node_CallFunction.h", "K2Node_CallFunctionOnMember.h", "K2Node_CallMaterialParameterCollectionFunction.h", "K2Node_CallParentFunction.h", "K2Node_CastByteToEnum.h", "K2Node_ClassDynamicCast.h", "K2Node_ClearDelegate.h", "K2Node_CommutativeAssociativeBinaryOperator.h", "K2Node_ComponentBoundEvent.h", "K2Node_Composite.h", "K2Node_ConstructObjectFromClass.h", "K2Node_ConvertAsset.h", "K2Node_CreateDelegate.h", "K2Node_CustomEvent.h", "K2Node_DeadClass.h", "K2Node_DelegateSet.h", "K2Node_DoOnceMultiInput.h", "K2Node_DynamicCast.h", "K2Node_EaseFunction.h", "K2Node_EditablePinBase.h", "K2Node_EnumEquality.h", "K2Node_EnumInequality.h", "K2Node_EnumLiteral.h", "K2Node_Event.h", "K2Node_ExecutionSequence.h", "K2Node_ForEachElementInEnum.h", "K2Node_FormatText.h", "K2Node_FunctionEntry.h", "K2Node_FunctionResult.h", "K2Node_FunctionTerminator.h", "K2Node_GenericCreateObject.h", "K2Node_GetClassDefaults.h", "K2Node_GetDataTableRow.h", "K2Node_GetEnumeratorName.h", "K2Node_GetEnumeratorNameAsString.h", "K2Node_GetInputAxisKeyValue.h", "K2Node_GetInputAxisValue.h", "K2Node_GetInputVectorAxisValue.h", "K2Node_GetNumEnumEntries.h", "K2Node_IfThenElse.h", "K2Node_InputAction.h", "K2Node_InputActionEvent.h", "K2Node_InputAxisEvent.h", "K2Node_InputAxisKeyEvent.h", "K2Node_InputKey.h", "K2Node_InputKeyEvent.h", "K2Node_InputTouch.h", "K2Node_InputTouchEvent.h", "K2Node_InputVectorAxisEvent.h", "K2Node_Knot.h", "K2Node_Literal.h", "K2Node_LoadAsset.h", "K2Node_LocalVariable.h", "K2Node_MacroInstance.h", "K2Node_MakeArray.h", "K2Node_MakeStruct.h", "K2Node_MathExpression.h", "K2Node_MatineeController.h", "K2Node_Message.h", "K2Node_MultiGate.h", "K2Node_PureAssignmentStatement.h", "K2Node_RemoveDelegate.h", "K2Node_Select.h", "K2Node_Self.h", "K2Node_SetFieldsInStruct.h", "K2Node_SetVariableOnPersistentFrame.h", "K2Node_SpawnActor.h", "K2Node_SpawnActorFromClass.h", "K2Node_StructMemberGet.h", "K2Node_StructMemberSet.h", "K2Node_StructOperation.h", "K2Node_Switch.h", "K2Node_SwitchEnum.h", "K2Node_SwitchInteger.h", "K2Node_SwitchName.h", "K2Node_SwitchString.h", "K2Node_TemporaryVariable.h", "K2Node_Timeline.h", "K2Node_Tunnel.h", "K2Node_Variable.h", "K2Node_VariableGet.h", "K2Node_VariableSet.h", "K2Node_VariableSetRef.h", "NodeDependingOnEnumInterface.h", "BasicTokenParser.cpp", "BasicTokenParser.h", "BlueprintActionDatabase.cpp", "BlueprintActionDatabaseRegistrar.cpp", "BlueprintActionFilter.cpp", "BlueprintBoundEventNodeSpawner.cpp", "BlueprintBoundNodeSpawner.cpp", "BlueprintComponentNodeSpawner.cpp", "BlueprintDelegateNodeSpawner.cpp", "BlueprintEditorSettings.cpp", "BlueprintEventNodeSpawner.cpp", "BlueprintFieldNodeSpawner.cpp", "BlueprintFunctionNodeSpawner.cpp", "BlueprintGraphModule.cpp", "BlueprintGraphPanelPinFactory.cpp", "BlueprintGraphPrivatePCH.h", "BlueprintNodeSignature.cpp", "BlueprintNodeSpawner.cpp", "BlueprintNodeSpawnerUtils.cpp", "BlueprintNodeSpawnerUtils.h", "BlueprintNodeTemplateCache.cpp", "BlueprintVariableNodeSpawner.cpp", "CallFunctionHandler.cpp", "DelegateNodeHandlers.cpp", "DelegateNodeHandlers.h", "DynamicCastHandler.cpp", "DynamicCastHandler.h", "EdGraphSchema_K2.cpp", "EdGraphSchema_K2_Actions.cpp", "EventEntryHandler.cpp", "K2Node.cpp", "K2Node_ActorBoundEvent.cpp", "K2Node_AddComponent.cpp", "K2Node_AIMoveTo.cpp", "K2Node_AssignDelegate.cpp", "K2Node_AssignmentStatement.cpp", "K2Node_BaseAsyncTask.cpp", "K2Node_BreakStruct.cpp", "K2Node_CallArrayFunction.cpp", "K2Node_CallDataTableFunction.cpp", "K2Node_CallFunction.cpp", "K2Node_CallFunctionOnMember.cpp", "K2Node_CallMaterialParameterCollectionFunction.cpp", "K2Node_CallParentFunction.cpp", "K2Node_CastByteToEnum.cpp", "K2Node_ClassDynamicCast.cpp", "K2Node_CommutativeAssociativeBinaryOperator.cpp", "K2Node_ComponentBoundEvent.cpp", "K2Node_Composite.cpp", "K2Node_ConstructObjectFromClass.cpp", "K2Node_ConvertAsset.cpp", "K2Node_CreateDelegate.cpp", "K2Node_CustomEvent.cpp", "K2Node_DeadClass.cpp", "K2Node_DelegateSet.cpp", "K2Node_DoOnceMultiInput.cpp", "K2Node_DynamicCast.cpp", "K2Node_EaseFunction.cpp", "K2Node_EditablePinBase.cpp", "K2Node_EnumEquality.cpp", "K2Node_EnumInequality.cpp", "K2Node_EnumLiteral.cpp", "K2Node_Event.cpp", "K2Node_ExecutionSequence.cpp", "K2Node_ForEachElementInEnum.cpp", "K2Node_FormatText.cpp", "K2Node_FunctionEntry.cpp", "K2Node_FunctionResult.cpp", "K2Node_FunctionTerminator.cpp", "K2Node_GenericCreateObject.cpp", "K2Node_GetClassDefaults.cpp", "K2Node_GetDataTableRow.cpp", "K2Node_GetEnumeratorName.cpp", "K2Node_GetEnumeratorNameAsString.cpp", "K2Node_GetInputAxisKeyValue.cpp", "K2Node_GetInputAxisValue.cpp", "K2Node_GetInputVectorAxisValue.cpp", "K2Node_GetNumEnumEntries.cpp", "K2Node_IfThenElse.cpp", "K2Node_InputAction.cpp", "K2Node_InputActionEvent.cpp", "K2Node_InputAxisEvent.cpp", "K2Node_InputAxisKeyEvent.cpp", "K2Node_InputKey.cpp", "K2Node_InputKeyEvent.cpp", "K2Node_InputTouch.cpp", "K2Node_InputTouchEvent.cpp", "K2Node_InputVectorAxisEvent.cpp", "K2Node_Knot.cpp", "K2Node_Literal.cpp", "K2Node_LoadAsset.cpp", "K2Node_LocalVariable.cpp", "K2Node_MacroInstance.cpp", "K2Node_MakeArray.cpp", "K2Node_MakeStruct.cpp", "K2Node_MathExpression.cpp", "K2Node_MatineeController.cpp", "K2Node_MCDelegate.cpp", "K2Node_Message.cpp", "K2Node_MultiGate.cpp", "K2Node_PureAssignmentStatement.cpp", "K2Node_Select.cpp", "K2Node_Self.cpp", "K2Node_SetFieldsInStruct.cpp", "K2Node_SetVariableOnPersistentFrame.cpp", "K2Node_SpawnActor.cpp", "K2Node_SpawnActorFromClass.cpp", "K2Node_StructMemberGet.cpp", "K2Node_StructMemberSet.cpp", "K2Node_StructOperation.cpp", "K2Node_Switch.cpp", "K2Node_SwitchEnum.cpp", "K2Node_SwitchInteger.cpp", "K2Node_SwitchName.cpp", "K2Node_SwitchString.cpp", "K2Node_TemporaryVariable.cpp", "K2Node_Timeline.cpp", "K2Node_Tunnel.cpp", "K2Node_Variable.cpp", "K2Node_VariableGet.cpp", "K2Node_VariableSet.cpp", "K2Node_VariableSetRef.cpp", "MakeStructHandler.cpp", "MakeStructHandler.h", "MathExpressionHandler.cpp", "NodeDependingOnEnumInterface.cpp", "StructMemberNodeHandlers.cpp", "StructMemberNodeHandlers.h", "VariableSetHandler.cpp", "BlueprintActionDatabase.h", "BlueprintActionDatabaseRegistrar.h", "BlueprintActionFilter.h", "BlueprintEditorSettings.h", "BlueprintGraphDefinitions.h", "BlueprintGraphModule.h", "BlueprintGraphPanelPinFactory.h", "BlueprintNodeSignature.h", "BlueprintNodeSpawner.h", "BlueprintNodeTemplateCache.h", "CallFunctionHandler.h", "EventEntryHandler.h", "MathExpressionHandler.h", "VariableSetHandler.h", "Blutility.Build.cs", "EditorUtilityBlueprint.h", "EditorUtilityBlueprintFactory.h", "GlobalEditorUtilityBase.h", "PlacedEditorUtilityBase.h", "AssetTypeActions_EditorUtilityBlueprint.cpp", "AssetTypeActions_EditorUtilityBlueprint.h", "BlutilityDetailsPanel.cpp", "BlutilityDetailsPanel.h", "BlutilityModule.cpp", "BlutilityPrivatePCH.h", "BlutilityShelf.cpp", "BlutilityShelf.h", "EditorUtilityBlueprint.cpp", "EditorUtilityBlueprintFactory.cpp", "GlobalBlutilityDialog.cpp", "GlobalBlutilityDialog.h", "GlobalEditorUtilityBase.cpp", "PlacedEditorUtilityBase.cpp", "IBlutilityModule.h", "BspMode.Build.cs", "BspMode.cpp", "BspMode.h", "BspModeModule.cpp", "BspModeModule.h", "BspModePrivatePCH.h", "BspModeStyle.cpp", "SBspPalette.cpp", "SBspPalette.h", "BspModeStyle.h", "IBspModeModule.h", "Cascade.Build.cs", "CascadeConfiguration.h", "CascadeParticleSystemComponent.h", "Cascade.cpp", "Cascade.h", "CascadeActions.cpp", "CascadeActions.h", "CascadeEmitterCanvasClient.cpp", "CascadeEmitterCanvasClient.h", "CascadeEmitterHitProxies.cpp", "CascadeEmitterHitProxies.h", "CascadeModule.cpp", "CascadePreviewViewportClient.cpp", "CascadePreviewViewportClient.h", "SCascadeEmitterCanvas.cpp", "SCascadeEmitterCanvas.h", "SCascadePreviewToolbar.cpp", "SCascadePreviewToolbar.h", "SCascadePreviewViewport.cpp", "SCascadePreviewViewport.h", "ParticleSystemTests.cpp", "CascadeModule.h", "ICascade.h", "ClassViewer.Build.cs", "ClassViewerModule.cpp", "ClassViewerNode.cpp", "ClassViewerNode.h", "ClassViewerPrivatePCH.h", "SClassViewer.cpp", "SClassViewer.h", "UnloadedBlueprintData.cpp", "UnloadedBlueprintData.h", "ClassViewerFilter.h", "ClassViewerModule.h", "ComponentVisualizers.Build.cs", "AudioComponentVisualizer.cpp", "ComponentVisualizers.cpp", "ComponentVisualizersPrivatePCH.h", "ConstraintComponentVisualizer.cpp", "DecalComponentVisualizer.cpp", "PointLightComponentVisualizer.cpp", "PrimitiveComponentVisualizer.cpp", "RadialForceComponentVisualizer.cpp", "SensingComponentVisualizer.cpp", "SplineComponentVisualizer.cpp", "SplineMeshComponentVisualizer.cpp", "SpotLightComponentVisualizer.cpp", "SpringArmComponentVisualizer.cpp", "SpringComponentVisualizer.cpp", "AudioComponentVisualizer.h", "ComponentVisualizers.h", "ConstraintComponentVisualizer.h", "DecalComponentVisualizer.h", "PointLightComponentVisualizer.h", "PrimitiveComponentVisualizer.h", "RadialForceComponentVisualizer.h", "SensingComponentVisualizer.h", "SplineComponentVisualizer.h", "SplineMeshComponentVisualizer.h", "SpotLightComponentVisualizer.h", "SpringArmComponentVisualizer.h", "SpringComponentVisualizer.h", "ConfigEditor.Build.cs", "ConfigEditorModule.cpp", "ConfigEditorModule.h", "ConfigEditorPCH.h", "ConfigPropertyHelper.cpp", "SConfigEditor.cpp", "SConfigEditor.h", "STargetPlatformSelector.cpp", "STargetPlatformSelector.h", "ConfigPropertyCellPresenter.cpp", "ConfigPropertyCellPresenter.h", "ConfigPropertyColumn.cpp", "ConfigPropertyConfigFileStateColumn.cpp", "ConfigPropertyHelper.h", "IConfigEditorModule.h", "ConfigPropertyColumn.h", "ConfigPropertyConfigFileStateColumn.h", "ContentBrowser.Build.cs", "AssetContextMenu.cpp", "AssetContextMenu.h", "AssetViewSortManager.cpp", "AssetViewSortManager.h", "AssetViewTypes.h", "AssetViewWidgets.cpp", "AssetViewWidgets.h", "CollectionAssetManagement.cpp", "CollectionAssetManagement.h", "CollectionAssetRegistryBridge.cpp", "CollectionAssetRegistryBridge.h", "CollectionContextMenu.cpp", "CollectionContextMenu.h", "CollectionViewTypes.h", "CollectionViewUtils.cpp", "CollectionViewUtils.h", "ContentBrowserCommands.cpp", "ContentBrowserCommands.h", "ContentBrowserModule.cpp", "ContentBrowserPCH.h", "ContentBrowserSingleton.cpp", "ContentBrowserSingleton.h", "ContentBrowserUtils.cpp", "ContentBrowserUtils.h", "DragDropHandler.cpp", "DragDropHandler.h", "FrontendFilters.cpp", "FrontendFilters.h", "HistoryManager.cpp", "HistoryManager.h", "NativeClassHierarchy.cpp", "NativeClassHierarchy.h", "NewAssetOrClassContextMenu.cpp", "NewAssetOrClassContextMenu.h", "PathContextMenu.cpp", "PathContextMenu.h", "PathViewTypes.h", "SAssetDialog.cpp", "SAssetDialog.h", "SAssetPicker.cpp", "SAssetPicker.h", "SAssetView.cpp", "SAssetView.h", "SCollectionPicker.cpp", "SCollectionPicker.h", "SCollectionView.cpp", "SCollectionView.h", "SContentBrowser.cpp", "SContentBrowser.h", "SFilterList.cpp", "SFilterList.h", "SourcesData.h", "SourcesViewWidgets.cpp", "SourcesViewWidgets.h", "SPathPicker.cpp", "SPathPicker.h", "SPathView.cpp", "SPathView.h", "SThumbnailEditModeTools.cpp", "SThumbnailEditModeTools.h", "ContentBrowserDelegates.h", "ContentBrowserFrontEndFilterExtension.h", "ContentBrowserModule.h", "FrontendFilterBase.h", "IContentBrowserSingleton.h", "CookingStats.Build.cs", "CookingStats.cpp", "CookingStats.h", "CookingStatsModule.cpp", "CookingStatsPCH.h", "CookingStatsModule.h", "ICookingStats.h", "CurveAssetEditor.Build.cs", "CurveAssetEditor.cpp", "CurveAssetEditor.h", "CurveAssetEditorModule.cpp", "CurveAssetEditorPrivatePCH.h", "CurveAssetEditorModule.h", "ICurveAssetEditor.h", "CurveTableEditor.Build.cs", "CurveTableEditor.cpp", "CurveTableEditor.h", "CurveTableEditorModule.cpp", "CurveTableEditorPrivatePCH.h", "CurveTableEditorModule.h", "ICurveTableEditor.h", "DataTableEditor.Build.cs", "DataTableEditor.cpp", "DataTableEditor.h", "DataTableEditorModule.cpp", "DataTableEditorPrivatePCH.h", "SRowEditor.cpp", "SRowEditor.h", "DataTableEditorModule.h", "IDataTableEditor.h", "DestructibleMeshEditor.Build.cs", "DestructibleChunkParamsProxy.h", "DestructibleChunkParamsProxy.cpp", "DestructibleMeshEditor.cpp", "DestructibleMeshEditor.h", "DestructibleMeshEditorModule.cpp", "DestructibleMeshEditorPrivatePCH.h", "SDestructibleMeshEditorViewport.cpp", "SDestructibleMeshEditorViewport.h", "DestructibleMeshEditorModule.h", "IDestructibleMeshEditor.h", "DetailCustomizations.Build.cs", "ActorComponentDetails.cpp", "ActorComponentDetails.h", "ActorDetails.cpp", "ActorDetails.h", "AIDataProviderValueDetails.cpp", "AIDataProviderValueDetails.h", "AmbientSoundDetails.cpp", "AmbientSoundDetails.h", "AnimMontageSegmentDetails.cpp", "AnimMontageSegmentDetails.h", "AnimSequenceDetails.cpp", "AnimSequenceDetails.h", "AnimStateNodeDetails.cpp", "AnimStateNodeDetails.h", "AnimTrailNodeDetails.cpp", "AnimTrailNodeDetails.h", "AnimTransitionNodeDetails.cpp", "AnimTransitionNodeDetails.h", "AssetImportDataCustomization.cpp", "AssetImportDataCustomization.h", "AttenuationSettingsCustomizations.cpp", "AttenuationSettingsCustomizations.h", "AudioSettingsDetails.cpp", "AudioSettingsDetails.h", "AutoReimportDirectoryCustomization.cpp", "AutoReimportDirectoryCustomization.h", "BlackboardEntryDetails.cpp", "BlackboardEntryDetails.h", "BodyInstanceCustomization.cpp", "BodyInstanceCustomization.h", "BodySetupDetails.cpp", "BodySetupDetails.h", "BrushDetails.cpp", "BrushDetails.h", "CameraDetails.cpp", "CameraDetails.h", "CaptureResolutionCustomization.cpp", "CaptureResolutionCustomization.h", "CaptureTypeCustomization.cpp", "CaptureTypeCustomization.h", "CollisionProfileDetails.cpp", "CollisionProfileDetails.h", "CollisionProfileNameCustomization.cpp", "CollisionProfileNameCustomization.h", "ComponentMaterialCategory.cpp", "ComponentMaterialCategory.h", "ComponentTransformDetails.cpp", "ComponentTransformDetails.h", "ConfigEditorPropertyDetails.cpp", "ConfigEditorPropertyDetails.h", "CurveColorCustomization.cpp", "CurveColorCustomization.h", "CurveStructCustomization.cpp", "CurveStructCustomization.h", "CurveTableCustomization.cpp", "CurveTableCustomization.h", "DataTableCategoryCustomization.h", "DataTableCustomization.cpp", "DataTableCustomization.h", "DateTimeStructCustomization.cpp", "DateTimeStructCustomization.h", "DestructibleMeshDetails.cpp", "DestructibleMeshDetails.h", "DetailCustomizations.cpp", "DetailCustomizationsPrivatePCH.h", "DeviceProfileDetails.cpp", "DeviceProfileDetails.h", "DialogueStructsCustomizations.cpp", "DialogueStructsCustomizations.h", "DialogueWaveDetails.cpp", "DialogueWaveDetails.h", "DialogueWaveWidgets.cpp", "DialogueWaveWidgets.h", "DirectionalLightComponentDetails.cpp", "DirectionalLightComponentDetails.h", "DirectoryPathStructCustomization.cpp", "DirectoryPathStructCustomization.h", "DistanceDatumStructCustomization.cpp", "DistanceDatumStructCustomization.h", "DocumentationActorDetails.cpp", "DocumentationActorDetails.h", "EnvQueryParamInstanceCustomization.cpp", "EnvQueryParamInstanceCustomization.h", "FbxImportUIDetails.cpp", "FbxImportUIDetails.h", "FilePathStructCustomization.cpp", "FilePathStructCustomization.h", "GeneralProjectSettingsDetails.cpp", "GeneralProjectSettingsDetails.h", "GuidStructCustomization.cpp", "GuidStructCustomization.h", "HardwareTargetingSettingsDetails.cpp", "HardwareTargetingSettingsDetails.h", "HierarchicalSimplificationCustomizations.cpp", "HierarchicalSimplificationCustomizations.h", "ImportantToggleSettingCustomization.cpp", "ImportantToggleSettingCustomization.h", "InputSettingsDetails.cpp", "InputSettingsDetails.h", "InputStructCustomization.cpp", "InputStructCustomization.h", "IntervalStructCustomization.cpp", "IntervalStructCustomization.h", "KeyStructCustomization.cpp", "KeyStructCustomization.h", "LightComponentDetails.cpp", "LightComponentDetails.h", "MacTargetSettingsDetails.cpp", "MacTargetSettingsDetails.h", "MarginCustomization.cpp", "MarginCustomization.h", "MaterialProxySettingsCustomizations.cpp", "MaterialProxySettingsCustomizations.h", "MathStructCustomizations.cpp", "MathStructCustomizations.h", "MathStructProxyCustomizations.cpp", "MathStructProxyCustomizations.h", "MatineeActorDetails.cpp", "MatineeActorDetails.h", "MeshComponentDetails.cpp", "MeshComponentDetails.h", "MobilityCustomization.cpp", "MoviePlayerSettingsDetails.cpp", "MoviePlayerSettingsDetails.h", "MovieSceneCaptureCustomization.cpp", "MovieSceneCaptureCustomization.h", "NavAgentSelectorCustomization.cpp", "NavAgentSelectorCustomization.h", "NavLinkStructCustomization.cpp", "NavLinkStructCustomization.h", "ParticleModuleDetails.cpp", "ParticleModuleDetails.h", "ParticleSysParamStructCustomization.cpp", "ParticleSysParamStructCustomization.h", "ParticleSystemComponentDetails.cpp", "ParticleSystemComponentDetails.h", "PhysicsConstraintComponentDetails.cpp", "PhysicsConstraintComponentDetails.h", "PhysicsSettingsDetails.cpp", "PhysicsSettingsDetails.h", "PointLightComponentDetails.cpp", "PointLightComponentDetails.h", "PostProcessSettingsCustomization.cpp", "PostProcessSettingsCustomization.h", "PrimitiveComponentDetails.cpp", "PrimitiveComponentDetails.h", "RangeStructCustomization.cpp", "RangeStructCustomization.h", "RawDistributionVectorStructCustomization.cpp", "RawDistributionVectorStructCustomization.h", "ReflectionCaptureDetails.cpp", "ReflectionCaptureDetails.h", "RenderPassesCustomization.cpp", "RenderPassesCustomization.h", "RigDetails.cpp", "RigDetails.h", "SceneCaptureDetails.cpp", "SceneCaptureDetails.h", "SceneComponentDetails.cpp", "SceneComponentDetails.h", "SkeletalControlNodeDetails.cpp", "SkeletalControlNodeDetails.h", "SkeletalMeshComponentDetails.cpp", "SkeletalMeshComponentDetails.h", "SkeletonNotifyDetails.cpp", "SkeletonNotifyDetails.h", "SkinnedMeshComponentDetails.cpp", "SkinnedMeshComponentDetails.h", "SkyLightComponentDetails.cpp", "SkyLightComponentDetails.h", "SlateBrushCustomization.cpp", "SlateColorCustomization.cpp", "SlateColorCustomization.h", "SlateFontInfoCustomization.cpp", "SlateSoundCustomization.cpp", "SlateSoundCustomization.h", "SoundWaveDetails.cpp", "SoundWaveDetails.h", "SourceCodeAccessSettingsDetails.cpp", "SourceCodeAccessSettingsDetails.h", "StaticMeshActorDetails.cpp", "StaticMeshActorDetails.h", "StaticMeshComponentDetails.cpp", "StaticMeshComponentDetails.h", "StringAssetReferenceCustomization.cpp", "StringAssetReferenceCustomization.h", "StringClassReferenceCustomization.cpp", "StringClassReferenceCustomization.h", "TextCustomization.cpp", "TextCustomization.h", "TextureLODSettingsDetails.cpp", "TextureLODSettingsDetails.h", "TimespanStructCustomization.cpp", "TimespanStructCustomization.h", "TransitionPoseEvaluatorNodeDetails.cpp", "TransitionPoseEvaluatorNodeDetails.h", "VehicleTransmissionDataCustomization.cpp", "VehicleTransmissionDataCustomization.h", "WheeledVehicleMovementComponent4WDetails.cpp", "WheeledVehicleMovementComponent4WDetails.h", "WindowsTargetSettingsDetails.cpp", "WindowsTargetSettingsDetails.h", "WorldSettingsDetails.cpp", "WorldSettingsDetails.h", "ActorDetailsDelegates.h", "DetailCustomizations.h", "MobilityCustomization.h", "SlateBrushCustomization.h", "SlateFontInfoCustomization.h", "DeviceProfileEditor.Build.cs", "DeviceProfileConsoleVariableColumn.cpp", "DeviceProfileConsoleVariableColumn.h", "DeviceProfileEditorModule.cpp", "DeviceProfileEditorPCH.h", "DeviceProfileTextureLODSettingsColumn.cpp", "DeviceProfileTextureLODSettingsColumn.h", "SDeviceProfileCreateProfilePanel.cpp", "SDeviceProfileCreateProfilePanel.h", "SDeviceProfileEditor.cpp", "SDeviceProfileEditor.h", "SDeviceProfileEditorSingleProfileView.cpp", "SDeviceProfileEditorSingleProfileView.h", "SDeviceProfileSelectionPanel.cpp", "SDeviceProfileSelectionPanel.h", "SDeviceProfileDetailsPanel.cpp", "SDeviceProfileDetailsPanel.h", "DeviceProfileEditor.h", "DeviceProfileEditorModule.h", "DeviceProfileServices.Build.cs", "DeviceProfileServicesModule.cpp", "DeviceProfileServicesPCH.h", "DeviceProfileServicesUIManager.cpp", "DeviceProfileServicesUIManager.h", "DeviceProfileServices.h", "IDeviceProfileServicesModule.h", "IDeviceProfileServicesUIManager.h", "DistCurveEditor.Build.cs", "CurveEditorActions.cpp", "CurveEditorActions.h", "CurveEditorHitProxies.cpp", "CurveEditorHitProxies.h", "CurveEditorSharedData.cpp", "CurveEditorSharedData.h", "CurveEditorViewportClient.cpp", "CurveEditorViewportClient.h", "DistCurveEditorModule.cpp", "SCurveEditorViewport.cpp", "SCurveEditorViewport.h", "SDistributionCurveEditor.cpp", "SDistributionCurveEditor.h", "DistCurveEditorModule.h", "IDistCurveEditor.h", "Documentation.Build.cs", "Documentation.cpp", "Documentation.h", "DocumentationLink.h", "DocumentationModule.cpp", "DocumentationModulePrivatePCH.h", "DocumentationPage.cpp", "DocumentationPage.h", "SDocumentationAnchor.cpp", "SDocumentationAnchor.h", "SDocumentationToolTip.cpp", "UDNParser.cpp", "UDNParser.h", "IDocumentation.h", "IDocumentationModule.h", "IDocumentationPage.h", "SDocumentationToolTip.h", "EditorLiveStreaming.Build.cs", "EditorLiveStreaming.cpp", "EditorLiveStreaming.h", "EditorLiveStreamingModule.h", "EditorLiveStreamingSettings.cpp", "EditorLiveStreamingSettings.h", "IEditorLiveStreaming.h", "EditorSettingsViewer.Build.cs", "EditorSettingsViewerModule.cpp", "EditorSettingsViewerPrivatePCH.h", "EditorStyle.Build.cs", "EditorFontGlyphs.cpp", "EditorStyleClasses.cpp", "EditorStyleModule.cpp", "EditorStylePrivatePCH.h", "EditorStyleSet.cpp", "SlateEditorStyle.cpp", "SlateEditorStyle.h", "EditorFontGlyphs.h", "EditorStyle.h", "EditorStyleSet.h", "EditorStyleSettings.h", "IEditorStyleModule.h", "EditorWidgets.Build.cs", "EditorWidgetsModule.cpp", "EditorWidgetsPrivatePCH.h", "SAssetDiscoveryIndicator.cpp", "SAssetDiscoveryIndicator.h", "SAssetDropTarget.cpp", "SAssetSearchBox.cpp", "SDropTarget.cpp", "SObjectNameEditableTextBox.cpp", "SObjectNameEditableTextBox.h", "STransportControl.cpp", "STransportControl.h", "AssetDiscoveryIndicator.h", "EditorWidgets.h", "EditorWidgetsModule.h", "ITransportControl.h", "SAssetDropTarget.h", "SAssetSearchBox.h", "SDropTarget.h", "EnvironmentQueryEditor.Build.cs", "EdGraphSchema_EnvironmentQuery.h", "EnvironmentQueryFactory.h", "EnvironmentQueryGraph.h", "EnvironmentQueryGraphNode.h", "EnvironmentQueryGraphNode_Option.h", "EnvironmentQueryGraphNode_Root.h", "EnvironmentQueryGraphNode_Test.h", "AssetTypeActions_EnvironmentQuery.cpp", "AssetTypeActions_EnvironmentQuery.h", "EdGraphSchema_EnvironmentQuery.cpp", "EnvironmentQueryColors.h", "EnvironmentQueryEditor.cpp", "EnvironmentQueryEditor.h", "EnvironmentQueryEditorModule.cpp", "EnvironmentQueryEditorPrivatePCH.h", "EnvironmentQueryFactory.cpp", "EnvironmentQueryGraph.cpp", "EnvironmentQueryGraphNode.cpp", "EnvironmentQueryGraphNode_Option.cpp", "EnvironmentQueryGraphNode_Root.cpp", "EnvironmentQueryGraphNode_Test.cpp", "SGraphNode_EnvironmentQuery.cpp", "SGraphNode_EnvironmentQuery.h", "STestFunctionWidget.cpp", "STestFunctionWidget.h", "EnvDirectionCustomization.cpp", "EnvDirectionCustomization.h", "EnvQueryTestDetails.cpp", "EnvQueryTestDetails.h", "EnvTraceDataCustomization.cpp", "EnvTraceDataCustomization.h", "EnvironmentQueryEditorModule.h", "IEnvironmentQueryEditor.h", "FoliageEdit.build.cs", "ActorFactoryProceduralFoliage.cpp", "ActorFactoryProceduralFoliage.h", "FoliageEditActions.cpp", "FoliageEditActions.h", "FoliageEditModule.cpp", "FoliageEditPrivate.h", "FoliageEdMode.cpp", "FoliageEdMode.h", "FoliageEdModeToolkit.cpp", "FoliageEdModeToolkit.h", "FoliagePaletteCommands.cpp", "FoliagePaletteCommands.h", "FoliagePaletteItem.cpp", "FoliagePaletteItem.h", "FoliageTypeCustomizationHelpers.cpp", "FoliageTypeCustomizationHelpers.h", "FoliageTypeDetails.cpp", "FoliageTypeDetails.h", "FoliageTypeFactory.cpp", "FoliageTypeFactory.h", "FoliageTypeObjectCustomization.cpp", "FoliageTypeObjectCustomization.h", "FoliageTypePaintingCustomization.cpp", "FoliageTypePaintingCustomization.h", "FoliageType_InstancedStaticMeshPaintingCustomization.cpp", "FoliageType_InstancedStaticMeshPaintingCustomization.h", "FoliageType_ISMThumbnailRenderer.cpp", "LandscapeGrassTypeFactory.cpp", "LandscapeGrassTypeFactory.h", "ProceduralFoliageComponentDetails.cpp", "ProceduralFoliageComponentDetails.h", "ProceduralFoliageComponentVisualizer.cpp", "ProceduralFoliageComponentVisualizer.h", "ProceduralFoliageSpawnerFactory.cpp", "ProceduralFoliageSpawnerFactory.h", "SFoliageEdit.cpp", "SFoliageEdit.h", "SFoliagePalette.cpp", "SFoliagePalette.h", "FoliageEditModule.h", "FoliageType_ISMThumbnailRenderer.h", "FontEditor.Build.cs", "FontEditor.cpp", "FontEditor.h", "FontEditorModule.cpp", "SCompositeFontEditor.cpp", "SCompositeFontEditor.h", "SFontEditorViewport.cpp", "SFontEditorViewport.h", "FontEditorModule.h", "IFontEditor.h", "GameplayAbilitiesEditor.Build.cs", "GameplayAbilitiesBlueprintFactory.h", "GameplayAbilityGraph.h", "GameplayAbilityGraphSchema.h", "K2Node_GameplayCueEvent.h", "K2Node_GameplayEffectVariable.h", "K2Node_LatentAbilityCall.h", "AbilitySystemEditorPrivatePCH.h", "AssetTypeActions_GameplayAbilitiesBlueprint.cpp", "AssetTypeActions_GameplayAbilitiesBlueprint.h", "AssetTypeActions_GameplayEffect.cpp", "AssetTypeActions_GameplayEffect.h", "AttributeDetails.cpp", "AttributeDetails.h", "GameplayAbilitiesBlueprintFactory.cpp", "GameplayAbilitiesEditor.cpp", "GameplayAbilitiesEditorModule.cpp", "GameplayAbilitiesGraphPanelNodeFactory.h", "GameplayAbilitiesGraphPanelPinFactory.h", "GameplayAbilityGraph.cpp", "GameplayAbilityGraphSchema.cpp", "GameplayCueTagDetails.cpp", "GameplayCueTagDetails.h", "GameplayEffectDetails.cpp", "GameplayEffectDetails.h", "GameplayEffectExecutionDefinitionDetails.cpp", "GameplayEffectExecutionDefinitionDetails.h", "GameplayEffectExecutionScopedModifierInfoDetails.cpp", "GameplayEffectExecutionScopedModifierInfoDetails.h", "GameplayEffectModifierMagnitudeDetails.cpp", "GameplayEffectModifierMagnitudeDetails.h", "InheritableGameplayTagContainerDetails.cpp", "InheritableGameplayTagContainerDetails.h", "K2Node_GameplayCueEvent.cpp", "K2Node_GameplayEffectVariable.cpp", "K2Node_LatentAbilityCall.cpp", "SGameplayAttributeGraphPin.cpp", "SGameplayAttributeGraphPin.h", "SGameplayAttributeWidget.cpp", "SGameplayAttributeWidget.h", "SGameplayCueEditor.cpp", "SGameplayCueEditor.h", "SGraphNodeK2GameplayEffectVar.cpp", "SGraphNodeK2GameplayEffectVar.h", "GameplayAbilitiesEditor.h", "GameplayAbilitiesEditorModule.h", "GameplayTagsEditor.Build.cs", "GameplayTagsK2Node_LiteralGameplayTag.h", "GameplayTagsK2Node_MultiCompareBase.h", "GameplayTagsK2Node_MultiCompareGameplayTagAssetInterface.h", "GameplayTagsK2Node_MultiCompareGameplayTagAssetInterfaceSingleTags.h", "GameplayTagsK2Node_MultiCompareGameplayTagContainer.h", "GameplayTagsK2Node_MultiCompareGameplayTagContainerSingleTags.h", "GameplayTagsK2Node_SwitchGameplayTag.h", "GameplayTagsK2Node_SwitchGameplayTagContainer.h", "AssetTypeActions_GameplayTagAssetBase.cpp", "GameplayTagContainerCustomization.cpp", "GameplayTagContainerCustomization.h", "GameplayTagCustomization.cpp", "GameplayTagCustomization.h", "GameplayTagQueryCustomization.cpp", "GameplayTagQueryCustomization.h", "GameplayTagSearchFilter.cpp", "GameplayTagSearchFilter.h", "GameplayTagsEditorModule.cpp", "GameplayTagsEditorModulePrivatePCH.h", "GameplayTagsGraphPanelNodeFactory.h", "GameplayTagsGraphPanelPinFactory.h", "GameplayTagsK2Node_LiteralGameplayTag.cpp", "GameplayTagsK2Node_MultiCompareBase.cpp", "GameplayTagsK2Node_MultiCompareGameplayTagAssetInterface.cpp", "GameplayTagsK2Node_MultiCompareGameplayTagAssetInterfaceSingleTags.cpp", "GameplayTagsK2Node_MultiCompareGameplayTagContainer.cpp", "GameplayTagsK2Node_MultiCompareGameplayTagContainerSingleTags.cpp", "GameplayTagsK2Node_SwitchGameplayTag.cpp", "GameplayTagsK2Node_SwitchGameplayTagContainer.cpp", "SGameplayTagContainerGraphPin.cpp", "SGameplayTagContainerGraphPin.h", "SGameplayTagGraphPin.cpp", "SGameplayTagGraphPin.h", "SGameplayTagQueryGraphPin.cpp", "SGameplayTagQueryGraphPin.h", "SGameplayTagQueryWidget.cpp", "SGameplayTagQueryWidget.h", "SGameplayTagWidget.cpp", "SGameplayTagWidget.h", "SGraphNode_MultiCompareGameplayTag.cpp", "SGraphNode_MultiCompareGameplayTag.h", "AssetTypeActions_GameplayTagAssetBase.h", "GameplayTagsEditorModule.h", "GameplayTasksEditor.Build.cs", "K2Node_LatentGameplayTaskCall.h", "GameplayTasksEditorModule.cpp", "GameplayTasksEditorPrivatePCH.h", "K2Node_LatentGameplayTaskCall.cpp", "GameplayTasksEditorModule.h", "GameProjectGeneration.Build.cs", "DefaultTemplateProjectDefs.h", "TemplateProjectDefs.h", "DefaultTemplateProjectDefs.cpp", "GameProjectGenerationModule.cpp", "GameProjectGenerationPrivatePCH.h", "GameProjectUtils.cpp", "SGameProjectDialog.cpp", "SGameProjectDialog.h", "SGetSuggestedIDEWidget.cpp", "SGetSuggestedIDEWidget.h", "SNewClassDialog.cpp", "SNewClassDialog.h", "SNewProjectWizard.cpp", "SNewProjectWizard.h", "SProjectBrowser.cpp", "SProjectBrowser.h", "SVerbChoiceDialog.cpp", "SVerbChoiceDialog.h", "TemplateCategory.h", "TemplateItem.h", "TemplateProjectDefs.cpp", "GameProjectAutomationTests.cpp", "AddToProjectConfig.h", "GameProjectGenerationModule.h", "GameProjectUtils.h", "GeometryCacheEd.Build.cs", "ActorFactoryGeometryCache.h", "AssetTypeActions_GeometryCache.h", "GeometryCacheAssetBroker.h", "GeometryCacheThumbnailRenderer.h", "GeometryCacheThumbnailScene.h", "ActorFactoryGeometryCache.cpp", "AssetTypeActions_GeometryCache.cpp", "GeometryCacheAssetBroker.cpp", "GeometryCacheEdModule.cpp", "GeometryCacheThumbnailRenderer.cpp", "GeometryCacheThumbnailScene.cpp", "GeometryCacheEdModule.h", "GeometryCacheEdModulePublicPCH.h", "GeometryMode.Build.cs", "GeomModifier.h", "GeomModifier_Clip.h", "GeomModifier_Create.h", "GeomModifier_Delete.h", "GeomModifier_Edit.h", "GeomModifier_Extrude.h", "GeomModifier_Flip.h", "GeomModifier_Lathe.h", "GeomModifier_Optimize.h", "GeomModifier_Pen.h", "GeomModifier_Split.h", "GeomModifier_Triangulate.h", "GeomModifier_Turn.h", "GeomModifier_Weld.h", "EditorGeometry.cpp", "GeometryEdMode.cpp", "GeometryMode.cpp", "GeometryMode.h", "GeometryModePrivatePCH.h", "GeometryModifiers.cpp", "EditorGeometry.h", "GeometryEdMode.h", "GraphEditor.Build.cs", "AnimGraphConnectionDrawingPolicy.cpp", "AnimGraphConnectionDrawingPolicy.h", "BlueprintConnectionDrawingPolicy.cpp", "BlueprintConnectionDrawingPolicy.h", "ConnectionDrawingPolicy.cpp", "DragConnection.cpp", "DragConnection.h", "DragNode.cpp", "DragNode.h", "GraphActionNode.cpp", "GraphActionNode.h", "GraphDiffControl.cpp", "GraphEditorActions.cpp", "GraphEditorCommon.h", "GraphEditorDragDropAction.cpp", "GraphEditorModule.cpp", "GraphEditorSettings.cpp", "MaterialGraphConnectionDrawingPolicy.cpp", "MaterialGraphConnectionDrawingPolicy.h", "NodeFactory.cpp", "NodeFactory.h", "SCommentBubble.cpp", "SGraphActionMenu.cpp", "SGraphEditorActionMenu.cpp", "SGraphEditorActionMenu.h", "SGraphEditorImpl.cpp", "SGraphEditorImpl.h", "SGraphNode.cpp", "SGraphNodeComment.cpp", "SGraphNodeDefault.cpp", "SGraphNodeDefault.h", "SGraphNodeDocumentation.cpp", "SGraphNodeKnot.cpp", "SGraphNodeKnot.h", "SGraphNodeResizable.cpp", "SGraphPalette.cpp", "SGraphPanel.cpp", "SGraphPanel.h", "SGraphPin.cpp", "SGraphPreviewer.cpp", "SGraphPreviewer.h", "SNodePanel.cpp", "SoundCueGraphConnectionDrawingPolicy.cpp", "SoundCueGraphConnectionDrawingPolicy.h", "StateMachineConnectionDrawingPolicy.cpp", "StateMachineConnectionDrawingPolicy.h", "SGraphNodeAnimationResult.cpp", "SGraphNodeAnimationResult.h", "SGraphNodeLayeredBoneBlend.cpp", "SGraphNodeLayeredBoneBlend.h", "SGraphNodeSequencePlayer.cpp", "SGraphNodeSequencePlayer.h", "SGraphNodeStateMachineInstance.cpp", "SGraphNodeStateMachineInstance.h", "SGraphPinPose.cpp", "SGraphPinPose.h", "SGraphNodeAnimState.cpp", "SGraphNodeAnimState.h", "SGraphNodeAnimStateEntry.cpp", "SGraphNodeAnimStateEntry.h", "SGraphNodeAnimTransition.cpp", "SGraphNodeAnimTransition.h", "KismetNodeInfoContext.cpp", "SGraphNodeCallParameterCollectionFunction.cpp", "SGraphNodeCallParameterCollectionFunction.h", "SGraphNodeFormatText.cpp", "SGraphNodeFormatText.h", "SGraphNodeK2ArrayFunction.cpp", "SGraphNodeK2ArrayFunction.h", "SGraphNodeK2Base.cpp", "SGraphNodeK2Base.h", "SGraphNodeK2Composite.cpp", "SGraphNodeK2Composite.h", "SGraphNodeK2CreateDelegate.cpp", "SGraphNodeK2CreateDelegate.h", "SGraphNodeK2Default.cpp", "SGraphNodeK2Default.h", "SGraphNodeK2Event.cpp", "SGraphNodeK2Event.h", "SGraphNodeK2Sequence.cpp", "SGraphNodeK2Sequence.h", "SGraphNodeK2Terminator.cpp", "SGraphNodeK2Terminator.h", "SGraphNodeK2Timeline.cpp", "SGraphNodeK2Timeline.h", "SGraphNodeK2Var.cpp", "SGraphNodeK2Var.h", "SGraphNodeSpawnActor.cpp", "SGraphNodeSpawnActor.h", "SGraphNodeSpawnActorFromClass.cpp", "SGraphNodeSpawnActorFromClass.h", "SGraphNodeSwitchStatement.cpp", "SGraphNodeSwitchStatement.h", "SGraphPinBool.cpp", "SGraphPinBool.h", "SGraphPinClass.cpp", "SGraphPinClass.h", "SGraphPinCollisionProfile.cpp", "SGraphPinCollisionProfile.h", "SGraphPinColor.cpp", "SGraphPinColor.h", "SGraphPinDataTableRowName.cpp", "SGraphPinEnum.cpp", "SGraphPinEnum.h", "SGraphPinExec.cpp", "SGraphPinExec.h", "SGraphPinIndex.cpp", "SGraphPinIndex.h", "SGraphPinInteger.cpp", "SGraphPinInteger.h", "SGraphPinKey.cpp", "SGraphPinKey.h", "SGraphPinNameList.cpp", "SGraphPinNum.cpp", "SGraphPinNum.h", "SGraphPinObject.cpp", "SGraphPinObject.h", "SGraphPinString.cpp", "SGraphPinString.h", "SGraphPinText.cpp", "SGraphPinText.h", "SGraphPinVector.cpp", "SGraphPinVector.h", "SGraphPinVector2D.cpp", "SGraphPinVector2D.h", "SNameComboBox.cpp", "SGraphNodeMaterialBase.cpp", "SGraphNodeMaterialBase.h", "SGraphNodeMaterialComment.cpp", "SGraphNodeMaterialComment.h", "SGraphNodeMaterialResult.cpp", "SGraphNodeMaterialResult.h", "SGraphPinMaterialInput.cpp", "SGraphPinMaterialInput.h", "SGraphPinVector4.cpp", "SGraphPinVector4.h", "SGraphNodeSoundBase.cpp", "SGraphNodeSoundBase.h", "SGraphNodeSoundResult.cpp", "SGraphNodeSoundResult.h", "ConnectionDrawingPolicy.h", "DiffResults.h", "GraphDiffControl.h", "GraphEditorActions.h", "GraphEditorDragDropAction.h", "GraphEditorModule.h", "GraphEditorSettings.h", "GraphSplineOverlapResult.h", "MarqueeOperation.h", "SCommentBubble.h", "SGraphActionMenu.h", "SGraphNode.h", "SGraphNodeComment.h", "SGraphNodeDocumentation.h", "SGraphNodeResizable.h", "SGraphPalette.h", "SGraphPin.h", "SGraphPinComboBox.h", "SGraphPinDataTableRowName.h", "SGraphPinNameList.h", "SNameComboBox.h", "SNodePanel.h", "KismetNodeInfoContext.h", "HardwareTargeting.Build.cs", "HardwareTargetingModule.cpp", "HardwareTargetingPrivatePCH.h", "HardwareTargetingSettings.cpp", "HardwareTargetingModule.h", "HardwareTargetingSettings.h", "SDecoratedEnumCombo.h", "HierarchicalLODOutliner.Build.cs", "HierarchicalLODOutlinerModule.cpp", "HierarchicalLODOutlinerPrivatePCH.h", "HLODOutliner.cpp", "HLODOutliner.h", "HLODOutlinerDragDrop.cpp", "HLODOutlinerDragDrop.h", "HLODSelectionActor.cpp", "HLODSelectionActor.h", "HLODTreeWidgetItem.cpp", "HLODTreeWidgetItem.h", "ITreeItem.h", "LODActorItem.cpp", "LODActorItem.h", "LODLevelItem.cpp", "LODLevelItem.h", "StaticMeshActorItem.cpp", "StaticMeshActorItem.h", "TreeItemID.h", "HierarchicalLODOutlinerModule.h", "InputBindingEditor.Build.cs", "InputBindingEditorModule.cpp", "InputBindingEditorPrivatePCH.h", "SChordEditBox.cpp", "SChordEditBox.h", "SChordEditor.cpp", "SChordEditor.h", "SChordTreeItem.cpp", "SChordTreeItem.h", "SInputBindingEditorPanel.cpp", "SInputBindingEditorPanel.h", "InputBindingEditor.h", "IInputBindingEditorModule.h", "IntroTutorials.Build.cs", "ClassTypeActions_EditorTutorial.cpp", "ClassTypeActions_EditorTutorial.h", "EditorTutorial.cpp", "EditorTutorialDetailsCustomization.cpp", "EditorTutorialDetailsCustomization.h", "EditorTutorialFactory.cpp", "EditorTutorialFactory.h", "EditorTutorialImportFactory.cpp", "EditorTutorialImportFactory.h", "EditorTutorialSettings.cpp", "EditorTutorialSettings.h", "IntroTutorials.cpp", "IntroTutorials.h", "IntroTutorialsPrivatePCH.h", "SEditorTutorials.cpp", "SEditorTutorials.h", "STutorialButton.cpp", "STutorialButton.h", "STutorialContent.cpp", "STutorialContent.h", "STutorialEditableText.cpp", "STutorialEditableText.h", "STutorialLoading.cpp", "STutorialLoading.h", "STutorialNavigation.cpp", "STutorialNavigation.h", "STutorialOverlay.cpp", "STutorialOverlay.h", "STutorialRoot.cpp", "STutorialRoot.h", "STutorialsBrowser.cpp", "STutorialsBrowser.h", "TutorialHyperlinkDecorator.cpp", "TutorialHyperlinkDecorator.h", "TutorialHyperlinkRun.cpp", "TutorialHyperlinkRun.h", "TutorialImageDecorator.cpp", "TutorialImageDecorator.h", "TutorialSettings.cpp", "TutorialSettings.h", "TutorialStateSettings.cpp", "TutorialStateSettings.h", "TutorialStructCustomization.cpp", "TutorialStructCustomization.h", "TutorialText.cpp", "TutorialText.h", "EditorTutorial.h", "IIntroTutorials.h", "TutorialMetaData.h", "Kismet.Build.cs", "BlueprintPaletteFavorites.h", "ApplicationMode.cpp", "BlueprintActionMenuBuilder.cpp", "BlueprintActionMenuItem.cpp", "BlueprintActionMenuUtils.cpp", "BlueprintDetailsCustomization.cpp", "BlueprintDetailsCustomization.h", "BlueprintDragDropMenuItem.cpp", "BlueprintEditor.cpp", "BlueprintEditorCommands.cpp", "BlueprintEditorCommands.h", "BlueprintEditorModes.cpp", "BlueprintEditorModule.cpp", "BlueprintEditorPrivatePCH.h", "BlueprintEditorTabFactories.cpp", "BlueprintEditorTabFactories.h", "BlueprintEditorTabs.cpp", "BlueprintEditorViewportContextMenuExtender.cpp", "BlueprintPaletteFavorites.cpp", "BPDelegateDragDropAction.cpp", "BPDelegateDragDropAction.h", "BPFunctionDragDropAction.cpp", "BPFunctionDragDropAction.h", "BPVariableDragDropAction.cpp", "BPVariableDragDropAction.h", "DetailsDiff.cpp", "DiffUtils.cpp", "FiBSearchInstance.cpp", "FiBSearchInstance.h", "FindInBlueprintManager.cpp", "FindInBlueprints.cpp", "FormatTextDetails.cpp", "FormatTextDetails.h", "ImaginaryBlueprintData.cpp", "InstancedStaticMeshSCSEditorCustomization.cpp", "InstancedStaticMeshSCSEditorCustomization.h", "SBlueprintActionMenu.cpp", "SBlueprintActionMenu.h", "SBlueprintContextTargetMenu.cpp", "SBlueprintContextTargetMenu.h", "SBlueprintDiff.cpp", "SBlueprintEditorSelectedDebugObjectWidget.cpp", "SBlueprintEditorSelectedDebugObjectWidget.h", "SBlueprintEditorToolbar.cpp", "SBlueprintFavoritesPalette.cpp", "SBlueprintFavoritesPalette.h", "SBlueprintLibraryPalette.cpp", "SBlueprintLibraryPalette.h", "SBlueprintPalette.cpp", "SBlueprintPalette.h", "SBlueprintRevisionMenu.cpp", "SBlueprintSubPalette.cpp", "SBlueprintSubPalette.h", "SCSDiff.cpp", "SCSEditorViewportClient.cpp", "SCSEditorViewportClient.h", "SFilterableObjectList.cpp", "SGraphTitleBar.cpp", "SGraphTitleBar.h", "SKismetInspector.cpp", "SMyBlueprint.cpp", "SMyBlueprint.h", "SReplaceNodeReferences.cpp", "SReplaceNodeReferences.h", "SSCSEditor.cpp", "SSCSEditorViewport.cpp", "SSCSEditorViewport.h", "STimelineEditor.cpp", "STimelineEditor.h", "UserDefinedEnumEditor.cpp", "UserDefinedEnumEditor.h", "UserDefinedStructureEditor.cpp", "UserDefinedStructureEditor.h", "WorkflowCentricApplication.cpp", "KismetDebugCommands.cpp", "KismetDebugCommands.h", "SKismetDebuggingView.cpp", "SKismetDebuggingView.h", "K2Node_AsyncAction.cpp", "BPProfilerStatisticWidgets.cpp", "BPProfilerStatisticWidgets.h", "SBlueprintProfilerView.cpp", "SBlueprintProfilerView.h", "ScriptEventExecution.cpp", "ScriptEventExecution.h", "BlueprintEditorTests.cpp", "SContentReference.cpp", "SModeWidget.cpp", "WorkflowTabFactory.cpp", "WorkflowTabManager.cpp", "BlueprintActionMenuBuilder.h", "BlueprintActionMenuItem.h", "BlueprintActionMenuUtils.h", "BlueprintDragDropMenuItem.h", "BlueprintEditor.h", "BlueprintEditorModes.h", "BlueprintEditorModule.h", "BlueprintEditorTabs.h", "DetailsDiff.h", "DiffUtils.h", "FindInBlueprintManager.h", "FindInBlueprints.h", "ImaginaryBlueprintData.h", "ISCSEditorCustomization.h", "SBlueprintDiff.h", "SBlueprintEditorToolbar.h", "SBlueprintRevisionMenu.h", "SCSDiff.h", "SFilterableObjectList.h", "SKismetInspector.h", "SSCSEditor.h", "K2Node_AsyncAction.h", "ApplicationMode.h", "SContentReference.h", "SModeWidget.h", "WorkflowCentricApplication.h", "WorkflowTabFactory.h", "WorkflowTabManager.h", "WorkflowUObjectDocuments.h", "KismetCompiler.Build.cs", "AnimBlueprintCompiler.cpp", "AnimBlueprintCompiler.h", "EdGraphCompiler.cpp", "KismetCompiler.cpp", "KismetCompilerBackend.h", "KismetCompilerMisc.cpp", "KismetCompilerModule.cpp", "KismetCompilerPrivatePCH.h", "KismetCompilerVMBackend.cpp", "UserDefinedStructureCompilerUtils.cpp", "BlueprintCompiledStatement.h", "BlueprintCompilerCppBackendInterface.h", "BPTerminal.h", "EdGraphCompilerUtilities.h", "KismetCompiledFunctionContext.h", "KismetCompiler.h", "KismetCompilerMisc.h", "KismetCompilerModule.h", "UserDefinedStructureCompilerUtils.h", "KismetWidgets.Build.cs", "CreateBlueprintFromActorDialog.cpp", "KismetWidgets.cpp", "KismetWidgetsPrivatePCH.h", "SKismetLinearExpression.cpp", "SLevelOfDetailBranchNode.cpp", "SPinTypeSelector.cpp", "SScrubControlPanel.cpp", "SScrubWidget.cpp", "SSingleObjectDetailsPanel.cpp", "CreateBlueprintFromActorDialog.h", "KismetWidgets.h", "SKismetLinearExpression.h", "SLevelOfDetailBranchNode.h", "SPinTypeSelector.h", "SScrubControlPanel.h", "SScrubWidget.h", "SSingleObjectDetailsPanel.h", "LandscapeEditor.Build.cs", "ActorFactoryLandscape.cpp", "LandscapeEditorCommands.cpp", "LandscapeEditorCommands.h", "LandscapeEditorDetailCustomizations.h", "LandscapeEditorDetailCustomization_AlphaBrush.cpp", "LandscapeEditorDetailCustomization_AlphaBrush.h", "LandscapeEditorDetailCustomization_Base.cpp", "LandscapeEditorDetailCustomization_Base.h", "LandscapeEditorDetailCustomization_CopyPaste.cpp", "LandscapeEditorDetailCustomization_CopyPaste.h", "LandscapeEditorDetailCustomization_MiscTools.cpp", "LandscapeEditorDetailCustomization_MiscTools.h", "LandscapeEditorDetailCustomization_NewLandscape.cpp", "LandscapeEditorDetailCustomization_NewLandscape.h", "LandscapeEditorDetailCustomization_ResizeLandscape.cpp", "LandscapeEditorDetailCustomization_ResizeLandscape.h", "LandscapeEditorDetailCustomization_TargetLayers.cpp", "LandscapeEditorDetailCustomization_TargetLayers.h", "LandscapeEditorDetails.cpp", "LandscapeEditorDetails.h", "LandscapeEditorDetailWidgets.cpp", "LandscapeEditorDetailWidgets.h", "LandscapeEditorModule.cpp", "LandscapeEditorObject.cpp", "LandscapeEditorPrivatePCH.h", "LandscapeEdMode.cpp", "LandscapeEdMode.h", "LandscapeEdModeBrushes.cpp", "LandscapeEdModeComponentTools.cpp", "LandscapeEdModeErosionTools.cpp", "LandscapeEdModeMirrorTool.cpp", "LandscapeEdModePaintTools.cpp", "LandscapeEdModeRampTool.cpp", "LandscapeEdModeSplineTools.cpp", "LandscapeEdModeTools.h", "LandscapeEdModeXYOffset.cpp", "LandscapeSplineDetails.cpp", "LandscapeSplineDetails.h", "LandscapeSplineImportExport.cpp", "LandscapeSplineImportExport.h", "SLandscapeEditor.cpp", "SLandscapeEditor.h", "ActorFactoryLandscape.h", "LandscapePlaceholder.h", "LandscapeAutomationTests.cpp", "LandscapeEditorModule.h", "LandscapeEditorObject.h", "LandscapeEditorUtils.h", "LandscapeToolInterface.h", "Layers.Build.cs", "ActorLayerCollectionViewModel.cpp", "ActorLayerCollectionViewModel.h", "ActorLayerViewModel.cpp", "ActorLayerViewModel.h", "ActorsAssignedToSpecificLayersFilter.h", "LayerCollectionViewCommands.h", "LayerCollectionViewModel.cpp", "LayerCollectionViewModel.h", "LayersModule.cpp", "LayersPrivatePCH.h", "LayerViewModel.cpp", "LayerViewModel.h", "SActorLayerCloud.h", "SceneOutlinerLayerContentsColumn.cpp", "SceneOutlinerLayerContentsColumn.h", "SLayerBrowser.cpp", "SLayerBrowser.h", "SLayersCommandsMenu.cpp", "SLayersCommandsMenu.h", "SLayerStats.h", "SLayersView.h", "SLayersViewRow.cpp", "SLayersViewRow.h", "LayersModule.h", "LevelEditor.Build.cs", "DlgDeltaTransform.cpp", "HighResScreenshotUI.cpp", "HighresScreenshotUI.h", "LevelEditor.cpp", "LevelEditorActions.cpp", "LevelEditorContextMenu.cpp", "LevelEditorContextMenu.h", "LevelEditorCreateActorMenu.cpp", "LevelEditorCreateActorMenu.h", "LevelEditorGenericDetails.cpp", "LevelEditorGenericDetails.h", "LevelEditorMenu.cpp", "LevelEditorMenu.h", "LevelEditorModesActions.cpp", "LevelEditorToolBar.cpp", "LevelEditorToolBar.h", "LevelViewportActions.cpp", "LevelViewportLayout.cpp", "LevelViewportLayout.h", "LevelViewportLayout2x2.cpp", "LevelViewportLayout2x2.h", "LevelViewportLayoutFourPanes.cpp", "LevelViewportLayoutFourPanes.h", "LevelViewportLayoutOnePane.cpp", "LevelViewportLayoutOnePane.h", "LevelViewportLayoutThreePanes.cpp", "LevelViewportLayoutThreePanes.h", "LevelViewportLayoutTwoPanes.cpp", "LevelViewportLayoutTwoPanes.h", "LevelViewportTabContent.cpp", "LevelViewportTabContent.h", "LightmapResRatioAdjust.cpp", "SActorDetails.cpp", "SActorDetails.h", "SActorPilotViewportToolbar.h", "SCaptureRegionWidget.cpp", "SCaptureRegionWidget.h", "SLevelEditor.cpp", "SLevelEditor.h", "SLevelEditorBuildAndSubmit.cpp", "SLevelEditorBuildAndSubmit.h", "SLevelEditorModeContent.cpp", "SLevelEditorModeContent.h", "SLevelEditorToolBox.cpp", "SLevelEditorToolBox.h", "SLevelViewport.cpp", "SLevelViewportControlsPopup.cpp", "SLevelViewportControlsPopup.h", "SLevelViewportToolBar.cpp", "SLevelViewportToolBar.h", "SSurfaceProperties.cpp", "SSurfaceProperties.h", "SToolkitDisplay.cpp", "SToolkitDisplay.h", "DlgDeltaTransform.h", "ILevelEditor.h", "ILevelViewport.h", "LevelEditor.h", "LevelEditorActions.h", "LevelEditorModesActions.h", "LevelViewportActions.h", "LightmapResRatioAdjust.h", "SLevelViewport.h", "Localization.Build.cs", "LocalizationCommandletExecution.cpp", "LocalizationCommandletTasks.cpp", "LocalizationConfigurationScript.cpp", "LocalizationModule.cpp", "LocalizationPrivatePCH.h", "LocalizationSettings.cpp", "LocalizationTargetTypes.cpp", "SCulturePicker.cpp", "LocalizationCommandletExecution.h", "LocalizationCommandletTasks.h", "LocalizationConfigurationScript.h", "LocalizationModule.h", "LocalizationSettings.h", "LocalizationTargetTypes.h", "SCulturePicker.h", "LocalizationDashboard.Build.cs", "GatherTextDetailCustomizations.cpp", "GatherTextDetailCustomizations.h", "LocalizationDashboard.cpp", "LocalizationDashboard.h", "LocalizationDashboardModule.cpp", "LocalizationDashboardPrivatePCH.h", "LocalizationTargetDetailCustomization.cpp", "LocalizationTargetDetailCustomization.h", "LocalizationTargetSetDetailCustomization.cpp", "LocalizationTargetSetDetailCustomization.h", "SLocalizationDashboardTargetRow.cpp", "SLocalizationDashboardTargetRow.h", "SLocalizationTargetEditor.cpp", "SLocalizationTargetEditor.h", "SLocalizationTargetEditorCultureRow.cpp", "SLocalizationTargetEditorCultureRow.h", "SLocalizationTargetStatusButton.cpp", "SLocalizationTargetStatusButton.h", "TargetsTableEntry.h", "ILocalizationDashboardModule.h", "MainFrame.Build.cs", "MainFrameModule.cpp", "MainFrameModule.h", "MainFramePrivatePCH.h", "MainFrameActions.cpp", "MainFrameActions.h", "MainFrameHandler.cpp", "MainFrameHandler.h", "RootWindowLocation.h", "CookContentMenu.h", "MainMenu.cpp", "MainMenu.h", "PackageProjectMenu.h", "RecentProjectsMenu.h", "SettingsMenu.h", "TranslationEditorMenu.h", "MainFrame.h", "IMainFrameModule.h", "MaterialEditor.Build.cs", "FindInMaterial.cpp", "MaterialEditor.cpp", "MaterialEditor.h", "MaterialEditorActions.cpp", "MaterialEditorDetailCustomization.cpp", "MaterialEditorDetailCustomization.h", "MaterialEditorInstanceDetailCustomization.cpp", "MaterialEditorInstanceDetailCustomization.h", "MaterialEditorModule.cpp", "MaterialEditorUtilities.cpp", "MaterialExpressionClasses.cpp", "MaterialExpressionClasses.h", "MaterialInstanceEditor.cpp", "MaterialInstanceEditor.h", "SMaterialEditorTitleBar.cpp", "SMaterialEditorTitleBar.h", "SMaterialEditorViewport.cpp", "SMaterialEditorViewport.h", "SMaterialEditorViewportToolBar.cpp", "SMaterialEditorViewportToolBar.h", "SMaterialPalette.cpp", "SMaterialPalette.h", "MaterialEditorTests.cpp", "FindInMaterial.h", "IMaterialEditor.h", "MaterialEditorActions.h", "MaterialEditorModule.h", "MaterialEditorUtilities.h", "Matinee.Build.cs", "InterpTrackHelper.h", "MatineeOptions.h", "MatineeTrackAnimControlHelper.h", "MatineeTrackBoolPropHelper.h", "MatineeTrackColorPropHelper.h", "MatineeTrackDirectorHelper.h", "MatineeTrackEventHelper.h", "MatineeTrackFloatPropHelper.h", "MatineeTrackLinearColorPropHelper.h", "MatineeTrackParticleReplayHelper.h", "MatineeTrackSoundHelper.h", "MatineeTrackToggleHelper.h", "MatineeTrackVectorPropHelper.h", "MatineeTrackVisibilityHelper.h", "MatineeTransBuffer.h", "Matinee.cpp", "Matinee.h", "MatineeActions.cpp", "MatineeActions.h", "MatineeCurveEd.cpp", "MatineeDraw.cpp", "MatineeFilterButton.cpp", "MatineeFilterButton.h", "MatineeHitProxy.h", "MatineeKeyReduction.cpp", "MatineeMenus.cpp", "MatineeModule.cpp", "MatineeOptions.cpp", "MatineePropertyWindow.cpp", "MatineeToolbars.cpp", "MatineeTools.cpp", "MatineeTrackHelpers.cpp", "MatineeTrackView.cpp", "MatineeTransaction.cpp", "MatineeTransaction.h", "MatineeTransBuffer.cpp", "MatineeViewportClient.cpp", "MatineeViewportClient.h", "MatineeViewSaveData.h", "SMatineeRecorder.cpp", "IMatinee.h", "MatineeConstants.h", "MatineeGroupData.h", "MatineeModule.h", "MatineeTrackData.h", "MatineeViewportData.h", "SMatineeRecorder.h", "MergeActors.Build.cs", "MergeActorsModule.cpp", "MergeActorsPrivatePCH.h", "SMergeActorsToolbar.cpp", "SMergeActorsToolbar.h", "MeshMergingTool.cpp", "MeshMergingTool.h", "SMeshMergingDialog.cpp", "SMeshMergingDialog.h", "MeshProxyTool.cpp", "MeshProxyTool.h", "SMeshProxyDialog.cpp", "SMeshProxyDialog.h", "IMergeActorsModule.h", "IMergeActorsTool.h", "MeshPaint.Build.cs", "MeshPaintAdapterFactory.cpp", "MeshPaintAdapterFactory.h", "MeshPaintEdMode.cpp", "MeshPaintModule.cpp", "MeshPaintPrivatePCH.h", "MeshPaintSplineMeshAdapter.cpp", "MeshPaintSplineMeshAdapter.h", "MeshPaintStaticMeshAdapter.cpp", "MeshPaintStaticMeshAdapter.h", "SMeshPaint.cpp", "SMeshPaint.h", "MeshPaintEdMode.h", "MeshPaintModule.h", "MovieSceneCaptureDialog.Build.cs", "MovieSceneCaptureDialogModule.cpp", "MovieSceneCaptureDialogModule.h", "MovieSceneTools.Build.cs", "MatineeImportTools.cpp", "MatineeImportTools.h", "MovieSceneToolHelpers.cpp", "MovieSceneToolsModule.cpp", "MovieSceneToolsPrivatePCH.h", "BoolKeyArea.cpp", "ByteKeyArea.cpp", "EnumKeyArea.cpp", "FloatCurveKeyArea.cpp", "IntegralKeyArea.cpp", "NameCurveKeyArea.cpp", "SBoolCurveKeyEditor.cpp", "SBoolCurveKeyEditor.h", "SEnumCurveKeyEditor.cpp", "SEnumCurveKeyEditor.h", "SFloatCurveKeyEditor.cpp", "SFloatCurveKeyEditor.h", "SIntegralCurveKeyEditor.cpp", "SIntegralCurveKeyEditor.h", "BoolPropertySection.cpp", "BoolPropertySection.h", "BytePropertySection.cpp", "BytePropertySection.h", "ColorPropertySection.cpp", "ColorPropertySection.h", "EventTrackSection.cpp", "EventTrackSection.h", "FloatPropertySection.cpp", "FloatPropertySection.h", "ParameterSection.cpp", "ParameterSection.h", "ShotSequencerSection.cpp", "ShotSequencerSection.h", "VectorPropertySection.cpp", "VectorPropertySection.h", "VisibilityPropertySection.cpp", "VisibilityPropertySection.h", "ActorPickerTrackEditor.cpp", "ActorPickerTrackEditor.h", "AttachTrackEditor.cpp", "AttachTrackEditor.h", "AudioTrackEditor.cpp", "AudioTrackEditor.h", "EventTrackEditor.cpp", "EventTrackEditor.h", "FadeTrackEditor.cpp", "FadeTrackEditor.h", "MaterialTrackEditor.cpp", "MaterialTrackEditor.h", "ParticleParameterTrackEditor.cpp", "ParticleParameterTrackEditor.h", "ParticleTrackEditor.cpp", "ParticleTrackEditor.h", "PathTrackEditor.cpp", "PathTrackEditor.h", "SkeletalAnimationTrackEditor.cpp", "SkeletalAnimationTrackEditor.h", "SlomoTrackEditor.cpp", "SlomoTrackEditor.h", "SpawnTrackEditor.cpp", "SpawnTrackEditor.h", "SubTrackEditor.cpp", "SubTrackEditor.h", "TransformTrackEditor.cpp", "TransformTrackEditor.h", "BoolPropertyTrackEditor.cpp", "BoolPropertyTrackEditor.h", "BytePropertyTrackEditor.cpp", "BytePropertyTrackEditor.h", "ColorPropertyTrackEditor.cpp", "ColorPropertyTrackEditor.h", "FloatPropertyTrackEditor.cpp", "FloatPropertyTrackEditor.h", "VectorPropertyTrackEditor.cpp", "VectorPropertyTrackEditor.h", "VisibilityPropertyTrackEditor.cpp", "VisibilityPropertyTrackEditor.h", "ShotTrackEditor.cpp", "ShotTrackEditor.h", "ShotTrackThumbnail.cpp", "ShotTrackThumbnail.h", "ShotTrackThumbnailPool.cpp", "ShotTrackThumbnailPool.h", "BoolKeyArea.h", "ByteKeyArea.h", "ClipboardTypes.h", "CommonMovieSceneTools.h", "EnumKeyArea.h", "FloatCurveKeyArea.h", "IMovieSceneTools.h", "IntegralKeyArea.h", "KeyframeTrackEditor.h", "MovieSceneToolHelpers.h", "NameCurveKeyArea.h", "NamedKeyArea.h", "PropertySection.h", "PropertyTrackEditor.h", "NewLevelDialog.Build.cs", "NewLevelDialogModule.cpp", "NewLevelDialogPrivatePCH.h", "NewLevelDialogModule.h", "NewsFeed.Build.cs", "NewsFeedClasses.cpp", "NewsFeedModule.cpp", "NewsFeedPrivatePCH.h", "CdnNewsFeedTitleFile.cpp", "CdnNewsFeedTitleFile.h", "LocalNewsFeedTitleFile.cpp", "LocalNewsFeedTitleFile.h", "NewsFeedCache.cpp", "NewsFeedCache.h", "NewsFeedSettings.h", "NewsFeedItem.h", "SNewsFeed.cpp", "SNewsFeed.h", "SNewsFeedListRow.h", "NewsFeed.h", "INewsFeedModule.h", "NiagaraEditor.Build.cs", "NiagaraCompiler.cpp", "NiagaraCompiler.h", "NiagaraCompiler_VectorVM.cpp", "NiagaraCompiler_VectorVM.h", "NiagaraEditor.cpp", "NiagaraEditor.h", "NiagaraEditorModule.cpp", "NiagaraEditorPrivatePCH.h", "NiagaraEffectEditor.cpp", "NiagaraEffectEditor.h", "NiagaraEmitterPropertiesDetailsCustomization.cpp", "NiagaraEmitterPropertiesDetailsCustomization.h", "NiagaraSequencer.cpp", "NiagaraSequencer.h", "SNiagaraEffectEditorViewport.cpp", "SNiagaraEffectEditorViewport.h", "SNiagaraEffectEditorWidget.cpp", "SNiagaraEffectEditorWidget.h", "INiagaraEditor.h", "INiagaraEffectEditor.h", "NiagaraEditorModule.h", "OnlineBlueprintSupport.Build.cs", "K2Node_InAppPurchase.h", "K2Node_InAppPurchaseQuery.h", "K2Node_InAppPurchaseRestore.h", "K2Node_LatentOnlineCall.h", "K2Node_LeaderboardFlush.h", "K2Node_LeaderboardQuery.h", "K2Node_InAppPurchase.cpp", "K2Node_InAppPurchaseQuery.cpp", "K2Node_InAppPurchaseRestore.cpp", "K2Node_LatentOnlineCall.cpp", "K2Node_LeaderboardFlush.cpp", "K2Node_LeaderboardQuery.cpp", "OnlineBlueprintSupportModule.cpp", "OnlineBlueprintSupportPrivatePCH.h", "PackagesDialog.Build.cs", "PackagesDialog.cpp", "SPackagesDialog.cpp", "SPackagesDialog.h", "PackagesDialog.h", "Persona.Build.cs", "AnimationEditorPreviewScene.cpp", "AnimationEditorPreviewScene.h", "AnimationEditorViewportClient.cpp", "AnimationEditorViewportClient.h", "AnimGraphNodeDetails.cpp", "AnimGraphNodeDetails.h", "AnimInstanceDetails.cpp", "AnimInstanceDetails.h", "AnimNotifyDetails.cpp", "AnimNotifyDetails.h", "AnimViewportLODCommands.cpp", "AnimViewportLODCommands.h", "AnimViewportMenuCommands.cpp", "AnimViewportMenuCommands.h", "AnimViewportPlaybackCommands.cpp", "AnimViewportPlaybackCommands.h", "AnimViewportShowCommands.cpp", "AnimViewportShowCommands.h", "ApexClothingOptionWindow.cpp", "ApexClothingOptionWindow.h", "AssetSearchBoxUtilPersona.cpp", "AssetSearchBoxUtilPersona.h", "EditorObjectsTracker.cpp", "EditorObjectsTracker.h", "Persona.cpp", "Persona.h", "PersonaCommands.cpp", "PersonaCommands.h", "PersonaMeshDetails.cpp", "PersonaMeshDetails.h", "PersonaModule.cpp", "PersonaPrivatePCH.h", "SAnimationBlendSpace.cpp", "SAnimationBlendSpace.h", "SAnimationBlendSpace1D.cpp", "SAnimationBlendSpace1D.h", "SAnimationBlendSpaceBase.cpp", "SAnimationBlendSpaceBase.h", "SAnimationDlgs.cpp", "SAnimationDlgs.h", "SAnimationEditorViewport.cpp", "SAnimationEditorViewport.h", "SAnimationScrubPanel.cpp", "SAnimationScrubPanel.h", "SAnimationSequenceBrowser.cpp", "SAnimationSequenceBrowser.h", "SAnimBlueprintParentPlayerList.cpp", "SAnimBlueprintParentPlayerList.h", "SAnimCompositeEditor.cpp", "SAnimCompositeEditor.h", "SAnimCompositePanel.cpp", "SAnimCompositePanel.h", "SAnimCurveEd.cpp", "SAnimCurveEd.h", "SAnimCurvePanel.cpp", "SAnimCurvePanel.h", "SAnimEditorBase.cpp", "SAnimEditorBase.h", "SAnimMontagePanel.cpp", "SAnimMontagePanel.h", "SAnimMontageScrubPanel.cpp", "SAnimMontageScrubPanel.h", "SAnimMontageSectionsPanel.cpp", "SAnimMontageSectionsPanel.h", "SAnimNotifyPanel.cpp", "SAnimNotifyPanel.h", "SAnimPlusMinusSlider.h", "SAnimSegmentsPanel.cpp", "SAnimSegmentsPanel.h", "SAnimTimingPanel.cpp", "SAnimTimingPanel.h", "SAnimTrackCurvePanel.cpp", "SAnimTrackCurvePanel.h", "SAnimTrackPanel.cpp", "SAnimTrackPanel.h", "SAnimViewportToolBar.cpp", "SAnimViewportToolBar.h", "SBlendProfilePicker.cpp", "SkeletalMeshSocketDetails.cpp", "SkeletalMeshSocketDetails.h", "SkeletonTreeCommands.cpp", "SkeletonTreeCommands.h", "SMontageEditor.cpp", "SMontageEditor.h", "SMorphTargetViewer.cpp", "SMorphTargetViewer.h", "SPersonaToolbar.cpp", "SPersonaToolbar.h", "SRetargetManager.cpp", "SRetargetManager.h", "SRetargetSourceWindow.cpp", "SRetargetSourceWindow.h", "SRigPicker.cpp", "SRigPicker.h", "SRigWindow.cpp", "SRigWindow.h", "SSequenceEditor.cpp", "SSequenceEditor.h", "SSkeletonAnimNotifies.cpp", "SSkeletonAnimNotifies.h", "SSkeletonBlendProfiles.cpp", "SSkeletonBlendProfiles.h", "SSkeletonSlotNames.cpp", "SSkeletonSlotNames.h", "SSkeletonSmartNameManager.cpp", "SSkeletonSmartNameManager.h", "SSkeletonTree.cpp", "SSkeletonTree.h", "SSlotNameReferenceWindow.cpp", "SSlotNameReferenceWindow.h", "STimingTrack.cpp", "STimingTrack.h", "STrack.cpp", "STrack.h", "AnimationMode.cpp", "AnimationMode.h", "SAnimAssetPropertiesEditor.cpp", "SAnimAssetPropertiesEditor.h", "AnimBlueprintMode.cpp", "AnimBlueprintMode.h", "AnimGraphNodeSlotDetails.cpp", "AnimGraphNodeSlotDetails.h", "MeshMode.cpp", "MeshMode.h", "SAdditionalMeshesEditor.cpp", "SAdditionalMeshesEditor.h", "SMeshPropertiesEditor.cpp", "SMeshPropertiesEditor.h", "SMirrorSetupEditor.cpp", "SMirrorSetupEditor.h", "PhysicsMode.cpp", "PhysicsMode.h", "BoneSelectionWidget.cpp", "PersonaMode.cpp", "PersonaMode.h", "BoneDragDropOp.h", "BoneSelectionWidget.h", "PersonaModule.h", "SBlendProfilePicker.h", "SocketDragDropOp.h", "PhAT.Build.cs", "PhATEdSkeletalMeshComponent.h", "PhAT.cpp", "PhAT.h", "PhATActions.cpp", "PhATActions.h", "PhATHitProxies.cpp", "PhATHitProxies.h", "PhATModule.cpp", "PhATPreviewViewportClient.cpp", "PhATPreviewViewportClient.h", "PhATRender.cpp", "PhATSharedData.cpp", "PhATSharedData.h", "SPhATNewAssetDlg.cpp", "SPhATNewAssetDlg.h", "SPhATPreviewToolbar.cpp", "SPhATPreviewToolbar.h", "SPhATPreviewViewport.cpp", "SPhATPreviewViewport.h", "IPhAT.h", "PhATModule.h", "PlacementMode.Build.cs", "PlacementMode.cpp", "PlacementMode.h", "PlacementModeModule.cpp", "PlacementModePrivatePCH.h", "PlacementModeToolkit.h", "SPlacementModeTools.cpp", "SPlacementModeTools.h", "ActorPlacementInfo.h", "IPlacementMode.h", "IPlacementModeModule.h", "PListEditor.Build.cs", "PListEditor.cpp", "PListNode.cpp", "PListNode.h", "PListNodeArray.cpp", "PListNodeArray.h", "PListNodeBoolean.cpp", "PListNodeBoolean.h", "PListNodeDictionary.cpp", "PListNodeDictionary.h", "PListNodeFile.cpp", "PListNodeFile.h", "PListNodeString.cpp", "PListNodeString.h", "SPlistEditor.cpp", "PListEditor.h", "SPlistEditor.h", "PluginWarden.Build.cs", "PluginWardenModule.cpp", "PluginWardenModule.h", "PluginWardenPrivatePCH.h", "SAuthorizingPlugin.cpp", "SAuthorizingPlugin.h", "IPluginWardenModule.h", "ProjectSettingsViewer.Build.cs", "ProjectSettingsViewerModule.cpp", "ProjectSettingsViewerPrivatePCH.h", "ProjectTargetPlatformEditor.Build.cs", "ProjectTargetPlatformEditorModule.cpp", "ProjectTargetPlatformEditorPrivatePCH.h", "ProjectTargetPlatformEditorWidgets.cpp", "SProjectTargetPlatformSettings.cpp", "SProjectTargetPlatformSettings.h", "ProjectTargetPlatformEditor.h", "IProjectTargetPlatformEditorModule.h", "PropertyEditor.Build.cs", "CategoryPropertyNode.cpp", "CategoryPropertyNode.h", "CustomChildBuilder.cpp", "CustomChildBuilder.h", "DetailAdvancedDropdownNode.cpp", "DetailAdvancedDropdownNode.h", "DetailCategoryBuilderImpl.cpp", "DetailCategoryBuilderImpl.h", "DetailCategoryGroupNode.cpp", "DetailCategoryGroupNode.h", "DetailCustomBuilderRow.cpp", "DetailCustomBuilderRow.h", "DetailGroup.cpp", "DetailGroup.h", "DetailItemNode.cpp", "DetailItemNode.h", "DetailLayoutBuilderImpl.cpp", "DetailLayoutBuilderImpl.h", "DetailPropertyRow.cpp", "DetailPropertyRow.h", "IDetailsViewPrivate.h", "IDetailTreeNode.h", "ItemPropertyNode.cpp", "ItemPropertyNode.h", "ObjectPropertyNode.cpp", "ObjectPropertyNode.h", "PropertyChangeListener.cpp", "PropertyChangeListener.h", "PropertyCustomizationHelpers.cpp", "PropertyEditorHelpers.cpp", "PropertyEditorHelpers.h", "PropertyEditorModule.cpp", "PropertyEditorPrivatePCH.h", "PropertyEditorToolkit.cpp", "PropertyEditorToolkit.h", "PropertyHandleImpl.cpp", "PropertyHandleImpl.h", "PropertyNode.cpp", "PropertyNode.h", "PropertyRestriction.cpp", "SDetailNameArea.cpp", "SDetailNameArea.h", "SDetailSingleItemRow.cpp", "SDetailSingleItemRow.h", "SDetailsView.cpp", "SDetailsView.h", "SDetailsViewBase.cpp", "SDetailsViewBase.h", "SDetailTableRowBase.cpp", "SDetailTableRowBase.h", "SPropertyTreeViewImpl.cpp", "SPropertyTreeViewImpl.h", "SResetToDefaultMenu.cpp", "SSingleProperty.cpp", "SSingleProperty.h", "SStructureDetailsView.cpp", "SStructureDetailsView.h", "StructurePropertyNode.cpp", "StructurePropertyNode.h", "PropertyEditor.cpp", "PropertyEditor.h", "DataSource.h", "PropertyTable.cpp", "PropertyTable.h", "PropertyTableCell.cpp", "PropertyTableCell.h", "PropertyTableColumn.cpp", "PropertyTableColumn.h", "PropertyTableObjectNameCell.cpp", "PropertyTableObjectNameCell.h", "PropertyTableObjectNameColumn.h", "PropertyTablePropertyNameCell.cpp", "PropertyTablePropertyNameCell.h", "PropertyTablePropertyNameColumn.cpp", "PropertyTablePropertyNameColumn.h", "PropertyTableRow.cpp", "PropertyTableRow.h", "PropertyTableRowHeaderColumn.h", "PropertyDetailsUtilities.cpp", "PropertyDetailsUtilities.h", "PropertyEditorAssetConstants.h", "PropertyEditorConstants.cpp", "PropertyEditorConstants.h", "PropertyEditorUIFactory.cpp", "PropertyEditorUIFactory.h", "SPropertyAssetPicker.cpp", "SPropertyAssetPicker.h", "SPropertyComboBox.cpp", "SPropertyComboBox.h", "SPropertyEditor.h", "SPropertyEditorArray.h", "SPropertyEditorArrayItem.cpp", "SPropertyEditorArrayItem.h", "SPropertyEditorAsset.cpp", "SPropertyEditorAsset.h", "SPropertyEditorBool.cpp", "SPropertyEditorBool.h", "SPropertyEditorClass.cpp", "SPropertyEditorClass.h", "SPropertyEditorColor.cpp", "SPropertyEditorColor.h", "SPropertyEditorCombo.cpp", "SPropertyEditorCombo.h", "SPropertyEditorDateTime.cpp", "SPropertyEditorDateTime.h", "SPropertyEditorEditInline.cpp", "SPropertyEditorEditInline.h", "SPropertyEditorInteractiveActorPicker.cpp", "SPropertyEditorInteractiveActorPicker.h", "SPropertyEditorNumeric.cpp", "SPropertyEditorNumeric.h", "SPropertyEditorTableRow.cpp", "SPropertyEditorTableRow.h", "SPropertyEditorText.cpp", "SPropertyEditorText.h", "SPropertyEditorTitle.h", "SPropertyMenuActorPicker.cpp", "SPropertyMenuActorPicker.h", "SPropertyMenuAssetPicker.cpp", "SPropertyMenuAssetPicker.h", "SPropertySceneOutliner.cpp", "SPropertySceneOutliner.h", "SResetToDefaultPropertyEditor.cpp", "SResetToDefaultPropertyEditor.h", "BooleanPropertyTableCellPresenter.cpp", "BooleanPropertyTableCellPresenter.h", "ColorPropertyTableCellPresenter.cpp", "ColorPropertyTableCellPresenter.h", "ColumnWidgetFactory.cpp", "ColumnWidgetFactory.h", "ObjectNameTableCellPresenter.h", "PropertyTableConstants.h", "PropertyTableWidgetHandle.h", "SBoolColumnHeader.h", "SColorColumnHeader.h", "SColumnHeader.h", "SObjectColumnHeader.h", "SObjectNameColumnHeader.h", "SPropertyNameColumnHeader.h", "SPropertyTable.h", "SPropertyTableCell.cpp", "SPropertyTableCell.h", "SPropertyTableHeaderRow.h", "SPropertyTableRow.h", "SRowHeaderCell.h", "SRowHeaderColumnHeader.h", "STextColumnHeader.h", "TextPropertyTableCellPresenter.cpp", "TextPropertyTableCellPresenter.h", "PropertyTreeConstants.h", "SPropertyTreeCategoryRow.h", "DetailCategoryBuilder.h", "DetailLayoutBuilder.h", "DetailWidgetRow.h", "IDetailChildrenBuilder.h", "IDetailCustomization.h", "IDetailCustomNodeBuilder.h", "IDetailGroup.h", "IDetailKeyframeHandler.h", "IDetailPropertyExtensionHandler.h", "IDetailPropertyRow.h", "IDetailsView.h", "IPropertyChangeListener.h", "IPropertyDetailsUtilities.h", "IPropertyTable.h", "IPropertyTableCell.h", "IPropertyTableCellPresenter.h", "IPropertyTableColumn.h", "IPropertyTableCustomColumn.h", "IPropertyTableRow.h", "IPropertyTableUtilities.h", "IPropertyTableWidgetHandle.h", "IPropertyTreeRow.h", "IPropertyTypeCustomization.h", "IPropertyUtilities.h", "ISinglePropertyView.h", "IStructureDetailsView.h", "PropertyCustomizationHelpers.h", "PropertyEditing.h", "PropertyEditorDelegates.h", "PropertyEditorModule.h", "PropertyHandle.h", "PropertyPath.h", "PropertyRestriction.h", "SResetToDefaultMenu.h", "ReferenceViewer.Build.cs", "EdGraphNode_Reference.h", "EdGraph_ReferenceViewer.h", "ReferenceViewerSchema.h", "EdGraphNode_Reference.cpp", "EdGraph_ReferenceViewer.cpp", "HistoryManager.cpp", "HistoryManager.h", "ReferenceViewer.cpp", "ReferenceViewerActions.cpp", "ReferenceViewerActions.h", "ReferenceViewerPrivatePCH.h", "ReferenceViewerSchema.cpp", "SReferenceNode.cpp", "SReferenceNode.h", "SReferenceViewer.cpp", "SReferenceViewer.h", "ReferenceViewer.h", "SceneOutliner.Build.cs", "ActorTreeItem.cpp", "FolderTreeItem.cpp", "SceneOutlinerActorInfoColumn.cpp", "SceneOutlinerActorInfoColumn.h", "SceneOutlinerDragDrop.cpp", "SceneOutlinerGutter.cpp", "SceneOutlinerGutter.h", "SceneOutlinerItemLabelColumn.cpp", "SceneOutlinerItemLabelColumn.h", "SceneOutlinerModule.cpp", "SceneOutlinerPrivatePCH.h", "SceneOutlinerSettings.h", "SceneOutlinerSortingTests.cpp", "SceneOutlinerStandaloneTypes.cpp", "SceneOutlinerStandaloneTypes.h", "SOutlinerTreeView.cpp", "SOutlinerTreeView.h", "SSceneOutliner.cpp", "SSceneOutliner.h", "SSocketChooser.h", "WorldTreeItem.cpp", "ActorTreeItem.h", "FolderTreeItem.h", "ISceneOutliner.h", "ISceneOutlinerColumn.h", "ITreeItem.h", "SceneOutliner.h", "SceneOutlinerDragDrop.h", "SceneOutlinerFilters.h", "SceneOutlinerFwd.h", "SceneOutlinerModule.h", "SceneOutlinerPublicTypes.h", "SceneOutlinerVisitorTypes.h", "SortHelper.h", "WorldTreeItem.h", "Sequencer.Build.cs", "GroupedKeyArea.cpp", "GroupedKeyArea.h", "KeyAreaLayout.cpp", "KeyAreaLayout.h", "KeyPropertyParams.cpp", "SAnimationOutlinerTreeNode.cpp", "SAnimationOutlinerTreeNode.h", "Sequencer.cpp", "Sequencer.h", "SequencerClipboardReconciler.cpp", "SequencerCommands.cpp", "SequencerCommands.h", "SequencerCommonHelpers.cpp", "SequencerCommonHelpers.h", "SequencerContextMenus.cpp", "SequencerContextMenus.h", "SequencerCurveOwner.cpp", "SequencerCurveOwner.h", "SequencerDetailKeyframeHandler.cpp", "SequencerDetailKeyframeHandler.h", "SequencerEdMode.cpp", "SequencerEdMode.h", "SequencerHotspots.cpp", "SequencerHotspots.h", "SequencerInputHandlerStack.h", "SequencerLabelManager.cpp", "SequencerLabelManager.h", "SequencerModule.cpp", "SequencerNodeTree.cpp", "SequencerNodeTree.h", "SequencerObjectChangeListener.cpp", "SequencerObjectChangeListener.h", "SequencerPrivatePCH.h", "SequencerSectionLayoutBuilder.cpp", "SequencerSectionLayoutBuilder.h", "SequencerSelectedKey.h", "SequencerSelection.cpp", "SequencerSelection.h", "SequencerSelectionPreview.cpp", "SequencerSelectionPreview.h", "SequencerSettings.cpp", "SequencerSettings.h", "SSequencer.cpp", "SSequencer.h", "SSequencerCurveEditor.cpp", "SSequencerCurveEditor.h", "SSequencerCurveEditorToolBar.cpp", "SSequencerCurveEditorToolBar.h", "SSequencerLabelBrowser.cpp", "SSequencerLabelBrowser.h", "SSequencerLabelEditor.cpp", "SSequencerLabelEditor.h", "SSequencerLabelEditorListRow.h", "SSequencerLabelListRow.h", "SSequencerSection.cpp", "SSequencerSection.h", "SSequencerSectionAreaView.cpp", "SSequencerSectionAreaView.h", "SSequencerSectionOverlay.cpp", "SSequencerSectionOverlay.h", "SSequencerShotFilterOverlay.cpp", "SSequencerShotFilterOverlay.h", "SSequencerSplitterOverlay.h", "SSequencerTrackArea.cpp", "SSequencerTrackArea.h", "SSequencerTrackLane.cpp", "SSequencerTrackLane.h", "SSequencerTrackOutliner.cpp", "SSequencerTrackOutliner.h", "SSequencerTreeView.cpp", "SSequencerTreeView.h", "SSequencerTreeViewBox.h", "TimeSliderController.cpp", "TimeSliderController.h", "VirtualTrackArea.cpp", "VirtualTrackArea.h", "SequencerDisplayNode.cpp", "SequencerDisplayNode.h", "SequencerObjectBindingNode.cpp", "SequencerObjectBindingNode.h", "SequencerSectionCategoryNode.cpp", "SequencerSectionCategoryNode.h", "SequencerSectionKeyAreaNode.cpp", "SequencerSectionKeyAreaNode.h", "SequencerTrackNode.cpp", "SequencerTrackNode.h", "DelayedDrag.h", "EditToolDragOperations.cpp", "EditToolDragOperations.h", "SequencerEditTool.h", "SequencerEditTool_Default.cpp", "SequencerEditTool_Default.h", "SequencerEditTool_Movement.cpp", "SequencerEditTool_Movement.h", "SequencerEditTool_Selection.cpp", "SequencerEditTool_Selection.h", "SequencerEntityVisitor.cpp", "SequencerEntityVisitor.h", "SequencerSnapField.cpp", "SequencerSnapField.h", "IKeyArea.h", "ISectionLayoutBuilder.h", "ISequencer.h", "ISequencerEditTool.h", "ISequencerHotspot.h", "ISequencerInputHandler.h", "ISequencerModule.h", "ISequencerObjectChangeListener.h", "ISequencerSection.h", "ISequencerTrackEditor.h", "KeyPropertyParams.h", "MovieSceneTrackEditor.h", "SequencerClipboardReconciler.h", "SequencerWidgets.Build.cs", "SequencerWidgetsModule.cpp", "SequencerWidgetsPrivatePCH.h", "STimeRange.cpp", "STimeRange.h", "STimeRangeSlider.cpp", "STimeRangeSlider.h", "STimeSlider.cpp", "STimeSlider.h", "ITimeSlider.h", "SequencerWidgetsModule.h", "SizeMap.Build.cs", "SizeMapActions.cpp", "SizeMapActions.h", "SizeMapModule.cpp", "SizeMapModule.h", "SSizeMap.cpp", "SSizeMap.h", "ISizeMapModule.h", "SoundClassEditor.Build.cs", "SoundClassEditor.cpp", "SoundClassEditor.h", "SoundClassEditorModule.cpp", "SoundClassEditorPrivatePCH.h", "SoundClassEditorUtilities.cpp", "SSoundClassActionMenu.cpp", "SSoundClassActionMenu.h", "SoundClassEditorModule.h", "SoundClassEditorUtilities.h", "SoundCueEditor.Build.cs", "SoundCueEditor.cpp", "SoundCueEditor.h", "SoundCueEditorModule.cpp", "SoundCueEditorUtilities.cpp", "SSoundCuePalette.cpp", "SSoundCuePalette.h", "ISoundCueEditor.h", "SoundCueEditorModule.h", "SoundCueEditorUtilities.h", "SourceControlWindows.Build.cs", "SourceControlWindowsPCH.h", "SSourceControlHistory.cpp", "SSourceControlRevert.cpp", "SSourceControlSubmit.cpp", "SSourceControlSubmit.h", "SourceControlWindows.h", "StaticMeshEditor.Build.cs", "SStaticMeshEditorViewport.cpp", "SStaticMeshEditorViewport.h", "StaticMeshAutomationTests.cpp", "StaticMeshEditor.cpp", "StaticMeshEditor.h", "StaticMeshEditorActions.cpp", "StaticMeshEditorModule.cpp", "StaticMeshEditorTools.cpp", "StaticMeshEditorTools.h", "StaticMeshEditorViewportClient.cpp", "StaticMeshEditorViewportClient.h", "IStaticMeshEditor.h", "StaticMeshEditorActions.h", "StaticMeshEditorModule.h", "StatsViewer.Build.cs", "CookerStats.h", "LightingBuildInfo.h", "PrimitiveStats.h", "StaticMeshLightingInfo.h", "TextureStats.h", "ActorArrayHyperlinkColumn.cpp", "ActorArrayHyperlinkColumn.h", "ObjectHyperlinkColumn.cpp", "ObjectHyperlinkColumn.h", "SStatsViewer.cpp", "SStatsViewer.h", "StatsCustomColumn.cpp", "StatsCustomColumn.h", "StatsPageManager.cpp", "StatsPageManager.h", "StatsViewerModule.cpp", "StatsViewerPrivatePCH.h", "StatsViewerUtils.cpp", "CookerStats.cpp", "LightingBuildInfo.cpp", "PrimitiveStats.cpp", "StaticMeshLightingInfo.cpp", "TextureStats.cpp", "CookerStatsPage.cpp", "CookerStatsPage.h", "LightingBuildInfoStatsPage.cpp", "LightingBuildInfoStatsPage.h", "PrimitiveStatsPage.cpp", "PrimitiveStatsPage.h", "StaticMeshLightingInfoStatsPage.cpp", "StaticMeshLightingInfoStatsPage.h", "TextureStatsPage.cpp", "TextureStatsPage.h", "IStatsPage.h", "IStatsViewer.h", "ObjectHyperlinkColumnInitializationOptions.h", "StatsCellPresenter.h", "StatsPage.h", "StatsViewerModule.h", "StatsViewerUtils.h", "SwarmInterface.Build.cs", "SwarmInterface.cs", "Util.cs", "AssemblyInfo.cs", "SwarmInterface.cpp", "SwarmInterfaceLocal.cpp", "SwarmInterfaceModule.cpp", "SwarmMessages.h", "SwarmDefines.h", "SwarmInterface.h", "TextureAlignMode.Build.cs", "TextureAlignEdMode.cpp", "TextureAlignMode.cpp", "TextureAlignModePrivatePCH.h", "TextureAlignEdMode.h", "TextureAlignMode.h", "TextureEditor.Build.cs", "TextureEditorSettings.h", "TextureEditorClasses.cpp", "TextureEditorModule.cpp", "TextureEditorPrivatePCH.h", "TextureEditorToolkit.cpp", "TextureEditorToolkit.h", "TextureDetailsCustomization.cpp", "TextureDetailsCustomization.h", "TextureEditorViewOptionsMenu.h", "TextureEditorCommands.cpp", "TextureEditorCommands.h", "TextureEditorViewportClient.cpp", "TextureEditorViewportClient.h", "STextureEditorViewport.cpp", "STextureEditorViewport.h", "STextureEditorViewportToolbar.cpp", "STextureEditorViewportToolbar.h", "TextureEditor.h", "ITextureEditorModule.h", "ITextureEditorToolkit.h", "TranslationEditor.Build.cs", "CustomFontColumn.cpp", "CustomFontColumn.h", "InternationalizationExportSettings.cpp", "InternationalizationExportSettings.h", "ITranslationEditor.cpp", "TranslationDataManager.cpp", "TranslationDataManager.h", "TranslationEditor.cpp", "TranslationEditor.h", "TranslationEditorMenu.cpp", "TranslationEditorModule.cpp", "TranslationEditorPrivatePCH.h", "TranslationPickerEditWindow.cpp", "TranslationPickerEditWindow.h", "TranslationPickerFloatingWindow.cpp", "TranslationPickerFloatingWindow.h", "TranslationPickerWidget.cpp", "TranslationPickerWidget.h", "TranslationUnit.cpp", "TranslationUnit.h", "ITranslationEditor.h", "TranslationEditorMenu.h", "TranslationEditorModule.h", "UMGEditor.Build.cs", "WidgetBlueprintFactory.h", "WidgetGraphSchema.h", "AssetTypeActions_WidgetBlueprint.cpp", "AssetTypeActions_WidgetBlueprint.h", "SlateVectorArtDataFactory.cpp", "TreeFilterHandler.h", "UMGEditorActions.cpp", "UMGEditorActions.h", "UMGEditorModule.cpp", "UMGEditorPrivatePCH.h", "WidgetBlueprint.cpp", "WidgetBlueprintCompiler.cpp", "WidgetBlueprintCompiler.h", "WidgetBlueprintEditor.cpp", "WidgetBlueprintEditor.h", "WidgetBlueprintEditorToolbar.cpp", "WidgetBlueprintEditorToolbar.h", "WidgetBlueprintEditorUtils.cpp", "WidgetBlueprintEditorUtils.h", "WidgetBlueprintFactory.cpp", "WidgetGraphSchema.cpp", "WidgetReference.cpp", "MarginTrackEditor.cpp", "MarginTrackEditor.h", "Sequencer2DTransformTrackEditor.cpp", "Sequencer2DTransformTrackEditor.h", "UMGDetailKeyframeHandler.cpp", "UMGDetailKeyframeHandler.h", "WidgetBlueprintApplicationMode.cpp", "WidgetBlueprintApplicationMode.h", "WidgetBlueprintApplicationModes.cpp", "WidgetBlueprintApplicationModes.h", "WidgetDesignerApplicationMode.cpp", "WidgetDesignerApplicationMode.h", "WidgetGraphApplicationMode.cpp", "WidgetGraphApplicationMode.h", "CanvasSlotCustomization.cpp", "CanvasSlotCustomization.h", "HorizontalAlignmentCustomization.cpp", "HorizontalAlignmentCustomization.h", "SlateChildSizeCustomization.cpp", "SlateChildSizeCustomization.h", "TextJustifyCustomization.cpp", "TextJustifyCustomization.h", "UMGDetailCustomizations.cpp", "UMGDetailCustomizations.h", "VerticalAlignmentCustomization.cpp", "VerticalAlignmentCustomization.h", "WidgetNavigationCustomization.cpp", "WidgetNavigationCustomization.h", "DesignerCommands.cpp", "DesignerCommands.h", "DesignTimeUtils.cpp", "DesignTimeUtils.h", "SDesignerToolBar.cpp", "SDesignerToolBar.h", "SDesignerView.cpp", "SDesignerView.h", "SDesignSurface.cpp", "SDesignSurface.h", "SDisappearingBar.cpp", "SDisappearingBar.h", "SPaintSurface.h", "SRuler.cpp", "SRuler.h", "STransformHandle.cpp", "STransformHandle.h", "SZoomPan.cpp", "SZoomPan.h", "DetailWidgetExtensionHandler.cpp", "DetailWidgetExtensionHandler.h", "SPropertyBinding.cpp", "SPropertyBinding.h", "SWidgetDetailsView.cpp", "SWidgetDetailsView.h", "WidgetTemplateDragDropOp.cpp", "WidgetTemplateDragDropOp.h", "CanvasSlotExtension.cpp", "CanvasSlotExtension.h", "DesignerExtension.cpp", "GridSlotExtension.cpp", "GridSlotExtension.h", "HorizontalSlotExtension.cpp", "HorizontalSlotExtension.h", "UniformGridSlotExtension.cpp", "UniformGridSlotExtension.h", "VerticalSlotExtension.cpp", "VerticalSlotExtension.h", "SHierarchyView.cpp", "SHierarchyView.h", "SHierarchyViewItem.cpp", "SHierarchyViewItem.h", "K2Node_CreateDragDropOperation.cpp", "K2Node_CreateDragDropOperation.h", "K2Node_CreateWidget.cpp", "K2Node_CreateWidget.h", "SPaletteView.cpp", "SPaletteView.h", "WidgetDesignerSettings.cpp", "AnimationTabSummoner.cpp", "AnimationTabSummoner.h", "DesignerTabSummoner.cpp", "DesignerTabSummoner.h", "DetailsTabSummoner.cpp", "DetailsTabSummoner.h", "HierarchyTabSummoner.cpp", "HierarchyTabSummoner.h", "PaletteTabSummoner.cpp", "PaletteTabSummoner.h", "SequencerTabSummoner.cpp", "SequencerTabSummoner.h", "WidgetTemplate.cpp", "WidgetTemplateBlueprintClass.cpp", "WidgetTemplateBlueprintClass.h", "WidgetTemplateClass.cpp", "WidgetTemplateClass.h", "WidgetSlotPair.cpp", "WidgetSlotPair.h", "DesignerExtension.h", "IUMGDesigner.h", "SlateVectorArtDataFactory.h", "UMGEditorModule.h", "WidgetBlueprint.h", "WidgetReference.h", "WidgetTemplate.h", "WidgetDesignerSettings.h", "UndoHistory.Build.cs", "UndoHistoryModule.cpp", "UndoHistoryPrivatePCH.h", "SUndoHistory.cpp", "SUndoHistory.h", "SUndoHistoryTableRow.h", "UndoHistory.h", "UndoHistoryModule.h", "IUndoHistoryModule.h", "UnrealEd.Build.cs", "ActorFactory.h", "ActorFactoryAmbientSound.h", "ActorFactoryAnimationAsset.h", "ActorFactoryAtmosphericFog.h", "ActorFactoryBasicShape.h", "ActorFactoryBlueprint.h", "ActorFactoryBoxReflectionCapture.h", "ActorFactoryBoxVolume.h", "ActorFactoryCameraActor.h", "ActorFactoryCharacter.h", "ActorFactoryClass.h", "ActorFactoryCylinderVolume.h", "ActorFactoryDeferredDecal.h", "ActorFactoryDestructible.h", "ActorFactoryDirectionalLight.h", "ActorFactoryEmitter.h", "ActorFactoryEmptyActor.h", "ActorFactoryExponentialHeightFog.h", "ActorFactoryInteractiveFoliage.h", "ActorFactoryMatineeActor.h", "ActorFactoryNiagara.h", "ActorFactoryNote.h", "ActorFactoryPawn.h", "ActorFactoryPhysicsAsset.h", "ActorFactoryPlaneReflectionCapture.h", "ActorFactoryPlayerStart.h", "ActorFactoryPointLight.h", "ActorFactorySkeletalMesh.h", "ActorFactorySkyLight.h", "ActorFactorySphereReflectionCapture.h", "ActorFactorySphereVolume.h", "ActorFactorySpotLight.h", "ActorFactoryStaticMesh.h", "ActorFactoryTargetPoint.h", "ActorFactoryTextRender.h", "ActorFactoryTriggerBox.h", "ActorFactoryTriggerCapsule.h", "ActorFactoryTriggerSphere.h", "ActorFactoryVectorFieldVolume.h", "AnalyticsPrivacySettings.h", "DebugSkelMeshComponent.h", "EditorAnimBaseObj.h", "EditorAnimCompositeSegment.h", "EditorAnimSegment.h", "EditorCompositeSection.h", "EditorNotifyObject.h", "EditorParentPlayerListObj.h", "EditorSkeletonNotifyObj.h", "ConeBuilder.h", "CubeBuilder.h", "CurvedStairBuilder.h", "CylinderBuilder.h", "EditorBrushBuilder.h", "LinearStairBuilder.h", "SheetBuilder.h", "SpiralStairBuilder.h", "TetrahedronBuilder.h", "VolumetricBuilder.h", "AudioTestCommandlet.h", "CompressAnimationsCommandlet.h", "CookCommandlet.h", "DerivedDataCacheCommandlet.h", "DiffAssetsCommandlet.h", "DiffFilesCommandlet.h", "DiffPackagesCommandlet.h", "DumpBlueprintsInfoCommandlet.h", "DumpHiddenCategoriesCommandlet.h", "FileServerCommandlet.h", "FixupRedirectsCommandlet.h", "GatherTextCommandlet.h", "GatherTextCommandletBase.h", "GatherTextFromAssetsCommandlet.h", "GatherTextFromMetadataCommandlet.h", "GatherTextFromSourceCommandlet.h", "GenerateBlueprintAPICommandlet.h", "GenerateDistillFileSetsCommandlet.h", "GenerateGatherArchiveCommandlet.h", "GenerateGatherManifestCommandlet.h", "GenerateTextLocalizationReportCommandlet.h", "GenerateTextLocalizationResourceCommandlet.h", "InternationalizationConditioningCommandlet.h", "InternationalizationExportCommandlet.h", "ListMaterialsUsedWithMeshEmittersCommandlet.h", "ListStaticMeshesImportedFromSpeedTreesCommandlet.h", "LoadPackageCommandlet.h", "ParticleSystemAuditCommandlet.h", "PkgInfoCommandlet.h", "RepairLocalizationDataCommandlet.h", "ReplaceActorCommandlet.h", "ResavePackagesCommandlet.h", "UpdateGameProjectCommandlet.h", "WrangleContentCommandlet.h", "CookOnTheFlyServer.h", "EditorEngine.h", "EditorPerProjectUserSettings.h", "GroupActor.h", "PropertyEditorTestObject.h", "TemplateMapMetadata.h", "Transactor.h", "TransBuffer.h", "UnrealEdEngine.h", "UnrealEdTypes.h", "AnimSequenceExporterFBX.h", "ExportTextContainer.h", "LevelExporterFBX.h", "LevelExporterLOD.h", "LevelExporterOBJ.h", "LevelExporterSTL.h", "LevelExporterT3D.h", "ModelExporterT3D.h", "ObjectExporterT3D.h", "PolysExporterOBJ.h", "PolysExporterT3D.h", "SequenceExporterT3D.h", "SkeletalMeshExporterFBX.h", "SoundExporterOGG.h", "SoundExporterWAV.h", "SoundSurroundExporterWAV.h", "StaticMeshExporterFBX.h", "StaticMeshExporterOBJ.h", "TextBufferExporterTXT.h", "TextureCubeExporterHDR.h", "TextureExporterBMP.h", "TextureExporterHDR.h", "TextureExporterPCX.h", "TextureExporterTGA.h", "AimOffsetBlendSpaceFactory1D.h", "AimOffsetBlendSpaceFactoryNew.h", "AnimBlueprintFactory.h", "AnimCompositeFactory.h", "AnimMontageFactory.h", "AnimSequenceFactory.h", "BlendSpaceFactory1D.h", "BlendSpaceFactoryNew.h", "BlueprintFactory.h", "BlueprintFunctionLibraryFactory.h", "BlueprintInterfaceFactory.h", "BlueprintMacroFactory.h", "CameraAnimFactory.h", "CSVImportFactory.h", "CurveFactory.h", "CurveImportFactory.h", "DataAssetFactory.h", "DataTableFactory.h", "DestructibleMeshFactory.h", "DialogueVoiceFactory.h", "DialogueWaveFactory.h", "EnumFactory.h", "Factory.h", "FbxAnimSequenceImportData.h", "FbxAssetImportData.h", "FbxFactory.h", "FbxImportUI.h", "FbxMeshImportData.h", "FbxSceneImportData.h", "FbxSceneImportFactory.h", "FbxSceneImportOptions.h", "FbxSceneImportOptionsAnimation.h", "FbxSceneImportOptionsMaterial.h", "FbxSceneImportOptionsSkeletalMesh.h", "FbxSceneImportOptionsStaticMesh.h", "FbxSkeletalMeshImportData.h", "FbxStaticMeshImportData.h", "FbxTextureImportData.h", "FontFactory.h", "FontFileImportFactory.h", "ForceFeedbackEffectFactory.h", "HapticFeedbackEffectFactory.h", "InterpDataFactoryNew.h", "LevelFactory.h", "MaterialFactoryNew.h", "MaterialFunctionFactoryNew.h", "MaterialInstanceConstantFactoryNew.h", "MaterialParameterCollectionFactoryNew.h", "ModelFactory.h", "NiagaraEffectFactoryNew.h", "NiagaraScriptFactoryNew.h", "ObjectLibraryFactory.h", "PackageFactory.h", "PackFactory.h", "ParticleSystemFactoryNew.h", "PhysicalMaterialFactoryNew.h", "PolysFactory.h", "ReimportCurveFactory.h", "ReimportCurveTableFactory.h", "ReimportDataTableFactory.h", "ReimportDestructibleMeshFactory.h", "ReimportFbxAnimSequenceFactory.h", "ReimportFbxSceneFactory.h", "ReimportFbxSkeletalMeshFactory.h", "ReimportFbxStaticMeshFactory.h", "ReimportSoundFactory.h", "ReimportSoundSurroundFactory.h", "ReimportTextureFactory.h", "ReimportVectorFieldStaticFactory.h", "ReverbEffectFactory.h", "SkeletonFactory.h", "SlateBrushAssetFactory.h", "SlateWidgetStyleAssetFactory.h", "SoundAttenuationFactory.h", "SoundClassFactory.h", "SoundConcurrencyFactory.h", "SoundCueFactoryNew.h", "SoundFactory.h", "SoundMixFactory.h", "SoundSurroundFactory.h", "StructureFactory.h", "SubsurfaceProfileFactory.h", "SubUVAnimationFactory.h", "Texture2dFactoryNew.h", "TextureCubeThumbnailRenderer.h", "TextureFactory.h", "TextureRenderTargetCubeFactoryNew.h", "TextureRenderTargetFactoryNew.h", "TouchInterfaceFactory.h", "TrueTypeFontFactory.h", "VectorFieldStaticFactory.h", "WorldFactory.h", "DEditorFontParameterValue.h", "DEditorParameterValue.h", "DEditorScalarParameterValue.h", "DEditorStaticComponentMaskParameterValue.h", "DEditorStaticSwitchParameterValue.h", "DEditorTextureParameterValue.h", "DEditorVectorParameterValue.h", "MaterialEditorInstanceConstant.h", "MaterialEditorMeshComponent.h", "PreviewMaterial.h", "MaterialGraph.h", "MaterialGraphNode.h", "MaterialGraphNode_Base.h", "MaterialGraphNode_Comment.h", "MaterialGraphNode_Root.h", "MaterialGraphSchema.h", "EdGraphSchema_Niagara.h", "NiagaraGraph.h", "NiagaraNode.h", "NiagaraNodeConstant.h", "NiagaraNodeFunctionCall.h", "NiagaraNodeGetAttr.h", "NiagaraNodeInput.h", "NiagaraNodeOp.h", "NiagaraNodeOutput.h", "NiagaraNodeOutputUpdate.h", "NiagaraNodeReadDataSet.h", "NiagaraNodeWriteDataSet.h", "NiagaraScriptSource.h", "CascadeOptions.h", "CurveEdOptions.h", "LightmassOptionsObject.h", "MaterialEditorOptions.h", "PersonaOptions.h", "PhATSimOptions.h", "UnrealEdKeyBindings.h", "UnrealEdOptions.h", "ContentBrowserSettings.h", "DestructableMeshEditorSettings.h", "EditorExperimentalSettings.h", "EditorLoadingSavingSettings.h", "EditorMiscSettings.h", "LevelEditorMiscSettings.h", "LevelEditorPlaySettings.h", "LevelEditorViewportSettings.h", "ProjectPackagingSettings.h", "SoundClassGraph.h", "SoundClassGraphNode.h", "SoundClassGraphSchema.h", "SoundCueGraph.h", "SoundCueGraphNode.h", "SoundCueGraphNode_Base.h", "SoundCueGraphNode_Root.h", "SoundCueGraphSchema.h", "TexAligner.h", "TexAlignerBox.h", "TexAlignerDefault.h", "TexAlignerFit.h", "TexAlignerPlanar.h", "AnimBlueprintThumbnailRenderer.h", "AnimSequenceThumbnailRenderer.h", "BlendSpaceThumbnailRenderer.h", "BlueprintThumbnailRenderer.h", "ClassThumbnailRenderer.h", "DefaultSizedThumbnailRenderer.h", "DestructibleMeshThumbnailRenderer.h", "FontThumbnailRenderer.h", "LevelThumbnailRenderer.h", "MaterialFunctionThumbnailRenderer.h", "MaterialInstanceThumbnailRenderer.h", "ParticleSystemThumbnailRenderer.h", "SceneThumbnailInfo.h", "SceneThumbnailInfoWithPrimitive.h", "SkeletalMeshThumbnailRenderer.h", "SlateBrushThumbnailRenderer.h", "SoundWaveThumbnailRenderer.h", "StaticMeshThumbnailRenderer.h", "SubsurfaceProfileRenderer.h", "TextureThumbnailRenderer.h", "ThumbnailManager.h", "ThumbnailRenderer.h", "WorldThumbnailInfo.h", "WorldThumbnailRenderer.h", "UserDefinedStructEditorData.h", "AboutScreen.cpp", "AnimationCompressionPanel.cpp", "AnimationEditorUtils.cpp", "ApexClothingUtils.cpp", "AssetDeleteModel.cpp", "AssetEditorModeManager.cpp", "AssetNotifications.cpp", "AssetSelection.cpp", "AssetThumbnail.cpp", "AutoSaveUtils.cpp", "AutoSaveUtils.h", "BSPOps.cpp", "BusyCursor.cpp", "CameraController.cpp", "ClassIconFinder.cpp", "ComponentAssetBroker.cpp", "ComponentTypeRegistry.cpp", "ComponentVisualizer.cpp", "ComponentVisualizerManager.cpp", "ConsolidateWindow.cpp", "ConvexDecompTool.cpp", "ConvexDecompTool.h", "CookOnTheFlyServer.cpp", "CreditsScreen.cpp", "CubemapUnwrapUtils.cpp", "DataTableEditorUtils.cpp", "DebugToolExec.cpp", "DistanceFieldBuildNotification.cpp", "DragTool_BoxSelect.cpp", "DragTool_FrustumSelect.cpp", "DragTool_Measure.cpp", "EdGraphNode_Comment.cpp", "EdGraphUtilities.cpp", "Editor.cpp", "EditorActor.cpp", "EditorActorFolders.cpp", "EditorAnimUtils.cpp", "EditorBrushBuilder.cpp", "EditorBsp.cpp", "EditorBuildUtils.cpp", "EditorCategoryUtils.cpp", "EditorClassUtils.cpp", "EditorCommandLineUtils.cpp", "EditorComponents.cpp", "EditorConstraints.cpp", "EditorCsg.cpp", "EditorDirectories.cpp", "EditorDragTools.cpp", "EditorEngine.cpp", "EditorExporters.cpp", "EditorGroup.cpp", "EditorHook.cpp", "EditorLevelUtils.cpp", "EditorModeInterpolation.cpp", "EditorModeManager.cpp", "EditorModes.cpp", "EditorModeTools.cpp", "EditorObject.cpp", "EditorParameters.cpp", "EditorPhysXSupport.h", "EditorSelectUtils.cpp", "EditorServer.cpp", "EditorShowFlags.cpp", "EditorTransaction.cpp", "EditorUndoClient.cpp", "EditorViewportClient.cpp", "EditorViewportCommands.cpp", "EdMode.cpp", "FbxAnimUtils.cpp", "FbxExporter.h", "FbxImporter.h", "FbxLibs.h", "FbxMeshUtils.cpp", "FbxOptionWindow.h", "FeedbackContextEditor.cpp", "FileHelpers.cpp", "GeomFitUtils.cpp", "GeomFitUtils.h", "GeomTools.cpp", "GlobalEditorNotification.cpp", "GlobalEditorNotification.h", "GraphEditor.cpp", "GrassRenderingNotification.cpp", "GroupActor.cpp", "HierarchicalLOD.cpp", "HierarchicalLODVolume.cpp", "LandscapeTextureBakingNotification.cpp", "LevelEditorViewport.cpp", "LevelViewportClickHandlers.cpp", "LevelViewportClickHandlers.h", "LightmassOptionsObject.cpp", "LODCluster.cpp", "LODUtilities.cpp", "MaterialGraph.cpp", "MaterialGraphNode.cpp", "MaterialGraphNode_Base.cpp", "MaterialGraphNode_Comment.cpp", "MaterialGraphNode_Root.cpp", "MaterialGraphSchema.cpp", "MeshPaintRendering.cpp", "MiniCurveEditor.cpp", "MouseDeltaTracker.cpp", "MRUFavoritesList.cpp", "MRUList.cpp", "NavigationBuildingNotification.cpp", "NavigationBuildingNotification.h", "NormalMapIdentification.cpp", "NormalMapIdentification.h", "NormalMapPreview.cpp", "ObjectTools.cpp", "PackageAutoSaver.cpp", "PackageAutoSaver.h", "PackageBackup.cpp", "PackageRestore.cpp", "PackageRestore.h", "PackageTools.cpp", "ParamParser.cpp", "PerformanceMonitor.cpp", "PerformanceMonitor.h", "PhysicsAssetUtils.cpp", "PhysicsManipulationMode.cpp", "PlayLevel.cpp", "PreferenceStubs.cpp", "PreviewMaterial.cpp", "PropertyEditorTestObject.cpp", "ReferencedAssetsUtils.cpp", "ReferenceInfoUtils.cpp", "ReferenceInfoUtils.h", "RichCurveEditorCommands.cpp", "SClassPickerDialog.cpp", "SColorGradientEditor.cpp", "SCommonEditorViewportToolbarBase.cpp", "SComponentClassCombo.cpp", "ScopedTransaction.cpp", "SCreateAssetFromObject.cpp", "ScriptDisassembler.cpp", "SCSVImportOptions.cpp", "SCurveEditor.cpp", "SEditorViewport.cpp", "SEditorViewportToolBarButton.cpp", "SEditorViewportToolBarMenu.cpp", "SEditorViewportViewMenu.cpp", "SFbxSceneOptionWindow.h", "ShaderCompilingNotification.cpp", "SkeletalMeshEdit.cpp", "SKeySelector.cpp", "SnappingUtils.cpp", "SoundClassGraph.cpp", "SoundClassGraphNode.cpp", "SoundClassGraphSchema.cpp", "SoundCueGraph.cpp", "SoundCueGraphEditorCommands.cpp", "SoundCueGraphNode.cpp", "SoundCueGraphNode_Base.cpp", "SoundCueGraphNode_Root.cpp", "SoundCueGraphSchema.cpp", "SourceCodeNavigation.cpp", "SScalabilitySettings.cpp", "SSkeletonWidget.cpp", "SSocketManager.cpp", "SSocketManager.h", "StaticMeshEdit.cpp", "STransformViewportToolbar.cpp", "SViewportToolBar.cpp", "SViewportToolBarComboMenu.cpp", "SViewportToolBarIconMenu.cpp", "TemplateMapMetadata.cpp", "TexAlignTools.cpp", "Texture2DPreview.cpp", "TextureStreamingNotification.cpp", "ThumbnailHelpers.cpp", "ThumbnailManager.cpp", "UnrealEd.cpp", "UnrealEdEngine.cpp", "UnrealEdMisc.cpp", "UnrealEdSrv.cpp", "UnrealEdTypes.cpp", "UnrealWidget.cpp", "UserDefinedStructEditorData.cpp", "Utils.cpp", "VertexSnapping.cpp", "VertexSnapping.h", "AnalyticsPrivacySettings.cpp", "EditorAnalytics.cpp", "AnimationRecorder.cpp", "DebugSkelMeshComponent.cpp", "EditorAnimBaseObj.cpp", "EditorAnimCompositeSegment.cpp", "EditorAnimSegment.cpp", "EditorCompositeSection.cpp", "EditorNotifyObject.cpp", "EditorParentPlayerListObj.cpp", "EditorSkeletonNotifyObj.cpp", "SCreateAnimationDlg.cpp", "SCreateAnimationDlg.h", "VertexAnimTools.cpp", "VertexAnimTools.h", "AssetSourceFilenameCache.cpp", "AutoReimportManager.cpp", "AutoReimportTests.cpp", "AutoReimportUtilities.cpp", "AutoReimportUtilities.h", "ContentDirectoryMonitor.cpp", "ContentDirectoryMonitor.h", "ReimportFeedbackContext.cpp", "ReimportFeedbackContext.h", "AudioTestCommandlet.cpp", "ChunkDependencyInfo.cpp", "ChunkDependencyInfo.h", "ChunkManifestGenerator.cpp", "ChunkManifestGenerator.h", "CommandletHelpers.cpp", "ContentCommandlets.cpp", "CookCommandlet.cpp", "DerivedDataCacheCommandlet.cpp", "DiffAssetsCommandlet.cpp", "DiffFilesCommandlet.cpp", "DiffPackagesCommandlet.cpp", "DumpBlueprintsInfoCommandlet.cpp", "DumpHiddenCategoriesCommandlet.cpp", "FileServerCommandlet.cpp", "FixupRedirectsCommandlet.cpp", "GatherTextCommandlet.cpp", "GatherTextCommandletBase.cpp", "GatherTextFromAssetsCommandlet.cpp", "GatherTextFromMetadataCommandlet.cpp", "GatherTextFromSourceCommandlet.cpp", "GenerateBlueprintAPICommandlet.cpp", "GenerateDistillFileSetsCommandlet.cpp", "GenerateGatherArchiveCommandlet.cpp", "GenerateGatherManifestCommandlet.cpp", "GenerateTextLocalizationReportCommandlet.cpp", "GenerateTextLocalizationResourceCommandlet.cpp", "InternationalizationConditioningCommandlet.cpp", "InternationalizationExportCommandlet.cpp", "PackageUtilities.cpp", "ParticleSystemAuditCommandlet.cpp", "RepairLocalizationDataCommandlet.cpp", "UpdateGameProjectCommandlet.cpp", "Dialogs.cpp", "DlgMoveAssets.cpp", "DlgPickAssetPath.cpp", "DlgPickPath.cpp", "DlgReferenceTree.cpp", "SBuildProgress.cpp", "SDeleteAssetsDialog.cpp", "SOutputLogDialog.cpp", "AssetDragDropOp.cpp", "ActorPositioning.cpp", "ActorPositioning.h", "ActorFactory.cpp", "ActorFactoryMovieScene.h", "AnimBlueprintFactory.cpp", "AnimCompositeFactory.cpp", "AnimMontageFactory.cpp", "AnimSequenceFactory.cpp", "ApexDestructibleAssetImport.cpp", "CSVImportFactory.cpp", "EditorFactories.cpp", "EditorMorphFactory.cpp", "Factory.cpp", "HDRLoader.cpp", "HDRLoader.h", "IESLoader.cpp", "IESLoader.h", "NiagaraEffectFactory.cpp", "NiagaraScriptFactory.cpp", "PackFactory.cpp", "SkeletalMeshImport.cpp", "SkeletonFactory.cpp", "SlateBrushAssetFactory.cpp", "SlateWidgetStyleAssetFactory.cpp", "TTFontImport.cpp", "VectorFieldFactory.cpp", "WorldFactory.cpp", "FbxAnimationExport.cpp", "FbxAnimSequenceImportData.cpp", "FbxAssetImportData.cpp", "FbxFactory.cpp", "FBxLibs.cpp", "FbxLightImport.cpp", "FbxMainExport.cpp", "FbxMainImport.cpp", "FbxMaterialImport.cpp", "FbxMatineeImport.cpp", "FbxMeshImportData.cpp", "FbxOptionWindow.cpp", "FbxSceneImportData.cpp", "FbxSceneImportFactory.cpp", "FbxSceneImportOptions.cpp", "FbxSceneImportOptionsAnimation.cpp", "FbxSceneImportOptionsMaterial.cpp", "FbxSceneImportOptionsSkeletalMesh.cpp", "FbxSceneImportOptionsStaticMesh.cpp", "FbxSkeletalMeshExport.cpp", "FbxSkeletalMeshImport.cpp", "FbxSkeletalMeshImportData.cpp", "FbxStaticMeshImport.cpp", "FbxStaticMeshImportData.cpp", "FbxTextureImportData.cpp", "FbxUtilsImport.cpp", "ReimportFbxSceneFactory.cpp", "SFbxSceneOptionWindow.cpp", "SSceneImportNodeTreeView.cpp", "SSceneImportNodeTreeView.h", "SSceneImportStaticMeshListView.cpp", "SSceneImportStaticMeshListView.h", "SSceneMaterialsListView.cpp", "SSceneMaterialsListView.h", "SSceneReimportNodeTreeView.cpp", "SSceneReimportNodeTreeView.h", "SSceneReimportStaticMeshListView.cpp", "SSceneReimportStaticMeshListView.h", "EditorFeatures.cpp", "BlueprintEditorUtils.cpp", "CompilerResultsLog.cpp", "ComponentEditorUtils.cpp", "DebuggerCommands.cpp", "EnumEditorUtils.cpp", "Kismet2.cpp", "Kismet2NameValidators.cpp", "KismetDebugUtilities.cpp", "KismetReinstanceUtilities.cpp", "StructureEditorUtils.cpp", "Layers.cpp", "Layers.h", "Lightmass.cpp", "Lightmass.h", "LightmassLandscapeRender.cpp", "LightmassLandscapeRender.h", "LightmassRender.cpp", "LightmassRender.h", "PortableObjectFormatDOM.cpp", "MaterialEditorMeshComponent.cpp", "EdGraphSchema_Niagara.cpp", "NiagaraEditorCommon.cpp", "NiagaraNode.cpp", "NiagaraNodeConstant.cpp", "NiagaraNodeFunctionCall.cpp", "NiagaraNodeGetAttr.cpp", "NiagaraNodeInput.cpp", "NiagaraNodeOp.cpp", "NiagaraNodeOutput.cpp", "NiagaraNodeOutputUpdate.cpp", "NiagaraNodeReadDataSet.cpp", "NiagaraNodeWriteDataSet.cpp", "NiagaraScriptSource.cpp", "EditorLoadingSavingSettingsCustomization.h", "EditorPerProjectUserSettings.cpp", "EditorProjectSettings.cpp", "EditorSettings.cpp", "GameMapsSettingsCustomization.h", "LevelEditorPlaySettingsCustomization.h", "ProjectPackagingSettingsCustomization.h", "SettingsClasses.cpp", "StaticLightingDebug.cpp", "StaticLightingExport.cpp", "StaticLightingPrivate.h", "StaticLightingSystem.cpp", "StaticLightingTextureMapping.cpp", "AutomationEditorCommon.cpp", "AutomationEditorPromotionCommon.cpp", "BlueprintAutomationTests.cpp", "CollisionAutomationTests.cpp", "CollisionAutomationTests.h", "EditorAssetAutomationTests.cpp", "EditorAutomationTests.cpp", "EditorBuildPromotionTests.cpp", "EditorOpenAssetAutomationTests.cpp", "EditorPerformanceTests.cpp", "EditorSettingsTests.cpp", "EditorViewportFlagsTest.cpp", "FeaturePackAutomationTests.cpp", "GeometryTests.cpp", "LightingTests.cpp", "AnimBlueprintThumbnailRenderer.cpp", "AnimSequenceThumbnailRenderer.cpp", "BlendSpaceThumbnailRenderer.cpp", "BlueprintThumbnailRenderer.cpp", "ClassThumbnailRenderer.cpp", "DefaultSizedThumbnailRenderer.cpp", "DestructibleMeshThumbnailRenderer.cpp", "FontThumbnailRenderer.cpp", "LevelThumbnailRenderer.cpp", "MaterialFunctionThumbnailRenderer.cpp", "MaterialInstanceThumbnailRenderer.cpp", "ParticleSystemThumbnailRenderer.cpp", "SceneThumbnailInfo.cpp", "SceneThumbnailInfoWithPrimitive.cpp", "SkeletalMeshThumbnailRenderer.cpp", "SlateBrushThumbnailRenderer.cpp", "SoundWaveThumbnailRenderer.cpp", "StaticMeshThumbnailRenderer.cpp", "SubsurfaceProfileRenderer.cpp", "TextureCubeThumbnailRenderer.cpp", "TextureThumbnailRenderer.cpp", "ThumbnailRenderer.cpp", "WorldThumbnailInfo.cpp", "WorldThumbnailRenderer.cpp", "AssetEditorCommonCommands.cpp", "AssetEditorCommonCommands.h", "AssetEditorManager.cpp", "AssetEditorToolkit.cpp", "BaseToolkit.cpp", "GlobalEditorCommonCommands.cpp", "SAssetEditorCommon.cpp", "SGlobalOpenAssetDialog.cpp", "SGlobalOpenAssetDialog.h", "SGlobalTabSwitchingDialog.cpp", "SGlobalTabSwitchingDialog.h", "SimpleAssetEditor.cpp", "SStandaloneAssetEditorToolkitHost.cpp", "SStandaloneAssetEditorToolkitHost.h", "ToolkitManager.cpp", "AboutScreen.h", "AnimationCompressionPanel.h", "AnimationEditorUtils.h", "ApexClothingUtils.h", "ApexDestructibleAssetImport.h", "AssetDeleteModel.h", "AssetEditorModeManager.h", "AssetNotifications.h", "AssetSelection.h", "AssetThumbnail.h", "BSPOps.h", "BusyCursor.h", "CameraController.h", "ClassIconFinder.h", "ComponentAssetBroker.h", "ComponentTypeRegistry.h", "ComponentVisualizer.h", "ComponentVisualizerManager.h", "ConsolidateWindow.h", "CookerSettings.h", "CrashReporterSettings.h", "CreditsScreen.h", "CubemapUnwrapUtils.h", "CurveEditorSettings.cpp", "CurveEditorSettings.h", "DataTableEditorUtils.h", "DebugToolExec.h", "DragTool_BoxSelect.h", "DragTool_FrustumSelect.h", "DragTool_Measure.h", "EdGraphNode_Comment.h", "EdGraphUtilities.h", "Editor.h", "EditorActorFolders.h", "EditorAnalytics.h", "EditorAnimUtils.h", "EditorBuildUtils.h", "EditorCategoryUtils.h", "EditorClassUtils.h", "EditorCommandLineUtils.h", "EditorComponents.h", "EditorDirectories.h", "EditorDragTools.h", "EditorLevelUtils.h", "EditorModeInterpolation.h", "EditorModeManager.h", "EditorModeRegistry.cpp", "EditorModeRegistry.h", "EditorModes.h", "EditorModeTools.h", "EditorReimportHandler.h", "EditorShowFlags.h", "EditorUndoClient.h", "EditorViewportClient.h", "EditorViewportCommands.h", "EdMode.h", "Factories.h", "FbxAnimUtils.h", "FbxMeshUtils.h", "FeedbackContextEditor.h", "FileHelpers.h", "GameModeInfoCustomizer.h", "GeomTools.h", "GraphEditor.h", "HierarchicalLOD.h", "HierarchicalLODVolume.h", "INiagaraCompiler.h", "IPackageAutoSaver.h", "ISocketManager.h", "LevelEditorViewport.h", "LODCluster.h", "LODUtilities.h", "MaterialExportUtils.h", "MatineeExporter.h", "MeshPaintRendering.h", "MiniCurveEditor.h", "MouseDeltaTracker.h", "MRUFavoritesList.h", "MRUList.h", "NiagaraEditorCommon.h", "NormalMapPreview.h", "ObjectTools.h", "PackageBackup.h", "PackageHelperFunctions.h", "PackageTools.h", "PackageUtilityWorkers.h", "PhysicsAssetUtils.h", "PhysicsManipulationMode.h", "ReferencedAssetsUtils.h", "RichCurveEditorCommands.h", "SColorGradientEditor.h", "SCommonEditorViewportToolbarBase.h", "SComponentClassCombo.h", "ScopedTransaction.h", "SCreateAssetFromObject.h", "ScriptDisassembler.h", "SCSVImportOptions.h", "SCurveEditor.h", "SEditorViewport.h", "SEditorViewportToolBarButton.h", "SEditorViewportToolBarMenu.h", "SEditorViewportViewMenu.h", "SkelImport.h", "SKeySelector.h", "SListViewSelectorDropdownMenu.h", "SnappingUtils.h", "SoundCueGraphEditorCommands.h", "SourceCodeNavigation.h", "SScalabilitySettings.h", "SSkeletonWidget.h", "STransformViewportToolbar.h", "SViewportToolBar.h", "SViewportToolBarComboMenu.h", "SViewportToolBarIconMenu.h", "TexAlignTools.h", "Texture2DPreview.h", "ThumbnailHelpers.h", "TickableEditorObject.h", "UnrealEd.h", "UnrealEdMisc.h", "UnrealWidget.h", "Utils.h", "Viewports.h", "AnimationRecorder.h", "AssetSourceFilenameCache.h", "AutoReimportManager.h", "AnalyzeReferencedContentStat.h", "CommandletHelpers.h", "EditorCommandlets.h", "Dialogs.h", "DlgMoveAssets.h", "DlgPickAssetPath.h", "DlgPickPath.h", "DlgReferenceTree.h", "SBuildProgress.h", "SDeleteAssetsDialog.h", "SOutputLogDialog.h", "ActorDragDropGraphEdOp.h", "ActorDragDropOp.h", "AssetDragDropOp.h", "AssetPathDragDropOp.h", "BrushBuilderDragDropOp.h", "ClassDragDropOp.h", "CollectionDragDropOp.h", "DecoratedDragDropOp.h", "ExportTextDragDropOp.h", "LevelDragDropOp.h", "MultipleDataDragDropOp.h", "EditorFeatures.h", "IPluginsEditorFeature.h", "BlueprintEditorUtils.h", "CompilerResultsLog.h", "ComponentEditorUtils.h", "DebuggerCommands.h", "EnumEditorUtils.h", "Kismet2NameValidators.h", "KismetDebugUtilities.h", "KismetEditorUtilities.h", "KismetReinstanceUtilities.h", "ListenerManager.h", "SClassPickerDialog.h", "StructureEditorUtils.h", "ILayers.h", "PortableObjectFormatDOM.h", "EditorProjectSettings.h", "EditorSettings.h", "AutomationEditorCommon.h", "AutomationEditorPromotionCommon.h", "AssetEditorManager.h", "AssetEditorToolkit.h", "BaseToolkit.h", "GlobalEditorCommonCommands.h", "IToolkit.h", "IToolkitHost.h", "SAssetEditorCommon.h", "SimpleAssetEditor.h", "ToolkitManager.h", "UnrealEdMessages.Build.cs", "AssetEditorMessages.h", "FileServerMessages.h", "UnrealEdMessagesModule.cpp", "UnrealEdMessagesPrivatePCH.h", "UnrealEdMessages.h", "UserFeedback.Build.cs", "UserFeedback.cpp", "IUserFeedbackModule.h", "ViewportSnapping.Build.cs", "ViewportSnappingModule.cpp", "ViewportSnappingPrivatePCH.h", "ISnappingPolicy.h", "ViewportSnappingModule.h", "WorkspaceMenuStructure.Build.cs", "WorkspaceMenuStructureModule.cpp", "WorkspaceMenuStructure.h", "WorkspaceMenuStructureModule.h", "WorldBrowser.Build.cs", "LevelCollectionCommands.h", "LevelCollectionModel.cpp", "LevelCollectionModel.h", "LevelModel.cpp", "LevelModel.h", "SPropertyEditorLevelPackage.cpp", "SPropertyEditorLevelPackage.h", "SWorldDetails.cpp", "SWorldDetails.h", "SWorldHierarchy.cpp", "SWorldHierarchy.h", "SWorldHierarchyItem.cpp", "SWorldHierarchyItem.h", "WorldBrowserModule.cpp", "WorldBrowserPrivatePCH.h", "StreamingLevelCollectionModel.cpp", "StreamingLevelCollectionModel.h", "StreamingLevelCustomization.cpp", "StreamingLevelCustomization.h", "StreamingLevelEdMode.cpp", "StreamingLevelEdMode.h", "StreamingLevelModel.cpp", "StreamingLevelModel.h", "STiledLandscapeImportDlg.cpp", "STiledLandscapeImportDlg.h", "SWorldComposition.cpp", "SWorldComposition.h", "SWorldLayers.cpp", "SWorldLayers.h", "SWorldTileItem.cpp", "SWorldTileItem.h", "WorldTileCollectionModel.cpp", "WorldTileCollectionModel.h", "WorldTileDetails.cpp", "WorldTileDetails.h", "WorldTileDetailsCustomization.cpp", "WorldTileDetailsCustomization.h", "WorldTileModel.cpp", "WorldTileModel.h", "WorldTileThumbnails.cpp", "WorldTileThumbnails.h", "WorldBrowserModule.h", "Program.cs", "SharedUtils.cs", "AllDesktopPlatform.Automation.cs", "AssemblyInfo.cs", "AndroidPlatform.Automation.cs", "AssemblyInfo.cs", "Automation.cs", "AutomationException.cs", "BuildCommand.cs", "BuildEnvironment.cs", "BuildUtils.cs", "CommandletUtils.cs", "CommandUtils.cs", "DeploymentContext.cs", "Distiller.cs", "FileFilter.cs", "HelpUtils.cs", "HostPlatform.cs", "LinuxHostPlatform.cs", "LocalBuildEnvironment.cs", "LocalP4Environment.cs", "Log.cs", "MacHostPlatform.cs", "MCPPublic.cs", "P4Blame.cs", "P4Environment.cs", "P4Utils.cs", "Platform.cs", "ProcessUtils.cs", "ProjectParams.cs", "ProjectUtils.cs", "ScriptCompiler.cs", "UBTUtils.cs", "UE4Build.cs", "Utils.cs", "WatchdogTimer.cs", "WindowsHostPlatform.cs", "AssemblyInfo.cs", "BuildGraph.cs", "BuildGraphDefinition.cs", "ElectricCommander.cs", "GUBP.cs", "JobInfo.cs", "LegacyBranchSetup.cs", "LegacyNodes.cs", "TempStorage.cs", "AggregateNode.cs", "BuildNode.cs", "LegacyNode.cs", "TaskNode.cs", "TriggerNode.cs", "AssemblyInfo.cs", "BuildTask.cs", "CommandTask.cs", "CompileTask.cs", "CookTask.cs", "MsBuildTask.cs", "OutputTask.cs", "ScriptTask.cs", "HTML5Platform.Automation.cs", "HTML5Platform.PakFiles.Automation.cs", "AssemblyInfo.cs", "IOSPlatform.Automation.cs", "AssemblyInfo.cs", "Resources.Designer.cs", "LinuxPlatform.Automation.cs", "AssemblyInfo.cs", "MacPlatform.Automation.cs", "AssemblyInfo.cs", "AssemblyInfo.cs", "AnalyzeThirdPartyLibs.Automation.cs", "ArchiveCommand.Automation.cs", "BlameKeyword.Automation.cs", "BuildCommonTools.Automation.cs", "BuildCookRun.Automation.cs", "BuildDocumentation.Automation.cs", "BuildPluginCommand.Automation.cs", "BuildProjectCommand.Automation.cs", "BuildThirdPartyLibs.Automation.cs", "CodeSurgery.Automation.cs", "CookCommand.Automation.cs", "CopyBuildToStagingDirectory.Automation.cs", "DeployCommand.Automation.cs", "FixupRedirects.Automation.cs", "GenerateDSYM.Automation.cs", "IPhonePackager.Automation.cs", "LauncherLocalization.Automation.cs", "ListMobileDevices.Automation.cs", "Localisation.Automation.cs", "MegaXGE.Automation.cs", "PackageCommand.Automation.cs", "RebuildLightMapsCommand.Automation.cs", "RocketBuild.Automation.cs", "RunProjectCommand.Automation.cs", "Tests.Automation.cs", "TestSnippet.Automation.cs", "UE4BuildUtils.cs", "UnrealSync.Automation.cs", "UpdateLocalVersion.Automation.cs", "AssemblyInfo.cs", "TVOSPlatform.Automation.cs", "AssemblyInfo.cs", "WinPlatform.Automation.cs", "AssemblyInfo.cs", "Launcher.cs", "AssemblyInfo.cs", "BlankProgram.Build.cs", "BlankProgram.Target.cs", "BlankProgram.cpp", "BlankProgram.h", "BuildPatchTool.Automation.cs", "BuildPatchTool.Build.cs", "BuildPatchTool.Target.cs", "BuildPatchToolMain.cpp", "CrashURLDlg.cs", "CrashURLDlg.Designer.cs", "Form1.cs", "Form1.Designer.cs", "Program.cs", "ReportFile.cs", "Settings.cs", "UploadReportFiles.cs", "AssemblyInfo.cs", "Resources.Designer.cs", "Settings.Designer.cs", "Reference.cs", "RegisterReport.asmx.cs", "UploadReportFiles.aspx.cs", "UploadReportFiles.aspx.designer.cs", "AssemblyInfo.cs", "Settings.Designer.cs", "Compression.cpp", "CrashReportClient.Build.cs", "CrashReportClient.Target.cs", "CrashDescription.cpp", "CrashDescription.h", "CrashReportAnalytics.cpp", "CrashReportAnalytics.h", "CrashReportClient.cpp", "CrashReportClient.h", "CrashReportClientApp.cpp", "CrashReportClientConfig.cpp", "CrashReportClientConfig.h", "CrashReportClientStyle.cpp", "CrashReportClientStyle.h", "CrashReportClientUnattended.cpp", "CrashReportClientUnattended.h", "CrashReportUtil.h", "CrashUpload.cpp", "CrashUpload.h", "GenericErrorReport.cpp", "GenericErrorReport.h", "MainLoopTiming.cpp", "MainLoopTiming.h", "PendingReports.cpp", "PendingReports.h", "PlatformErrorReport.h", "SCrashReportClient.cpp", "SCrashReportClient.h", "CrashReportClientMainLinux.cpp", "LinuxErrorReport.h", "CrashReportClientMainMac.cpp", "MacErrorReport.cpp", "MacErrorReport.h", "CrashReportClientMainWindows.cpp", "WindowsErrorReport.cpp", "WindowsErrorReport.h", "CrashReportClientApp.h", "Common.cs", "CrashContext.cs", "CrashReporterConstants.cs", "JiraConnection.cs", "LogWriter.cs", "ReportData.cs", "WerReport.cs", "AssemblyInfo.cs", "CrashReportProcessService.cs", "CrashReportProcessService.Designer.cs", "CrashReportProcessServiceInstaller.cs", "CrashReportProcessServiceInstaller.Designer.cs", "Program.cs", "ReportProcessor.cs", "ReportQueue.cs", "ReportWatcher.cs", "AssemblyInfo.cs", "Settings.Designer.cs", "CrashReportReceiverService.cs", "CrashReportReceiverService.Designer.cs", "CrashReportReceiverServiceInstaller.cs", "CrashReportReceiverServiceInstaller.Designer.cs", "LandingZone.cs", "Program.cs", "UploadsInProgress.cs", "WebHandler.cs", "AssemblyInfo.cs", "Settings.Designer.cs", "Global.asax.cs", "BuggsController.cs", "CrashesController.cs", "CSVController.cs", "DashboardController.cs", "ErrorController.cs", "HomeController.cs", "ReportsController.cs", "UsersController.cs", "BuggRepository.cs", "BuggsViewModel.cs", "BuggViewModel.cs", "CachedDataService.cs", "CrashDataFormater.cs", "CrashesViewModel.cs", "CrashReport.cs", "CrashReport.designer.cs", "CrashRepository.cs", "CrashViewModel.cs", "CSVViewModel.cs", "DashboardViewModel.cs", "FormHelper.cs", "PagingInfo.cs", "PerformanceTimers.cs", "ReportsViewModel.cs", "Repository.cs", "UsersViewModel.cs", "AssemblyInfo.cs", "Settings.Designer.cs", "Dynamic.cs", "iQueryableSearch.cs", "CustomPagination.cs", "DelegatePagination.cs", "IPagination.cs", "LazyPagination.cs", "PaginationHelper.cs", "PagingHelper.cs", "UrlHelperExtension.cs", "MinidumpDiagnostics.Build.cs", "MinidumpDiagnostics.Target.cs", "MinidumpDiagnosticsApp.cpp", "MinidumpDiagnosticsMainMac.cpp", "MinidumpDiagnosticsMainWindows.cpp", "MinidumpDiagnosticsApp.h", "CrossCompilerTool.Build.cs", "CrossCompilerTool.Target.cs", "CrossCompilerTool.cpp", "CrossCompilerTool.h", "CrossCompilerUtils.cpp", "Program.cs", "AssemblyInfo.cs", "MetaData.cs", "AssemblyUtils.cs", "CaselessDictionary.cs", "FileContentsCacheType.cs", "FileSystem.cs", "HarvestEnvVars.cs", "LaunchProcess.cs", "SimpleWebRequest.cs", "ThreadSafeQueue.cs", "XmlHandler.cs", "AssemblyInfo.cs", "Program.cs", "AssemblyInfo.cs", "DependencyManifest.cs", "ForkReadStream.cs", "IgnoreFile.cs", "Log.cs", "NotifyReadStream.cs", "Program.cs", "WorkingManifest.cs", "AssemblyInfo.cs", "Program.cs", "AssemblyInfo.cs", "DeploymentInterface.cs", "AssemblyInfo.cs", "DeployTime.cs", "Program.cs", "AssemblyInfo.cs", "CodeSigning.cs", "CompileTime.cs", "Config.cs", "ConfigureMobileGame.cs", "ConfigureMobileGame.Designer.cs", "CookTime.cs", "DeployTime.cs", "FileOperations.cs", "GenerateSigningRequestDialog.cs", "GenerateSigningRequestDialog.Designer.cs", "GraphicalResignTool.cs", "GraphicalResignTool.Designer.cs", "iPhonePackager.cs", "MachObjects.cs", "MobileProvisionUtilities.cs", "PasswordDialog.cs", "PasswordDialog.Designer.cs", "SlowProgressDialog.cs", "SlowProgressDialog.Designer.cs", "SSHCommandHelper.cs", "ToolsHub.cs", "ToolsHub.Designer.cs", "Utilities.cs", "AssemblyInfo.cs", "Resources.Designer.cs", "ConnectEventArgs.cs", "ConnectEventHandler.cs", "CoreFoundation.cs", "DeviceNotificationEventArgs.cs", "IPhoneFile.cs", "MobileDevice.cs", "MobileDeviceInstance.cs", "Utilities.cs", "AssemblyInfo.cs", "Engine.h", "FlipsideViewController.h", "IPhoneAsyncTask.h", "IPhoneHome.h", "IPhoneObjCWrapper.h", "MainViewController.h", "TextCell.h", "UDKRemoteAppDelegate.h", "UnrealLaunchDaemon.Build.cs", "UnrealLaunchDaemon.Target.cs", "LaunchDaemonMessageHandler.cpp", "LaunchDaemonMessageHandler.h", "UnrealLaunchDaemon.h", "UnrealLaunchDaemonApp.cpp", "UnrealLaunchDaemonApp.h", "IOSLaunchDaemonAppMain.cpp", "IOSLaunchDaemonView.cpp", "IOSLaunchDaemonView.h", "DsymExporter.Build.cs", "DsymExporter.Target.cs", "DsymExporterApp.cpp", "DsymExporterMainMac.cpp", "DsymExporterApp.h", "ShaderCacheTool.Build.cs", "ShaderCacheTool.Target.cs", "ShaderCacheTool.cpp", "ShaderCacheTool.h", "UE4EditorServices.Build.cs", "UE4EditorServices.Target.cs", "UE4EditorServicesMain.cpp", "UE4EditorServicesAppDelegate.cpp", "UE4EditorServicesAppDelegate.h", "UE4EditorServicesMain.cpp", "UE4EditorServicesMain.cpp", "UnrealAtoS.Build.cs", "UnrealAtoS.Target.cs", "UnrealAtoSApp.cpp", "UnrealAtoSMainMac.cpp", "UnrealAtoSApp.h", "BinaryReaderBigEndian.cs", "CallGraphTreeViewParser.cs", "CallStack.cs", "CallStackAddress.cs", "CallStackGroup.cs", "CallstackHistoryView.cs", "CommandLineWrapper.cs", "DoubleBufferedPanel.cs", "ExclusiveListViewParser.cs", "FindDialog.cs", "FindDialog.Designer.cs", "HistogramParser.cs", "IDisplayCallback.cs", "ListViewEx.cs", "MainWindow.cs", "MainWindow.Designer.cs", "MemoryBitmapParser.cs", "MemoryPoolInfo.cs", "OptionsDialog.cs", "OptionsDialog.Designer.cs", "ProfileDataHeader.cs", "ProfilingOptions.cs", "ProfilingOptions.Designer.cs", "Program.cs", "ScriptCallstack.cs", "ShortLivedAllocationView.cs", "SlowProgressDialog.cs", "SlowProgressDialog.Designer.cs", "StreamInfo.cs", "StreamObserver.cs", "StreamParser.cs", "StreamSnapshot.cs", "StreamToken.cs", "TimeLineView.cs", "AssemblyInfo.cs", "MetaData.cs", "Resources.Designer.cs", "Settings.Designer.cs", "BinaryReaderBigEndian.cs", "Charting.cs", "MainWindow.cs", "MainWindow.Designer.cs", "NetworkStream.cs", "PartialNetworkStream.cs", "Program.cs", "StreamHeader.cs", "StreamParser.cs", "Tokens.cs", "AssemblyInfo.cs", "Resources.Designer.cs", "Settings.Designer.cs", "OutputFormatter.cs", "P4ParsedChangelist.cs", "P4ParsedSubchange.cs", "P4Tag.cs", "SerializableChangelist.cs", "AssemblyInfo.cs", "P4ChangeParserApp.cs", "AssemblyInfo.cs", "Settings.Designer.cs", "P4ChangelistSpanQuery.cs", "P4DepotFilterQuery.cs", "P4Inquirer.cs", "AssemblyInfo.cs", "ParallelExecutor.Build.cs", "ParallelExecutor.Target.cs", "BuildGraph.cpp", "BuildGraph.h", "ParallelExecutor.cpp", "ParallelExecutor.h", "Program.cs", "AssemblyInfo.cs", "Settings.Designer.cs", "ShaderCompileWorker.Build.cs", "ShaderCompileWorker.Target.cs", "ShaderCompileWorker.cpp", "resource.h", "SlateViewer.Build.cs", "SlateViewer.Target.cs", "SlateViewerApp.cpp", "IOSSlateViewerMain.cpp", "SlateViewerMainLinux.cpp", "SlateViewerMainMac.cpp", "SlateViewerMainWindows.cpp", "SlateViewer.h", "SlateViewerApp.h", "SymbolDebugger.Build.cs", "SymbolDebugger.Target.cs", "SSymbolDebugger.cpp", "SSymbolDebugger.h", "SymbolDebugger.cpp", "SymbolDebugger.h", "SymbolDebuggerApp.cpp", "SymbolDebuggerMainMac.cpp", "SymbolDebuggerMainWindows.cpp", "SymbolDebuggerApp.h", "TestPAL.Build.cs", "TestPAL.Target.cs", "Main.cpp", "Parent.cpp", "Parent.h", "PrivatePCH.h", "TestDirectoryWatcher.cpp", "TestDirectoryWatcher.h", "AndroidPluginLanguage.cs", "AndroidProjectGenerator.cs", "AndroidToolChain.cs", "UEBuildAndroid.cs", "UEDeployAndroid.cs", "BuildConfiguration.cs", "EngineConfiguration.cs", "UEBuildBinary.cs", "UEBuildClient.cs", "UEBuildConfiguration.cs", "UEBuildDeploy.cs", "UEBuildEditor.cs", "UEBuildGame.cs", "UEBuildModule.cs", "UEBuildPlatform.cs", "UEBuildServer.cs", "UEBuildTarget.cs", "Formatter.cs", "Getters.cs", "JSON.cs", "JsonParser.cs", "JsonSerializer.cs", "Reflection.cs", "SafeDictionary.cs", "HTML5ProjectGenerator.cs", "HTML5SDKInfo.cs", "HTML5ToolChain.cs", "UEBuildHTML5.cs", "IOSProjectGenerator.cs", "IOSToolChain.cs", "UEBuildIOS.cs", "UEDeployIOS.cs", "LinuxProjectGenerator.cs", "LinuxToolChain.cs", "UEBuildLinux.cs", "MacProjectGenerator.cs", "MacToolChain.cs", "UEBuildMac.cs", "UEDeployMac.cs", "AssemblyInfo.cs", "ActionGraph.cs", "ActionHistory.cs", "BuildException.cs", "BuildHostPlatform.cs", "CMakefileGenerator.cs", "CodeLiteGenerator.cs", "CodeLiteProject.cs", "CPPEnvironment.cs", "CPPHeaders.cs", "DependencyCache.cs", "DirectoryLookupCache.cs", "Distcc.cs", "DynamicCompilation.cs", "ExternalExecution.cs", "FileItem.cs", "FileSystemReference.cs", "FlatCPPIncludeDepencencyCache.cs", "InstalledPlatformInfo.cs", "JunkDeleter.cs", "KDevelopGenerator.cs", "LinkEnvironment.cs", "LocalExecutor.cs", "MakefileGenerator.cs", "ModuleDescriptor.cs", "ModuleProcessingException.cs", "PluginDescriptor.cs", "Plugins.cs", "Project.cs", "ProjectDescriptor.cs", "ProjectFileGenerator.cs", "QMakefileGenerator.cs", "ResponseFile.cs", "RPCUtilHelper.cs", "RulesCompiler.cs", "SNDBS.cs", "SourceFileSearch.cs", "TargetReceipt.cs", "Telemetry.cs", "ThirdPartyHeaderFinder.cs", "UEPlatformProjectGenerator.cs", "Unity.cs", "UnrealBuildTool.cs", "UProjectInfo.cs", "Utils.cs", "VCProject.cs", "VCProjectFileGenerator.cs", "VCSolutionOptions.cs", "VersionManifest.cs", "XcodeProject.cs", "XcodeProjectFileGenerator.cs", "XGE.cs", "AppleToolChain.cs", "RemoteToolChain.cs", "UEToolChain.cs", "TVOSProjectGenerator.cs", "TVOSToolChain.cs", "UEBuildTVOS.cs", "UEDeployTVOS.cs", "CopyrightVerify.cs", "DictionaryExtensions.cs", "GraphVisualization.cs", "JsonObject.cs", "XmlConfigLoader.cs", "UEBuildUWP.cs", "UWPDeploy.cs", "UWPProjectGenerator.cs", "UWPToolChain.cs", "UEBuildWindows.cs", "VCEnvironment.cs", "VCToolChain.cs", "WindowsDeploy.cs", "WindowsProjectGenerator.cs", "WinResources.cs", "UEBuildWinRT.cs", "WinRTDeploy.cs", "WinRTProjectGenerator.cs", "WinRTToolChain.cs", "UnrealCEFSubProcess.Build.cs", "UnrealCEFSubProcess.Target.cs", "UnrealCEFSubProcess.cpp", "UnrealCEFSubProcess.h", "UnrealCEFSubProcessApp.cpp", "UnrealCEFSubProcessApp.h", "UnrealCEFSubProcessCallbackRegistry.cpp", "UnrealCEFSubProcessCallbackRegistry.h", "UnrealCEFSubProcessRemoteMethodHandler.cpp", "UnrealCEFSubProcessRemoteMethodHandler.h", "UnrealCEFSubProcessRemoteScripting.cpp", "UnrealCEFSubProcessRemoteScripting.h", "UnrealCEFSubProcessLinux.cpp", "UnrealCEFSubProcessMac.cpp", "UnrealCEFSubProcessWindows.cpp", "UnrealCodeAnalyzer.Build.cs", "UnrealCodeAnalyzer.Target.cs", "Action.cpp", "Action.h", "Consumer.cpp", "Consumer.h", "MacroCallback.cpp", "MacroCallback.h", "main.cpp", "Visitor.cpp", "Visitor.h", "TSAction.cpp", "TSAction.h", "TSConsumer.cpp", "TSConsumer.h", "TSVisitor.cpp", "TSVisitor.h", "UnrealCodeAnalyzerPCH.cpp", "UnrealCodeAnalyzerPCH.h", "ColoredDocumentLineSegment.cs", "ColoredTextRange.cs", "ColorPair.cs", "DynamicTabControl.cs", "DynamicTabControl.designer.cs", "DynamicTabControlMenuItem.cs", "DynamicTabPage.cs", "EngineVersioning.cs", "FindResult.cs", "GameLocator.cs", "MenuArrow.cs", "MenuArrow.designer.cs", "OutputWindowDocument.cs", "OutputWindowDocumentLineAddedEventArgs.cs", "OutputWindowView.cs", "OutputWindowView.Designer.cs", "SerializableDictionary.cs", "TextLocation.cs", "UnrealAboutBox.cs", "UnrealAboutBox.Designer.cs", "UnrealToolStripItemRenderer.cs", "Utilities.cs", "XButton.cs", "XButton.designer.cs", "AssemblyInfo.cs", "Resources.Designer.cs", "APIAction.cs", "APIActionPin.cs", "APICategory.cs", "APIConstant.cs", "APIConstantIndex.cs", "APIEnum.cs", "APIEnumIndex.cs", "APIEnumValue.cs", "APIEventParameters.cs", "APIFilter.cs", "APIFunction.cs", "APIFunctionGroup.cs", "APIFunctionIndex.cs", "APIGettingStarted.cs", "APIHierarchy.cs", "APIIndex.cs", "APIMember.cs", "APIMemberIndex.cs", "APIModule.cs", "APIModuleIndex.cs", "APIPage.cs", "APIRecord.cs", "APIRecordIndex.cs", "APITypeDef.cs", "APIVariable.cs", "BuildTarget.cs", "Icons.cs", "IniFile.cs", "Metadata.cs", "Program.cs", "Sitemap.cs", "SourceFile.cs", "Stats.cs", "Tracker.cs", "UdnManifest.cs", "UdnWriter.cs", "Utility.cs", "Formatter.cs", "Getters.cs", "JSON.cs", "JsonParser.cs", "JsonSerializer.cs", "Reflection.cs", "SafeDictionary.cs", "AssemblyInfo.cs", "Doxygen.cs", "DoxygenModule.cs", "Markdown.cs", "AssemblyInfo.cs", "BlockInfo.cs", "BufferIdleEventUtil.cs", "ContentType.cs", "Resources.Designer.cs", "Settings.cs", "AutoCompletionHandler.cs", "AutoCompletionHandlerProvider.cs", "AutoCompletionSource.cs", "AutoCompletionSourceProvider.cs", "CompletionCreator.cs", "IAutoCompletion.cs", "MarkdownAutoCompletion.cs", "ClassificationFormats.cs", "ClassificationTypes.cs", "Classifier.cs", "DragDropHandler.cs", "DragDropHandlerProvider .cs", "MouseClickProcessor.cs", "MouseClickProcessorProvider.cs", "OutliningTagger.cs", "AddImagesToChangelistWindow.xaml.cs", "PerforceHelper.cs", "Settings.Designer.cs", "IBufferSpecificDictionaryProvider.cs", "IMisspellingTag.cs", "INaturalTextTag.cs", "ISpellingDictionaryService.cs", "AssemblyInfo.cs", "CommentTextTagger.cs", "HtmlTextTagger.cs", "PlainTextTagger.cs", "CSharpCommentTextTagger.cs", "LineProgress.cs", "State.cs", "AssemblyInfo.cs", "FxCopSuppressions.cs", "SpellDictionarySmartTagAction.cs", "SpellSmartTagAction.cs", "SpellSmartTagger.cs", "SpellingDictionaryService.cs", "SpellingTagger.cs", "SquiggleTagger.cs", "WordLogicTests.cs", "AssemblyInfo.cs", "MarkdownNaturalTextTagger.cs", "Guids.cs", "MarkdownModeOptions.cs", "NavigateToComboData.cs", "Package.cs", "PreviewToolWindow.cs", "PreviewWindowUpdateListener.cs", "UDNDocRunningTableMonitor.cs", "UDNDocView.cs", "UDNParsingResultsCache.cs", "logger.cs", "Program.cs", "TwikiToMarkdown.cs", "CommonFileFunctions.cs", "LogFileLogger.cs", "logger.cs", "OutputPaneLogger.cs", "AssemblyInfo.cs", "AssemblyInfo.cs", "Escapes.cs", "ImageConversion.cs", "Language.cs", "Markdown.cs", "MarkdownList.cs", "MarkdownOld.cs", "MarkdownOptions.cs", "OffensiveWordFilterHelper.cs", "PathCompletionHelper.cs", "Templates.cs", "TransformationData.cs", "DoxygenConfig.cs", "DoxygenHelper.cs", "DoxygenToMarkdownTranslator.cs", "EMBlockQuotes.cs", "EMBookmark.cs", "EMCodeBlock.cs", "EMContentElement.cs", "EMDecorationElement.cs", "EMDefinitionListItem.cs", "EMDocument.cs", "EMElement.cs", "EMElementOrigin.cs", "EMElements.cs", "EMElementWithElements.cs", "EMErrorElement.cs", "EMExcerpt.cs", "EMFormattedText.cs", "EMHeader.cs", "EMHorizontalRule.cs", "EMImage.cs", "EMInclude.cs", "EMLink.cs", "EMList.cs", "EMListItem.cs", "EMObject.cs", "EMObjectParam.cs", "EMParagraph.cs", "EMRawHTML.cs", "EMReadingMessage.cs", "EMRegion.cs", "EMRelativeLink.cs", "EMSpanElements.cs", "EMTable.cs", "EMTOCInline.cs", "IHTMLRenderable.cs", "EMCustomRegexParser.cs", "EMMarkdownAndHTMLTagsParser.cs", "EMParsingErrorException.cs", "EMParsingHelper.cs", "EMRegexMatch.cs", "EMRegexParser.cs", "EMTaggedElementsParser.cs", "IMatch.cs", "IParser.cs", "EMBracketedTag.cs", "EMDecorationTag.cs", "EMSpanParser.cs", "EMEMailPath.cs", "EMExternalPath.cs", "EMLocalDocumentPath.cs", "EMLocalFilePath.cs", "EMPathProvider.cs", "EMPathVerificationException.cs", "ITraversable.cs", "ITraversingContext.cs", "RenderingContext.cs", "FileHelper.cs", "FileWatcher.cs", "ExcerptsManager.cs", "Filter.cs", "ImageOptions.cs", "IntervalSet.cs", "MetadataManager.cs", "Normalizer.cs", "PreprocessedData.cs", "PreprocessedTextBound.cs", "PreprocessedTextLocationMap.cs", "Preprocessor.cs", "ProcessedDocumentCache.cs", "ReferenceLinksManager.cs", "VariableManager.cs", "Settings.cs", "Settings.Designer.cs", "MarkdownTest.cs", "XHTMLComparator.cs", "AssemblyInfo.cs", "Configuration.cs", "PdfHelper.cs", "Program.cs", "GUI.cs", "WPFLogger.cs", "EnumParam.cs", "Flag.cs", "MultipleChoiceParam.cs", "Param.cs", "ParamsDescriptionGroup.cs", "ParamsManager.cs", "PathParam.cs", "StringParam.cs", "Settings.Designer.cs", "User.Designer.cs", "Program.cs", "AssemblyInfo.cs", "Program.cs", "ReportFile.cs", "UDNFilesHelper.cs", "WordCountCache.cs", "AssemblyInfo.cs", "AppSettings.cs", "AppSettings.Designer.cs", "ListItemViewComparer.cs", "Logger.cs", "Program.cs", "TraceListenerForTextBoxOutput.cs", "UnrealDocTranslatorForm.cs", "UnrealDocTranslatorForm.Designer.cs", "AssemblyInfo.cs", "Resources.Designer.cs", "Settings.Designer.cs", "UnrealFileServer.Build.cs", "UnrealFileServer.Target.cs", "UnrealFileServer.cpp", "UnrealFileServer.h", "UnrealFrontend.Build.cs", "UnrealFrontend.Target.cs", "UnrealFrontendMain.cpp", "UnrealFrontendMain.h", "UnrealFrontendPrivatePCH.h", "DeployCommand.cpp", "DeployCommand.h", "LaunchCommand.cpp", "LaunchCommand.h", "LaunchFromProfileCommand.cpp", "LaunchFromProfileCommand.h", "PackageCommand.cpp", "PackageCommand.h", "StatsConvertCommand.cpp", "StatsConvertCommand.h", "StatsDumpMemoryCommand.cpp", "StatsDumpMemoryCommand.h", "UserInterfaceCommand.cpp", "UserInterfaceCommand.h", "LinuxUnrealFrontendMain.cpp", "MacUnrealFrontendMain.cpp", "WindowsUnrealFrontendMain.cpp", "CustomAction.cs", "AssemblyInfo.cs", "Program.cs", "AssemblyInfo.cs", "ActivationListener.cs", "ArchiveManifest.cs", "BuildMetadataService.cs", "BuildStep.cs", "ChildProcess.cs", "ConfigFile.cs", "DeleteFilesTask.cs", "DetectProjectSettingsTask.cs", "EventMonitor.cs", "FileFilter.cs", "FindFoldersToCleanTask.cs", "OutputAdapters.cs", "Perforce.cs", "PerforceMonitor.cs", "Program.cs", "Taskbar.cs", "Telemetry.cs", "UpdateMonitor.cs", "UserSettings.cs", "Utility.cs", "Workspace.cs", "BuildListControl.cs", "LogControl.cs", "LogSplitContainer.cs", "StatusPanel.cs", "ArgumentsWindow.cs", "ArgumentsWindow.Designer.cs", "BuildStepWindow.cs", "BuildStepWindow.Designer.cs", "ChangelistWindow.cs", "ChangelistWindow.Designer.cs", "CleanWorkspaceWindow.cs", "CleanWorkspaceWindow.Designer.cs", "ClobberWindow.cs", "ClobberWindow.Designer.cs", "DiagnosticsWindow.cs", "DiagnosticsWindow.Designer.cs", "FailedToDeleteWindow.cs", "FailedToDeleteWindow.Designer.cs", "LeaveCommentWindow.cs", "LeaveCommentWindow.Designer.cs", "MainWindow.cs", "MainWindow.Designer.cs", "ModalTaskWindow.cs", "ModalTaskWindow.Designer.cs", "ModifyBuildStepsWindow.cs", "ModifyBuildStepsWindow.Designer.cs", "NotificationWindow.cs", "NotificationWindow.Designer.cs", "ScheduleWindow.cs", "ScheduleWindow.Designer.cs", "SyncFilter.cs", "SyncFilter.Designer.cs", "VariablesWindow.cs", "VariablesWindow.Designer.cs", "AssemblyInfo.cs", "Resources.Designer.cs", "Settings.Designer.cs", "Program.cs", "UpdateErrorWindow.cs", "UpdateErrorWindow.Designer.cs", "AssemblyInfo.cs", "Resources.Designer.cs", "Settings.Designer.cs", "UnrealHeaderTool.Build.cs", "UnrealHeaderTool.Target.cs", "BaseParser.cpp", "BaseParser.h", "ClassDeclarationMetaData.cpp", "ClassDeclarationMetaData.h", "Classes.cpp", "Classes.h", "ClassMaps.cpp", "ClassMaps.h", "CodeGenerator.cpp", "GeneratedCodeVersion.h", "HeaderParser.cpp", "HeaderParser.h", "HeaderProvider.cpp", "HeaderProvider.h", "Manifest.cpp", "Manifest.h", "NativeClassExporter.h", "ParserClass.cpp", "ParserClass.h", "ParserHelper.cpp", "ParserHelper.h", "Scope.cpp", "Scope.h", "SimplifiedParsingClassInfo.h", "StringUtils.cpp", "StringUtils.h", "UnrealHeaderToolMain.cpp", "UnrealSourceFile.cpp", "UnrealSourceFile.h", "UnrealTypeDefinitionInfo.h", "CheckedMetadataSpecifiers.h", "FunctionSpecifiers.h", "InterfaceSpecifiers.h", "SpecifierArrays.cpp", "StructSpecifiers.h", "VariableSpecifiers.h", "ClassArchiveProxy.cpp", "ClassArchiveProxy.h", "ClassMetaDataArchiveProxy.cpp", "ClassMetaDataArchiveProxy.h", "CompilerMetadataManagerArchiveProxy.cpp", "CompilerMetadataManagerArchiveProxy.h", "EnumArchiveProxy.cpp", "EnumArchiveProxy.h", "FieldArchiveProxy.cpp", "FieldArchiveProxy.h", "FileScopeArchiveProxy.cpp", "FileScopeArchiveProxy.h", "FunctionArchiveProxy.cpp", "FunctionArchiveProxy.h", "HeaderProviderArchiveProxy.cpp", "HeaderProviderArchiveProxy.h", "ImplementedInterfaceArchiveProxy.cpp", "ImplementedInterfaceArchiveProxy.h", "MakefileHelpers.h", "MetadataArchiveProxy.cpp", "MetadataArchiveProxy.h", "MultipleInheritanceBaseClassArchiveProxy.cpp", "MultipleInheritanceBaseClassArchiveProxy.h", "NameArchiveProxy.cpp", "NameArchiveProxy.h", "ObjectBaseArchiveProxy.cpp", "ObjectBaseArchiveProxy.h", "PackageArchiveProxy.cpp", "PackageArchiveProxy.h", "PropertyArchiveProxy.cpp", "PropertyArchiveProxy.h", "PropertyBaseArchiveProxy.cpp", "PropertyBaseArchiveProxy.h", "PropertyDataArchiveProxy.cpp", "PropertyDataArchiveProxy.h", "RepRecordArchiveProxy.cpp", "RepRecordArchiveProxy.h", "ScopeArchiveProxy.cpp", "ScopeArchiveProxy.h", "ScriptStructArchiveProxy.cpp", "ScriptStructArchiveProxy.h", "StructArchiveProxy.cpp", "StructArchiveProxy.h", "StructDataArchiveProxy.cpp", "StructDataArchiveProxy.h", "StructScopeArchiveProxy.cpp", "StructScopeArchiveProxy.h", "TokenArchiveProxy.cpp", "TokenArchiveProxy.h", "TokenDataArchiveProxy.cpp", "TokenDataArchiveProxy.h", "TypeDefinitionInfoMapArchiveProxy.cpp", "TypeDefinitionInfoMapArchiveProxy.h", "UHTMakefile.cpp", "UHTMakefile.h", "UHTMakefileHeaderDescriptor.cpp", "UHTMakefileHeaderDescriptor.h", "UHTMakefileModuleDescriptor.cpp", "UHTMakefileModuleDescriptor.h", "UnrealSourceFileArchiveProxy.cpp", "UnrealSourceFileArchiveProxy.h", "IScriptGeneratorPluginInterface.h", "UnrealHeaderTool.h", "EnumOnlyHeader.h", "StructOnlyHeader.h", "TestDeprecatedObject.h", "TestInterface.h", "TestInterfaceObject.h", "TestObject.h", "UnrealLightmass.Build.cs", "UnrealLightmass.Target.cs", "CPUSolver.cpp", "CPUSolver.h", "3DVisualizer.cpp", "3DVisualizer.h", "Exporter.cpp", "Exporter.h", "Importer.cpp", "Importer.h", "LightmassScene.cpp", "LightmassScene.h", "LightmassSwarm.cpp", "LightmassSwarm.h", "Material.cpp", "Material.h", "Mesh.cpp", "Mesh.h", "stdafx.cpp", "stdafx.h", "UnitTest.cpp", "UnitTest.h", "UnrealLightmass.cpp", "BSP.cpp", "BSP.h", "BuildOptions.h", "Cache.cpp", "Cache.h", "Collision.cpp", "Collision.h", "Embree.cpp", "Embree.h", "FinalGather.cpp", "FluidSurface.cpp", "FluidSurface.h", "Landscape.cpp", "Landscape.h", "Lighting.h", "LightingMesh.cpp", "LightingMesh.h", "LightingSystem.cpp", "LightingSystem.h", "LightmapData.cpp", "LightmapData.h", "Mappings.cpp", "Mappings.h", "MonteCarlo.cpp", "MonteCarlo.h", "PhotonMapping.cpp", "PrecomputedVisibility.cpp", "Raster.h", "SampleVolume.cpp", "StaticMesh.cpp", "StaticMesh.h", "Texture.h", "TextureMapping.cpp", "VolumeDistanceField.cpp", "LMCore.cpp", "LMCore.h", "LMCollision.h", "LMkDOP.h", "LMMath.cpp", "LMMath.h", "LMMathSSE.h", "LMOctree.h", "SFMT.cpp", "LMDebug.cpp", "LMDebug.h", "LMHelpers.h", "LMStats.h", "LMThreading.cpp", "LMThreading.h", "LMQueue.h", "FluidExport.h", "ImportExport.h", "LightmassPublic.h", "MaterialExport.h", "MeshExport.h", "SceneExport.h", "resource.h", "UnrealPak.Build.cs", "UnrealPak.Target.cs", "KeyGenerator.cpp", "KeyGenerator.h", "SignedArchiveWriter.cpp", "SignedArchiveWriter.h", "UnrealPak.cpp", "UnrealPak.h", "AssemblyInfo.cs", "AssemblyInfo.cs", "Class1.cs", "AssemblyInfo.cs", "IWizardImpl.cs", "WizardControl.xaml.cs", "WizardWindow.xaml.cs", "AssemblyInfo.cs", "Resources.Designer.cs", "Settings.Designer.cs", "Agent.cs", "AgentApplication.cs", "Channels.cs", "Connections.cs", "Display.cs", "Display.Designer.cs", "Interface.cs", "Jobs.cs", "Messaging.cs", "Progression.cs", "SettableOptions.cs", "Utils.cs", "AssemblyInfo.cs", "Resources.Designer.cs", "Settings.Designer.cs", "AgentInterface.cs", "AssemblyInfo.cs", "TestHarness.cpp", "Utils.cs", "AssemblyInfo.cs", "Coordinator.cs", "Program.cs", "SwarmCoordinator.cs", "SwarmCoordinator.Designer.cs", "AssemblyInfo.cs", "Resources.Designer.cs", "Settings.Designer.cs", "SwarmCoordinatorInterface.cs", "AssemblyInfo.cs", "UnrealSync.Build.cs", "UnrealSync.Target.cs", "GUI.cpp", "GUI.h", "LabelNameProvider.h", "P4DataCache.cpp", "P4DataCache.h", "P4Env.cpp", "P4Env.h", "ProcessHelper.cpp", "ProcessHelper.h", "SettingsCache.cpp", "SettingsCache.h", "SyncingThread.cpp", "SyncingThread.h", "UnrealSync.cpp", "UnrealSync.h", "UnrealSyncMainMac.cpp", "UnrealSyncMainWindows.cpp", "UnrealVersionSelector.Build.cs", "UnrealVersionSelector.Target.cs", "PlatformInstallation.cpp", "PlatformInstallation.h", "UnrealVersionSelector.cpp", "UnrealVersionSelector.h", "GenericPlatformInstallation.cpp", "GenericPlatformInstallation.h", "WindowsPlatformInstallation.cpp", "WindowsPlatformInstallation.h", "Resource.h", "BatchBuilder.cs", "BatchBuilderToolControl.xaml.cs", "BatchBuilderToolWindow.cs", "BuildStartupProject.cs", "BuildStatusIcon.xaml.cs", "CommandLineEditor.cs", "ExecuteCIS.cs", "GenerateProjectFiles.cs", "GlobalSuppressions.cs", "Guids.cs", "Logging.cs", "ProfileManager.cs", "QuickBuild.cs", "Resources.Designer.cs", "StartupProjectSelector.cs", "UnrealVSOptions.cs", "UnrealVSPackage.cs", "Utils.cs", "VCProject.cs", "AssemblyInfo.cs", "BootstrapPackagedGame.Build.cs", "BootstrapPackagedGame.Target.cs", "BootstrapPackagedGame.cpp", "BootstrapPackagedGame.h", "Advertising.Build.cs", "Advertising.cpp", "AdvertisingPrivatePCH.h", "Advertising.h", "IAdvertisingProvider.h", "AndroidAdvertising.Build.cs", "AndroidAdvertising.cpp", "AndroidAdvertisingPrivatePCH.h", "AndroidAdvertising.h", "IOSAdvertising.Build.cs", "IOSAdvertising.cpp", "IOSAdvertisingPrivatePCH.h", "IOSAdvertising.h", "AIModule.Build.cs", "AIController.h", "AIResourceInterface.h", "AIResources.h", "AISystem.h", "AITypes.h", "BrainComponent.h", "DetourCrowdAIController.h", "GenericTeamAgentInterface.h", "VisualLoggerExtension.h", "PawnAction.h", "PawnActionsComponent.h", "PawnAction_BlueprintBase.h", "PawnAction_Move.h", "PawnAction_Repeat.h", "PawnAction_Sequence.h", "PawnAction_Wait.h", "BehaviorTree.h", "BehaviorTreeComponent.h", "BehaviorTreeManager.h", "BehaviorTreeTypes.h", "BlackboardComponent.h", "BlackboardData.h", "BTAuxiliaryNode.h", "BTCompositeNode.h", "BTDecorator.h", "BTFunctionLibrary.h", "BTNode.h", "BTService.h", "BTTaskNode.h", "BlackboardKeyAllTypes.h", "BlackboardKeyType.h", "BlackboardKeyType_Bool.h", "BlackboardKeyType_Class.h", "BlackboardKeyType_Enum.h", "BlackboardKeyType_Float.h", "BlackboardKeyType_Int.h", "BlackboardKeyType_Name.h", "BlackboardKeyType_NativeEnum.h", "BlackboardKeyType_Object.h", "BlackboardKeyType_Rotator.h", "BlackboardKeyType_String.h", "BlackboardKeyType_Vector.h", "BTComposite_Selector.h", "BTComposite_Sequence.h", "BTComposite_SimpleParallel.h", "BTDecorator_Blackboard.h", "BTDecorator_BlackboardBase.h", "BTDecorator_BlueprintBase.h", "BTDecorator_CheckGameplayTagsOnActor.h", "BTDecorator_CompareBBEntries.h", "BTDecorator_ConditionalLoop.h", "BTDecorator_ConeCheck.h", "BTDecorator_Cooldown.h", "BTDecorator_DoesPathExist.h", "BTDecorator_ForceSuccess.h", "BTDecorator_IsAtLocation.h", "BTDecorator_IsBBEntryOfClass.h", "BTDecorator_KeepInCone.h", "BTDecorator_Loop.h", "BTDecorator_ReachedMoveGoal.h", "BTDecorator_SetTagCooldown.h", "BTDecorator_TagCooldown.h", "BTDecorator_TimeLimit.h", "BTService_BlackboardBase.h", "BTService_BlueprintBase.h", "BTService_DefaultFocus.h", "BTService_RunEQS.h", "BTTask_BlackboardBase.h", "BTTask_BlueprintBase.h", "BTTask_MakeNoise.h", "BTTask_MoveDirectlyToward.h", "BTTask_MoveTo.h", "BTTask_PawnActionBase.h", "BTTask_PlayAnimation.h", "BTTask_PlaySound.h", "BTTask_PushPawnAction.h", "BTTask_RotateToFaceBBEntry.h", "BTTask_RunBehavior.h", "BTTask_RunBehaviorDynamic.h", "BTTask_RunEQSQuery.h", "BTTask_SetTagCooldown.h", "BTTask_Wait.h", "BTTask_WaitBlackboardTime.h", "AIAsyncTaskBlueprintProxy.h", "AIBlueprintHelperLibrary.h", "AIDataProvider.h", "AIDataProvider_QueryParams.h", "EnvQuery.h", "EnvQueryContext.h", "EnvQueryDebugHelpers.h", "EnvQueryGenerator.h", "EnvQueryInstanceBlueprintWrapper.h", "EnvQueryManager.h", "EnvQueryNode.h", "EnvQueryOption.h", "EnvQueryTest.h", "EnvQueryTypes.h", "EQSQueryResultSourceInterface.h", "EQSRenderingComponent.h", "EQSTestingPawn.h", "EnvQueryContext_BlueprintBase.h", "EnvQueryContext_Item.h", "EnvQueryContext_Querier.h", "EnvQueryGenerator_ActorsOfClass.h", "EnvQueryGenerator_BlueprintBase.h", "EnvQueryGenerator_Composite.h", "EnvQueryGenerator_CurrentLocation.h", "EnvQueryGenerator_Donut.h", "EnvQueryGenerator_OnCircle.h", "EnvQueryGenerator_PathingGrid.h", "EnvQueryGenerator_ProjectedPoints.h", "EnvQueryGenerator_SimpleGrid.h", "EnvQueryAllItemTypes.h", "EnvQueryItemType.h", "EnvQueryItemType_Actor.h", "EnvQueryItemType_ActorBase.h", "EnvQueryItemType_Direction.h", "EnvQueryItemType_Point.h", "EnvQueryItemType_VectorBase.h", "EnvQueryTest_Distance.h", "EnvQueryTest_Dot.h", "EnvQueryTest_GameplayTags.h", "EnvQueryTest_Overlap.h", "EnvQueryTest_Pathfinding.h", "EnvQueryTest_PathfindingBatch.h", "EnvQueryTest_Project.h", "EnvQueryTest_Random.h", "EnvQueryTest_Trace.h", "AIHotSpotManager.h", "CrowdAgentInterface.h", "CrowdFollowingComponent.h", "CrowdManager.h", "PathFollowingComponent.h", "AIPerceptionComponent.h", "AIPerceptionListenerInterface.h", "AIPerceptionStimuliSourceComponent.h", "AIPerceptionSystem.h", "AIPerceptionTypes.h", "AISense.h", "AISenseBlueprintListener.h", "AISenseConfig.h", "AISenseConfig_Blueprint.h", "AISenseConfig_Damage.h", "AISenseConfig_Hearing.h", "AISenseConfig_Prediction.h", "AISenseConfig_Sight.h", "AISenseConfig_Team.h", "AISenseConfig_Touch.h", "AISenseEvent.h", "AISenseEvent_Damage.h", "AISenseEvent_Hearing.h", "AISense_Blueprint.h", "AISense_Damage.h", "AISense_Hearing.h", "AISense_Prediction.h", "AISense_Sight.h", "AISense_Team.h", "AISense_Touch.h", "AISightTargetInterface.h", "PawnSensingComponent.h", "AITask.h", "AITask_MoveTo.h", "AIController.cpp", "AIInterfaces.cpp", "AIModule.cpp", "AIModulePrivate.h", "AIResources.cpp", "AISystem.cpp", "AISystemExec.cpp", "AITypes.cpp", "BrainComponent.cpp", "DetourCrowdAIController.cpp", "VisualLoggerExtension.cpp", "PawnAction.cpp", "PawnActionsComponent.cpp", "PawnAction_BlueprintBase.cpp", "PawnAction_Move.cpp", "PawnAction_Repeat.cpp", "PawnAction_Sequence.cpp", "PawnAction_Wait.cpp", "BehaviorTree.cpp", "BehaviorTreeComponent.cpp", "BehaviorTreeDelegates.cpp", "BehaviorTreeManager.cpp", "BehaviorTreeTypes.cpp", "BlackboardComponent.cpp", "BlackboardData.cpp", "BlueprintNodeHelpers.cpp", "BTAuxiliaryNode.cpp", "BTCompositeNode.cpp", "BTDecorator.cpp", "BTFunctionLibrary.cpp", "BTNode.cpp", "BTService.cpp", "BTTaskNode.cpp", "BlackboardKeyType.cpp", "BlackboardKeyType_Bool.cpp", "BlackboardKeyType_Class.cpp", "BlackboardKeyType_Enum.cpp", "BlackboardKeyType_Float.cpp", "BlackboardKeyType_Int.cpp", "BlackboardKeyType_Name.cpp", "BlackboardKeyType_NativeEnum.cpp", "BlackboardKeyType_Object.cpp", "BlackboardKeyType_Rotator.cpp", "BlackboardKeyType_String.cpp", "BlackboardKeyType_Vector.cpp", "BTComposite_Selector.cpp", "BTComposite_Sequence.cpp", "BTComposite_SimpleParallel.cpp", "BTDecorator_Blackboard.cpp", "BTDecorator_BlackboardBase.cpp", "BTDecorator_BlueprintBase.cpp", "BTDecorator_CheckGameplayTagsOnActor.cpp", "BTDecorator_CompareBBEntries.cpp", "BTDecorator_ConditionalLoop.cpp", "BTDecorator_ConeCheck.cpp", "BTDecorator_Cooldown.cpp", "BTDecorator_DoesPathExist.cpp", "BTDecorator_ForceSuccess.cpp", "BTDecorator_IsAtLocation.cpp", "BTDecorator_IsBBEntryOfClass.cpp", "BTDecorator_KeepInCone.cpp", "BTDecorator_Loop.cpp", "BTDecorator_ReachedMoveGoal.cpp", "BTDecorator_SetTagCooldown.cpp", "BTDecorator_TagCooldown.cpp", "BTDecorator_TimeLimit.cpp", "BTService_BlackboardBase.cpp", "BTService_BlueprintBase.cpp", "BTService_DefaultFocus.cpp", "BTService_RunEQS.cpp", "BTTask_BlackboardBase.cpp", "BTTask_BlueprintBase.cpp", "BTTask_MakeNoise.cpp", "BTTask_MoveDirectlyToward.cpp", "BTTask_MoveTo.cpp", "BTTask_PawnActionBase.cpp", "BTTask_PlayAnimation.cpp", "BTTask_PlaySound.cpp", "BTTask_PushPawnAction.cpp", "BTTask_RotateToFaceBBEntry.cpp", "BTTask_RunBehavior.cpp", "BTTask_RunBehaviorDynamic.cpp", "BTTask_RunEQSQuery.cpp", "BTTask_SetTagCooldown.cpp", "BTTask_Wait.cpp", "BTTask_WaitBlackboardTime.cpp", "AIBlueprintHelperLibrary.cpp", "AIDataProvider.cpp", "AIDataProvider_QueryParams.cpp", "EnvQuery.cpp", "EnvQueryContext.cpp", "EnvQueryDebugHelpers.cpp", "EnvQueryGenerator.cpp", "EnvQueryInstance.cpp", "EnvQueryInstanceBlueprintWrapper.cpp", "EnvQueryManager.cpp", "EnvQueryNode.cpp", "EnvQueryOption.cpp", "EnvQueryTest.cpp", "EnvQueryTraceHelpers.cpp", "EnvQueryTraceHelpers.h", "EnvQueryTypes.cpp", "EQSRenderingComponent.cpp", "EQSTestingPawn.cpp", "EnvQueryContext_BlueprintBase.cpp", "EnvQueryContext_Item.cpp", "EnvQueryContext_Querier.cpp", "EnvQueryGenerator_ActorsOfClass.cpp", "EnvQueryGenerator_BlueprintBase.cpp", "EnvQueryGenerator_Composite.cpp", "EnvQueryGenerator_CurrentLocation.cpp", "EnvQueryGenerator_Donut.cpp", "EnvQueryGenerator_OnCircle.cpp", "EnvQueryGenerator_PathingGrid.cpp", "EnvQueryGenerator_ProjectedPoints.cpp", "EnvQueryGenerator_SimpleGrid.cpp", "EnvQueryItemType.cpp", "EnvQueryItemType_Actor.cpp", "EnvQueryItemType_ActorBase.cpp", "EnvQueryItemType_Direction.cpp", "EnvQueryItemType_Point.cpp", "EnvQueryItemType_VectorBase.cpp", "EnvQueryTest_Distance.cpp", "EnvQueryTest_Dot.cpp", "EnvQueryTest_GameplayTags.cpp", "EnvQueryTest_Overlap.cpp", "EnvQueryTest_Pathfinding.cpp", "EnvQueryTest_PathfindingBatch.cpp", "EnvQueryTest_Project.cpp", "EnvQueryTest_Random.cpp", "EnvQueryTest_Trace.cpp", "AIModuleBasicGameplayDebuggerObject.cpp", "AIModuleBasicGameplayDebuggerObject.h", "BTGameplayDebuggerObject.cpp", "BTGameplayDebuggerObject.h", "EQSGameplayDebuggerObject.cpp", "EQSGameplayDebuggerObject.h", "NavMeshGameplayDebuggerObject.cpp", "NavMeshGameplayDebuggerObject.h", "PerceptionGameplayDebuggerObject.cpp", "PerceptionGameplayDebuggerObject.h", "AIHotSpotManager.cpp", "CrowdFollowingComponent.cpp", "CrowdManager.cpp", "NavigationInterfaces.cpp", "PathFollowingComponent.cpp", "AIPerceptionComponent.cpp", "AIPerceptionListenerInterface.cpp", "AIPerceptionStimuliSourceComponent.cpp", "AIPerceptionSystem.cpp", "AIPerceptionTypes.cpp", "AISense.cpp", "AISenseConfig_Damage.cpp", "AISenseEvent.cpp", "AISense_Blueprint.cpp", "AISense_Damage.cpp", "AISense_Hearing.cpp", "AISense_Prediction.cpp", "AISense_Sight.cpp", "AISense_Team.cpp", "AISense_Touch.cpp", "AISightTargetInterface.cpp", "PawnSensingComponent.cpp", "AITask.cpp", "AITask_MoveTo.cpp", "AIHelpers.h", "AIModule.h", "BehaviorTreeDelegates.h", "BlueprintNodeHelpers.h", "ALAudio.Build.cs", "ALAudioBuffer.cpp", "ALAudioDevice.cpp", "ALAudioSource.cpp", "ALAudioDevice.h", "Analytics.Build.cs", "Analytics.cpp", "AnalyticsPrivatePCH.h", "Analytics.h", "AnalyticsEventAttribute.h", "IAnalyticsProvider.h", "IAnalyticsProviderModule.h", "AnalyticsET.Build.cs", "AnalyticsET.cpp", "AnalyticsETPrivatePCH.h", "HttpServiceTracker.cpp", "AnalyticsET.h", "HttpServiceTracker.h", "AnalyticsSwrve.Build.cs", "AnalyticsSwrve.cpp", "AnalyticsSwrvePrivatePCH.h", "AnalyticsSwrve.h", "AnalyticsVisualEditing.Build.cs", "AnalyticsSettings.h", "AnalyticsVisualEditing.cpp", "AnalyticsVisualEditing.h", "QoSReporter.Build.cs", "QoSReporter.cpp", "QoSReporterModule.cpp", "QoSReporterPrivatePCH.h", "QoSReporter.h", "AndroidAudio.Build.cs", "AndroidAudioBuffer.cpp", "AndroidAudioDevice.cpp", "AndroidAudioSource.cpp", "AndroidAudioDevice.h", "AndroidRuntimeSettings.Build.cs", "AndroidRuntimeSettings.h", "AndroidRuntimeSettings.cpp", "AndroidRuntimeSettingsModule.cpp", "AndroidRuntimeSettingsPrivatePCH.h", "AnimGraphRuntime.Build.cs", "AnimationCustomVersion.cpp", "AnimGraphRuntimeModule.cpp", "AnimGraphRuntimePrivatePCH.h", "AnimNode_ApplyAdditive.cpp", "AnimNode_BlendListBase.cpp", "AnimNode_BlendListByBool.cpp", "AnimNode_BlendListByEnum.cpp", "AnimNode_BlendListByInt.cpp", "AnimNode_BlendSpaceEvaluator.cpp", "AnimNode_BlendSpacePlayer.cpp", "AnimNode_CopyPoseFromMesh.cpp", "AnimNode_LayeredBoneBlend.cpp", "AnimNode_RandomPlayer.cpp", "AnimNode_RefPose.cpp", "AnimNode_Root.cpp", "AnimNode_RotateRootBone.cpp", "AnimNode_RotationOffsetBlendSpace.cpp", "AnimNode_SaveCachedPose.cpp", "AnimNode_SequenceEvaluator.cpp", "AnimNode_Slot.cpp", "AnimNode_TwoWayBlend.cpp", "AnimNodeRotationMultiplier.cpp", "AnimNode_AnimDynamics.cpp", "AnimNode_BoneDrivenController.cpp", "AnimNode_CopyBone.cpp", "AnimNode_Fabrik.cpp", "AnimNode_HandIKRetargeting.cpp", "AnimNode_LookAt.cpp", "AnimNode_ModifyBone.cpp", "AnimNode_ObserveBone.cpp", "AnimNode_SkeletalControlBase.cpp", "AnimNode_SpringBone.cpp", "AnimNode_Trail.cpp", "AnimNode_TwoBoneIK.cpp", "AnimNode_WheelHandler.cpp", "AnimationCustomVersion.h", "AnimNode_ApplyAdditive.h", "AnimNode_BlendListBase.h", "AnimNode_BlendListByBool.h", "AnimNode_BlendListByEnum.h", "AnimNode_BlendListByInt.h", "AnimNode_BlendSpaceEvaluator.h", "AnimNode_BlendSpacePlayer.h", "AnimNode_CopyPoseFromMesh.h", "AnimNode_LayeredBoneBlend.h", "AnimNode_RandomPlayer.h", "AnimNode_RefPose.h", "AnimNode_Root.h", "AnimNode_RotateRootBone.h", "AnimNode_RotationOffsetBlendSpace.h", "AnimNode_SaveCachedPose.h", "AnimNode_SequenceEvaluator.h", "AnimNode_Slot.h", "AnimNode_TwoWayBlend.h", "AnimNode_AnimDynamics.h", "AnimNode_BoneDrivenController.h", "AnimNode_CopyBone.h", "AnimNode_Fabrik.h", "AnimNode_HandIKRetargeting.h", "AnimNode_LookAt.h", "AnimNode_ModifyBone.h", "AnimNode_ObserveBone.h", "AnimNode_RotationMultiplier.h", "AnimNode_SkeletalControlBase.h", "AnimNode_SpringBone.h", "AnimNode_Trail.h", "AnimNode_TwoBoneIK.h", "AnimNode_WheelHandler.h", "AppFramework.Build.cs", "AppFrameworkModule.cpp", "AppFrameworkPrivatePCH.h", "SLayoutExample.cpp", "SLayoutExample.h", "STableViewTesting.cpp", "STableViewTesting.h", "SUserWidgetTest.cpp", "SUserWidgetTest.h", "SWidgetGallery.cpp", "SWidgetGallery.h", "TestStyle.cpp", "TestStyle.h", "SColorPicker.cpp", "SColorThemes.cpp", "SColorValueSlider.h", "SComplexGradient.cpp", "SEyeDropperButton.cpp", "SEyeDropperButton.h", "SSimpleGradient.cpp", "SPerfSuite.cpp", "STestSuite.cpp", "SWizard.cpp", "SColorPicker.h", "SColorThemes.h", "SComplexGradient.h", "SSimpleGradient.h", "SPerfSuite.h", "STestSuite.h", "SMultipleOptionTable.h", "SWizard.h", "MetalRHI.Build.cs", "MetalBufferPools.cpp", "MetalBufferPools.h", "MetalCommandEncoder.cpp", "MetalCommandEncoder.h", "MetalCommandQueue.cpp", "MetalCommandQueue.h", "MetalCommands.cpp", "MetalContext.cpp", "MetalContext.h", "MetalGlobalUniformBuffer.h", "MetalIndexBuffer.cpp", "MetalProfiler.cpp", "MetalProfiler.h", "MetalQuery.cpp", "MetalRenderPipelineDesc.cpp", "MetalRenderPipelineDesc.h", "MetalRenderTarget.cpp", "MetalRHI.cpp", "MetalRHIContext.cpp", "MetalRHIPrivate.h", "MetalShaders.cpp", "MetalState.cpp", "MetalStateCache.cpp", "MetalStateCache.h", "MetalStructuredBuffer.cpp", "MetalTexture.cpp", "MetalUAV.cpp", "MetalUniformBuffer.cpp", "MetalVertexBuffer.cpp", "MetalVertexDeclaration.cpp", "MetalViewport.cpp", "MetalResources.h", "MetalRHI.h", "MetalRHIContext.h", "MetalShaderResources.h", "MetalState.h", "MetalViewport.h", "AssetRegistry.Build.cs", "AssetData.cpp", "AssetDataGatherer.cpp", "AssetDataGatherer.h", "AssetRegistry.cpp", "AssetRegistry.h", "AssetRegistryConsoleCommands.h", "AssetRegistryModule.cpp", "AssetRegistryPCH.h", "DependsNode.cpp", "DependsNode.h", "DiskCachedAssetData.h", "NameTableArchive.cpp", "NameTableArchive.h", "PackageDependencyData.cpp", "PackageDependencyData.h", "PackageReader.cpp", "PackageReader.h", "PathTree.cpp", "PathTree.h", "ARFilter.h", "AssetData.h", "AssetRegistryModule.h", "IAssetRegistry.h", "SharedMapView.h", "AutomationMessages.Build.cs", "AutomationWorkerMessages.h", "AutomationMessagesModule.cpp", "AutomationMessagesPrivatePCH.h", "AutomationMessages.h", "AutomationWorker.Build.cs", "AutomationAnalyticParams.h", "AutomationAnalytics.cpp", "AutomationAnalytics.h", "AutomationWorkerModule.cpp", "AutomationWorkerModule.h", "AutomationWorkerPrivatePCH.h", "AutomationWorker.h", "IAutomationWorkerModule.h", "CEF3Utils.Build.cs", "CEF3Utils.cpp", "CEF3UtilsPrivatePCH.h", "MacCefApplicationCategory.cpp", "CEF3Utils.h", "Core.Build.cs", "CorePrivatePCH.h", "AndroidApplication.cpp", "AndroidFile.cpp", "AndroidInputInterface.cpp", "AndroidJava.cpp", "AndroidJavaMediaPlayer.cpp", "AndroidJavaMessageBox.cpp", "AndroidMemory.cpp", "AndroidMisc.cpp", "AndroidOutputDevices.cpp", "AndroidPlatformBacktrace.cpp", "AndroidPlatformOutputDevicesPrivate.h", "AndroidPlatformStackWalk.cpp", "AndroidProcess.cpp", "AndroidString.cpp", "AndroidSurvey.cpp", "AndroidWindow.cpp", "ApplePlatformCrashContext.cpp", "ApplePlatformFile.cpp", "ApplePlatformStackWalk.cpp", "ApplePlatformString.cpp", "ApplePlatformSymbolication.cpp", "ApplePlatformTime.cpp", "Async.cpp", "TaskGraph.cpp", "ContainerAllocationPolicies.cpp", "ContainersTest.cpp", "LockFreeList.cpp", "StackTracker.cpp", "String.cpp", "Ticker.cpp", "Union.cpp", "FindSortedStringCaseInsensitive.cpp", "DelegateHandle.cpp", "ModularFeatures.cpp", "ModularFeatures.h", "GenericApplication.cpp", "GenericPlatformAtomics.cpp", "GenericPlatformCrashContext.cpp", "GenericPlatformFile.cpp", "GenericPlatformMallocCrash.cpp", "GenericPlatformMath.cpp", "GenericPlatformMemory.cpp", "GenericPlatformMisc.cpp", "GenericPlatformNamedPipe.cpp", "GenericPlatformOutputDevices.cpp", "GenericPlatformProcess.cpp", "GenericPlatformProperties.cpp", "GenericPlatformSplash.cpp", "GenericPlatformStackWalk.cpp", "GenericPlatformString.cpp", "GenericPlatformSymbolication.cpp", "GenericPlatformTime.cpp", "GenericWindow.cpp", "StandardPlatformString.cpp", "ConsoleManager.cpp", "ExceptionHandling.cpp", "FileManagerGeneric.cpp", "IPlatformFileLogWrapper.cpp", "IPlatformFileProfilerWrapper.cpp", "Keys.cpp", "MallocBinned.cpp", "MallocBinned2.cpp", "MallocJemalloc.cpp", "MallocTBB.cpp", "MemoryBase.cpp", "OutputDevices.cpp", "PlatformFileManager.cpp", "PThreadRunnableThread.cpp", "PThreadRunnableThread.h", "ThreadingBase.cpp", "UnrealMemory.cpp", "CachedOSPageAllocator.cpp", "HTML5Application.cpp", "HTML5Cursor.cpp", "HTML5InputInterface.cpp", "HTML5PlatformFile.cpp", "HTML5PlatformMemory.cpp", "HTML5PlatformMisc.cpp", "HTML5PlatformOutputDevices.cpp", "HTML5PlatformProcess.cpp", "HTML5PlatformStackWalk.cpp", "HTML5PlatformTime.cpp", "HTML5PlatformTLS.cpp", "HTML5Window.cpp", "CamelCaseBreakIterator.cpp", "CamelCaseBreakIterator.h", "Culture.cpp", "FastDecimalFormat.cpp", "GatherableTextData.cpp", "ICUBreakIterator.cpp", "ICUBreakIterator.h", "ICUCamelCaseBreakIterator.cpp", "ICUCharacterBoundaryIterator.cpp", "ICUCulture.cpp", "ICUCulture.h", "ICUInternationalization.cpp", "ICUInternationalization.h", "ICULineBreakIterator.cpp", "ICURegex.cpp", "ICUText.cpp", "ICUText.h", "ICUTextCharacterIterator.cpp", "ICUTextCharacterIterator.h", "ICUUtilities.cpp", "ICUUtilities.h", "ICUWordBreakIterator.cpp", "Internationalization.cpp", "InternationalizationArchive.cpp", "InternationalizationManifest.cpp", "InternationalizationMetadata.cpp", "LegacyCamelCaseBreakIterator.cpp", "LegacyCharacterBoundaryIterator.cpp", "LegacyCulture.cpp", "LegacyCulture.h", "LegacyInternationalization.cpp", "LegacyInternationalization.h", "LegacyLineBreakIterator.cpp", "LegacyRegex.cpp", "LegacyText.cpp", "LegacyText.h", "LegacyWordBreakIterator.cpp", "Text.cpp", "TextCache.cpp", "TextCache.h", "TextData.h", "TextHistory.cpp", "TextHistory.h", "TextLocalizationManager.cpp", "TextLocalizationResourceGenerator.cpp", "InvariantCulture.h", "IOSAppDelegate.cpp", "IOSApplication.cpp", "IOSAsyncTask.cpp", "IOSChunkInstaller.cpp", "IOSChunkInstaller.h", "IOSInputInterface.cpp", "IOSPlatformFile.cpp", "IOSPlatformFile.h", "IOSPlatformFramePacer.cpp", "IOSPlatformMemory.cpp", "IOSPlatformMisc.cpp", "IOSPlatformOutputDevices.cpp", "IOSPlatformOutputDevicesPrivate.h", "IOSPlatformProcess.cpp", "IOSPlatformString.cpp", "IOSPlatformSurvey.cpp", "IOSView.cpp", "IOSWindow.cpp", "IOSWindow.h", "LinuxApplication.cpp", "LinuxCursor.cpp", "LinuxPlatformCrashContext.cpp", "LinuxPlatformFeedbackContextPrivate.h", "LinuxPlatformFile.cpp", "LinuxPlatformMemory.cpp", "LinuxPlatformMisc.cpp", "LinuxPlatformOutputDevices.cpp", "LinuxPlatformOutputDevicesPrivate.h", "LinuxPlatformProcess.cpp", "LinuxPlatformSplash.cpp", "LinuxPlatformStackWalk.cpp", "LinuxPlatformString.cpp", "LinuxPlatformSurvey.cpp", "LinuxPlatformTime.cpp", "LinuxWindow.cpp", "MessageLog.cpp", "TokenizedMessage.cpp", "CocoaMenu.cpp", "CocoaTextView.cpp", "CocoaThread.cpp", "CocoaWindow.cpp", "HIDInputInterface.cpp", "HIDInputInterface.h", "MacApplication.cpp", "MacCursor.cpp", "MacMallocZone.cpp", "MacPlatformFeedbackContextPrivate.h", "MacPlatformFile.cpp", "MacPlatformFile.h", "MacPlatformMemory.cpp", "MacPlatformMisc.cpp", "MacPlatformOutputDevices.cpp", "MacPlatformOutputDevicesPrivate.h", "MacPlatformProcess.cpp", "MacPlatformSplash.cpp", "MacPlatformSurvey.cpp", "MacTextInputMethodSystem.cpp", "MacWindow.cpp", "BasicMathExpressionEvaluator.cpp", "Box.cpp", "Box2D.cpp", "BoxSphereBounds.cpp", "Color.cpp", "ColorList.cpp", "FloatPacker.cpp", "SHMath.cpp", "Sphere.cpp", "Transform.cpp", "TransformVectorized.cpp", "UnitConversion.cpp", "UnrealMath.cpp", "AES.cpp", "App.cpp", "AutomationTest.cpp", "Base64.cpp", "CallbackDevice.cpp", "Compression.cpp", "ConfigCacheIni.cpp", "ConfigManifest.cpp", "ConfigManifest.h", "Core.cpp", "CoreMisc.cpp", "Crc.cpp", "CString.cpp", "DataCodec.cpp", "DateTime.cpp", "DefaultValueHelper.cpp", "EngineBuildSettings.cpp", "EngineVersion.cpp", "EventPool.cpp", "EventPool.h", "ExpressionParser.cpp", "ExpressionParserExamples.cpp", "FbxErrors.cpp", "FeedbackContext.cpp", "FeedbackContextMarkup.cpp", "Guid.cpp", "GuidGenerator.cpp", "InteractiveProcess.cpp", "LocalTimestampDirectoryVisitor.cpp", "MapErrors.cpp", "MemStack.cpp", "MonitoredProcess.cpp", "ObjectThumbnail.cpp", "OutputDevice.cpp", "Parse.cpp", "Paths.cpp", "RemoteConfigIni.cpp", "RocketSupport.cpp", "SecureHash.cpp", "StringFormatter.cpp", "StringUtility.cpp", "TextFilterExpressionEvaluator.cpp", "TextFilterTests.cpp", "TextFilterUtils.cpp", "Timespan.cpp", "UProjectInfo.cpp", "VarargsHelper.h", "WildcardString.cpp", "ModuleManager.cpp", "ABTesting.cpp", "DDCStatsHelper.cpp", "ExternalProfiler.cpp", "MallocProfiler.cpp", "ProfilingHelpers.cpp", "ScopedDebugInfo.cpp", "AQtimeExternalProfiler.cpp", "VSPerfExternalProfiler.cpp", "VTuneExternalProfiler.cpp", "Archive.cpp", "AsyncIOSystemBase.cpp", "AsyncIOSystemBase.h", "Bitstreams.cpp", "CustomVersion.cpp", "CsvParser.cpp", "CsvParserTests.cpp", "Stats2.cpp", "StatsCommand.cpp", "StatsData.cpp", "StatsFile.cpp", "StatsMallocProfilerProxy.cpp", "StatsMisc.cpp", "AsyncTest.cpp", "TaskGraphTest.cpp", "PlatformTest.cpp", "ArchiveTest.cpp", "DateTimeFormattingRulesTest.cpp", "ManifestTest.cpp", "MetadataTest.cpp", "NumberFormatingRulesTest.cpp", "TextTest.cpp", "RangeBoundTest.cpp", "RangeSetTest.cpp", "RangeTest.cpp", "UnitConversionTests.cpp", "UnrealMathTest.cpp", "CircularBufferTest.cpp", "CircularQueueTest.cpp", "DateTimeTest.cpp", "FileTest.cpp", "GuidTest.cpp", "PathsTest.cpp", "QueueTest.cpp", "TimespanTest.cpp", "TypeContainerTest.cpp", "ObjectVersion.cpp", "UnrealNames.cpp", "TextStoreACP.cpp", "WindowsApplication.cpp", "WindowsCriticalSection.cpp", "WindowsCursor.cpp", "WindowsEvent.h", "WindowsPlatformAtomics.cpp", "WindowsPlatformCrashContext.cpp", "WindowsPlatformFeedbackContextPrivate.h", "WindowsPlatformFile.cpp", "WindowsPlatformMallocBinned.cpp", "WindowsPlatformMemory.cpp", "WindowsPlatformMisc.cpp", "WindowsPlatformNamedPipe.cpp", "WindowsPlatformOutputDevices.cpp", "WindowsPlatformOutputDevicesPrivate.h", "WindowsPlatformProcess.cpp", "WindowsPlatformSplash.cpp", "WindowsPlatformStackWalk.cpp", "WindowsPlatformSurvey.cpp", "WindowsPlatformTime.cpp", "WindowsRunnableThread.cpp", "WindowsRunnableThread.h", "WindowsTextInputMethodSystem.cpp", "WindowsWindow.cpp", "XInputInterface.cpp", "XInputInterface.h", "ThreadEmulation.cpp", "ThreadEmulation.h", "WinRTApplication.cpp", "WinRTAtomics.cpp", "WinRTEvent.h", "WinRTFeedbackContextPrivate.h", "WinRTFile.cpp", "WinRTInputInterface.cpp", "WinRTInputInterface.h", "WinRTMemory.cpp", "WinRTMisc.cpp", "WinRTOutputDevices.cpp", "WinRTOutputDevicesPrivate.h", "WinRTProcess.cpp", "WinRTRunnableThread.h", "WinRTSplash.cpp", "WinRTStackWalk.cpp", "WinRTString.cpp", "WinRTTime.cpp", "Core.h", "CoreClasses.h", "CoreGlobals.h", "AndroidAffinity.h", "AndroidApplication.h", "AndroidAtomics.h", "AndroidCompilerSetup.h", "AndroidFile.h", "AndroidIncludes.h", "AndroidInputInterface.h", "AndroidJava.h", "AndroidJavaMediaPlayer.h", "AndroidJavaMessageBox.h", "AndroidMath.h", "AndroidMemory.h", "AndroidMisc.h", "AndroidOutputDevices.h", "AndroidPlatform.h", "AndroidPlatformCompilerPreSetup.h", "AndroidPlatformCrashContext.h", "AndroidPlatformRunnableThread.h", "AndroidPlatformStackWalk.h", "AndroidProcess.h", "AndroidProperties.h", "AndroidSplash.h", "AndroidString.h", "AndroidSurvey.h", "AndroidSystemIncludes.h", "AndroidTime.h", "AndroidTLS.h", "AndroidWindow.h", "ApplePlatformAtomics.h", "ApplePlatformCrashContext.h", "ApplePlatformFile.h", "ApplePlatformRunnableThread.h", "ApplePlatformStackWalk.h", "ApplePlatformString.h", "ApplePlatformSymbolication.h", "ApplePlatformTime.h", "ApplePlatformTLS.h", "Async.h", "AsyncResult.h", "AsyncWork.h", "Future.h", "IAsyncProgress.h", "IAsyncTask.h", "ParallelFor.h", "PhysXASync.h", "TaskGraphInterfaces.h", "AllocatorFixedSizeFreeList.h", "Array.h", "ArrayBuilder.h", "BitArray.h", "ChunkedArray.h", "CircularBuffer.h", "CircularQueue.h", "ContainerAllocationPolicies.h", "ContainersFwd.h", "DynamicRHIResourceArray.h", "EnumAsByte.h", "LazyPrintf.h", "List.h", "LockFreeFixedSizeAllocator.h", "LockFreeList.h", "LockFreeListImpl.h", "LockFreeVoidPointerListBase.h", "LockFreeVoidPointerListBase128.h", "Map.h", "MapBuilder.h", "Queue.h", "ResourceArray.h", "Set.h", "SparseArray.h", "StackTracker.h", "StaticArray.h", "StaticBitArray.h", "StringConv.h", "Ticker.h", "Union.h", "UnrealString.h", "FindSortedStringCaseInsensitive.h", "IsSorted.h", "Partition.h", "Reverse.h", "Delegate.h", "DelegateBase.h", "DelegateCombinations.h", "DelegateCombinations_Variadics.h", "DelegateInstanceInterface_Variadics.h", "IDelegateInstance.h", "IntegerSequence.h", "MulticastDelegateBase.h", "Tuple.h", "IModularFeature.h", "IModularFeatures.h", "GenericApplication.h", "GenericApplicationMessageHandler.h", "GenericPlatform.h", "GenericPlatformAffinity.h", "GenericPlatformAtomics.h", "GenericPlatformChunkInstall.cpp", "GenericPlatformChunkInstall.h", "GenericPlatformCompilerPreSetup.h", "GenericPlatformCrashContext.h", "GenericPlatformFile.h", "GenericPlatformFramePacer.h", "GenericPlatformMallocCrash.h", "GenericPlatformMath.h", "GenericPlatformMemory.h", "GenericPlatformMemoryPoolStats.h", "GenericPlatformMisc.h", "GenericPlatformNamedPipe.h", "GenericPlatformOutputDevices.h", "GenericPlatformProcess.h", "GenericPlatformProperties.h", "GenericPlatformSplash.h", "GenericPlatformStackWalk.h", "GenericPlatformStricmp.h", "GenericPlatformString.h", "GenericPlatformSurvey.h", "GenericPlatformSymbolication.h", "GenericPlatformTime.h", "GenericPlatformTLS.h", "GenericWindow.h", "GenericWindowDefinition.h", "ICursor.h", "IForceFeedbackSystem.h", "IInputInterface.h", "ITextInputMethodSystem.h", "MicrosoftPlatformString.h", "StandardPlatformString.h", "ConsoleManager.h", "ExceptionHandling.h", "FeedbackContextAnsi.h", "FileManager.h", "FileManagerGeneric.h", "IConsoleManager.h", "IOBase.h", "IPlatformFileCachedWrapper.h", "IPlatformFileLogWrapper.h", "IPlatformFileModule.h", "IPlatformFileOpenLogWrapper.h", "IPlatformFileProfilerWrapper.h", "MallocAnsi.h", "MallocBinned.h", "MallocBinned2.h", "MallocDebug.h", "MallocJemalloc.h", "MallocTBB.h", "MallocThreadSafeProxy.h", "MemoryBase.h", "MemoryMisc.h", "OutputDevices.h", "Platform.h", "PlatformAffinity.h", "PlatformAtomics.h", "PlatformCodeAnalysis.h", "PlatformFile.h", "PlatformFilemanager.h", "PlatformFramePacer.h", "PlatformIncludes.h", "PlatformMallocCrash.h", "PlatformMath.h", "PlatformMemory.h", "PlatformMisc.h", "PlatformNamedPipe.h", "PlatformOutputDevices.h", "PlatformProcess.h", "PlatformProperties.h", "PlatformSplash.h", "PlatformStackWalk.h", "PlatformString.h", "PlatformSurvey.h", "PlatformTime.h", "PlatformTLS.h", "PThreadCriticalSection.h", "PThreadEvent.h", "ThreadingBase.h", "UnrealMemory.h", "CachedOSPageAllocator.h", "HTML5Application.h", "HTML5AssertionMacros.h", "HTML5Cursor.h", "HTML5DebugLogging.h", "HTML5InputInterface.h", "HTML5Platform.h", "HTML5PlatformAtomics.h", "HTML5PlatformCompilerPreSetup.h", "HTML5PlatformCompilerSetup.h", "HTML5PlatformIncludes.h", "HTML5PlatformMath.h", "HTML5PlatformMemory.h", "HTML5PlatformMisc.h", "HTML5PlatformOutputDevices.h", "HTML5PlatformProcess.h", "HTML5PlatformProperties.h", "HTML5PlatformRunnableThread.h", "HTML5PlatformSplash.h", "HTML5PlatformStackWalk.h", "HTML5PlatformString.h", "HTML5PlatformSurvey.h", "HTML5PlatformTime.h", "HTML5PlatformTLS.h", "HTML5SystemIncludes.h", "HTML5Window.h", "BreakIterator.h", "Culture.h", "CulturePointer.h", "DateTimeFormattingRules.h", "FastDecimalFormat.h", "GatherableTextData.h", "IBreakIterator.h", "IInternationalizationArchiveSerializer.h", "IInternationalizationManifestSerializer.h", "Internationalization.h", "InternationalizationArchive.h", "InternationalizationManifest.h", "InternationalizationMetadata.h", "ITextData.h", "NegativeCurrencyOutputFormatting.h", "NegativeNumberOutputFormatting.h", "NegativePercentOutputFormatting.h", "NumberFormattingRules.h", "PositiveCurrencyOutputFormatting.h", "PositivePercentOutputFormatting.h", "Regex.h", "Text.h", "TextFormattingRules.h", "TextLocalizationManager.h", "TextLocalizationManagerGlobals.h", "TextLocalizationResourceGenerator.h", "IOSAppDelegate.h", "IOSApplication.h", "IOSAsyncTask.h", "IOSCommandLineHelper.h", "IOSInputInterface.h", "IOSPlatform.h", "IOSPlatformCompilerPreSetup.h", "IOSPlatformCompilerSetup.h", "IOSPlatformFramePacer.h", "IOSPlatformIncludes.h", "IOSPlatformMath.h", "IOSPlatformMemory.h", "IOSPlatformMisc.h", "IOSPlatformOutputDevices.h", "IOSPlatformProcess.h", "IOSPlatformProperties.h", "IOSPlatformSplash.h", "IOSPlatformString.h", "IOSPlatformSurvey.h", "IOSSystemIncludes.h", "IOSView.h", "LinuxApplication.h", "LinuxCursor.h", "LinuxPlatform.h", "LinuxPlatformAtomics.h", "LinuxPlatformCompilerPreSetup.h", "LinuxPlatformCompilerSetup.h", "LinuxPlatformCrashContext.h", "LinuxPlatformFile.h", "LinuxPlatformIncludes.h", "LinuxPlatformMath.h", "LinuxPlatformMemory.h", "LinuxPlatformMisc.h", "LinuxPlatformOutputDevices.h", "LinuxPlatformProcess.h", "LinuxPlatformProperties.h", "LinuxPlatformRunnableThread.h", "LinuxPlatformSplash.h", "LinuxPlatformStackWalk.h", "LinuxPlatformString.h", "LinuxPlatformSurvey.h", "LinuxPlatformTime.h", "LinuxPlatformTLS.h", "LinuxSystemIncludes.h", "LinuxWindow.h", "IMessageLog.h", "MessageLog.h", "TokenizedMessage.h", "CocoaMenu.h", "CocoaTextView.h", "CocoaThread.h", "CocoaWindow.h", "MacApplication.h", "MacCursor.h", "MacMallocZone.h", "MacPlatform.h", "MacPlatformCompilerPreSetup.h", "MacPlatformCompilerSetup.h", "MacPlatformCrashContext.h", "MacPlatformIncludes.h", "MacPlatformMath.h", "MacPlatformMemory.h", "MacPlatformMisc.h", "MacPlatformOutputDevices.h", "MacPlatformProcess.h", "MacPlatformProperties.h", "MacPlatformRunnableThread.h", "MacPlatformSplash.h", "MacPlatformSurvey.h", "MacSystemIncludes.h", "MacTextInputMethodSystem.h", "MacWindow.h", "AlphaBlendType.h", "Axis.h", "BasicMathExpressionEvaluator.h", "BigInt.h", "Box.h", "Box2D.h", "BoxSphereBounds.h", "ClipProjectionMatrix.h", "Color.h", "ColorList.h", "ConvexHull2d.h", "CurveEdInterface.h", "Edge.h", "Float16.h", "Float16Color.h", "Float32.h", "FloatPacker.h", "InterpCurve.h", "InterpCurvePoint.h", "Interval.h", "IntPoint.h", "IntRect.h", "IntVector.h", "InverseRotationMatrix.h", "Matrix.h", "MirrorMatrix.h", "NumericLimits.h", "OrientedBox.h", "OrthoMatrix.h", "PerspectiveMatrix.h", "Plane.h", "Quat.h", "QuatRotationTranslationMatrix.h", "RandomStream.h", "Range.h", "RangeBound.h", "RangeSet.h", "RotationAboutPointMatrix.h", "RotationMatrix.h", "RotationTranslationMatrix.h", "Rotator.h", "ScalarRegister.h", "ScaleMatrix.h", "ScaleRotationTranslationMatrix.h", "SHMath.h", "Sphere.h", "Transform.h", "TransformCalculus.h", "TransformCalculus2D.h", "TransformCalculus3D.h", "TransformVectorized.h", "TranslationMatrix.h", "TwoVectors.h", "UnitConversion.h", "UnrealMath.h", "UnrealMathDirectX.h", "UnrealMathFPU.h", "UnrealMathNeon.h", "UnrealMathSSE.h", "UnrealMathUtility.h", "UnrealMathVectorCommon.h", "UnrealMathVectorConstants.h", "UnrealMatrix.h", "UnrealPlatformMathSSE.h", "Vector.h", "Vector2D.h", "Vector2DHalf.h", "Vector4.h", "AES.h", "App.h", "AssertionMacros.h", "Attribute.h", "AutomationTest.h", "Base64.h", "Build.h", "ByteSwap.h", "CallbackDevice.h", "Char.h", "CompilationResult.h", "CompressedGrowableBuffer.h", "Compression.h", "ConfigCacheIni.h", "CookingStatsInterface.h", "CoreDefines.h", "CoreMisc.h", "CoreMiscDefines.h", "CoreStats.h", "Crc.h", "CString.h", "DataCodec.h", "DateTime.h", "DefaultValueHelper.h", "DelegateFilter.h", "DisableOldUETypes.h", "EngineBuildSettings.h", "EngineVersion.h", "EngineVersionBase.h", "EnumClassFlags.h", "ExpressionParser.h", "ExpressionParserTypes.h", "FbxErrors.h", "FeedbackContext.h", "FeedbackContextMarkup.h", "FilterCollection.h", "Guid.h", "IFilter.h", "ILifeCycle.h", "InteractiveProcess.h", "ITransaction.h", "LocalTimestampDirectoryVisitor.h", "MapErrors.h", "MemStack.h", "MonitoredProcess.h", "NetworkGuid.h", "ObjectThumbnail.h", "Optional.h", "OutputDevice.h", "OutputDeviceConsole.h", "Parse.h", "Paths.h", "RemoteConfigIni.h", "RocketSupport.h", "ScopeExit.h", "SecureHash.h", "StringFormatArg.h", "StringFormatter.h", "StringUtility.h", "StructBuilder.h", "TextFilter.h", "TextFilterExpressionEvaluator.h", "TextFilterUtils.h", "Timespan.h", "TypeContainer.h", "UProjectInfo.h", "Variant.h", "WildcardString.h", "ModuleInterface.h", "ModuleManager.h", "ModuleVersion.h", "ModuleBoilerplate.h", "ABTesting.h", "DDCStatsHelper.h", "DebuggingDefines.h", "DiagnosticTable.h", "ExternalProfiler.h", "MallocProfiler.h", "ProfilingHelpers.h", "ScopedDebugInfo.h", "ScopedTimers.h", "UMemoryDefines.h", "Archive.h", "ArchiveBase.h", "Bitstreams.h", "CustomVersion.h", "CsvParser.h", "Stats.h", "Stats2.h", "StatsData.h", "StatsFile.h", "StatsMallocProfilerProxy.h", "StatsMisc.h", "AreTypesEqual.h", "EnableIf.h", "Function.h", "MemoryOps.h", "PointerIsConvertibleFromTo.h", "RefCounting.h", "RemoveCV.h", "ScopedCallback.h", "ScopedPointer.h", "SharedPointer.h", "SharedPointerInternals.h", "Sorting.h", "TypeHash.h", "TypeWrapper.h", "UniqueObj.h", "UniquePtr.h", "UnrealTemplate.h", "UnrealTypeTraits.h", "ValueOrError.h", "AutoPointer.h", "DebugSerializationFlags.h", "NameTypes.h", "ObjectVersion.h", "PendingVersions.h", "PropertyPortFlags.h", "ReleaseObjectVersion.h", "ScriptDelegates.h", "UnrealNames.h", "UObjectHierarchyFwd.h", "WeakObjectPtrTemplates.h", "AllowWindowsPlatformTypes.h", "COMPointer.h", "HideWindowsPlatformTypes.h", "MinWindows.h", "PostWindowsApi.h", "PreWindowsApi.h", "TextStoreACP.h", "WindowsApplication.h", "WindowsCriticalSection.h", "WindowsCursor.h", "WindowsHWrapper.h", "WIndowsPlatform.h", "WindowsPlatformAtomics.h", "WindowsPlatformCodeAnalysis.h", "WindowsPlatformCompilerPreSetup.h", "WindowsPlatformCompilerSetup.h", "WindowsPlatformCrashContext.h", "WindowsPlatformFile.h", "WindowsPlatformIncludes.h", "WindowsPlatformMath.h", "WindowsPlatformMemory.h", "WindowsPlatformMisc.h", "WindowsPlatformNamedPipe.h", "WindowsPlatformOutputDevices.h", "WindowsPlatformProcess.h", "WindowsPlatformProperties.h", "WindowsPlatformSplash.h", "WindowsPlatformStackWalk.h", "WindowsPlatformString.h", "WindowsPlatformSurvey.h", "WindowsPlatformTime.h", "WindowsPlatformTLS.h", "WindowsSystemIncludes.h", "WindowsTextInputMethodSystem.h", "WindowsWindow.h", "AllowWinRTPlatformTypes.h", "HideWinRTPlatformTypes.h", "MinWinRTApi.h", "PostWinRTApi.h", "PreWinRTApi.h", "WinRTApplication.h", "WinRTARMPlatform.h", "WinRTAtomics.h", "WinRTCompilerSetup.h", "WinRTCriticalSection.h", "WinRTFile.h", "WinRTIncludes.h", "WinRTMath.h", "WinRTMemory.h", "WinRTMisc.h", "WinRTOutputDevices.h", "WinRTPlatform.h", "WinRTPlatformCompilerPreSetup.h", "WinRTPlatformIncludes.h", "WinRTProcess.h", "WinRTProperties.h", "WinRTSplash.h", "WinRTStackWalk.h", "WinRTString.h", "WinRTSurvey.h", "WinRTSystemIncludes.h", "WinRTTime.h", "WinRTTLS.h", "ModuleVersionResource.h", "CoreUObject.Build.cs", "Object.h", "CoreUObjectPrivate.h", "Interface.cpp", "BlueprintSupport.cpp", "ExclusiveLoadPackageTimeTracker.cpp", "GCObjectReferencer.cpp", "NotifyHook.cpp", "PackageName.cpp", "RedirectCollector.cpp", "StartupPackages.cpp", "StringAssetReference.cpp", "StringClassReference.cpp", "StringReferenceTemplates.h", "TextBuffer.cpp", "UObjectToken.cpp", "WorldCompositionUtility.cpp", "ArchiveDescribeReference.cpp", "ArchiveDescribeReference.h", "ArchiveFindAllRefs.cpp", "ArchiveFindAllRefs.h", "ArchiveFindCulprit.cpp", "ArchiveObjectCrc32.cpp", "ArchiveObjectGraph.cpp", "ArchiveShowReferences.cpp", "ArchiveTraceRoute.cpp", "ArchiveUObject.cpp", "AsyncLoading.cpp", "AsyncLoadingThread.h", "BulkData.cpp", "DeferredMessageLog.cpp", "DeferredMessageLog.h", "DuplicateDataReader.cpp", "DuplicateDataWriter.cpp", "FindReferencersArchive.cpp", "ObjectReader.cpp", "ObjectWriter.cpp", "PropertyLocalizationDataGathering.cpp", "ReloadObjectArc.cpp", "TraceReferences.cpp", "Casts.cpp", "Class.cpp", "CoreNative.cpp", "CoreNet.cpp", "EditPropertyChain.cpp", "Enum.cpp", "FastReferenceCollector.h", "FindStronglyConnected.cpp", "FindStronglyConnected.h", "GarbageCollection.cpp", "GCScopeLock.h", "LazyObjectPtr.cpp", "Linker.cpp", "LinkerLoad.cpp", "LinkerManager.cpp", "LinkerManager.h", "LinkerPlaceholderBase.cpp", "LinkerPlaceholderBase.h", "LinkerPlaceholderClass.cpp", "LinkerPlaceholderClass.h", "LinkerPlaceholderExportObject.cpp", "LinkerPlaceholderExportObject.h", "LinkerPlaceholderFunction.cpp", "LinkerPlaceholderFunction.h", "LinkerSave.cpp", "MetaData.cpp", "Obj.cpp", "ObjectBaseUtility.cpp", "ObjectMemoryAnalyzer.cpp", "ObjectRedirector.cpp", "ObjectResource.cpp", "Package.cpp", "PackageFileSummary.cpp", "Property.cpp", "PropertyArray.cpp", "PropertyAssetClass.cpp", "PropertyAssetObject.cpp", "PropertyBaseObject.cpp", "PropertyBool.cpp", "PropertyByte.cpp", "PropertyClass.cpp", "PropertyDelegate.cpp", "PropertyDouble.cpp", "PropertyFloat.cpp", "PropertyHelper.h", "PropertyInt.cpp", "PropertyInt16.cpp", "PropertyInt64.cpp", "PropertyInt8.cpp", "PropertyInterface.cpp", "PropertyLazyObjectPtr.cpp", "PropertyMap.cpp", "PropertyMulticastDelegate.cpp", "PropertyName.cpp", "PropertyObject.cpp", "PropertyStr.cpp", "PropertyStruct.cpp", "PropertyUInt16.cpp", "PropertyUInt32.cpp", "PropertyUInt64.cpp", "PropertyWeakObjectPtr.cpp", "ReferenceChainSearch.cpp", "ReferencerInformation.cpp", "SavePackage.cpp", "ScriptCore.cpp", "ScriptStackTracker.cpp", "StructScriptLoader.cpp", "StructScriptLoader.h", "TextureAllocations.cpp", "UnrealType.cpp", "UObjectAllocator.cpp", "UObjectArchetype.cpp", "UObjectArray.cpp", "UObjectBase.cpp", "UObjectBaseUtility.cpp", "UObjectClusters.cpp", "UObjectGlobals.cpp", "UObjectHash.cpp", "UObjectLinker.cpp", "UObjectMarks.cpp", "UObjectNetIndex.cpp", "UObjectThreadContext.cpp", "UTextProperty.cpp", "WeakObjectPtr.cpp", "CoreUObject.h", "Interface.h", "BlueprintSupport.h", "AssetRegistryInterface.h", "ExclusiveLoadPackageTimeTracker.h", "HotReloadInterface.h", "NotifyHook.h", "PackageName.h", "RedirectCollector.h", "StartupPackages.h", "StringAssetReference.h", "StringClassReference.h", "TextBuffer.h", "UObjectToken.h", "WorldCompositionUtility.h", "ArchiveUObject.h", "ArchiveUObjectBase.h", "AsyncLoading.h", "AsyncPackage.h", "BulkData.h", "PropertyLocalizationDataGathering.h", "Casts.h", "AssetPtr.h", "Class.h", "ClassTree.h", "ConstructorHelpers.h", "CoreNative.h", "CoreNet.h", "CoreObject.h", "GarbageCollection.h", "GCObject.h", "LazyObjectPtr.h", "Linker.h", "ObjectBase.h", "ObjectKey.h", "ObjectMemoryAnalyzer.h", "ObjectRedirector.h", "PersistentObjectPtr.h", "PropertyTag.h", "ReferenceChainSearch.h", "Script.h", "ScriptInterface.h", "ScriptMacros.h", "ScriptSerialization.h", "ScriptStackTracker.h", "Stack.h", "UnrealType.h", "UObject.h", "UObjectAllocator.h", "UObjectAnnotation.h", "UObjectArray.h", "UObjectBase.h", "UObjectBaseUtility.h", "UObjectGlobals.h", "UObjectHash.h", "UObjectIterator.h", "UObjectMarks.h", "UObjectThreadContext.h", "UTextProperty.h", "WeakObjectPtr.h", "DatabaseSupport.Build.cs", "Database.cpp", "DatabaseSupport.cpp", "DatabaseSupportPrivatePCH.h", "Database.h", "DatabaseSupport.h", "EmptyRHI.Build.cs", "EmptyCommands.cpp", "EmptyGlobalUniformBuffer.h", "EmptyIndexBuffer.cpp", "EmptyQuery.cpp", "EmptyRenderTarget.cpp", "EmptyRHI.cpp", "EmptyRHIPrivate.h", "EmptyShaders.cpp", "EmptyState.cpp", "EmptyStructuredBuffer.cpp", "EmptyTexture.cpp", "EmptyUAV.cpp", "EmptyUniformBuffer.cpp", "EmptyVertexBuffer.cpp", "EmptyVertexDeclaration.cpp", "EmptyViewport.cpp", "EmptyResources.h", "EmptyRHI.h", "EmptyShaderResources.h", "EmptyState.h", "EmptyViewport.h", "Engine.Build.cs", "AISystemBase.h", "AbstractNavData.h", "AvoidanceManager.h", "NavAgentInterface.h", "NavCollision.h", "NavEdgeProviderInterface.h", "NavigationAvoidanceTypes.h", "NavigationData.h", "NavigationDataChunk.h", "NavigationGraph.h", "NavigationGraphNode.h", "NavigationGraphNodeComponent.h", "NavigationInvokerComponent.h", "NavigationPath.h", "NavigationPathGenerator.h", "NavigationSystem.h", "NavigationTestingActor.h", "NavigationTypes.h", "NavLinkCustomComponent.h", "NavLinkCustomInterface.h", "NavLinkDefinition.h", "NavLinkHostInterface.h", "NavLinkProxy.h", "NavLinkRenderingComponent.h", "NavLinkTrivial.h", "NavMeshBoundsVolume.h", "NavMeshRenderingComponent.h", "NavModifierComponent.h", "NavModifierVolume.h", "NavNodeInterface.h", "NavPathObserverInterface.h", "NavRelevantComponent.h", "NavRelevantInterface.h", "NavTestRenderingComponent.h", "RecastNavMesh.h", "RecastNavMeshDataChunk.h", "NavArea.h", "NavAreaMeta.h", "NavAreaMeta_SwitchByAgent.h", "NavArea_Default.h", "NavArea_LowHeight.h", "NavArea_Null.h", "NavArea_Obstacle.h", "NavigationQueryFilter.h", "RecastFilter_UseDefaultArea.h", "AimOffsetBlendSpace.h", "AimOffsetBlendSpace1D.h", "AnimationAsset.h", "AnimationSettings.h", "AnimBlueprint.h", "AnimBlueprintGeneratedClass.h", "AnimClassData.h", "AnimClassInterface.h", "AnimComposite.h", "AnimCompositeBase.h", "AnimCompress.h", "AnimCompress_Automatic.h", "AnimCompress_BitwiseCompressOnly.h", "AnimCompress_LeastDestructive.h", "AnimCompress_PerTrackCompression.h", "AnimCompress_RemoveEverySecondKey.h", "AnimCompress_RemoveLinearKeys.h", "AnimCompress_RemoveTrivialKeys.h", "AnimInstance.h", "AnimLinkableElement.cpp", "AnimLinkableElement.h", "AnimMetaData.h", "AnimMontage.h", "AnimNodeBase.h", "AnimNodeSpaceConversions.h", "AnimNode_ApplyMeshSpaceAdditive.h", "AnimNode_AssetPlayerBase.cpp", "AnimNode_AssetPlayerBase.h", "AnimNode_SequencePlayer.h", "AnimNode_StateMachine.h", "AnimNode_TransitionPoseEvaluator.h", "AnimNode_TransitionResult.h", "AnimNode_UseCachedPose.h", "AnimSequence.h", "AnimSequenceBase.h", "AnimSet.h", "AnimSingleNodeInstance.h", "AnimStateMachineTypes.h", "BlendProfile.h", "BlendSpace.h", "BlendSpace1D.h", "BlendSpaceBase.h", "InputScaleBias.h", "PreviewAssetAttachComponent.h", "Rig.h", "SkeletalMeshActor.h", "Skeleton.h", "SmartName.h", "BoneMaskFilter.h", "AnimNotify.h", "AnimNotifyState.h", "AnimNotifyState_TimedParticleEffect.h", "AnimNotifyState_Trail.h", "AnimNotify_PlayParticleEffect.h", "AnimNotify_PlaySound.h", "MorphTarget.h", "VertexAnimation.h", "VertexAnimBase.h", "AtmosphericFog.h", "AtmosphericFogComponent.h", "CameraActor.h", "CameraAnim.h", "CameraAnimInst.h", "CameraComponent.h", "CameraModifier.h", "CameraModifier_CameraShake.h", "CameraShake.h", "CameraStackTypes.h", "CameraTypes.h", "PlayerCameraManager.h", "Commandlet.h", "PluginCommandlet.h", "SmokeTestCommandlet.h", "ActorComponent.h", "ApplicationLifecycleComponent.h", "ArrowComponent.h", "AudioComponent.h", "BillboardComponent.h", "BoxComponent.h", "BoxReflectionCaptureComponent.h", "BrushComponent.h", "CapsuleComponent.h", "ChildActorComponent.h", "DecalComponent.h", "DestructibleComponent.h", "DirectionalLightComponent.h", "DrawFrustumComponent.h", "DrawSphereComponent.h", "ExponentialHeightFogComponent.h", "HierarchicalInstancedStaticMeshComponent.h", "InputComponent.h", "InstancedStaticMeshComponent.h", "InterpToMovementComponent.h", "LightComponent.h", "LightComponentBase.h", "LightmassPortalComponent.h", "LineBatchComponent.h", "MaterialBillboardComponent.h", "MeshComponent.h", "ModelComponent.h", "PawnNoiseEmitterComponent.h", "PlaneReflectionCaptureComponent.h", "PlatformEventsComponent.h", "PointLightComponent.h", "PoseableMeshComponent.h", "PostProcessComponent.h", "PrimitiveComponent.h", "ReflectionCaptureComponent.h", "SceneCaptureComponent.h", "SceneCaptureComponent2D.h", "SceneCaptureComponentCube.h", "SceneComponent.h", "ShapeComponent.h", "SkeletalMeshComponent.h", "SkinnedMeshComponent.h", "SkyLightComponent.h", "SphereComponent.h", "SphereReflectionCaptureComponent.h", "SplineComponent.h", "SplineMeshComponent.h", "SpotLightComponent.h", "StaticMeshComponent.h", "TextRenderComponent.h", "TimelineComponent.h", "VectorFieldComponent.h", "WindDirectionalSourceComponent.h", "CurveBase.h", "CurveEdPresetCurve.h", "CurveFloat.h", "CurveLinearColor.h", "CurveVector.h", "DebugDrawService.h", "GameplayDebuggerBaseObject.h", "ReporterBase.h", "ReporterGraph.h", "DeviceProfile.h", "DeviceProfileManager.h", "Distribution.h", "DistributionFloat.h", "DistributionFloatConstant.h", "DistributionFloatConstantCurve.h", "DistributionFloatParameterBase.h", "DistributionFloatParticleParameter.h", "DistributionFloatUniform.h", "DistributionFloatUniformCurve.h", "DistributionVector.h", "DistributionVectorConstant.h", "DistributionVectorConstantCurve.h", "DistributionVectorParameterBase.h", "DistributionVectorParticleParameter.h", "DistributionVectorUniform.h", "DistributionVectorUniformCurve.h", "EdGraph.h", "EdGraphNode.h", "EdGraphNode_Documentation.h", "EdGraphPin.h", "EdGraphSchema.h", "AssetImportData.h", "ThumbnailInfo.h", "ActorChannel.h", "AssetUserData.h", "BlendableInterface.h", "BlockingVolume.h", "Blueprint.h", "BlueprintCore.h", "BlueprintGeneratedClass.h", "BookMark.h", "BookMark2D.h", "BoxReflectionCapture.h", "Breakpoint.h", "Brush.h", "BrushBuilder.h", "BrushShape.h", "Canvas.h", "CanvasRenderTarget2D.h", "Channel.h", "ChildConnection.h", "CloudStorageBase.h", "CollisionProfile.h", "ComponentDelegateBinding.h", "Console.h", "ControlChannel.h", "CoreSettings.h", "CullDistanceVolume.h", "CurveTable.h", "DataAsset.h", "DataTable.h", "DebugCameraController.h", "DebugCameraHUD.h", "DebugDisplayProperty.h", "DecalActor.h", "DemoNetConnection.h", "DemoNetDriver.h", "DemoPendingNetGame.h", "DestructibleFractureSettings.h", "DestructibleMesh.h", "DeveloperSettings.h", "DirectionalLight.h", "DocumentationActor.h", "DPICustomScalingRule.h", "DynamicBlueprintBinding.h", "EndUserSettings.h", "Engine.h", "EngineBaseTypes.h", "EngineTypes.h", "ExponentialHeightFog.h", "Font.h", "FontImportOptions.h", "GameEngine.h", "GameInstance.h", "GameViewportClient.h", "GameViewportDelegates.h", "GeneratedMeshAreaLight.h", "ImportantToggleSettingInterface.h", "InGameAdManager.h", "InheritableComponentHandler.h", "InputActionDelegateBinding.h", "InputAxisDelegateBinding.h", "InputAxisKeyDelegateBinding.h", "InputDelegateBinding.h", "InputKeyDelegateBinding.h", "InputTouchDelegateBinding.h", "InputVectorAxisDelegateBinding.h", "InterpCurveEdSetup.h", "IntSerialization.h", "LatentActionManager.h", "Level.h", "LevelBounds.h", "LevelScriptActor.h", "LevelScriptBlueprint.h", "LevelStreaming.h", "LevelStreamingAlwaysLoaded.h", "LevelStreamingKismet.h", "LevelStreamingPersistent.h", "LevelStreamingVolume.h", "Light.h", "LightMapTexture2D.h", "LocalPlayer.h", "LODActor.h", "MemberReference.h", "MicroTransactionBase.h", "NavigationObjectBase.h", "NetConnection.h", "NetDriver.h", "NetSerialization.h", "NetworkSettings.h", "NiagaraEffectRenderer.h", "NiagaraEffectRendererProperties.h", "NiagaraMeshRendererProperties.h", "NiagaraRibbonRendererProperties.h", "NiagaraSpriteRendererProperties.h", "Note.h", "ObjectLibrary.h", "ObjectReferencer.h", "PackageMapClient.h", "PendingNetGame.h", "PlaneReflectionCapture.h", "PlatformInterfaceBase.h", "PlatformInterfaceWebResponse.h", "Player.h", "PlayerStartPIE.h", "PointLight.h", "Polys.h", "PostProcessVolume.h", "PreCullTrianglesVolume.h", "ReflectionCapture.h", "RendererSettings.h", "Scene.h", "SceneCapture.h", "SceneCapture2D.h", "SceneCaptureCube.h", "ScriptViewportClient.h", "SCS_Node.h", "Selection.h", "ShadowMapTexture2D.h", "SimpleConstructionScript.h", "SkeletalMesh.h", "SkeletalMeshSocket.h", "SkyLight.h", "SphereReflectionCapture.h", "SplineMeshActor.h", "SpotLight.h", "StaticMesh.h", "StaticMeshActor.h", "StaticMeshSocket.h", "StreamableManager.h", "SubsurfaceProfile.h", "TargetPoint.h", "TextRenderActor.h", "Texture.h", "Texture2D.h", "Texture2DDynamic.h", "TextureCube.h", "TextureDefines.h", "TextureLightProfile.h", "TextureLODSettings.h", "TextureRenderTarget.h", "TextureRenderTarget2D.h", "TextureRenderTargetCube.h", "TimelineTemplate.h", "TitleSafeZone.h", "TriggerBase.h", "TriggerBox.h", "TriggerCapsule.h", "TriggerSphere.h", "TriggerVolume.h", "TwitterIntegrationBase.h", "UserDefinedEnum.h", "UserDefinedStruct.h", "UserInterfaceSettings.h", "ViewportSplitScreen.h", "VoiceChannel.h", "WindDirectionalSource.h", "World.h", "WorldComposition.h", "Exporter.h", "Actor.h", "CameraBlockingVolume.h", "Character.h", "CharacterMovementComponent.h", "CheatManager.h", "Controller.h", "DamageType.h", "DebugTextInfo.h", "DefaultPawn.h", "DefaultPhysicsVolume.h", "EngineMessage.h", "FloatingPawnMovement.h", "ForceFeedbackEffect.h", "GameMode.h", "GameNetworkManager.h", "GameSession.h", "GameState.h", "GameUserSettings.h", "HapticFeedbackEffect.h", "HUD.h", "HUDHitBox.h", "Info.h", "InputSettings.h", "KillZVolume.h", "LocalMessage.h", "MovementComponent.h", "NavMovementComponent.h", "OnlineReplStructs.h", "OnlineSession.h", "PainCausingVolume.h", "Pawn.h", "PawnMovementComponent.h", "PhysicsVolume.h", "PlayerController.h", "PlayerInput.h", "PlayerMuteList.h", "PlayerStart.h", "PlayerState.h", "ProjectileMovementComponent.h", "RootMotionSource.h", "RotatingMovementComponent.h", "SaveGame.h", "SimpleReticle.h", "SpectatorPawn.h", "SpectatorPawnMovement.h", "SpringArmComponent.h", "TouchInterface.h", "Volume.h", "WheeledVehicle.h", "WorldSettings.h", "Interface_AssetUserData.h", "Interface_CollisionDataProvider.h", "Interface_PostProcessVolume.h", "NetworkPredictionInterface.h", "Model.h", "BlueprintAsyncActionBase.h", "BlueprintFunctionLibrary.h", "DataTableFunctionLibrary.h", "GameplayStatics.h", "HeadMountedDisplayFunctionLibrary.h", "KismetArrayLibrary.h", "KismetGuidLibrary.h", "KismetInputLibrary.h", "KismetMaterialLibrary.h", "KismetMathLibrary.h", "KismetNodeHelperLibrary.h", "KismetStringLibrary.h", "KismetSystemLibrary.h", "KismetTextLibrary.h", "Layer.h", "LightmappedSurfaceCollection.h", "LightmassCharacterIndirectDetailVolume.h", "LightmassImportanceVolume.h", "LightmassPortal.h", "LightmassPrimitiveSettingsObject.h", "PrecomputedVisibilityOverrideVolume.h", "PrecomputedVisibilityVolume.h", "Material.h", "MaterialExpression.h", "MaterialExpressionAbs.h", "MaterialExpressionActorPositionWS.h", "MaterialExpressionAdd.h", "MaterialExpressionAntialiasedTextureMask.h", "MaterialExpressionAppendVector.h", "MaterialExpressionAtmosphericFogColor.h", "MaterialExpressionBlackBody.h", "MaterialExpressionBreakMaterialAttributes.h", "MaterialExpressionBumpOffset.h", "MaterialExpressionCameraPositionWS.h", "MaterialExpressionCameraVectorWS.h", "MaterialExpressionCeil.h", "MaterialExpressionClamp.h", "MaterialExpressionCollectionParameter.h", "MaterialExpressionComment.h", "MaterialExpressionComponentMask.h", "MaterialExpressionConstant.h", "MaterialExpressionConstant2Vector.h", "MaterialExpressionConstant3Vector.h", "MaterialExpressionConstant4Vector.h", "MaterialExpressionConstantBiasScale.h", "MaterialExpressionCosine.h", "MaterialExpressionCrossProduct.h", "MaterialExpressionCustom.h", "MaterialExpressionCustomOutput.h", "MaterialExpressionDDX.h", "MaterialExpressionDDY.h", "MaterialExpressionDecalDerivative.h", "MaterialExpressionDecalMipmapLevel.h", "MaterialExpressionDepthFade.h", "MaterialExpressionDepthOfFieldFunction.h", "MaterialExpressionDeriveNormalZ.h", "MaterialExpressionDesaturation.h", "MaterialExpressionDistance.h", "MaterialExpressionDistanceCullFade.h", "MaterialExpressionDistanceFieldGradient.h", "MaterialExpressionDistanceToNearestSurface.h", "MaterialExpressionDivide.h", "MaterialExpressionDotProduct.h", "MaterialExpressionDynamicParameter.h", "MaterialExpressionEyeAdaptation.h", "MaterialExpressionFeatureLevelSwitch.h", "MaterialExpressionFloor.h", "MaterialExpressionFmod.h", "MaterialExpressionFontSample.h", "MaterialExpressionFontSampleParameter.h", "MaterialExpressionFrac.h", "MaterialExpressionFresnel.h", "MaterialExpressionFunctionInput.h", "MaterialExpressionFunctionOutput.h", "MaterialExpressionGIReplace.h", "MaterialExpressionIf.h", "MaterialExpressionLightmapUVs.h", "MaterialExpressionLightmassReplace.h", "MaterialExpressionLightVector.h", "MaterialExpressionLinearInterpolate.h", "MaterialExpressionLogarithm2.h", "MaterialExpressionMakeMaterialAttributes.h", "MaterialExpressionMaterialFunctionCall.h", "MaterialExpressionMaterialProxyReplace.h", "MaterialExpressionMax.h", "MaterialExpressionMin.h", "MaterialExpressionMultiply.h", "MaterialExpressionNoise.h", "MaterialExpressionNormalize.h", "MaterialExpressionObjectBounds.h", "MaterialExpressionObjectOrientation.h", "MaterialExpressionObjectPositionWS.h", "MaterialExpressionObjectRadius.h", "MaterialExpressionOneMinus.h", "MaterialExpressionPanner.h", "MaterialExpressionParameter.h", "MaterialExpressionParticleColor.h", "MaterialExpressionParticleDirection.h", "MaterialExpressionParticleMacroUV.h", "MaterialExpressionParticleMotionBlurFade.h", "MaterialExpressionParticlePositionWS.h", "MaterialExpressionParticleRadius.h", "MaterialExpressionParticleRandom.h", "MaterialExpressionParticleRelativeTime.h", "MaterialExpressionParticleSize.h", "MaterialExpressionParticleSpeed.h", "MaterialExpressionParticleSubUV.h", "MaterialExpressionPerInstanceFadeAmount.h", "MaterialExpressionPerInstanceRandom.h", "MaterialExpressionPixelDepth.h", "MaterialExpressionPixelNormalWS.h", "MaterialExpressionPower.h", "MaterialExpressionPrecomputedAOMask.h", "MaterialExpressionQualitySwitch.h", "MaterialExpressionReflectionVectorWS.h", "MaterialExpressionRotateAboutAxis.h", "MaterialExpressionRotator.h", "MaterialExpressionScalarParameter.h", "MaterialExpressionSceneColor.h", "MaterialExpressionSceneDepth.h", "MaterialExpressionSceneTexelSize.h", "MaterialExpressionSceneTexture.h", "MaterialExpressionScreenPosition.h", "MaterialExpressionSine.h", "MaterialExpressionSpeedTree.h", "MaterialExpressionSphereMask.h", "MaterialExpressionSphericalParticleOpacity.h", "MaterialExpressionSquareRoot.h", "MaterialExpressionStaticBool.h", "MaterialExpressionStaticBoolParameter.h", "MaterialExpressionStaticComponentMaskParameter.h", "MaterialExpressionStaticSwitch.h", "MaterialExpressionStaticSwitchParameter.h", "MaterialExpressionSubtract.h", "MaterialExpressionTangentOutput.h", "MaterialExpressionTextureBase.h", "MaterialExpressionTextureCoordinate.h", "MaterialExpressionTextureObject.h", "MaterialExpressionTextureObjectParameter.h", "MaterialExpressionTextureProperty.h", "MaterialExpressionTextureSample.h", "MaterialExpressionTextureSampleParameter.h", "MaterialExpressionTextureSampleParameter2D.h", "MaterialExpressionTextureSampleParameterCube.h", "MaterialExpressionTextureSampleParameterSubUV.h", "MaterialExpressionTime.h", "MaterialExpressionTransform.h", "MaterialExpressionTransformPosition.h", "MaterialExpressionTwoSidedSign.h", "MaterialExpressionVectorParameter.h", "MaterialExpressionVertexColor.h", "MaterialExpressionVertexNormalWS.h", "MaterialExpressionViewProperty.h", "MaterialExpressionViewSize.h", "MaterialExpressionWorldPosition.h", "MaterialFunction.h", "MaterialInstance.h", "MaterialInstanceActor.h", "MaterialInstanceBasePropertyOverrides.h", "MaterialInstanceConstant.h", "MaterialInstanceDynamic.h", "MaterialInterface.h", "MaterialParameterCollection.h", "MaterialParameterCollectionInstance.h", "InterpData.h", "InterpFilter.h", "InterpFilter_Classes.h", "InterpFilter_Custom.h", "InterpGroup.h", "InterpGroupCamera.h", "InterpGroupDirector.h", "InterpGroupInst.h", "InterpGroupInstCamera.h", "InterpGroupInstDirector.h", "InterpTrack.h", "InterpTrackAnimControl.h", "InterpTrackAudioMaster.h", "InterpTrackBoolProp.h", "InterpTrackColorProp.h", "InterpTrackColorScale.h", "InterpTrackDirector.h", "InterpTrackEvent.h", "InterpTrackFade.h", "InterpTrackFloatAnimBPParam.h", "InterpTrackFloatBase.h", "InterpTrackFloatMaterialParam.h", "InterpTrackFloatParticleParam.h", "InterpTrackFloatProp.h", "InterpTrackInst.h", "InterpTrackInstAnimControl.h", "InterpTrackInstAudioMaster.h", "InterpTrackInstBoolProp.h", "InterpTrackInstColorProp.h", "InterpTrackInstColorScale.h", "InterpTrackInstDirector.h", "InterpTrackInstEvent.h", "InterpTrackInstFade.h", "InterpTrackInstFloatAnimBPParam.h", "InterpTrackInstFloatMaterialParam.h", "InterpTrackInstFloatParticleParam.h", "InterpTrackInstFloatProp.h", "InterpTrackInstLinearColorProp.h", "InterpTrackInstMove.h", "InterpTrackInstParticleReplay.h", "InterpTrackInstProperty.h", "InterpTrackInstSlomo.h", "InterpTrackInstSound.h", "InterpTrackInstToggle.h", "InterpTrackInstVectorMaterialParam.h", "InterpTrackInstVectorProp.h", "InterpTrackInstVisibility.h", "InterpTrackLinearColorBase.h", "InterpTrackLinearColorProp.h", "InterpTrackMove.h", "InterpTrackMoveAxis.h", "InterpTrackParticleReplay.h", "InterpTrackSlomo.h", "InterpTrackSound.h", "InterpTrackToggle.h", "InterpTrackVectorBase.h", "InterpTrackVectorMaterialParam.h", "InterpTrackVectorProp.h", "InterpTrackVisibility.h", "MatineeActor.h", "MatineeActorCameraAnim.h", "MatineeAnimInterface.h", "MatineeInterface.h", "MeshVertexPainter.h", "MeshVertexPainterKismetLibrary.h", "Emitter.h", "EmitterCameraLensEffectBase.h", "ParticleEmitter.h", "ParticleEventManager.h", "ParticleLODLevel.h", "ParticleModule.h", "ParticleModuleRequired.h", "ParticleSpriteEmitter.h", "ParticleSystem.h", "ParticleSystemComponent.h", "ParticleSystemReplay.h", "SubUVAnimation.h", "ParticleModuleAcceleration.h", "ParticleModuleAccelerationBase.h", "ParticleModuleAccelerationConstant.h", "ParticleModuleAccelerationDrag.h", "ParticleModuleAccelerationDragScaleOverLife.h", "ParticleModuleAccelerationOverLifetime.h", "ParticleModuleAttractorBase.h", "ParticleModuleAttractorLine.h", "ParticleModuleAttractorParticle.h", "ParticleModuleAttractorPoint.h", "ParticleModuleAttractorPointGravity.h", "ParticleModuleBeamBase.h", "ParticleModuleBeamModifier.h", "ParticleModuleBeamNoise.h", "ParticleModuleBeamSource.h", "ParticleModuleBeamTarget.h", "ParticleModuleCameraBase.h", "ParticleModuleCameraOffset.h", "ParticleModuleCollision.h", "ParticleModuleCollisionBase.h", "ParticleModuleCollisionGPU.h", "ParticleModuleColor.h", "ParticleModuleColorBase.h", "ParticleModuleColorOverLife.h", "ParticleModuleColorScaleOverLife.h", "ParticleModuleColor_Seeded.h", "ParticleModuleEventBase.h", "ParticleModuleEventGenerator.h", "ParticleModuleEventReceiverBase.h", "ParticleModuleEventReceiverKillParticles.h", "ParticleModuleEventReceiverSpawn.h", "ParticleModuleEventSendToGame.h", "ParticleModuleKillBase.h", "ParticleModuleKillBox.h", "ParticleModuleKillHeight.h", "ParticleModuleLifetime.h", "ParticleModuleLifetimeBase.h", "ParticleModuleLifetime_Seeded.h", "ParticleModuleLight.h", "ParticleModuleLightBase.h", "ParticleModuleLight_Seeded.h", "ParticleModuleLocation.h", "ParticleModuleLocationBase.h", "ParticleModuleLocationBoneSocket.h", "ParticleModuleLocationDirect.h", "ParticleModuleLocationEmitter.h", "ParticleModuleLocationEmitterDirect.h", "ParticleModuleLocationPrimitiveBase.h", "ParticleModuleLocationPrimitiveCylinder.h", "ParticleModuleLocationPrimitiveCylinder_Seeded.h", "ParticleModuleLocationPrimitiveSphere.h", "ParticleModuleLocationPrimitiveSphere_Seeded.h", "ParticleModuleLocationPrimitiveTriangle.h", "ParticleModuleLocationSkelVertSurface.h", "ParticleModuleLocationWorldOffset.h", "ParticleModuleLocationWorldOffset_Seeded.h", "ParticleModuleLocation_Seeded.h", "ParticleModuleSourceMovement.h", "ParticleModuleMaterialBase.h", "ParticleModuleMeshMaterial.h", "ParticleModulePivotOffset.h", "ParticleModuleOrbit.h", "ParticleModuleOrbitBase.h", "ParticleModuleOrientationAxisLock.h", "ParticleModuleOrientationBase.h", "ParticleModuleParameterBase.h", "ParticleModuleParameterDynamic.h", "ParticleModuleParameterDynamic_Seeded.h", "ParticleModuleMeshRotation.h", "ParticleModuleMeshRotation_Seeded.h", "ParticleModuleRotation.h", "ParticleModuleRotationBase.h", "ParticleModuleRotationOverLifetime.h", "ParticleModuleRotation_Seeded.h", "ParticleModuleMeshRotationRate.h", "ParticleModuleMeshRotationRateMultiplyLife.h", "ParticleModuleMeshRotationRateOverLife.h", "ParticleModuleMeshRotationRate_Seeded.h", "ParticleModuleRotationRate.h", "ParticleModuleRotationRateBase.h", "ParticleModuleRotationRateMultiplyLife.h", "ParticleModuleRotationRate_Seeded.h", "ParticleModuleSize.h", "ParticleModuleSizeBase.h", "ParticleModuleSizeMultiplyLife.h", "ParticleModuleSizeScale.h", "ParticleModuleSizeScaleBySpeed.h", "ParticleModuleSize_Seeded.h", "ParticleModuleSpawn.h", "ParticleModuleSpawnBase.h", "ParticleModuleSpawnPerUnit.h", "ParticleModuleSubUV.h", "ParticleModuleSubUVBase.h", "ParticleModuleSubUVMovie.h", "ParticleModuleTrailBase.h", "ParticleModuleTrailSource.h", "ParticleModuleTypeDataAnimTrail.h", "ParticleModuleTypeDataBase.h", "ParticleModuleTypeDataBeam2.h", "ParticleModuleTypeDataGpu.h", "ParticleModuleTypeDataMesh.h", "ParticleModuleTypeDataRibbon.h", "ParticleModuleVectorFieldBase.h", "ParticleModuleVectorFieldGlobal.h", "ParticleModuleVectorFieldLocal.h", "ParticleModuleVectorFieldRotation.h", "ParticleModuleVectorFieldRotationRate.h", "ParticleModuleVectorFieldScale.h", "ParticleModuleVectorFieldScaleOverLife.h", "ParticleModuleVelocity.h", "ParticleModuleVelocityBase.h", "ParticleModuleVelocityCone.h", "ParticleModuleVelocityInheritParent.h", "ParticleModuleVelocityOverLifetime.h", "ParticleModuleVelocity_Seeded.h", "PhysicalMaterial.h", "PhysicalMaterialPropertyBase.h", "AggregateGeom.h", "AggregateGeometry2D.h", "BodyInstance.h", "BodySetup.h", "BodySetup2D.h", "BodySetupEnums.h", "BoxElem.h", "ConstraintInstance.h", "ConvexElem.h", "DestructibleActor.h", "PhysicsAsset.h", "PhysicsCollisionHandler.h", "PhysicsConstraintActor.h", "PhysicsConstraintComponent.h", "PhysicsConstraintTemplate.h", "PhysicsHandleComponent.h", "PhysicsSettings.h", "PhysicsSettingsEnums.h", "PhysicsSpringComponent.h", "PhysicsThruster.h", "PhysicsThrusterComponent.h", "RadialForceActor.h", "RadialForceComponent.h", "RigidBodyBase.h", "RigidBodyIndexPair.h", "ShapeElem.h", "SphereElem.h", "SphylElem.h", "ButtonStyleAsset.h", "CheckboxStyleAsset.h", "SlateBrushAsset.h", "AmbientSound.h", "AudioSettings.h", "AudioVolume.h", "DialogueSoundWaveProxy.h", "DialogueTypes.h", "DialogueVoice.h", "DialogueWave.h", "ReverbEffect.h", "SoundAttenuation.h", "SoundBase.h", "SoundClass.h", "SoundConcurrency.h", "SoundCue.h", "SoundGroups.h", "SoundMix.h", "SoundNode.h", "SoundNodeAssetReferencer.h", "SoundNodeAttenuation.h", "SoundNodeBranch.h", "SoundNodeConcatenator.h", "SoundNodeDelay.h", "SoundNodeDialoguePlayer.h", "SoundNodeDistanceCrossFade.h", "SoundNodeDoppler.h", "SoundNodeEnveloper.h", "SoundNodeGroupControl.h", "SoundNodeLooping.h", "SoundNodeMature.h", "SoundNodeMixer.h", "SoundNodeModulator.h", "SoundNodeModulatorContinuous.h", "SoundNodeOscillator.h", "SoundNodeParamCrossFade.h", "SoundNodeQualityLevel.h", "SoundNodeRandom.h", "SoundNodeSoundClass.h", "SoundNodeSwitch.h", "SoundNodeWaveParam.h", "SoundNodeWavePlayer.h", "SoundWave.h", "SoundWaveProcedural.h", "SoundWaveStreaming.h", "AutomationTestSettings.h", "TextPropertyTestObject.h", "VectorField.h", "VectorFieldAnimated.h", "VectorFieldStatic.h", "VectorFieldVolume.h", "TireType.h", "VehicleAnimInstance.h", "VehicleWheel.h", "WheeledVehicleMovementComponent.h", "WheeledVehicleMovementComponent4W.h", "VisualLoggerAutomationTests.h", "VisualLoggerBinaryFileDevice.h", "VisualLoggerKismetLibrary.h", "ActiveSound.cpp", "Actor.cpp", "ActorConstruction.cpp", "ActorEditor.cpp", "ActorEditorUtils.cpp", "ActorReplication.cpp", "ADPCMAudioInfo.cpp", "AlphaBlend.cpp", "AmbientSound.cpp", "AnimationAsset.cpp", "AnimBlueprint.cpp", "AssetUserData.cpp", "Audio.cpp", "AudioDecompress.cpp", "AudioDerivedData.cpp", "AudioDevice.cpp", "AudioDeviceManager.cpp", "AudioEffect.cpp", "AudioSettings.cpp", "AudioStreaming.cpp", "AudioVolume.cpp", "AVIWriter.cpp", "BasedPosition.cpp", "BatchedElements.cpp", "BlockingVolume.cpp", "Blueprint.cpp", "BlueprintGeneratedClass.cpp", "BookMark.cpp", "Breakpoint.cpp", "Brush.cpp", "BrushBuilder.cpp", "BrushShape.cpp", "BufferVisualizationData.cpp", "CameraBlockingVolume.cpp", "CanvasRenderTarget2D.cpp", "CapturePin.cpp", "CapturePin.h", "CaptureSource.cpp", "CaptureSource.h", "CDKey.cpp", "Character.cpp", "ChartCreation.cpp", "CheatManager.cpp", "ColorVertexBuffer.cpp", "ComponentDelegateBinding.cpp", "ComponentInstanceDataCache.cpp", "ComponentUtils.cpp", "ContentStreaming.cpp", "Controller.cpp", "ConvexVolume.cpp", "CoreSettings.cpp", "CullDistanceVolume.cpp", "CurveBase.cpp", "CurveEdPresetCurve.cpp", "CurveFloat.cpp", "CurveLinearColor.cpp", "CurveTable.cpp", "CurveVector.cpp", "DamageType.cpp", "DataAsset.cpp", "DataBunch.cpp", "DataChannel.cpp", "DataReplication.cpp", "DataTable.cpp", "DataTableCSV.cpp", "DataTableCSV.h", "DataTableFunctionLibrary.cpp", "DataTableJSON.cpp", "DataTableJSON.h", "DataTableUtils.cpp", "DDSLoader.cpp", "DebugCameraController.cpp", "DebugCameraHUD.cpp", "DebugRenderSceneProxy.cpp", "DecalActor.cpp", "DefaultPawn.cpp", "DefaultPhysicsVolume.cpp", "DemoNetDriver.cpp", "DestructibleActor.cpp", "DestructibleFractureSettings.cpp", "DestructibleMesh.cpp", "DeveloperSettings.cpp", "DialogueTypes.cpp", "DialogueVoice.cpp", "DialogueWave.cpp", "DistanceFieldAtlas.cpp", "Distributions.cpp", "DocumentationActor.cpp", "DPICustomScalingRule.cpp", "DrawDebugHelpers.cpp", "DynamicBlueprintBinding.cpp", "DynamicMeshBuilder.cpp", "EndUserSettings.cpp", "Engine.cpp", "EngineAnalytics.cpp", "EngineMessage.cpp", "EnginePrivate.h", "EngineService.cpp", "EngineTypes.cpp", "EngineUtils.cpp", "ErrorChecking.cpp", "FloatingPawnMovement.cpp", "Font.cpp", "GameDelegates.cpp", "GameEngine.cpp", "GameInstance.cpp", "GameMode.cpp", "GameNetworkManager.cpp", "GameplayStatics.cpp", "GameSession.cpp", "GameState.cpp", "GameUserSettings.cpp", "GameViewportClient.cpp", "GenericOctree.cpp", "GestureRecognizer.cpp", "GlobalShader.cpp", "GPUSkinCache.cpp", "GPUSkinCache.h", "GPUSkinVertexFactory.cpp", "GPUSort.cpp", "GPUSort.h", "HardwareInfo.cpp", "HeadMountedDisplayFunctionLibrary.cpp", "HierarchicalInstancedStaticMesh.cpp", "HighResScreenshot.cpp", "HitProxies.cpp", "HModel.cpp", "HUD.cpp", "ImageUtils.cpp", "ImportantToggleSettingInterface.cpp", "Info.cpp", "InGameAdvertising.cpp", "InheritableComponentHandler.cpp", "InputActionDelegateBinding.cpp", "InputAxisDelegateBinding.cpp", "InputAxisKeyDelegateBinding.cpp", "InputDelegateBinding.cpp", "InputKeyDelegateBinding.cpp", "InputTouchDelegateBinding.cpp", "InputVectorAxisDelegateBinding.cpp", "InstancedStaticMesh.cpp", "InstancedStaticMesh.h", "Interface.cpp", "InterpCurveEdSetup.cpp", "InterpolateComponentToAction.h", "Interpolation.cpp", "InterpolationCurveEd.cpp", "InterpolationDraw.cpp", "IntSerialization.cpp", "KillZVolume.cpp", "KismetArrayLibrary.cpp", "KismetFunctionLibrary.cpp", "KismetGuidLibrary.cpp", "KismetInputLibrary.cpp", "KismetMaterialLibrary.cpp", "KismetMathLibrary.cpp", "KismetNodeHelperLibrary.cpp", "KismetStringLibrary.cpp", "KismetSystemLibrary.cpp", "KismetTextLibrary.cpp", "LatentActionManager.cpp", "Level.cpp", "LevelActor.cpp", "LevelBounds.cpp", "LevelScriptActor.cpp", "LevelScriptBlueprint.cpp", "LevelStreaming.cpp", "LevelStreamingVolume.cpp", "LevelTick.cpp", "LevelUtils.cpp", "Light.cpp", "LightMap.cpp", "LightmappedSurfaceCollection.cpp", "LightmassCharacterIndirectDetailVolume.cpp", "LightmassImportanceVolume.cpp", "LightmassPrimitiveSettingsObject.cpp", "LocalMessage.cpp", "LocalPlayer.cpp", "LocalVertexFactory.cpp", "LODActor.cpp", "MallocProfilerEx.cpp", "MatineeAnimInterface.cpp", "MatineeDelegates.cpp", "MatineeInterface.cpp", "MatineeUtils.cpp", "MemberReference.cpp", "MeshParticleVertexFactory.cpp", "Model.cpp", "ModelCollision.cpp", "ModelLight.cpp", "ModelRender.cpp", "MorphMesh.cpp", "MorphTools.cpp", "NavigationObjectBase.cpp", "NavMeshBoundsVolume.cpp", "NavMeshRenderingHelpers.h", "NetConnection.cpp", "NetworkDriver.cpp", "NetworkPrediction.cpp", "NetworkProfiler.cpp", "NetworkSettings.cpp", "NiagaraEffectRenderer.cpp", "Note.cpp", "ObjectEditorUtils.cpp", "ObjectLibrary.cpp", "ObjectReferencer.cpp", "OnlineReplStructs.cpp", "OnlineSession.cpp", "OpusAudioInfo.cpp", "PackageMapClient.cpp", "PainCausingVolume.cpp", "Pawn.cpp", "PendingNetGame.cpp", "PerfCountersHelpers.cpp", "PhysicsVolume.cpp", "PlatformFeatures.cpp", "Player.cpp", "PlayerCameraManager.cpp", "PlayerController.cpp", "PlayerMuteList.cpp", "PlayerStart.cpp", "PlayerStartPIE.cpp", "PlayerState.cpp", "PointLightSceneProxy.h", "Polygon.cpp", "PositionVertexBuffer.cpp", "PostProcessVolume.cpp", "PrecomputedLightVolume.cpp", "PrecomputedVisibilityVolume.cpp", "PrecomputedVisiblityOverrideVolume.cpp", "PreCullTrianglesSetup.cpp", "PreviewScene.cpp", "PrimitiveComponentPhysics.cpp", "PrimitiveDrawingUtils.cpp", "PrimitiveSceneProxy.cpp", "RawIndexBuffer.cpp", "RendererSupport.cpp", "RenderingSettings.cpp", "RepLayout.cpp", "Replication.cpp", "ReverbEffect.cpp", "RigidBodyBase.cpp", "Scalability.cpp", "Scene.cpp", "SceneManagement.cpp", "SceneUtils.cpp", "SceneView.cpp", "ScreenRendering.cpp", "ScriptPlatformInterface.cpp", "ScriptViewportClient.cpp", "SCS_Node.cpp", "Selection.cpp", "ShaderDerivedDataVersion.h", "ShadowMap.cpp", "ShowFlags.cpp", "SimpleConstructionScript.cpp", "SimpleElementShaders.cpp", "SingleAnimationPlayData.cpp", "SkeletalMesh.cpp", "SkeletalMeshComponentPhysics.cpp", "SkeletalMeshMerge.cpp", "SkeletalMeshSorting.cpp", "SkeletalRender.cpp", "SkeletalRender.h", "SkeletalRenderCPUSkin.cpp", "SkeletalRenderCPUSkin.h", "SkeletalRenderGPUSkin.cpp", "SkeletalRenderGPUSkin.h", "SoundAttenuation.cpp", "SoundBase.cpp", "SoundClass.cpp", "SoundConcurrency.cpp", "SoundCue.cpp", "SoundGroups.cpp", "SoundMix.cpp", "SoundNode.cpp", "SoundNodeAssetReferencer.cpp", "SoundNodeAttenuation.cpp", "SoundNodeBranch.cpp", "SoundNodeConcatenator.cpp", "SoundNodeDelay.cpp", "SoundNodeDialoguePlayer.cpp", "SoundNodeDistanceCrossFade.cpp", "SoundNodeDoppler.cpp", "SoundNodeEnveloper.cpp", "SoundNodeGroupControl.cpp", "SoundNodeLooping.cpp", "SoundNodeMature.cpp", "SoundNodeMixer.cpp", "SoundNodeModulator.cpp", "SoundNodeModulatorContinuous.cpp", "SoundNodeOscillator.cpp", "SoundNodeParamCrossFade.cpp", "SoundNodeQualityLevel.cpp", "SoundNodeRandom.cpp", "SoundNodeSoundClass.cpp", "SoundNodeSwitch.cpp", "SoundNodeWaveParam.cpp", "SoundNodeWavePlayer.cpp", "SoundWave.cpp", "SoundWaveProcedural.cpp", "SpectatorPawn.cpp", "SpectatorPawnMovement.cpp", "SpeedTreeWind.cpp", "SplineMeshActor.cpp", "SplineMeshSceneProxy.cpp", "SplineMeshSceneProxy.h", "SpotLight.cpp", "StaticBoundShaderState.cpp", "StaticMesh.cpp", "StaticMeshActor.cpp", "StaticMeshBuild.cpp", "StaticMeshLight.cpp", "StaticMeshRender.cpp", "StaticMeshVertexData.h", "StatsRender2.cpp", "StreamableManager.cpp", "SubtitleManager.cpp", "SystemSettings.cpp", "TargetPoint.cpp", "TessellationRendering.cpp", "Texture.cpp", "Texture2D.cpp", "Texture2DDynamic.cpp", "TextureCube.cpp", "TextureDerivedData.cpp", "TextureLightProfile.cpp", "TextureLODSettings.cpp", "TextureRenderTarget.cpp", "TextureRenderTarget2D.cpp", "TextureRenderTargetCube.cpp", "TickTaskManager.cpp", "TileRendering.cpp", "Timeline.cpp", "TimelineTemplate.cpp", "TimerManager.cpp", "TimerManagerTests.cpp", "TriangleRendering.cpp", "TriggerActors.cpp", "TriggerBase.cpp", "TriggerVolume.cpp", "UnrealClient.cpp", "UnrealEngine.cpp", "UnrealExporter.cpp", "UnrealNetwork.cpp", "UpdateTextureShaders.cpp", "URL.cpp", "UserDefinedEnum.cpp", "UserDefinedStruct.cpp", "UserInterfaceSettings.cpp", "VectorField.cpp", "VectorField.h", "VectorFieldVisualization.cpp", "VectorFieldVisualization.h", "VectorFieldVolume.cpp", "VoiceChannel.cpp", "Volume.cpp", "VorbisAudioInfo.cpp", "WheeledVehicle.cpp", "WindDirectionalSource.cpp", "World.cpp", "WorldComposition.cpp", "WorldSettings.cpp", "AISystemBase.cpp", "AbstractNavData.cpp", "AvoidanceManager.cpp", "NavCollision.cpp", "NavGraphGenerator.cpp", "NavGraphGenerator.h", "NavigationData.cpp", "NavigationDataChunk.cpp", "NavigationGraph.cpp", "NavigationInterfaces.cpp", "NavigationInvokerComponent.cpp", "NavigationModifier.cpp", "NavigationOctree.cpp", "NavigationPath.cpp", "NavigationSystem.cpp", "NavigationSystemHelpers.cpp", "NavigationTestingActor.cpp", "NavLinkCustomComponent.cpp", "NavLinkProxy.cpp", "NavLinkRenderingComponent.cpp", "NavModifierComponent.cpp", "NavModifierVolume.cpp", "NavRelevantComponent.cpp", "NavTestRenderingComponent.cpp", "PImplRecastNavMesh.cpp", "RecastHelpers.cpp", "RecastNavMesh.cpp", "RecastNavMeshDataChunk.cpp", "RecastNavMeshGenerator.cpp", "NavArea.cpp", "NavAreaMeta.cpp", "NavAreaMeta_SwitchByAgent.cpp", "NavArea_Default.cpp", "NavArea_LowHeight.cpp", "NavArea_Null.cpp", "NavArea_Obstacle.cpp", "NavigationQueryFilter.cpp", "RecastFilter_UseDefaultArea.cpp", "AimOffsetBlendSpace.cpp", "AimOffsetBlendSpace1D.cpp", "AnimationRuntime.cpp", "AnimationSettings.cpp", "AnimationUtils.cpp", "AnimBlueprintGeneratedClass.cpp", "AnimComposite.cpp", "AnimCompositeBase.cpp", "AnimCompress.cpp", "AnimCompress_Automatic.cpp", "AnimCompress_BitwiseCompressOnly.cpp", "AnimCompress_LeastDestructive.cpp", "AnimCompress_PerTrackCompression.cpp", "AnimCompress_RemoveEverySecondKey.cpp", "AnimCompress_RemoveLinearKeys.cpp", "AnimCompress_RemoveTrivialKeys.cpp", "AnimCurveTypes.cpp", "AnimData.cpp", "AnimEncoding.cpp", "AnimEncoding_ConstantKeyLerp.cpp", "AnimEncoding_PerTrackCompression.cpp", "AnimEncoding_VariableKeyLerp.cpp", "AnimInstance.cpp", "AnimInstanceProxy.cpp", "AnimInterpFilter.cpp", "AnimMetaData.cpp", "AnimMontage.cpp", "AnimNodeBase.cpp", "AnimNodeSpaceConversions.cpp", "AnimNode_ApplyMeshSpaceAdditive.cpp", "AnimNode_SequencePlayer.cpp", "AnimNode_StateMachine.cpp", "AnimNode_TransitionPoseEvaluator.cpp", "AnimNode_TransitionResult.cpp", "AnimNode_UseCachedPose.cpp", "AnimNotify.cpp", "AnimNotifyQueue.cpp", "AnimNotifyState.cpp", "AnimNotifyState_TimedParticleEffect.cpp", "AnimNotifyState_Trail.cpp", "AnimNotify_PlayParticleEffect.cpp", "AnimNotify_PlaySound.cpp", "AnimPhysicsSolver.cpp", "AnimSequence.cpp", "AnimSequenceBase.cpp", "AnimSet.cpp", "AnimSingleNodeInstance.cpp", "AnimSingleNodeInstanceProxy.cpp", "AnimStateMachineTypes.cpp", "AnimTypes.cpp", "BlendProfile.cpp", "BlendSpace.cpp", "BlendSpace1D.cpp", "BlendSpaceBase.cpp", "BonePose.cpp", "InputScaleBias.cpp", "PreviewAssetAttachComponent.cpp", "ReferenceSkeleton.cpp", "Rig.cpp", "SkeletalControl.cpp", "Skeleton.cpp", "SmartName.cpp", "VertexAnimation.cpp", "Atmosphere.cpp", "Atmosphere.h", "CameraActor.cpp", "CameraAnim.cpp", "CameraAnimInst.cpp", "CameraComponent.cpp", "CameraModifier.cpp", "CameraModifier_CameraShake.cpp", "CameraShake.cpp", "CameraStackTypes.cpp", "Collision.cpp", "CollisionConversions.cpp", "CollisionConversions.h", "CollisionDebugDrawing.cpp", "CollisionDebugDrawing.h", "CollisionProfile.cpp", "KAggregateGeom.cpp", "PhysicsFiltering.cpp", "PhysicsFiltering.h", "PhysXCollision.cpp", "PhysXCollision.h", "WorldCollision.cpp", "WorldCollisionAsync.cpp", "Commandlet.cpp", "PluginCommandlet.cpp", "SmokeTestCommandlet.cpp", "ActorComponent.cpp", "ApplicationLifecycleComponent.cpp", "ArrowComponent.cpp", "AudioComponent.cpp", "BillboardComponent.cpp", "BoxComponent.cpp", "BrushComponent.cpp", "CapsuleComponent.cpp", "CharacterMovementComponent.cpp", "ChildActorComponent.cpp", "DecalComponent.cpp", "DestructibleComponent.cpp", "DirectionalLightComponent.cpp", "DrawFrustumComponent.cpp", "DrawSphereComponent.cpp", "HeightFogComponent.cpp", "InputComponent.cpp", "InterpToMovementComponent.cpp", "LightComponent.cpp", "LineBatchComponent.cpp", "MaterialBillboardComponent.cpp", "MeshComponent.cpp", "ModelComponent.cpp", "MovementComponent.cpp", "NavMeshRenderingComponent.cpp", "NavMovementComponent.cpp", "PawnMovementComponent.cpp", "PawnNoiseEmitterComponent.cpp", "PlatformEventsComponent.cpp", "PointLightComponent.cpp", "PortalComponent.cpp", "PoseableMeshComponent.cpp", "PostProcessComponent.cpp", "PrimitiveComponent.cpp", "ProjectileMovementComponent.cpp", "ReflectionCaptureComponent.cpp", "RotatingMovementComponent.cpp", "SceneCaptureComponent.cpp", "SceneComponent.cpp", "ShapeComponent.cpp", "SkeletalMeshComponent.cpp", "SkinnedMeshComponent.cpp", "SkyLightComponent.cpp", "SphereComponent.cpp", "SplineComponent.cpp", "SplineMeshComponent.cpp", "SpotLightComponent.cpp", "StaticMeshComponent.cpp", "TextRenderComponent.cpp", "DebugDrawService.cpp", "GameplayDebuggerBaseObject.cpp", "ReporterBase.cpp", "ReporterGraph.cpp", "DeviceProfile.cpp", "DeviceProfileManager.cpp", "EdGraph.cpp", "EdGraphNode.cpp", "EdGraphNode_Documentation.cpp", "EdGraphPin.cpp", "EdGraphSchema.cpp", "AssetImportData.cpp", "ThumbnailInfo.cpp", "HUDHitBox.cpp", "RootMotionSource.cpp", "SaveGame.cpp", "SimpleReticle.cpp", "SpawnActorTimer.cpp", "SpawnActorTimer.h", "SpringArmComponent.cpp", "TouchInterface.cpp", "BlueprintAsyncActionBase.cpp", "Layer.cpp", "HLSLMaterialTranslator.h", "Material.cpp", "MaterialExpressions.cpp", "MaterialInstance.cpp", "MaterialInstanceConstant.cpp", "MaterialInstanceDynamic.cpp", "MaterialInstanceSupport.h", "MaterialInterface.cpp", "MaterialShader.cpp", "MaterialShared.cpp", "MaterialUniformExpressions.cpp", "MaterialUniformExpressions.h", "MeshMaterialShader.cpp", "ParameterCollection.cpp", "MeshVertexPainter.cpp", "MeshVertexPainterKismetLibrary.cpp", "Emitter.cpp", "FXSystem.cpp", "FXSystemPrivate.h", "ParticleBeam2EmitterInstance.cpp", "ParticleBeamModules.cpp", "ParticleBeamTrailVertexFactory.cpp", "ParticleComponents.cpp", "ParticleCurveTexture.cpp", "ParticleCurveTexture.h", "ParticleEmitterInstances.cpp", "ParticleEventManager.cpp", "ParticleGpuSimulation.cpp", "ParticleMemoryStatManager.cpp", "ParticleModules.cpp", "ParticleModules_Camera.cpp", "ParticleModules_Collision.cpp", "ParticleModules_Color.cpp", "ParticleModules_Event.cpp", "ParticleModules_Location.cpp", "ParticleModules_Material.cpp", "ParticleModules_Orbit.cpp", "ParticleModules_Parameter.cpp", "ParticleModules_Size.cpp", "ParticleModules_Spawn.cpp", "ParticleModules_VectorField.cpp", "ParticleModules_Velocity.cpp", "ParticleResources.cpp", "ParticleResources.h", "ParticleSimulationGPU.h", "ParticleSortingGPU.cpp", "ParticleSortingGPU.h", "ParticleSystemRender.cpp", "ParticleTrail2EmitterInstance.cpp", "ParticleTrailModules.cpp", "ParticleVertexFactory.cpp", "SubUVAnimation.cpp", "EnginePerformanceTargets.cpp", "BodyInstance.cpp", "BodySetup.cpp", "ConstraintInstance.cpp", "PhysAnim.cpp", "PhysCommandHandler.cpp", "PhysDerivedData.cpp", "PhysDerivedData.h", "PhysDrawing.cpp", "PhysicalMaterial.cpp", "PhysicsAsset.cpp", "PhysicsCollisionHandler.cpp", "PhysicsConstraintActor.cpp", "PhysicsConstraintComponent.cpp", "PhysicsConstraintTemplate.cpp", "PhysicsHandleComponent.cpp", "PhysicsSerializer.cpp", "PhysicsSettings.cpp", "PhysicsSpring.cpp", "PhysicsThruster.cpp", "PhysLevel.cpp", "PhysScene.cpp", "PhysSubstepTasks.cpp", "PhysSubstepTasks.h", "PhysUtils.cpp", "PhysXLibs.cpp", "PhysXSupport.cpp", "PhysXSupport.h", "RadialForceComponent.cpp", "AggregateGeometry2D.cpp", "BodySetup2D.cpp", "Box2DIntegration.cpp", "Box2DIntegration.h", "SeparableSSS.cpp", "SeparableSSS.h", "SubsurfaceProfile.cpp", "ShaderCompiler.cpp", "ShaderPipelineCompiler.cpp", "ButtonStyleAsset.cpp", "CheckboxStyleAsset.cpp", "DebugCanvas.cpp", "DebugCanvas.h", "SceneViewport.cpp", "SGameLayerManager.cpp", "SlateBrushAsset.cpp", "SlateGameResources.cpp", "SlateSoundDevice.cpp", "SlateSoundDevice.h", "SlateTextures.cpp", "AnalyticsTest.cpp", "AutomationCommon.cpp", "AutomationTestCommon.cpp", "AutomationTestCommon.h", "EngineAutomationTests.cpp", "ExternalToolTest.cpp", "IntSerializationTest.cpp", "NetworkAutomationTests.cpp", "OSSTests.cpp", "TextPropertyTest.cpp", "Canvas.cpp", "CanvasItem.cpp", "Console.cpp", "EngineFontServices.cpp", "ForceFeedbackEffect.cpp", "HapticFeedbackEffect.cpp", "InputSettings.cpp", "PlayerInput.cpp", "VisualizeRT.cpp", "PhysXVehicleManager.cpp", "PhysXVehicleManager.h", "TireType.cpp", "VehicleAnimInstance.cpp", "VehicleWheel.cpp", "WheeledVehicleMovementComponent.cpp", "WheeledVehicleMovementComponent4W.cpp", "VisualLogger.cpp", "VisualLoggerAutomationTests.cpp", "VisualLoggerBinaryFileDevice.cpp", "VisualLoggerKismetLibrary.cpp", "VisualLoggerTypes.cpp", "ActiveSound.h", "ActorEditorUtils.h", "ADPCMAudioInfo.h", "AlphaBlend.h", "AnimationCompression.h", "AnimationRuntime.h", "AnimationUtils.h", "AnimEncoding.h", "AnimEncoding_ConstantKeyLerp.h", "AnimEncoding_PerTrackCompression.h", "AnimEncoding_VariableKeyLerp.h", "AnimInterpFilter.h", "Audio.h", "AudioDecompress.h", "AudioDerivedData.h", "AudioDevice.h", "AudioDeviceManager.h", "AudioEffect.h", "AudioStreaming.h", "AVIWriter.h", "BatchedElements.h", "BlendableManager.h", "BlueprintUtilities.h", "BoneContainer.h", "BoneIndices.h", "BonePose.h", "BufferVisualizationData.h", "CanvasItem.h", "CanvasTypes.h", "CDKey.h", "ChartCreation.h", "ClothSimData.h", "Collision.h", "CollisionDebugDrawingPublic.h", "CollisionQueryParams.h", "ComponentInstanceDataCache.h", "ComponentRecreateRenderStateContext.h", "ComponentReregisterContext.h", "Components.h", "ComponentUtils.h", "ContentStreaming.h", "ConvexVolume.h", "CustomBoneIndexArray.h", "DataTableUtils.h", "DDSLoader.h", "DebugRenderSceneProxy.h", "DelayAction.h", "DisplayDebugHelpers.h", "DistanceFieldAtlas.h", "Distributions.h", "DrawDebugHelpers.h", "DVRStreaming.h", "DynamicMeshBuilder.h", "EditorSupportDelegates.h", "Engine.h", "EngineAnalytics.h", "EngineDefines.h", "EngineFontServices.h", "EngineGlobals.h", "EngineLogs.h", "EngineMinimal.h", "EngineModule.h", "EngineService.h", "EngineStats.h", "EngineUtils.h", "FinalPostProcessSettings.h", "FixedSizeArrayView.h", "FogRendering.h", "FXSystem.h", "GameDelegates.h", "GeneratedCodeHelpers.h", "GenericOctree.h", "GenericOctreePublic.h", "GenericQuadTree.h", "GestureRecognizer.h", "GlobalShader.h", "GPUSkinPublicDefs.h", "GPUSkinVertexFactory.h", "GraphEditAction.h", "HardwareInfo.h", "HighResScreenshot.h", "HitProxies.h", "HModel.h", "IAudioExtensionPlugin.h", "IDeviceProfileSelector.h", "IDeviceProfileSelectorModule.h", "ImageUtils.h", "InstancedReferenceSubobjectHelper.h", "Interpolation.h", "InterpolationHitProxy.h", "kDOP.h", "KeyState.h", "LatentActions.h", "LevelUtils.h", "LightingBuildOptions.h", "LightMap.h", "LocalVertexFactory.h", "MallocProfilerEx.h", "MaterialCompiler.h", "MaterialExpressionIO.h", "MaterialShaderType.h", "MaterialShared.h", "MatineeDelegates.h", "MatineeUtils.h", "MeshBatch.h", "MeshBuild.h", "MeshMaterialShaderType.h", "MeshParticleVertexFactory.h", "Model.h", "ModelLight.h", "NetworkingDistanceConstants.h", "ObjectEditorUtils.h", "OpusAudioInfo.h", "ParameterCollection.h", "ParticleBeamTrailVertexFactory.h", "ParticleDefinitions.h", "ParticleEmitterInstances.h", "ParticleHelper.h", "ParticleVertexFactory.h", "PhysicsPublic.h", "PhysicsSerializer.h", "PhysXIncludes.h", "PhysXPublic.h", "PhysxUserData.h", "PixelFormat.h", "PlatformFeatures.h", "PrecomputedLightVolume.h", "PreviewScene.h", "PrimitiveSceneProxy.h", "PrimitiveUniformShaderParameters.h", "PrimitiveViewRelevance.h", "Raster.h", "RawIndexBuffer.h", "ReferenceSkeleton.h", "ResourcePool.h", "SaveGameSystem.h", "Scalability.h", "SceneInterface.h", "SceneManagement.h", "SceneTypes.h", "SceneUtils.h", "SceneView.h", "SceneViewExtension.h", "ScreenRendering.h", "ShaderCompiler.h", "ShadowMap.h", "ShowFlags.h", "SimpleElementShaders.h", "SingleAnimationPlayData.h", "SkeletalMeshMerge.h", "SkeletalMeshSorting.h", "SkeletalMeshTypes.h", "SkeletalRenderPublic.h", "SoundDefinitions.h", "SpeedTreeWind.h", "StaticBoundShaderState.h", "StaticLighting.h", "StaticMeshLight.h", "StaticMeshResources.h", "StaticParameterSet.h", "StereoRendering.h", "SubtitleManager.h", "SurfaceIterators.h", "SystemSettings.h", "TessellationRendering.h", "TextureLayout.h", "TextureLayout3d.h", "TextureResource.h", "Tickable.h", "TickTaskManagerInterface.h", "TileRendering.h", "TimerManager.h", "TriangleRendering.h", "UnrealClient.h", "UnrealEngine.h", "UnrealExporter.h", "UpdateTextureShaders.h", "VorbisAudioInfo.h", "WorldCollision.h", "NavDataGenerator.h", "NavigationModifier.h", "NavigationOctree.h", "NavigationSystemHelpers.h", "NavLinkRenderingProxy.h", "RVOAvoidanceInterface.h", "PImplRecastNavMesh.h", "RecastHelpers.h", "RecastNavMeshGenerator.h", "AnimCurveTypes.h", "AnimInstanceProxy.h", "AnimMTStats.h", "AnimNotifyQueue.h", "AnimPhysicsSolver.h", "AnimSingleNodeInstanceProxy.h", "AnimStats.h", "AnimTypes.h", "EdGraphNodeUtils.h", "ILiveStreamingService.h", "DataBunch.h", "DataChannel.h", "DataReplication.h", "NetworkProfiler.h", "PerfCountersHelpers.h", "RepLayout.h", "UnrealNetwork.h", "VoiceDataCommon.h", "EnginePerformanceTargets.h", "SceneViewport.h", "SGameLayerManager.h", "SlateGameResources.h", "SlateTextures.h", "AutomationCommon.h", "VisualLogger.h", "VisualLoggerDebugSnapshotInterface.h", "VisualLoggerTypes.h", "EngineMessages.Build.cs", "EngineServiceMessages.h", "EngineMessagesModule.cpp", "EngineMessagesPrivatePCH.h", "EngineMessages.h", "EngineSettings.Build.cs", "ConsoleSettings.h", "GameMapsSettings.h", "GameNetworkManagerSettings.h", "GameSessionSettings.h", "GeneralEngineSettings.h", "GeneralProjectSettings.h", "HudSettings.h", "EngineSettingsModule.cpp", "EngineSettingsPrivatePCH.h", "EngineSettings.h", "Foliage.Build.cs", "FoliageComponent.cpp", "FoliageInstanceBase.cpp", "FoliageModule.cpp", "FoliagePrivate.h", "FoliageStatistics.cpp", "FoliageTypeObject.cpp", "InstancedFoliage.cpp", "InteractiveFoliageActor.cpp", "InteractiveFoliageComponent.h", "ProceduralFoliageBlockingVolume.cpp", "ProceduralFoliageBroadphase.cpp", "ProceduralFoliageBroadphase.h", "ProceduralFoliageComponent.cpp", "ProceduralFoliageInstance.cpp", "ProceduralFoliageSpawner.cpp", "ProceduralFoliageTile.cpp", "ProceduralFoliageVolume.cpp", "FoliageInstanceBase.h", "FoliageInstancedStaticMeshComponent.h", "FoliageModule.h", "FoliageStatistics.h", "FoliageType.h", "FoliageTypeObject.h", "FoliageType_InstancedStaticMesh.h", "InstancedFoliage.h", "InstancedFoliageActor.h", "InteractiveFoliageActor.h", "ProceduralFoliageBlockingVolume.h", "ProceduralFoliageComponent.h", "ProceduralFoliageInstance.h", "ProceduralFoliageSpawner.h", "ProceduralFoliageTile.h", "ProceduralFoliageVolume.h", "GameLiveStreaming.Build.cs", "GameLiveStreaming.cpp", "GameLiveStreaming.h", "GameLiveStreamingFunctionLibrary.cpp", "GameLiveStreamingFunctionLibrary.h", "GameLiveStreamingModule.h", "QueryLiveStreamsCallbackProxy.cpp", "QueryLiveStreamsCallbackProxy.h", "IGameLiveStreaming.h", "GameMenuBuilder.Build.cs", "GameMenuBuilder.cpp", "GameMenuBuilderPrivatePCH.h", "GameMenuBuilderStyle.cpp", "GameMenuItem.cpp", "GameMenuPage.cpp", "GameMenuWidgetStyle.cpp", "SGameMenuItemWidget.cpp", "SGameMenuPageWidget.cpp", "GameMenuBuilder.h", "GameMenuBuilderModule.h", "GameMenuBuilderStyle.h", "GameMenuItem.h", "GameMenuPage.h", "GameMenuWidgetStyle.h", "SGameMenuItemWidget.h", "SGameMenuPageWidget.h", "GameplayAbilities.Build.cs", "GameplayAbilityBlueprint.h", "AbilitiesGameplayDebuggerObject.cpp", "AbilitiesGameplayDebuggerObject.h", "AbilitySystemBlueprintLibrary.cpp", "AbilitySystemComponent.cpp", "AbilitySystemComponent_Abilities.cpp", "AbilitySystemDebugHUD.cpp", "AbilitySystemGlobals.cpp", "AbilitySystemInterface.cpp", "AbilitySystemLog.cpp", "AbilitySystemPrivatePCH.h", "AbilitySystemStats.cpp", "AbilitySystemTestAttributeSet.cpp", "AbilitySystemTestPawn.cpp", "AttributeSet.cpp", "GameplayAbilitiesExec.cpp", "GameplayAbilitiesModule.cpp", "GameplayAbilityBlueprint.cpp", "GameplayAbilityBlueprintGeneratedClass.cpp", "GameplayAbilityTargetTypes.cpp", "GameplayAbilityTypes.cpp", "GameplayCueInterface.cpp", "GameplayCueManager.cpp", "GameplayCueNotify_Actor.cpp", "GameplayCueNotify_HitImpact.cpp", "GameplayCueNotify_Static.cpp", "GameplayCueSet.cpp", "GameplayEffect.cpp", "GameplayEffectAggregator.cpp", "GameplayEffectCalculation.cpp", "GameplayEffectExecutionCalculation.cpp", "GameplayEffectExtension.cpp", "GameplayEffectExtension_LifestealTest.cpp", "GameplayEffectExtension_ShieldTest.cpp", "GameplayEffectTemplate.cpp", "GameplayEffectTests.cpp", "GameplayEffectTypes.cpp", "GameplayEffectUIData.cpp", "GameplayModMagnitudeCalculation.cpp", "GameplayPrediction.cpp", "GameplayTagResponseTable.cpp", "TickableAttributeSetInterface.cpp", "GameplayAbility.cpp", "GameplayAbilitySet.cpp", "GameplayAbilityTargetActor.cpp", "GameplayAbilityTargetActor_ActorPlacement.cpp", "GameplayAbilityTargetActor_GroundTrace.cpp", "GameplayAbilityTargetActor_Radius.cpp", "GameplayAbilityTargetActor_SingleLineTrace.cpp", "GameplayAbilityTargetActor_Trace.cpp", "GameplayAbilityTargetDataFilter.cpp", "GameplayAbilityWorldReticle.cpp", "GameplayAbilityWorldReticle_ActorVisualization.cpp", "GameplayAbility_CharacterJump.cpp", "GameplayAbility_Montage.cpp", "AbilityTask.cpp", "AbilityTask_ApplyRootMotionConstantForce.cpp", "AbilityTask_ApplyRootMotionJumpForce.cpp", "AbilityTask_ApplyRootMotionMoveToForce.cpp", "AbilityTask_ApplyRootMotionRadialForce.cpp", "AbilityTask_MoveToLocation.cpp", "AbilityTask_NetworkSyncPoint.cpp", "AbilityTask_PlayMontageAndWait.cpp", "AbilityTask_Repeat.cpp", "AbilityTask_SpawnActor.cpp", "AbilityTask_StartAbilityState.cpp", "AbilityTask_VisualizeTargeting.cpp", "AbilityTask_WaitAbilityActivate.cpp", "AbilityTask_WaitAbilityCommit.cpp", "AbilityTask_WaitAttributeChange.cpp", "AbilityTask_WaitCancel.cpp", "AbilityTask_WaitConfirm.cpp", "AbilityTask_WaitConfirmCancel.cpp", "AbilityTask_WaitDelay.cpp", "AbilityTask_WaitGameplayEffectApplied.cpp", "AbilityTask_WaitGameplayEffectApplied_Self.cpp", "AbilityTask_WaitGameplayEffectApplied_Target.cpp", "AbilityTask_WaitGameplayEffectRemoved.cpp", "AbilityTask_WaitGameplayEffectStackChange.cpp", "AbilityTask_WaitGameplayEvent.cpp", "AbilityTask_WaitGameplayTag.cpp", "AbilityTask_WaitGameplayTagBase.cpp", "AbilityTask_WaitInputPress.cpp", "AbilityTask_WaitInputRelease.cpp", "AbilityTask_WaitMovementModeChange.cpp", "AbilityTask_WaitOverlap.cpp", "AbilityTask_WaitTargetData.cpp", "AbilityTask_WaitVelocityChange.cpp", "AbilitySystemBlueprintLibrary.h", "AbilitySystemComponent.h", "AbilitySystemDebugHUD.h", "AbilitySystemGlobals.h", "AbilitySystemInterface.h", "AbilitySystemLog.h", "AbilitySystemStats.h", "AbilitySystemTestAttributeSet.h", "AbilitySystemTestPawn.h", "ActiveGameplayEffectIterator.h", "AttributeSet.h", "GameplayAbilitiesModule.h", "GameplayAbilityBlueprintGeneratedClass.h", "GameplayAbilitySet.h", "GameplayAbilitySpec.h", "GameplayCueInterface.h", "GameplayCueManager.h", "GameplayCueNotify_Actor.h", "GameplayCueNotify_HitImpact.h", "GameplayCueNotify_Static.h", "GameplayCueSet.h", "GameplayCue_Types.h", "GameplayEffect.h", "GameplayEffectAggregator.h", "GameplayEffectCalculation.h", "GameplayEffectExecutionCalculation.h", "GameplayEffectExtension.h", "GameplayEffectExtension_LifestealTest.h", "GameplayEffectExtension_ShieldTest.h", "GameplayEffectTemplate.h", "GameplayEffectTypes.h", "GameplayEffectUIData.h", "GameplayEffectUIData_TextOnly.h", "GameplayModMagnitudeCalculation.h", "GameplayPrediction.h", "GameplayTagResponseTable.h", "TickableAttributeSetInterface.h", "GameplayAbility.h", "GameplayAbilityTargetActor.h", "GameplayAbilityTargetActor_ActorPlacement.h", "GameplayAbilityTargetActor_GroundTrace.h", "GameplayAbilityTargetActor_Radius.h", "GameplayAbilityTargetActor_SingleLineTrace.h", "GameplayAbilityTargetActor_Trace.h", "GameplayAbilityTargetDataFilter.h", "GameplayAbilityTargetTypes.h", "GameplayAbilityTypes.h", "GameplayAbilityWorldReticle.h", "GameplayAbilityWorldReticle_ActorVisualization.h", "GameplayAbility_CharacterJump.h", "GameplayAbility_Montage.h", "AbilityTask.h", "AbilityTask_ApplyRootMotionConstantForce.h", "AbilityTask_ApplyRootMotionJumpForce.h", "AbilityTask_ApplyRootMotionMoveToForce.h", "AbilityTask_ApplyRootMotionRadialForce.h", "AbilityTask_MoveToLocation.h", "AbilityTask_NetworkSyncPoint.h", "AbilityTask_PlayMontageAndWait.h", "AbilityTask_Repeat.h", "AbilityTask_SpawnActor.h", "AbilityTask_StartAbilityState.h", "AbilityTask_VisualizeTargeting.h", "AbilityTask_WaitAbilityActivate.h", "AbilityTask_WaitAbilityCommit.h", "AbilityTask_WaitAttributeChange.h", "AbilityTask_WaitCancel.h", "AbilityTask_WaitConfirm.h", "AbilityTask_WaitConfirmCancel.h", "AbilityTask_WaitDelay.h", "AbilityTask_WaitGameplayEffectApplied.h", "AbilityTask_WaitGameplayEffectApplied_Self.h", "AbilityTask_WaitGameplayEffectApplied_Target.h", "AbilityTask_WaitGameplayEffectRemoved.h", "AbilityTask_WaitGameplayEffectStackChange.h", "AbilityTask_WaitGameplayEvent.h", "AbilityTask_WaitGameplayTag.h", "AbilityTask_WaitGameplayTagBase.h", "AbilityTask_WaitInputPress.h", "AbilityTask_WaitInputRelease.h", "AbilityTask_WaitMovementModeChange.h", "AbilityTask_WaitOverlap.h", "AbilityTask_WaitTargetData.h", "AbilityTask_WaitVelocityChange.h", "GameplayTags.Build.cs", "BlueprintGameplayTagLibrary.h", "GameplayTagAssetInterface.h", "GameplayTagContainer.h", "GameplayTagsManager.h", "GameplayTagsSettings.h", "BlueprintGameplayTagLibrary.cpp", "GameplayTagAssetInterface.cpp", "GameplayTagContainer.cpp", "GameplayTagsManager.cpp", "GameplayTagsModule.cpp", "GameplayTagsModulePrivatePCH.h", "GameplayTagsSettings.cpp", "GameplayTagTests.cpp", "GameplayTags.h", "GameplayTagsModule.h", "GameplayTasks.Build.cs", "GameplayTask.h", "GameplayTaskOwnerInterface.h", "GameplayTaskResource.h", "GameplayTasksComponent.h", "GameplayTask_SpawnActor.h", "GameplayTask_WaitDelay.h", "GameplayTask.cpp", "GameplayTaskOwnerInterface.cpp", "GameplayTaskResource.cpp", "GameplayTasksComponent.cpp", "GameplayTasksModule.cpp", "GameplayTasksPrivatePCH.h", "GameplayTask_SpawnActor.cpp", "GameplayTask_WaitDelay.cpp", "GameplayTasksModule.h", "GameplayTaskTypes.h", "GeometryCache.Build.cs", "GeometryCache.h", "GeometryCacheActor.h", "GeometryCacheComponent.h", "GeometryCacheMeshData.h", "GeometryCacheTrack.h", "GeometryCacheTrackFlipbookAnimation.h", "GeometryCacheTrackTransformAnimation.h", "GeometryCacheTrackTransformGroupAnimation.h", "GeometryCache.cpp", "GeometryCacheActor.cpp", "GeometryCacheComponent.cpp", "GeometryCacheModule.cpp", "GeometryCacheModulePrivatePCH.h", "GeometryCacheSceneProxy.cpp", "GeometryCacheSceneProxy.h", "GeometryCacheTrack.cpp", "GeometryCacheTrackFlipbookAnimation.cpp", "GeometryCacheTrackTransformAnimation.cpp", "GeometryCacheTrackTransformGroupAnimation.cpp", "GeometryCacheModule.h", "GeometryCacheModulePublicPCH.h", "HeadMountedDisplay.Build.cs", "HeadMountedDisplayModule.cpp", "HeadMountedDisplayPrivate.h", "HeadMountedDisplayTypes.cpp", "MotionControllerComponent.cpp", "HeadMountedDisplay.h", "HeadMountedDisplayTypes.h", "IHeadMountedDisplay.h", "IHeadMountedDisplayModule.h", "IMotionController.h", "IStereoLayers.h", "MotionControllerComponent.h", "HTML5JS.Build.cs", "HTML5JavaScriptFx.cpp", "HTML5JavaScriptFx.h", "MapPakDownloader.Build.cs", "MapPakDownloader.cpp", "MapPakDownloaderModule.cpp", "MapPakDownloaderModulePrivatePCH.h", "MapPakDownloader.h", "MapPakDownloaderModule.h", "HTML5Win32.Build.cs", "HTML5Win32PrivatePCH.h", "IPAddressRaw.cpp", "LoadDLL.cpp", "RawData.h", "SocketRaw.cpp", "WinHttp.cpp", "LoadDLL.h", "WinHttp.h", "IPAddressRaw.h", "SocketRaw.h", "HTTPChunkInstaller.Build.cs", "ChunkInstall.h", "ChunkSetup.h", "HTTPChunkInstaller.cpp", "HTTPChunkInstaller.h", "HTTPChunkInstallerPrivatePCH.h", "LocalTitleFile.cpp", "LocalTitleFile.h", "InputCore.Build.cs", "InputCoreTypes.h", "InputCore.cpp", "InputCoreModule.cpp", "InputCorePrivatePCH.h", "InputCoreTypes.cpp", "InputCore.h", "InputCoreModule.h", "InputDevice.Build.cs", "InputDeviceModule.cpp", "IHapticDevice.h", "IInputDevice.h", "IInputDeviceModule.h", "InputDevice.h", "Internationalization.Build.cs", "InternationalizationModule.cpp", "InternationalizationPrivatePCH.h", "JsonInternationalizationArchiveSerializer.cpp", "JsonInternationalizationManifestSerializer.cpp", "JsonInternationalizationMetadataSerializer.cpp", "Internationalization.h", "JsonInternationalizationArchiveSerializer.h", "JsonInternationalizationManifestSerializer.h", "JsonInternationalizationMetadataSerializer.h", "IOSAudio.Build.cs", "IOSAudioBuffer.cpp", "IOSAudioDevice.cpp", "IOSAudioSession.cpp", "IOSAudioSource.cpp", "IOSAudioDevice.h", "IOSRuntimeSettings.Build.cs", "IOSRuntimeSettings.h", "IOSRuntimeSettings.cpp", "IOSRuntimeSettingsModule.cpp", "IOSRuntimeSettingsPrivatePCH.h", "LaunchDaemonMessages.Build.cs", "IOSMessageProtocol.h", "LaunchDaemonMessagesModule.cpp", "LaunchDaemonMessagesPrivatePCH.h", "LaunchDaemonMessages.h", "IPC.Build.cs", "IPCModule.cpp", "IPC.h", "IPCModule.h", "Json.Build.cs", "JsonModule.cpp", "JsonPrivatePCH.h", "JsonObject.cpp", "JsonValue.cpp", "JsonTests.cpp", "Json.h", "JsonObject.h", "JsonValue.h", "CondensedJsonPrintPolicy.h", "JsonPrintPolicy.h", "PrettyJsonPrintPolicy.h", "JsonReader.h", "JsonSerializer.h", "JsonTypes.h", "JsonWriter.h", "JsonUtilities.Build.cs", "JsonObjectConverter.cpp", "JsonUtilities.cpp", "JsonUtilitiesPrivatePCH.h", "JsonObjectConverter.h", "JsonObjectWrapper.h", "JsonUtilities.h", "Landscape.Build.cs", "ControlPointMeshComponent.h", "Landscape.h", "LandscapeComponent.h", "LandscapeGizmoActiveActor.h", "LandscapeGizmoActor.h", "LandscapeGizmoRenderComponent.h", "LandscapeGrassType.h", "LandscapeHeightfieldCollisionComponent.h", "LandscapeInfo.h", "LandscapeInfoMap.h", "LandscapeLayerInfoObject.h", "LandscapeMaterialInstanceConstant.h", "LandscapeMeshCollisionComponent.h", "LandscapeMeshProxyActor.h", "LandscapeMeshProxyComponent.h", "LandscapeProxy.h", "LandscapeSplineControlPoint.h", "LandscapeSplinesComponent.h", "LandscapeSplineSegment.h", "MaterialExpressionLandscapeGrassOutput.h", "MaterialExpressionLandscapeLayerBlend.h", "MaterialExpressionLandscapeLayerCoords.h", "MaterialExpressionLandscapeLayerSample.h", "MaterialExpressionLandscapeLayerSwitch.h", "MaterialExpressionLandscapeLayerWeight.h", "MaterialExpressionLandscapeVisibilityMask.h", "Landscape.cpp", "LandscapeBlueprintSupport.cpp", "LandscapeCollision.cpp", "LandscapeComponent.cpp", "LandscapeDataAccess.cpp", "LandscapeEdit.cpp", "LandscapeEditInterface.cpp", "LandscapeGizmoActor.cpp", "LandscapeGrass.cpp", "LandscapeInfo.cpp", "LandscapeInfoMap.cpp", "LandscapeLight.cpp", "LandscapeModule.cpp", "LandscapeProxy.cpp", "LandscapeRender.cpp", "LandscapeRenderMobile.cpp", "LandscapeSplineProxies.cpp", "LandscapeSplineRaster.cpp", "LandscapeSplineRaster.h", "LandscapeSplines.cpp", "LandscapeVersion.h", "MaterialExpressionLandscapeLayerBlend.cpp", "MaterialExpressionLandscapeLayerCoords.cpp", "MaterialExpressionLandscapeLayerSample.cpp", "MaterialExpressionLandscapeLayerSwitch.cpp", "MaterialExpressionLandscapeLayerWeight.cpp", "MaterialExpressionLandscapeVisibilityMask.cpp", "LandscapeDataAccess.h", "LandscapeEdit.h", "LandscapeLight.h", "LandscapeModule.h", "LandscapeRender.h", "LandscapeRenderMobile.h", "LandscapeSplineProxies.h", "Launch.Build.cs", "Launch.cpp", "LaunchEngineLoop.cpp", "LaunchPrivatePCH.h", "AndroidEventManager.cpp", "AndroidEventManager.h", "AndroidJNI.cpp", "LaunchAndroid.cpp", "LaunchHTML5.cpp", "GameLaunchDaemonMessageHandler.cpp", "GameLaunchDaemonMessageHandler.h", "IOSAppDelegateConsoleHandling.cpp", "IOSAppDelegateConsoleHandling.h", "LaunchIOS.cpp", "LaunchLinux.cpp", "LaunchMac.cpp", "LaunchWindows.cpp", "WinRTLaunch.cpp", "LaunchEngineLoop.h", "RequiredProgramMainCPPInclude.h", "AndroidJNI.h", "Version.h", "resource.h", "LevelSequence.Build.cs", "LevelSequence.cpp", "LevelSequenceActor.cpp", "LevelSequenceModule.cpp", "LevelSequenceObject.cpp", "LevelSequenceObjectReference.cpp", "LevelSequencePCH.h", "LevelSequencePlayer.cpp", "LevelSequenceSpawnRegister.cpp", "LevelSequence.h", "LevelSequenceActor.h", "LevelSequenceObject.h", "LevelSequenceObjectReference.h", "LevelSequencePlayer.h", "LevelSequenceSpawnRegister.h", "LinuxCommonStartup.Build.cs", "LinuxCommonStartup.cpp", "LinuxCommonStartup.h", "CoreAudio.Build.cs", "CoreAudioBuffer.cpp", "CoreAudioDevice.cpp", "CoreAudioEffects.cpp", "CoreAudioSource.cpp", "CoreAudioDevice.h", "CoreAudioEffects.h", "UnrealAudioCoreAudio.Build.cs", "UnrealAudioCoreAudio.cpp", "MaterialShaderQualitySettings.Build.cs", "MaterialShaderQualitySettings.h", "MaterialShaderQualitySettingsCustomization.h", "ShaderPlatformQualitySettings.h", "MaterialShaderQualitySettings.cpp", "MaterialShaderQualitySettingsCustomization.cpp", "MaterialShaderQualitySettingsModule.cpp", "MaterialShaderQualitySettingsPrivatePCH.h", "ShaderQualityOverridesListItem.h", "Media.Build.cs", "MediaModule.cpp", "MediaPrivatePCH.h", "IMediaAudioTrack.h", "IMediaCaptionTrack.h", "IMediaInfo.h", "IMediaModule.h", "IMediaPlayer.h", "IMediaPlayerFactory.h", "IMediaSink.h", "IMediaStream.h", "IMediaVideoTrack.h", "MediaSampleBuffer.h", "MediaSampleQueue.h", "MediaAssets.Build.cs", "MediaAssetsModule.cpp", "MediaAssetsPrivatePCH.h", "MediaPlayer.cpp", "MediaSoundWave.cpp", "MediaTexture.cpp", "MediaTextureResource.cpp", "MediaTextureResource.h", "MediaPlayer.h", "MediaSoundWave.h", "MediaTexture.h", "Messaging.Build.cs", "MessagingModule.cpp", "MessagingPrivatePCH.h", "MessageAddressBook.h", "MessageBridge.cpp", "MessageBridge.h", "MessageBus.cpp", "MessageBus.h", "MessageContext.cpp", "MessageContext.h", "MessageDispatchTask.h", "MessageRouter.cpp", "MessageRouter.h", "MessageSubscription.h", "MessageTracer.cpp", "MessageTracer.h", "IAuthorizeMessageRecipients.h", "IMessageAttachment.h", "IMessageBridge.h", "IMessageBus.h", "IMessageContext.h", "IMessageHandler.h", "IMessageInterceptor.h", "IMessageSubscription.h", "IMessageTracer.h", "IMessageTracerBreakpoint.h", "IMessageTransport.h", "IMessagingModule.h", "IMutableMessageContext.h", "IReceiveMessages.h", "ISendMessages.h", "Messaging.h", "FileMessageAttachment.h", "MessageBridgeBuilder.h", "MessageEndpoint.h", "MessageEndpointBuilder.h", "MessageHandlers.h", "MessagingRpc.Build.cs", "MessageRpcClient.cpp", "MessageRpcClient.h", "MessageRpcServer.cpp", "MessagingRpcModule.cpp", "PrivatePCH.h", "IMessageRpcCall.h", "IMessageRpcClient.h", "IMessageRpcHandler.h", "IMessageRpcReturn.h", "IMessageRpcServer.h", "IMessagingRpcModule.h", "MessageRpcMessages.h", "MessageRpcServer.h", "RpcMessage.h", "MoviePlayer.Build.cs", "DefaultGameMoviePlayer.cpp", "DefaultGameMoviePlayer.h", "MoviePlayer.cpp", "MoviePlayerSettings.cpp", "MoviePlayerThreading.cpp", "MoviePlayerThreading.h", "NullMoviePlayer.cpp", "NullMoviePlayer.h", "SpinLock.h", "MoviePlayer.h", "MoviePlayerSettings.h", "MovieScene.Build.cs", "MovieScene.cpp", "MovieSceneBinding.cpp", "MovieSceneClipboard.cpp", "MovieSceneCommonHelpers.cpp", "MovieSceneModule.cpp", "MovieSceneNameableTrack.cpp", "MovieScenePrivatePCH.h", "MovieSceneSection.cpp", "MovieSceneSequenceInstance.cpp", "IMovieSceneModule.h", "IMovieScenePlayer.h", "IMovieSceneSpawnRegister.h", "IMovieSceneTrackInstance.h", "KeyParams.h", "MovieScene.h", "MovieSceneBinding.h", "MovieSceneClipboard.h", "MovieSceneCommonHelpers.h", "MovieSceneNameableTrack.h", "MovieScenePossessable.h", "MovieSceneSection.h", "MovieSceneSequence.h", "MovieSceneSequenceInstance.h", "MovieSceneSpawnable.h", "MovieSceneTrack.h", "MovieSceneCapture.Build.cs", "ActiveMovieSceneCaptures.cpp", "ActiveMovieSceneCaptures.h", "AutomatedLevelSequenceCapture.cpp", "CompositionGraphCaptureProtocol.cpp", "FrameGrabber.cpp", "FrameGrabberProtocol.cpp", "ImageSequenceProtocol.cpp", "LevelCapture.cpp", "MovieSceneCapture.cpp", "MovieSceneCaptureEnvironment.cpp", "MovieSceneCaptureModule.cpp", "MovieSceneCapturePCH.h", "MovieSceneCaptureProtocol.cpp", "VideoCaptureProtocol.cpp", "AutomatedLevelSequenceCapture.h", "ErrorCodes.h", "FrameGrabber.h", "IMovieSceneCapture.h", "IMovieSceneCaptureProtocol.h", "LevelCapture.h", "MovieSceneCapture.h", "MovieSceneCaptureEnvironment.h", "MovieSceneCaptureHandle.h", "MovieSceneCaptureModule.h", "MovieSceneCaptureProtocolRegistry.h", "MovieSceneCaptureSettings.h", "CompositionGraphCaptureProtocol.h", "FrameGrabberProtocol.h", "ImageSequenceProtocol.h", "VideoCaptureProtocol.h", "MovieSceneTracks.Build.cs", "MovieSceneHitProxy.cpp", "MovieSceneTracksModule.cpp", "MovieSceneTracksPrivatePCH.h", "MovieScene3DAttachSection.cpp", "MovieScene3DConstraintSection.cpp", "MovieScene3DPathSection.cpp", "MovieScene3DTransformSection.cpp", "MovieSceneAudioSection.cpp", "MovieSceneBoolSection.cpp", "MovieSceneByteSection.cpp", "MovieSceneColorSection.cpp", "MovieSceneEventSection.cpp", "MovieSceneFadeSection.cpp", "MovieSceneFloatSection.cpp", "MovieSceneParameterSection.cpp", "MovieSceneParticleSection.cpp", "MovieSceneShotSection.cpp", "MovieSceneSkeletalAnimationSection.cpp", "MovieSceneSlomoSection.cpp", "MovieSceneSubSection.cpp", "MovieSceneVectorSection.cpp", "MovieSceneVisibilitySection.cpp", "MovieScene3DAttachTrackInstance.cpp", "MovieScene3DConstraintTrackInstance.cpp", "MovieScene3DPathTrackInstance.cpp", "MovieScene3DTransformTrackInstance.cpp", "MovieSceneAudioTrackInstance.cpp", "MovieSceneBoolTrackInstance.cpp", "MovieSceneByteTrackInstance.cpp", "MovieSceneColorTrackInstance.cpp", "MovieSceneEventTrackInstance.cpp", "MovieSceneFadeTrackInstance.cpp", "MovieSceneFloatTrackInstance.cpp", "MovieSceneMaterialTrackInstance.cpp", "MovieSceneParticleParameterTrackInstance.cpp", "MovieSceneParticleTrackInstance.cpp", "MovieSceneShotTrackInstance.cpp", "MovieSceneSkeletalAnimationTrackInstance.cpp", "MovieSceneSlomoTrackInstance.cpp", "MovieSceneSpawnTrackInstance.cpp", "MovieSceneSubTrackInstance.cpp", "MovieSceneVectorTrackInstance.cpp", "MovieSceneVisibilityTrackInstance.cpp", "MovieScene3DAttachTrack.cpp", "MovieScene3DConstraintTrack.cpp", "MovieScene3DPathTrack.cpp", "MovieScene3DTransformTrack.cpp", "MovieSceneAudioTrack.cpp", "MovieSceneBoolTrack.cpp", "MovieSceneByteTrack.cpp", "MovieSceneColorTrack.cpp", "MovieSceneEventTrack.cpp", "MovieSceneFadeTrack.cpp", "MovieSceneFloatTrack.cpp", "MovieSceneMaterialTrack.cpp", "MovieSceneParticleParameterTrack.cpp", "MovieSceneParticleTrack.cpp", "MovieScenePropertyTrack.cpp", "MovieSceneShotTrack.cpp", "MovieSceneSkeletalAnimationTrack.cpp", "MovieSceneSlomoTrack.cpp", "MovieSceneSpawnTrack.cpp", "MovieSceneSubTrack.cpp", "MovieSceneVectorTrack.cpp", "MovieSceneVisibilityTrack.cpp", "IMovieSceneTracksModule.h", "MovieSceneHitProxy.h", "IKeyframeSection.h", "MovieScene3DAttachSection.h", "MovieScene3DConstraintSection.h", "MovieScene3DPathSection.h", "MovieScene3DTransformSection.h", "MovieSceneAudioSection.h", "MovieSceneBoolSection.h", "MovieSceneByteSection.h", "MovieSceneColorSection.h", "MovieSceneEventSection.h", "MovieSceneFadeSection.h", "MovieSceneFloatSection.h", "MovieSceneParameterSection.h", "MovieSceneParticleSection.h", "MovieSceneShotSection.h", "MovieSceneSkeletalAnimationSection.h", "MovieSceneSlomoSection.h", "MovieSceneSubSection.h", "MovieSceneVectorSection.h", "MovieSceneVisibilitySection.h", "MovieScene3DAttachTrackInstance.h", "MovieScene3DConstraintTrackInstance.h", "MovieScene3DPathTrackInstance.h", "MovieScene3DTransformTrackInstance.h", "MovieSceneAudioTrackInstance.h", "MovieSceneBoolTrackInstance.h", "MovieSceneByteTrackInstance.h", "MovieSceneColorTrackInstance.h", "MovieSceneEventTrackInstance.h", "MovieSceneFadeTrackInstance.h", "MovieSceneFloatTrackInstance.h", "MovieSceneMaterialTrackInstance.h", "MovieSceneParticleParameterTrackInstance.h", "MovieSceneParticleTrackInstance.h", "MovieSceneShotTrackInstance.h", "MovieSceneSkeletalAnimationTrackInstance.h", "MovieSceneSlomoTrackInstance.h", "MovieSceneSpawnTrackInstance.h", "MovieSceneSubTrackInstance.h", "MovieSceneVectorTrackInstance.h", "MovieSceneVisibilityTrackInstance.h", "MovieScene3DAttachTrack.h", "MovieScene3DConstraintTrack.h", "MovieScene3DPathTrack.h", "MovieScene3DTransformTrack.h", "MovieSceneAudioTrack.h", "MovieSceneBoolTrack.h", "MovieSceneByteTrack.h", "MovieSceneColorTrack.h", "MovieSceneEventTrack.h", "MovieSceneFadeTrack.h", "MovieSceneFloatTrack.h", "MovieSceneMaterialTrack.h", "MovieSceneParticleParameterTrack.h", "MovieSceneParticleTrack.h", "MovieScenePropertyTrack.h", "MovieSceneShotTrack.h", "MovieSceneSkeletalAnimationTrack.h", "MovieSceneSlomoTrack.h", "MovieSceneSpawnTrack.h", "MovieSceneSubTrack.h", "MovieSceneVectorTrack.h", "MovieSceneVisibilityTrack.h", "Navmesh.Build.cs", "NavmeshModule.cpp", "NavmeshModulePrivatePCH.h", "DebugDraw.cpp", "DetourDebugDraw.cpp", "RecastDebugDraw.cpp", "RecastDump.cpp", "DetourAlloc.cpp", "DetourCommon.cpp", "DetourNavMesh.cpp", "DetourNavMeshBuilder.cpp", "DetourNavMeshQuery.cpp", "DetourNode.cpp", "DetourCrowd.cpp", "DetourLocalBoundary.cpp", "DetourObstacleAvoidance.cpp", "DetourPathCorridor.cpp", "DetourPathQueue.cpp", "DetourProximityGrid.cpp", "DetourSharedBoundary.cpp", "DetourTileCache.cpp", "DetourTileCacheBuilder.cpp", "DetourTileCacheDetail.cpp", "DetourTileCacheRegion.cpp", "Recast.cpp", "RecastAlloc.cpp", "RecastArea.cpp", "RecastContour.cpp", "RecastFilter.cpp", "RecastLayers.cpp", "RecastMesh.cpp", "RecastMeshDetail.cpp", "RecastRasterization.cpp", "RecastRegion.cpp", "DebugDraw.h", "DetourDebugDraw.h", "RecastDebugDraw.h", "RecastDump.h", "DetourAlloc.h", "DetourAssert.h", "DetourCommon.h", "DetourNavMesh.h", "DetourNavMeshBuilder.h", "DetourNavMeshQuery.h", "DetourNode.h", "DetourStatus.h", "DetourCrowd.h", "DetourLocalBoundary.h", "DetourObstacleAvoidance.h", "DetourPathCorridor.h", "DetourPathQueue.h", "DetourProximityGrid.h", "DetourSharedBoundary.h", "DetourTileCache.h", "DetourTileCacheBuilder.h", "Recast.h", "RecastAlloc.h", "RecastAssert.h", "NetworkFile.Build.cs", "HTTPTransport.cpp", "HTTPTransport.h", "ITransport.h", "NetworkFilePrivatePCH.h", "NetworkPlatformFile.cpp", "TCPTransport.cpp", "TCPTransport.h", "NetworkPlatformFile.h", "NetworkFileSystem.Build.cs", "NetworkFileServer.cpp", "NetworkFileServer.h", "NetworkFileServerConnection.cpp", "NetworkFileServerConnection.h", "NetworkFileServerHttp.cpp", "NetworkFileServerHttp.h", "NetworkFileSystemModule.cpp", "NetworkFileSystemPrivatePCH.h", "NetworkFileSystem.h", "INetworkFileServer.h", "INetworkFileSystemModule.h", "Networking.Build.cs", "NetworkingModule.cpp", "NetworkingModule.h", "NetworkingPrivatePCH.h", "IPv4Address.cpp", "IPv4Endpoint.cpp", "IPv4Subnet.cpp", "IPv4SubnetMask.cpp", "SteamEndpoint.cpp", "IPv4AddressTest.cpp", "Networking.h", "TcpListener.h", "TcpSocketBuilder.h", "UdpSocketBuilder.h", "UdpSocketReceiver.h", "UdpSocketSender.h", "INetworkingModule.h", "IPv4Address.h", "IPv4Endpoint.h", "IPv4Subnet.h", "IPv4SubnetMask.h", "SteamEndpoint.h", "HttpNetworkReplayStreaming.Build.cs", "HttpNetworkReplayStreaming.cpp", "HttpNetworkReplayStreaming.h", "InMemoryNetworkReplayStreaming.build.cs", "InMemoryNetworkReplayStreaming.cpp", "InMemoryNetworkReplayStreaming.h", "NetworkReplayStreaming.Build.cs", "NetworkReplayStreaming.cpp", "NetworkReplayStreaming.h", "NullNetworkReplayStreaming.build.cs", "NullNetworkReplayStreaming.cpp", "NullNetworkReplayStreaming.h", "Niagara.Build.cs", "NiagaraConstantSet.h", "NiagaraScriptConstantData.h", "NiagaraConstants.h", "NiagaraDataSet.h", "NiagaraEffect.h", "NiagaraEmitterProperties.h", "NiagaraEvents.h", "NiagaraScript.h", "NiagaraScriptSourceBase.h", "NiagaraSimulation.h", "NiagaraActor.cpp", "NiagaraComponent.cpp", "NiagaraConstantSet.cpp", "NiagaraEffect.cpp", "NiagaraEmitterProperties.cpp", "NiagaraEvents.cpp", "NiagaraFunctionLibrary.cpp", "NiagaraModule.cpp", "NiagaraPrivate.h", "NiagaraScript.cpp", "NiagaraSequence.cpp", "NiagaraSimulation.cpp", "NiagaraSimulationDebugger.cpp", "NiagaraSimulationDebugger.h", "NiagaraActor.h", "NiagaraCommon.h", "NiagaraComponent.h", "NiagaraFunctionLibrary.h", "NiagaraModule.h", "NiagaraSequence.h", "NullDrv.Build.cs", "NullDrv.cpp", "NullDrvPrivate.h", "NullRHI.cpp", "NullDrv.h", "NullRHI.h", "OnlineSubsystemGooglePlay.Build.cs", "OnlineAchievementsInterfaceGooglePlay.cpp", "OnlineAchievementsInterfaceGooglePlay.h", "OnlineAsyncTaskGooglePlayAuthAction.cpp", "OnlineAsyncTaskGooglePlayAuthAction.h", "OnlineAsyncTaskGooglePlayLogin.cpp", "OnlineAsyncTaskGooglePlayLogin.h", "OnlineAsyncTaskGooglePlayLogout.cpp", "OnlineAsyncTaskGooglePlayLogout.h", "OnlineAsyncTaskGooglePlayQueryAchievements.cpp", "OnlineAsyncTaskGooglePlayQueryAchievements.h", "OnlineAsyncTaskGooglePlayQueryInAppPurchases.cpp", "OnlineAsyncTaskGooglePlayQueryInAppPurchases.h", "OnlineAsyncTaskGooglePlayReadLeaderboard.cpp", "OnlineAsyncTaskGooglePlayReadLeaderboard.h", "OnlineAsyncTaskGooglePlayShowLoginUI.cpp", "OnlineAsyncTaskGooglePlayShowLoginUI.h", "OnlineAsyncTaskManagerGooglePlay.h", "OnlineExternalUIInterfaceGooglePlay.cpp", "OnlineExternalUIInterfaceGooglePlay.h", "OnlineIdentityInterfaceGooglePlay.cpp", "OnlineIdentityInterfaceGooglePlay.h", "OnlineLeaderboardInterfaceGooglePlay.cpp", "OnlineLeaderboardInterfaceGooglePlay.h", "OnlineStoreInterfaceGooglePlay.cpp", "OnlineStoreInterfaceGooglePlay.h", "OnlineSubsystemGooglePlay.cpp", "OnlineSubsystemGooglePlayModule.cpp", "OnlineSubsystemGooglePlayPrivatePCH.h", "OnlineSubsystemGooglePlay.h", "OnlineSubsystemGooglePlayModule.h", "OnlineSubsystemGooglePlayPackage.h", "BuildPatchServices.Build.cs", "BuildPatchAnalytics.cpp", "BuildPatchAnalytics.h", "BuildPatchChunk.cpp", "BuildPatchChunk.h", "BuildPatchChunkCache.cpp", "BuildPatchChunkCache.h", "BuildPatchChunkStore.cpp", "BuildPatchChunkStore.h", "BuildPatchCompactifier.cpp", "BuildPatchCompactifier.h", "BuildPatchDataEnumeration.cpp", "BuildPatchDataEnumeration.h", "BuildPatchDownloader.cpp", "BuildPatchDownloader.h", "BuildPatchError.cpp", "BuildPatchError.h", "BuildPatchFileAttributes.cpp", "BuildPatchFileAttributes.h", "BuildPatchFileConstructor.cpp", "BuildPatchFileConstructor.h", "BuildPatchGeneration.cpp", "BuildPatchGeneration.h", "BuildPatchHash.cpp", "BuildPatchHash.h", "BuildPatchHTTP.cpp", "BuildPatchHTTP.h", "BuildPatchInstaller.cpp", "BuildPatchInstaller.h", "BuildPatchManifest.cpp", "BuildPatchManifest.h", "BuildPatchProgress.cpp", "BuildPatchProgress.h", "BuildPatchServicesModule.cpp", "BuildPatchServicesModule.h", "BuildPatchServicesPrivatePCH.h", "BuildPatchServicesSingleton.cpp", "BuildPatchUtil.cpp", "BuildPatchUtil.h", "BuildPatchVerification.cpp", "BuildPatchVerification.h", "RingBuffer.h", "BuildStreamer.cpp", "BuildStreamer.h", "CloudEnumeration.cpp", "CloudEnumeration.h", "DataMatcher.cpp", "DataMatcher.h", "DataScanner.cpp", "DataScanner.h", "FileAttributesParser.cpp", "FileAttributesParser.h", "ManifestBuilder.cpp", "ManifestBuilder.h", "StatsCollector.cpp", "StatsCollector.h", "BuildPatchServices.h", "BuildPatchServicesSingleton.h", "BuildPatchSettings.h", "IBuildInstaller.h", "IBuildManifest.h", "IBuildPatchServicesModule.h", "Hotfix.Build.cs", "OnlineHotfixManager.h", "HotfixModule.cpp", "HotfixPrivatePCH.h", "OnlineHotfixManager.cpp", "HotfixModule.h", "HTTP.Build.cs", "HttpManager.cpp", "HttpModule.cpp", "HttpPrivatePCH.h", "HttpRetrySystem.cpp", "HttpTests.cpp", "HttpTests.h", "NullHttp.cpp", "NullHttp.h", "AndroidHttp.cpp", "CurlHttp.cpp", "CurlHttp.h", "CurlHttpManager.cpp", "CurlHttpManager.h", "GenericPlatformHttp.cpp", "HTML5HTTP.cpp", "HTML5HTTP.h", "HTML5PlatformHttp.cpp", "IOSHTTP.cpp", "IOSHTTP.h", "IOSPlatformHttp.cpp", "LinuxPlatformHttp.cpp", "MacHTTP.cpp", "MacHTTP.h", "MacPlatformHttp.cpp", "HttpWinInet.cpp", "HttpWinInet.h", "WindowsPlatformHttp.cpp", "WinRTHttp.cpp", "Http.h", "HttpManager.h", "HttpModule.h", "HttpPackage.h", "HttpRequestAdapter.h", "HttpRetrySystem.h", "PlatformHttp.h", "AndroidHttp.h", "GenericPlatformHttp.h", "HTML5PlatformHttp.h", "IHttpBase.h", "IHttpRequest.h", "IHttpResponse.h", "IOSPlatformHttp.h", "LinuxPlatformHttp.h", "MacPlatformHttp.h", "WindowsPlatformHttp.h", "WinRTHttp.h", "ImageDownload.Build.cs", "ImageDownloadModule.cpp", "ImageDownloadPCH.h", "WebImage.cpp", "WebImageCache.cpp", "WebImage.h", "WebImageCache.h", "OnlineSubsystemIOS.Build.cs", "OnlineAchievementsInterfaceIOS.cpp", "OnlineAchievementsInterfaceIOS.h", "OnlineExternalUIInterfaceIOS.cpp", "OnlineExternalUIInterfaceIOS.h", "OnlineFriendsInterfaceIOS.cpp", "OnlineFriendsInterfaceIOS.h", "OnlineIdentityInterfaceIOS.cpp", "OnlineIdentityInterfaceIOS.h", "OnlineLeaderboardsInterfaceIOS.cpp", "OnlineLeaderboardsInterfaceIOS.h", "OnlineSessionInterfaceIOS.cpp", "OnlineSessionInterfaceIOS.h", "OnlineSharedCloudInterfaceIOS.cpp", "OnlineSharedCloudInterfaceIOS.h", "OnlineStoreInterfaceIOS.cpp", "OnlineStoreInterfaceIOS.h", "OnlineSubsystemIOS.cpp", "OnlineSubsystemIOSModule.cpp", "OnlineSubsystemIOSPrivatePCH.h", "OnlineSubsystemIOSTypes.h", "OnlineTurnBasedInterfaceIOS.cpp", "OnlineTurnBasedInterfaceIOS.h", "OnlineUserCloudInterfaceIOS.cpp", "OnlineUserCloudInterfaceIOS.h", "TurnBasedEventListener.cpp", "TurnBasedEventListener.h", "TurnBasedMatchmakerDelegateIOS.cpp", "TurnBasedMatchmakerDelegateIOS.h", "TurnBasedMatchmakerIOS.cpp", "TurnBasedMatchmakerIOS.h", "OnlineSubsystemIOS.h", "OnlineSubsystemIOSModule.h", "OnlineSubsystemIOSPackage.h", "Lobby.Build.cs", "LobbyBeaconClient.cpp", "LobbyBeaconHost.cpp", "LobbyBeaconPlayerState.cpp", "LobbyBeaconState.cpp", "LobbyModule.cpp", "LobbyPrivatePCH.h", "Lobby.h", "LobbyBeaconClient.h", "LobbyBeaconHost.h", "LobbyBeaconPlayerState.h", "LobbyBeaconState.h", "LobbyModule.h", "LobbyPackage.h", "Party.Build.cs", "Party.cpp", "PartyGameState.cpp", "PartyMemberState.cpp", "PartyModule.cpp", "PartyPrivatePCH.h", "Party.h", "PartyGameState.h", "PartyMemberState.h", "PartyModule.h", "PartyPackage.h", "Qos.Build.cs", "QosBeaconClient.cpp", "QosBeaconHost.cpp", "QosEvaluator.cpp", "QosInterface.cpp", "QosModule.cpp", "QosPrivatePCH.h", "QosStats.cpp", "QosStats.h", "Qos.h", "QosBeaconClient.h", "QosBeaconHost.h", "QosEvaluator.h", "QosInterface.h", "QosModule.h", "QosPackage.h", "OnlineSubsystem.Build.cs", "LANBeacon.cpp", "NamedInterfaces.cpp", "OnlineAsyncTaskManager.cpp", "OnlineKeyValuePair.cpp", "OnlineNotification.cpp", "OnlineNotificationHandler.cpp", "OnlineNotificationTransportManager.cpp", "OnlineSessionSettings.cpp", "OnlineStats.cpp", "OnlineSubsystem.cpp", "OnlineSubsystemImpl.cpp", "OnlineSubsystemModule.cpp", "OnlineSubsystemPrivatePCH.h", "TurnBasedMatchInterface.cpp", "LANBeacon.h", "NamedInterfaces.h", "NboSerializer.h", "Online.h", "OnlineAsyncTaskManager.h", "OnlineDelegateMacros.h", "OnlineJsonSerializer.h", "OnlineKeyValuePair.h", "OnlineNotification.h", "OnlineNotificationHandler.h", "OnlineNotificationTransportManager.h", "OnlineSessionSettings.h", "OnlineStats.h", "OnlineSubsystem.h", "OnlineSubsystemImpl.h", "OnlineSubsystemModule.h", "OnlineSubsystemNames.h", "OnlineSubsystemPackage.h", "OnlineSubsystemSessionSettings.h", "OnlineSubsystemTypes.h", "UniqueNetIdWrapper.h", "OnlineAchievementsInterface.h", "OnlineChatInterface.h", "OnlineEntitlementsInterface.h", "OnlineEventsInterface.h", "OnlineExternalUIInterface.h", "OnlineFriendsInterface.h", "OnlineGroupsInterface.h", "OnlineIdentityInterface.h", "OnlineLeaderboardInterface.h", "OnlineMessageInterface.h", "OnlineNotificationTransportInterface.h", "OnlinePartyInterface.h", "OnlinePresenceInterface.h", "OnlinePurchaseInterface.h", "OnlineSessionInterface.h", "OnlineSharedCloudInterface.h", "OnlineSharingInterface.h", "OnlineStoreInterface.h", "OnlineStoreInterfaceV2.h", "OnlineTimeInterface.h", "OnlineTitleFileInterface.h", "OnlineTurnBasedInterface.h", "OnlineUserCloudInterface.h", "OnlineUserInterface.h", "TurnBasedMatchInterface.h", "VoiceInterface.h", "OnlineSubsystemAmazon.Build.cs", "OnlineIdentityAmazon.cpp", "OnlineIdentityAmazon.h", "OnlineSubsystemAmazon.cpp", "OnlineSubsystemAmazonPCH.h", "OnlineSubsystemAmazon.h", "OnlineSubsystemAmazonModule.h", "OnlineSubsystemAmazonPackage.h", "OnlineSubsystemFacebook.Build.cs", "OnlineSubsystemFacebookModule.cpp", "OnlineSubsystemFacebookPrivatePCH.h", "OnlineSubsystemFacebookTypes.h", "OnlineFriendsFacebook.cpp", "OnlineFriendsFacebook.h", "OnlineIdentityFacebook.cpp", "OnlineIdentityFacebook.h", "OnlineSharingFacebook.cpp", "OnlineSharingFacebook.h", "OnlineSubsystemFacebook.cpp", "OnlineUserFacebook.cpp", "OnlineUserFacebook.h", "OnlineFriendsFacebook.cpp", "OnlineFriendsFacebook.h", "OnlineIdentityFacebook.cpp", "OnlineIdentityFacebook.h", "OnlineSubsystemFacebook.cpp", "OnlineSubsystemFacebook.h", "OnlineSubsystemFacebookModule.h", "OnlineSubsystemFacebookPackage.h", "OnlineSubsystemNull.Build.cs", "NboSerializerNull.h", "OnlineAchievementsInterfaceNull.cpp", "OnlineAchievementsInterfaceNull.h", "OnlineAsyncTaskManagerNull.cpp", "OnlineAsyncTaskManagerNull.h", "OnlineIdentityNull.cpp", "OnlineIdentityNull.h", "OnlineLeaderboardInterfaceNull.cpp", "OnlineLeaderboardInterfaceNull.h", "OnlineSessionInterfaceNull.cpp", "OnlineSessionInterfaceNull.h", "OnlineSubsystemModuleNull.cpp", "OnlineSubsystemNull.cpp", "OnlineSubsystemNullPrivatePCH.h", "OnlineSubsystemNullTypes.h", "OnlineSubsystemNull.h", "OnlineSubsystemNullModule.h", "OnlineSubsystemNullPackage.h", "OnlineSubsystemSteam.Build.cs", "SteamNetConnection.h", "SteamNetDriver.h", "IPAddressSteam.cpp", "IPAddressSteam.h", "NboSerializerSteam.h", "OnlineAchievementsInterfaceSteam.cpp", "OnlineAchievementsInterfaceSteam.h", "OnlineAsyncTaskManagerSteam.cpp", "OnlineAsyncTaskManagerSteam.h", "OnlineExternalUIInterfaceSteam.cpp", "OnlineExternalUIInterfaceSteam.h", "OnlineFriendsInterfaceSteam.cpp", "OnlineFriendsInterfaceSteam.h", "OnlineIdentityInterfaceSteam.cpp", "OnlineIdentityInterfaceSteam.h", "OnlineLeaderboardInterfaceSteam.cpp", "OnlineLeaderboardInterfaceSteam.h", "OnlineSessionAsyncLobbySteam.cpp", "OnlineSessionAsyncLobbySteam.h", "OnlineSessionAsyncServerSteam.cpp", "OnlineSessionAsyncServerSteam.h", "OnlineSessionInterfaceSteam.cpp", "OnlineSessionInterfaceSteam.h", "OnlineSharedCloudInterfaceSteam.cpp", "OnlineSharedCloudInterfaceSteam.h", "OnlineSubsystemModuleSteam.cpp", "OnlineSubsystemSteam.cpp", "OnlineSubsystemSteamPrivatePCH.h", "OnlineSubsystemSteamTypes.h", "OnlineUserCloudInterfaceSteam.cpp", "OnlineUserCloudInterfaceSteam.h", "SocketsSteam.cpp", "SocketsSteam.h", "SocketSubsystemSteam.cpp", "SocketSubsystemSteam.h", "SteamNetConnection.cpp", "SteamNetDriver.cpp", "SteamSessionKeys.h", "SteamUtilities.cpp", "SteamUtilities.h", "VoiceEngineSteam.cpp", "VoiceEngineSteam.h", "VoiceInterfaceSteam.cpp", "VoiceInterfaceSteam.h", "VoicePacketSteam.cpp", "VoicePacketSteam.h", "OnlineSubsystemSteam.h", "OnlineSubsystemSteamModule.h", "OnlineSubsystemSteamPackage.h", "OnlineSubsystemUtils.Build.cs", "AchievementBlueprintLibrary.h", "AchievementQueryCallbackProxy.h", "AchievementWriteCallbackProxy.h", "ConnectionCallbackProxy.h", "CreateSessionCallbackProxy.h", "DestroySessionCallbackProxy.h", "EndMatchCallbackProxy.h", "EndTurnCallbackProxy.h", "FindSessionsCallbackProxy.h", "FindTurnBasedMatchCallbackProxy.h", "InAppPurchaseCallbackProxy.h", "InAppPurchaseQueryCallbackProxy.h", "InAppPurchaseRestoreCallbackProxy.h", "IpConnection.h", "IpNetDriver.h", "JoinSessionCallbackProxy.h", "LeaderboardBlueprintLibrary.h", "LeaderboardFlushCallbackProxy.cpp", "LeaderboardFlushCallbackProxy.h", "LeaderboardQueryCallbackProxy.cpp", "LeaderboardQueryCallbackProxy.h", "LogoutCallbackProxy.h", "OnlineBlueprintCallProxyBase.h", "OnlineSessionClient.h", "QuitMatchCallbackProxy.h", "ShowLoginUICallbackProxy.h", "TestBeaconClient.h", "TestBeaconHost.h", "TurnBasedBlueprintLibrary.h", "AchievementBlueprintLibrary.cpp", "AchievementQueryCallbackProxy.cpp", "AchievementWriteCallbackProxy.cpp", "ConnectionCallbackProxy.cpp", "CreateSessionCallbackProxy.cpp", "DestroySessionCallbackProxy.cpp", "EndMatchCallbackProxy.cpp", "EndTurnCallbackProxy.cpp", "FindSessionsCallbackProxy.cpp", "FindTurnBasedMatchCallbackProxy.cpp", "InAppPurchaseCallbackProxy.cpp", "InAppPurchaseQueryCallbackProxy.cpp", "InAppPurchaseRestoreCallbackProxy.cpp", "IpConnection.cpp", "IpNetDriver.cpp", "JoinSessionCallbackProxy.cpp", "LeaderboardBlueprintLibrary.cpp", "LogoutCallbackProxy.cpp", "OnlineBeacon.cpp", "OnlineBeaconClient.cpp", "OnlineBeaconHost.cpp", "OnlineBeaconHostObject.cpp", "OnlineBlueprintCallProxyBase.cpp", "OnlinePIESettings.cpp", "OnlinePIESettings.h", "OnlineSessionClient.cpp", "OnlineSubsystemUtils.cpp", "OnlineSubsystemUtilsModule.cpp", "OnlineSubsystemUtilsPrivatePCH.h", "PartyBeaconClient.cpp", "PartyBeaconHost.cpp", "PartyBeaconState.cpp", "QuitMatchCallbackProxy.cpp", "ShowLoginUICallbackProxy.cpp", "TestBeaconClient.cpp", "TestBeaconHost.cpp", "TurnBasedBlueprintLibrary.cpp", "VoiceEngineImpl.cpp", "VoiceInterfaceImpl.cpp", "VoicePacketImpl.cpp", "OnlineSubsystemUtilitiesTests.cpp", "TestAchievementsInterface.cpp", "TestAchievementsInterface.h", "TestCloudInterface.cpp", "TestCloudInterface.h", "TestEntitlementsInterface.cpp", "TestEntitlementsInterface.h", "TestExternalUIInterface.cpp", "TestExternalUIInterface.h", "TestFriendsInterface.cpp", "TestFriendsInterface.h", "TestIdentityInterface.cpp", "TestIdentityInterface.h", "TestKeyValuePairs.cpp", "TestLeaderboardInterface.cpp", "TestLeaderboardInterface.h", "TestMessageInterface.cpp", "TestMessageInterface.h", "TestSessionInterface.cpp", "TestSessionInterface.h", "TestSharingInterface.cpp", "TestSharingInterface.h", "TestTimeInterface.cpp", "TestTimeInterface.h", "TestTitleFileInterface.cpp", "TestTitleFileInterface.h", "TestUserInterface.cpp", "TestUserInterface.h", "TestVoice.cpp", "TestVoice.h", "TestVoiceData.h", "OnlineBeacon.h", "OnlineBeaconClient.h", "OnlineBeaconHost.h", "OnlineBeaconHostObject.h", "OnlineSubsystemUtils.h", "OnlineSubsystemUtilsModule.h", "OnlineSubsystemUtilsPackage.h", "PartyBeaconClient.h", "PartyBeaconHost.h", "PartyBeaconState.h", "VoiceEngineImpl.h", "VoiceInterfaceImpl.h", "VoicePacketImpl.h", "Voice.Build.cs", "VoiceCodecOpus.cpp", "VoiceCodecOpus.h", "VoiceModule.cpp", "VoicePrivatePCH.h", "VoiceModuleLinux.cpp", "VoiceModuleMac.cpp", "VoiceCaptureWindows.cpp", "VoiceCaptureWindows.h", "VoiceModuleWindows.cpp", "Voice.h", "VoiceModule.h", "VoicePackage.h", "VoiceCapture.h", "VoiceCodec.h", "XMPP.Build.cs", "XmppConnection.cpp", "XmppModule.cpp", "XmppNull.cpp", "XmppNull.h", "XmppPrivatePCH.h", "XmppTests.cpp", "XmppTests.h", "XmppChatJingle.cpp", "XmppChatJingle.h", "XmppConnectionJingle.cpp", "XmppConnectionJingle.h", "XmppJingle.cpp", "XmppJingle.h", "XmppMessagesJingle.cpp", "XmppMessagesJingle.h", "XmppMultiUserChatJingle.cpp", "XmppMultiUserChatJingle.h", "XmppPresenceJingle.cpp", "XmppPresenceJingle.h", "XmppPubSubJingle.cpp", "XmppPubSubJingle.h", "Xmpp.h", "XmppChat.h", "XmppConnection.h", "XmppMessages.h", "XmppModule.h", "XmppMultiUserChat.h", "XmppPackage.h", "XmppPresence.h", "XmppPubSub.h", "OpenGLDrv.Build.cs", "OpenGL3.cpp", "OpenGL4.cpp", "OpenGLCommands.cpp", "OpenGLDebugFrameDump.cpp", "OpenGLDevice.cpp", "OpenGLDrv.cpp", "OpenGLDrvPrivate.h", "OpenGLES2.cpp", "OpenGLES31.cpp", "OpenGLIndexBuffer.cpp", "OpenGLQuery.cpp", "OpenGLRenderTarget.cpp", "OpenGLShaders.cpp", "OpenGLState.cpp", "OpenGLStructuredBuffer.cpp", "OpenGLTexture.cpp", "OpenGLUAV.cpp", "OpenGLUniformBuffer.cpp", "OpenGLUtil.cpp", "OpenGLVertexBuffer.cpp", "OpenGLVertexDeclaration.cpp", "OpenGLViewport.cpp", "AndroidEGL.cpp", "AndroidEGL.h", "AndroidES31OpenGL.cpp", "AndroidES31OpenGL.h", "AndroidOpenGL.cpp", "AndroidOpenGL.h", "AndroidOpenGLPrivate.h", "HTML5OpenGL.cpp", "HTML5OpenGL.h", "IOSOpenGL.cpp", "IOSOpenGL.h", "OpenGLLinux.cpp", "OpenGLLinux.h", "MacOpenGLContext.cpp", "MacOpenGLContext.h", "MacOpenGLQuery.cpp", "MacOpenGLQuery.h", "OpenGLMac.cpp", "OpenGLMac.h", "OpenGLWindows.cpp", "OpenGLWindows.h", "OpenGL.h", "OpenGL3.h", "OpenGL4.h", "OpenGLDrv.h", "OpenGLES2.h", "OpenGLES31.h", "OpenGLResources.h", "OpenGLShaderResources.h", "OpenGLState.h", "OpenGLUtil.h", "RSAEncryptionHandlerComponent.Build.cs", "RSAEncryptionHandlerComponent.cpp", "RSAEncryptionHandlerComponent.h", "EncryptionHandlerComponent.Build.cs", "EncryptionHandlerComponent.cpp", "EncryptionHandlerComponent.h", "AESBlockEncryptor.Build.cs", "AESBlockEncryptor.cpp", "AESBlockEncryptor.h", "BlockEncryptionHandlerComponent.Build.cs", "BlockEncryptionHandlerComponent.cpp", "BlockEncryptionHandlerComponent.h", "BlowFishBlockEncryptor.Build.cs", "BlowFishBlockEncryptor.cpp", "BlowFishBlockEncryptor.h", "TwoFishBlockEncryptor.Build.cs", "TwoFishBlockEncryptor.cpp", "TwoFishBlockEncryptor.h", "XORBlockEncryptor.Build.cs", "XORBlockEncryptor.cpp", "XORBlockEncryptor.h", "StreamEncryptionHandlerComponent.Build.cs", "StreamEncryptionHandlerComponent.cpp", "StreamEncryptionHandlerComponent.h", "XORStreamEncryptor.Build.cs", "XORStreamEncryptor.cpp", "XORStreamEncryptor.h", "PacketHandler.Build.cs", "PacketHandler.cpp", "PacketHandler.h", "ReliabilityHandlerComponent.Build.cs", "ReliabilityHandlerComponent.cpp", "ReliabilityHandlerComponent.h", "PakFile.Build.cs", "IPlatformFilePak.cpp", "PakFilePrivatePCH.h", "SignedArchiveReader.cpp", "SignedArchiveReader.h", "IPlatformFilePak.h", "PerfCounters.Build.cs", "PerfCounters.cpp", "PerfCounters.h", "PerfCountersModule.cpp", "PerfCountersModule.h", "PhysXFormats.Build.cs", "PhysXFormats.cpp", "PhysXFormats.h", "IPhysXFormat.h", "IPhysXFormatModule.h", "PortalMessages.Build.cs", "PortalMessagesModule.cpp", "PortalMessagesPrivatePCH.h", "PortalApplicationWindowMessages.h", "PortalPackageInstallerMessages.h", "PortalUserLoginMessages.h", "PortalUserMessages.h", "PortalProxies.Build.cs", "PortalProxiesModule.cpp", "PortalProxiesPrivatePCH.h", "PortalUserLoginProxy.cpp", "PortalUserLoginProxy.h", "PortalUserProxy.cpp", "PortalUserProxy.h", "PortalApplicationWindowProxy.cpp", "PortalApplicationWindowProxy.h", "PortalPackageInstallerProxy.h", "PortalRpc.Build.cs", "PortalRpcLocator.cpp", "PortalRpcLocator.h", "PortalRpcMessages.h", "PortalRpcModule.cpp", "PortalRpcPrivatePCH.h", "PortalRpcResponder.cpp", "PortalRpcResponder.h", "PortalRpcServer.cpp", "PortalRpcServer.h", "IPortalRpcLocator.h", "IPortalRpcModule.h", "IPortalRpcResponder.h", "IPortalRpcServer.h", "PortalServices.Build.cs", "PortalServiceLocator.cpp", "PortalServiceLocator.h", "PortalServicesModule.cpp", "PortalServicesPrivatePCH.h", "IPortalService.h", "IPortalServiceLocator.h", "IPortalServiceProvider.h", "IPortalServicesModule.h", "IPortalUser.h", "IPortalUserLogin.h", "IPortalApplicationWindow.h", "IPortalPackageInstaller.h", "Projects.Build.cs", "ModuleDescriptor.cpp", "PluginDescriptor.cpp", "PluginManager.cpp", "PluginManager.h", "ProjectDescriptor.cpp", "ProjectManager.cpp", "ProjectManager.h", "ProjectsModule.cpp", "ProjectsPrivatePCH.h", "VersionManifest.cpp", "ModuleDescriptor.h", "PluginDescriptor.h", "ProjectDescriptor.h", "Projects.h", "VersionManifest.h", "IPluginManager.h", "IProjectManager.h", "RenderCore.Build.cs", "RenderCore.cpp", "RenderingThread.cpp", "RenderResource.cpp", "RenderUtils.cpp", "PackedNormal.h", "RenderCommandFence.h", "RenderCore.h", "RenderingThread.h", "RenderResource.h", "RenderUtils.h", "TickableObjectRenderThread.h", "UniformBuffer.h", "Renderer.Build.cs", "AmbientCubemapParameters.h", "AtmosphereRendering.cpp", "AtmosphereRendering.h", "AtmosphereTextures.cpp", "AtmosphereTextures.h", "BasePassRendering.cpp", "BasePassRendering.h", "CapsuleShadowRendering.cpp", "ClearQuad.cpp", "ClearQuad.h", "ConvertToUniformMesh.cpp", "CustomDepthRendering.cpp", "CustomDepthRendering.h", "DecalRenderingForwardShading.cpp", "DecalRenderingShared.cpp", "DecalRenderingShared.h", "DeferredShadingRenderer.cpp", "DeferredShadingRenderer.h", "DepthRendering.cpp", "DepthRendering.h", "DistanceFieldGlobalIllumination.cpp", "DistanceFieldGlobalIllumination.h", "DistanceFieldLightingPost.cpp", "DistanceFieldLightingPost.h", "DistanceFieldLightingShared.h", "DistanceFieldObjectManagement.cpp", "DistanceFieldScreenGridLighting.cpp", "DistanceFieldShadowing.cpp", "DistanceFieldSurfaceCacheLighting.cpp", "DistanceFieldSurfaceCacheLighting.h", "DistortionRendering.cpp", "DistortionRendering.h", "DrawingPolicy.cpp", "DynamicPrimitiveDrawing.h", "EditorCompositeParams.cpp", "EditorCompositeParams.h", "FogRendering.cpp", "ForwardBasePassRendering.cpp", "ForwardBasePassRendering.h", "ForwardShadingRenderer.cpp", "ForwardTranslucentRendering.cpp", "GammaCorrection.cpp", "GlobalDistanceField.cpp", "GlobalDistanceField.h", "GPUBenchmark.cpp", "GPUBenchmark.h", "HdrCustomResolveShaders.cpp", "HeightfieldLighting.cpp", "HeightfieldLighting.h", "IndirectLightingCache.cpp", "LightFunctionRendering.cpp", "LightGrid.h", "LightMapDensityRendering.cpp", "LightMapDensityRendering.h", "LightMapRendering.cpp", "LightMapRendering.h", "LightPropagationVolume.cpp", "LightPropagationVolume.h", "LightPropagationVolumeVisualisation.cpp", "LightRendering.cpp", "LightRendering.h", "LightSceneInfo.cpp", "LightSceneInfo.h", "LightShaftRendering.cpp", "PreCullTriangles.cpp", "PrimitiveSceneInfo.cpp", "ReflectionEnvironment.cpp", "ReflectionEnvironment.h", "ReflectionEnvironmentCapture.cpp", "ReflectionEnvironmentCapture.h", "ReflectionEnvironmentDiffuseIrradiance.cpp", "Renderer.cpp", "RendererPrivate.h", "RendererScene.cpp", "SceneCaptureRendering.cpp", "SceneCore.cpp", "SceneCore.h", "SceneHitProxyRendering.cpp", "SceneHitProxyRendering.h", "SceneOcclusion.cpp", "SceneOcclusion.h", "ScenePrivate.h", "SceneRendering.cpp", "SceneRendering.h", "SceneVisibility.cpp", "ShaderBaseClasses.cpp", "ShaderBaseClasses.h", "ShaderComplexityRendering.cpp", "ShaderComplexityRendering.h", "ShadowRendering.cpp", "ShadowRendering.h", "ShadowSetup.cpp", "StaticMeshDrawList.h", "SurfelTree.cpp", "SystemTextures.cpp", "SystemTextures.h", "TiledDeferredLightRendering.cpp", "TranslucentLighting.cpp", "TranslucentRendering.cpp", "TranslucentRendering.h", "VelocityRendering.cpp", "VelocityRendering.h", "VertexDensityRendering.cpp", "CompositionLighting.cpp", "CompositionLighting.h", "PostProcessAmbient.cpp", "PostProcessAmbient.h", "PostProcessAmbientOcclusion.cpp", "PostProcessAmbientOcclusion.h", "PostProcessDeferredDecals.cpp", "PostProcessDeferredDecals.h", "PostProcessLpvIndirect.cpp", "PostProcessLpvIndirect.h", "PostProcessPassThrough.cpp", "PostProcessPassThrough.h", "PostProcessAA.cpp", "PostProcessAA.h", "PostProcessBloomSetup.cpp", "PostProcessBloomSetup.h", "PostProcessBlurGBuffer.h", "PostProcessBokehDOF.cpp", "PostProcessBokehDOF.h", "PostProcessBokehDOFRecombine.cpp", "PostProcessBokehDOFRecombine.h", "PostProcessBusyWait.cpp", "PostProcessBusyWait.h", "PostProcessCircleDOF.cpp", "PostProcessCircleDOF.h", "PostProcessCombineLUTs.cpp", "PostProcessCombineLUTs.h", "PostProcessCompositeEditorPrimitives.cpp", "PostProcessCompositeEditorPrimitives.h", "PostProcessDOF.cpp", "PostProcessDOF.h", "PostProcessDownsample.cpp", "PostProcessDownsample.h", "PostProcessEyeAdaptation.cpp", "PostProcessEyeAdaptation.h", "PostProcessGBufferHints.cpp", "PostProcessGBufferHints.h", "PostProcessHierarchical.cpp", "PostProcessHierarchical.h", "PostProcessHistogram.cpp", "PostProcessHistogram.h", "PostProcessHistogramReduce.cpp", "PostProcessHistogramReduce.h", "PostProcessHMD.cpp", "PostProcessHMD.h", "PostProcessing.cpp", "PostProcessing.h", "PostProcessInput.cpp", "PostProcessInput.h", "PostProcessLensBlur.cpp", "PostProcessLensBlur.h", "PostProcessLensFlares.cpp", "PostProcessLensFlares.h", "PostProcessMaterial.cpp", "PostProcessMaterial.h", "PostProcessMobile.cpp", "PostProcessMobile.h", "PostProcessMorpheus.cpp", "PostProcessMorpheus.h", "PostProcessMotionBlur.cpp", "PostProcessMotionBlur.h", "PostProcessNoiseBlur.cpp", "PostProcessNoiseBlur.h", "PostProcessOutput.cpp", "PostProcessOutput.h", "PostProcessSelectionOutline.cpp", "PostProcessSelectionOutline.h", "PostProcessSubsurface.cpp", "PostProcessSubsurface.h", "PostProcessTemporalAA.cpp", "PostProcessTemporalAA.h", "PostProcessTestImage.cpp", "PostProcessTestImage.h", "PostProcessTonemap.cpp", "PostProcessTonemap.h", "PostProcessUpscale.cpp", "PostProcessUpscale.h", "PostProcessVisualizeBuffer.cpp", "PostProcessVisualizeBuffer.h", "PostProcessVisualizeComplexity.cpp", "PostProcessVisualizeComplexity.h", "PostProcessVisualizeHDR.cpp", "PostProcessVisualizeHDR.h", "PostProcessWeightedSampleSum.cpp", "PostProcessWeightedSampleSum.h", "RenderingCompositionGraph.cpp", "RenderingCompositionGraph.h", "RenderTargetPool.cpp", "RenderTargetPool.h", "SceneFilterRendering.cpp", "SceneFilterRendering.h", "SceneRenderTargets.cpp", "SceneRenderTargets.h", "ScreenSpaceReflections.cpp", "ScreenSpaceReflections.h", "VisualizeTexture.cpp", "VisualizeTexture.h", "AtmosphereTextureParameters.h", "DrawingPolicy.h", "GlobalDistanceFieldParameters.h", "HdrCustomResolveShaders.h", "MaterialShader.h", "MeshMaterialShader.h", "PostProcessParameters.h", "PrimitiveSceneInfo.h", "RendererInterface.h", "SceneRenderTargetParameters.h", "RHI.Build.cs", "BoundShaderStateCache.cpp", "DynamicRHI.cpp", "GPUProfiler.cpp", "RHI.cpp", "RHICommandList.cpp", "RHIUtilities.cpp", "AndroidDynamicRHI.cpp", "AppleDynamicRHI.cpp", "HTML5DynamicRHI.cpp", "LinuxDynamicRHI.cpp", "WindowsDynamicRHI.cpp", "WinRTDynamicRHI.cpp", "BoundShaderStateCache.h", "DynamicRHI.h", "GPUProfiler.h", "RHI.h", "RHICommandList.h", "RHIDefinitions.h", "RHIResources.h", "RHIStaticStates.h", "RHIUtilities.h", "RuntimeAssetCache.Build.cs", "RuntimeAssetCache.cpp", "RuntimeAssetCache.h", "RuntimeAssetCacheAsyncWorker.cpp", "RuntimeAssetCacheAsyncWorker.h", "RuntimeAssetCacheBackend.cpp", "RuntimeAssetCacheBackend.h", "RuntimeAssetCacheBPHooks.cpp", "RuntimeAssetCacheBucket.cpp", "RuntimeAssetCacheBucket.h", "RuntimeAssetCacheBucketScopeLock.h", "RuntimeAssetCacheBuilders.cpp", "RuntimeAssetCacheEntryMetadata.h", "RuntimeAssetCacheFilesystemBackend.cpp", "RuntimeAssetCacheFilesystemBackend.h", "RuntimeAssetCacheModule.cpp", "RuntimeAssetCachePrivatePCH.h", "RuntimeAssetCacheBPHooks.h", "RuntimeAssetCacheBuilders.h", "RuntimeAssetCacheInterface.h", "RuntimeAssetCacheModule.h", "RuntimeAssetCachePluginInterface.h", "RuntimeAssetCachePublicPCH.h", "SandboxFile.Build.cs", "IPlatformFileSandboxWrapper.cpp", "SandboxFilePrivatePCH.h", "IPlatformFileSandboxWrapper.h", "Serialization.Build.cs", "SerializationModule.cpp", "SerializationPrivatePCH.h", "StructDeserializer.cpp", "StructSerializer.cpp", "JsonStructDeserializerBackend.cpp", "JsonStructSerializerBackend.cpp", "StructSerializerTest.cpp", "StructSerializerTestTypes.h", "IStructDeserializerBackend.h", "IStructSerializerBackend.h", "StructDeserializer.h", "StructSerializer.h", "JsonStructDeserializerBackend.h", "JsonStructSerializerBackend.h", "ShaderCore.Build.cs", "Shader.cpp", "ShaderCache.cpp", "ShaderCore.cpp", "ShaderParameters.cpp", "VertexFactory.cpp", "CrossCompilerCommon.h", "Shader.h", "ShaderCache.h", "ShaderCore.h", "ShaderParameters.h", "ShaderParameterUtils.h", "VertexFactory.h", "Slate.Build.cs", "SlateModule.cpp", "SlatePrivatePCH.h", "AnalogCursor.cpp", "Menu.cpp", "Menu.h", "MenuStack.cpp", "SlateApplication.cpp", "SlateIcon.cpp", "Commands.cpp", "GenericCommands.cpp", "InputBindingManager.cpp", "InputChord.cpp", "UICommandDragDropOp.cpp", "UICommandInfo.cpp", "UICommandList.cpp", "DockingPrivate.h", "FDockingDragOperation.cpp", "FDockingDragOperation.h", "LayoutService.cpp", "SDockingArea.cpp", "SDockingArea.h", "SDockingCross.cpp", "SDockingCross.h", "SDockingNode.cpp", "SDockingNode.h", "SDockingSplitter.cpp", "SDockingSplitter.h", "SDockingTabStack.cpp", "SDockingTabStack.h", "SDockingTabWell.cpp", "SDockingTabWell.h", "SDockingTarget.cpp", "SDockingTarget.h", "SDockTabStack.cpp", "TabCommands.cpp", "TabManager.cpp", "InertialScrollManager.cpp", "Overscroll.cpp", "ScrollyZoomy.cpp", "MultiBox.cpp", "MultiBoxBuilder.cpp", "MultiBoxCustomization.cpp", "MultiBoxCustomization.h", "MultiBoxExtender.cpp", "SButtonRowBlock.cpp", "SButtonRowBlock.h", "SClippingHorizontalBox.cpp", "SClippingHorizontalBox.h", "SEditableTextBlock.cpp", "SEditableTextBlock.h", "SGroupMarkerBlock.cpp", "SGroupMarkerBlock.h", "SHeadingBlock.cpp", "SHeadingBlock.h", "SMenuEntryBlock.cpp", "SMenuEntryBlock.h", "SMenuSeparatorBlock.cpp", "SMenuSeparatorBlock.h", "SToolBarButtonBlock.cpp", "SToolBarComboButtonBlock.cpp", "SToolBarSeparatorBlock.cpp", "SToolBarSeparatorBlock.h", "SWidgetBlock.cpp", "SWidgetBlock.h", "MacMenu.cpp", "MacMenu.h", "NotificationManager.cpp", "ButtonWidgetStyle.cpp", "CheckBoxWidgetStyle.cpp", "ComboBoxWidgetStyle.cpp", "ComboButtonWidgetStyle.cpp", "EditableTextBoxWidgetStyle.cpp", "EditableTextWidgetStyle.cpp", "ProgressWidgetStyle.cpp", "ScrollBarWidgetStyle.cpp", "ScrollBoxWidgetStyle.cpp", "SpinBoxWidgetStyle.cpp", "TextBlockWidgetStyle.cpp", "PlainTextLayoutMarshaller.cpp", "RichTextLayoutMarshaller.cpp", "RichTextMarkupProcessing.cpp", "RichTextMarkupProcessing.h", "RunUtils.cpp", "ShapedTextCache.cpp", "SlateHyperlinkRun.cpp", "SlateImageRun.cpp", "SlateTextHighlightRunRenderer.cpp", "SlateTextLayout.cpp", "SlateTextRun.cpp", "SlateWidgetRun.cpp", "SyntaxHighlighterTextLayoutMarshaller.cpp", "SyntaxTokenizer.cpp", "TextDecorators.cpp", "TextEditHelper.cpp", "TextEditHelper.h", "TextLayout.cpp", "TextRange.cpp", "AndroidPlatformTextField.cpp", "IOSPlatformTextField.cpp", "RichTextMarkupProcessingTest.cpp", "SCanvas.cpp", "SInvalidationPanel.cpp", "SToolTip.cpp", "SViewport.cpp", "SWeakWidget.cpp", "SColorBlock.cpp", "SColorSpectrum.cpp", "SColorWheel.cpp", "SDockableTab.cpp", "SDockTab.cpp", "SImage.cpp", "SSpinningImage.cpp", "SThrobber.cpp", "SButton.cpp", "SCheckBox.cpp", "SComboButton.cpp", "SEditableLabel.cpp", "SEditableText.cpp", "SEditableTextBox.cpp", "SExpandableButton.cpp", "SMenuAnchor.cpp", "SMultiLineEditableTextBox.cpp", "SRotatorInputBox.cpp", "SSearchBox.cpp", "SSlider.cpp", "SSubMenuHandler.cpp", "SSuggestionTextBox.cpp", "STextComboBox.cpp", "STextComboPopup.cpp", "STextEntryPopup.cpp", "SVectorInputBox.cpp", "SVirtualJoystick.cpp", "SVirtualKeyboardEntry.cpp", "SVolumeControl.cpp", "SLayerManager.cpp", "STooltipPresenter.cpp", "SBorder.cpp", "SBox.cpp", "SDPIScaler.cpp", "SExpandableArea.cpp", "SFxWidget.cpp", "SGridPanel.cpp", "SHeader.cpp", "SMenuOwner.cpp", "SMissingWidget.cpp", "SPopup.cpp", "SResponsiveGridPanel.cpp", "SSafeZone.cpp", "SScaleBox.cpp", "SScissorRectBox.cpp", "SScrollBar.cpp", "SScrollBorder.cpp", "SScrollBox.cpp", "SSeparator.cpp", "SSpacer.cpp", "SSplitter.cpp", "SUniformGridPanel.cpp", "SWidgetSwitcher.cpp", "SWrapBox.cpp", "SErrorHint.cpp", "SErrorText.cpp", "SNotificationList.cpp", "SPopUpErrorText.cpp", "SProgressBar.cpp", "ITextEditorWidget.cpp", "SInlineEditableTextBlock.cpp", "SMultiLineEditableText.cpp", "SRichTextBlock.cpp", "STextBlock.cpp", "TextBlockLayout.cpp", "SExpanderArrow.cpp", "SHeaderRow.cpp", "SListPanel.cpp", "SListPanel.h", "STableViewBase.cpp", "Slate.h", "SlateBasics.h", "SlateExtras.h", "SlateFwd.h", "SlateMaterialBrush.h", "SlateOptMacros.h", "MarqueeRect.h", "SlateDelegates.h", "AnalogCursor.h", "IInputProcessor.h", "IMenu.h", "IPlatformTextField.h", "IWidgetReflector.h", "MenuStack.h", "NavigationConfig.h", "SlateApplication.h", "SWindowTitleBar.h", "Commands.h", "GenericCommands.h", "InputBindingManager.h", "InputChord.h", "InputGesture.h", "UIAction.h", "UICommandDragDropOp.h", "UICommandInfo.h", "UICommandList.h", "LayoutService.h", "TabCommands.h", "TabManager.h", "WorkspaceItem.h", "InertialScrollManager.h", "IScrollableWidget.h", "Overscroll.h", "ScrollyZoomy.h", "SlateScrollHelper.h", "MultiBox.h", "MultiBoxBuilder.h", "MultiBoxDefs.h", "MultiBoxExtender.h", "SToolBarButtonBlock.h", "SToolBarComboButtonBlock.h", "NotificationManager.h", "ButtonWidgetStyle.h", "CheckBoxWidgetStyle.h", "ComboBoxWidgetStyle.h", "ComboButtonWidgetStyle.h", "EditableTextBoxWidgetStyle.h", "EditableTextWidgetStyle.h", "ProgressWidgetStyle.h", "ScrollBarWidgetStyle.h", "ScrollBoxWidgetStyle.h", "SpinBoxWidgetStyle.h", "TextBlockWidgetStyle.h", "BaseTextLayoutMarshaller.h", "DefaultLayoutBlock.h", "GenericPlatformTextField.h", "ILayoutBlock.h", "ILineHighlighter.h", "IRichTextMarkupParser.h", "IRichTextMarkupWriter.h", "IRun.h", "IRunRenderer.h", "ISlateLineHighlighter.h", "ISlateRun.h", "ISlateRunRenderer.h", "ITextDecorator.h", "ITextLayoutMarshaller.h", "PlainTextLayoutMarshaller.h", "RichTextLayoutMarshaller.h", "RunUtils.h", "ShapedTextCache.h", "ShapedTextCacheFwd.h", "SlateHyperlinkRun.h", "SlateImageRun.h", "SlateTextHighlightRunRenderer.h", "SlateTextLayout.h", "SlateTextRun.h", "SlateWidgetRun.h", "SyntaxHighlighterTextLayoutMarshaller.h", "SyntaxTokenizer.h", "TextDecorators.h", "TextHitPoint.h", "TextLayout.h", "TextLayoutEngine.h", "TextLayoutFactory.h", "TextLine.h", "TextLineHighlight.h", "TextRange.h", "TextRunRenderer.h", "WidgetLayoutBlock.h", "AndroidPlatformTextField.h", "IOSPlatformTextField.h", "ITypedTableView.h", "TableViewTypeTraits.h", "SCanvas.h", "SInvalidationPanel.h", "SToolTip.h", "SViewport.h", "SWeakWidget.h", "SColorBlock.h", "SColorSpectrum.h", "SColorWheel.h", "SDockableTab.h", "SDockTab.h", "SDockTabStack.h", "SImage.h", "SSpinningImage.h", "SThrobber.h", "IVirtualKeyboardEntry.h", "NumericTypeInterface.h", "SButton.h", "SCheckBox.h", "SComboBox.h", "SComboButton.h", "SEditableComboBox.h", "SEditableLabel.h", "SEditableText.h", "SEditableTextBox.h", "SExpandableButton.h", "SHyperlink.h", "SMenuAnchor.h", "SMultiLineEditableTextBox.h", "SNumericDropDown.h", "SNumericEntryBox.h", "SRichTextHyperlink.h", "SRotatorInputBox.h", "SSearchBox.h", "SSlider.h", "SSpinBox.h", "SSubMenuHandler.h", "SSuggestionTextBox.h", "STextComboBox.h", "STextComboPopup.h", "STextEntryPopup.h", "SVectorInputBox.h", "SVirtualJoystick.h", "SVirtualKeyboardEntry.h", "SVolumeControl.h", "SLayerManager.h", "STooltipPresenter.h", "Anchors.h", "SBorder.h", "SBox.h", "SConstraintCanvas.cpp", "SConstraintCanvas.h", "SDPIScaler.h", "SEnableBox.h", "SExpandableArea.h", "SFxWidget.h", "SGridPanel.h", "SHeader.h", "SMenuOwner.h", "SMissingWidget.h", "SPopup.h", "SResponsiveGridPanel.h", "SSafeZone.h", "SScaleBox.h", "SScissorRectBox.h", "SScrollBar.h", "SScrollBorder.h", "SScrollBox.h", "SSeparator.h", "SSpacer.h", "SSplitter.h", "SUniformGridPanel.h", "SWidgetSwitcher.h", "SWrapBox.h", "SBreadcrumbTrail.h", "INotificationWidget.h", "SErrorHint.h", "SErrorText.h", "SNotificationList.h", "SPopUpErrorText.h", "SProgressBar.h", "ITextEditorWidget.h", "SInlineEditableTextBlock.h", "SMultiLineEditableText.h", "SRichTextBlock.h", "STextBlock.h", "TextBlockLayout.h", "SExpanderArrow.h", "SHeaderRow.h", "SListView.h", "STableRow.h", "STableViewBase.h", "STileView.h", "STreeView.h", "SlateCore.Build.cs", "Children.cpp", "SlateCoreClasses.cpp", "SlateCoreModule.cpp", "SlateCorePrivatePCH.h", "SlotBase.cpp", "CurveHandle.cpp", "CurveSequence.cpp", "ActiveTimerHandle.cpp", "ActiveTimerHandle.h", "SlateApplicationBase.cpp", "SlateWindowHelper.cpp", "ThrottleManager.cpp", "SlateDynamicImageBrush.cpp", "CompositeFont.cpp", "FontBulkData.cpp", "FontCache.cpp", "FontCacheCompositeFont.cpp", "FontCacheCompositeFont.h", "FontCacheFreeType.cpp", "FontCacheFreeType.h", "FontCacheHarfBuzz.cpp", "FontCacheHarfBuzz.h", "FontCacheUtils.h", "FontMeasure.cpp", "FontProviderInterface.cpp", "FontTypes.cpp", "LegacySlateFontInfoCache.cpp", "LegacySlateFontInfoCache.h", "SlateFontInfo.cpp", "SlateFontRenderer.cpp", "SlateFontRenderer.h", "SlateTextShaper.cpp", "SlateTextShaper.h", "DragAndDrop.cpp", "Events.cpp", "HittestGrid.cpp", "ArrangedChildren.cpp", "ArrangedWidget.cpp", "Geometry.cpp", "LayoutGeometry.cpp", "LayoutUtils.cpp", "SlateRect.cpp", "Visibility.cpp", "WidgetCaching.cpp", "WidgetPath.cpp", "EventLogger.cpp", "DrawElements.cpp", "ElementBatcher.cpp", "RenderingCommon.cpp", "RenderingPolicy.cpp", "ShaderResourceManager.cpp", "SlateDrawBuffer.cpp", "SlateRenderer.cpp", "SlateSound.cpp", "SlateStats.cpp", "CoreStyle.cpp", "SlateBrush.cpp", "SlateColor.cpp", "SlateStyleRegistry.cpp", "SlateStyleSet.cpp", "SlateTypes.cpp", "SlateWidgetStyleAsset.cpp", "SlateWidgetStyleContainerBase.cpp", "SlateWidgetStyleContainerInterface.cpp", "StyleDefaults.cpp", "TextureAtlas.cpp", "PaintArgs.cpp", "WidgetStyle.cpp", "SBoxPanel.cpp", "SCompoundWidget.cpp", "SLeafWidget.cpp", "SNullWidget.cpp", "SOverlay.cpp", "SPanel.cpp", "SWidget.cpp", "SWindow.cpp", "SlateCore.h", "SlotBase.h", "CurveHandle.h", "CurveSequence.h", "SlateSprings.h", "SlateApplicationBase.h", "SlateWindowHelper.h", "ThrottleManager.h", "SlateBorderBrush.h", "SlateBoxBrush.h", "SlateColorBrush.h", "SlateDynamicImageBrush.h", "SlateImageBrush.h", "SlateNoResource.h", "CompositeFont.h", "FontBulkData.h", "FontCache.h", "FontMeasure.h", "FontProviderInterface.h", "FontTypes.h", "SlateFontInfo.h", "CursorReply.h", "DragAndDrop.h", "Events.h", "HittestGrid.h", "NavigationReply.h", "PopupMethodReply.h", "Reply.h", "ReplyBase.h", "ArrangedChildren.h", "ArrangedWidget.h", "Children.h", "Geometry.h", "LayoutGeometry.h", "LayoutUtils.h", "Margin.h", "PaintGeometry.h", "SlateRect.h", "Visibility.h", "WidgetCaching.h", "WidgetPath.h", "EventLogger.h", "IEventLogger.h", "DrawElements.h", "ElementBatcher.h", "RenderingCommon.h", "RenderingPolicy.h", "ShaderResourceManager.h", "SlateDrawBuffer.h", "SlateLayoutTransform.h", "SlateRenderer.h", "SlateRenderTransform.h", "ISlateSoundDevice.h", "SlateSound.h", "SlateStats.h", "CoreStyle.h", "ISlateStyle.h", "SlateBrush.h", "SlateColor.h", "SlateStyle.h", "SlateStyleRegistry.h", "SlateTypes.h", "SlateWidgetStyle.h", "SlateWidgetStyleAsset.h", "SlateWidgetStyleContainerBase.h", "SlateWidgetStyleContainerInterface.h", "StyleDefaults.h", "WidgetStyle.h", "SlateIcon.h", "SlateShaderResource.h", "SlateTextureData.h", "SlateUpdatableTexture.h", "TextureAtlas.h", "ISlateMetaData.h", "NavigationMetaData.h", "PaintArgs.h", "ReflectionMetadata.h", "SlateConstants.h", "SlateEnums.h", "SlateStructs.h", "WidgetActiveTimerDelegate.h", "DeclarativeSyntaxSupport.h", "IToolTip.h", "SBoxPanel.h", "SCompoundWidget.h", "SLeafWidget.h", "SNullWidget.h", "SOverlay.h", "SPanel.h", "SUserWidget.h", "SWidget.h", "SWindow.h", "SlateNullRenderer.Build.cs", "SlateNullRenderer.cpp", "SlateNullRenderer.h", "SlateNullRendererModule.cpp", "SlateNullRendererPrivatePCH.h", "ISlateNullRendererModule.h", "SWidgetReflector.h", "SlateRHIRenderer.Build.cs", "Slate3DRenderer.cpp", "Slate3DRenderer.h", "SlateElementIndexBuffer.cpp", "SlateElementIndexBuffer.h", "SlateElementVertexBuffer.cpp", "SlateElementVertexBuffer.h", "SlateMaterialResource.cpp", "SlateMaterialResource.h", "SlateMaterialShader.cpp", "SlateMaterialShader.h", "SlateNativeTextureResource.cpp", "SlateNativeTextureResource.h", "SlateRHIFontTexture.cpp", "SlateRHIFontTexture.h", "SlateRHIRenderer.cpp", "SlateRHIRenderer.h", "SlateRHIRendererModule.cpp", "SlateRHIRendererPrivatePCH.h", "SlateRHIRenderingPolicy.cpp", "SlateRHIRenderingPolicy.h", "SlateRHIResourceManager.cpp", "SlateRHIResourceManager.h", "SlateRHITextureAtlas.cpp", "SlateRHITextureAtlas.h", "SlateShaders.cpp", "SlateShaders.h", "SlateUpdatableBuffer.cpp", "SlateUpdatableBuffer.h", "SlateUTextureResource.cpp", "SlateUTextureResource.h", "ISlate3DRenderer.h", "ISlateRHIRendererModule.h", "Sockets.Build.cs", "IPAddress.cpp", "MultichannelTCP.cpp", "NetworkMessage.cpp", "ServerTOC.cpp", "Sockets.cpp", "SocketsPrivatePCH.h", "SocketSubsystem.cpp", "SocketSubsystemAndroid.cpp", "SocketSubsystemAndroid.h", "IPAddressBSDIPv6.h", "SocketsBSDIPv6.cpp", "SocketsBSDIPv6.h", "SocketSubsystemBSDIPv6.cpp", "SocketSubsystemBSDIPv6.h", "IPAddressBSD.h", "SocketsBSD.cpp", "SocketsBSD.h", "SocketSubsystemBSD.cpp", "SocketSubsystemBSD.h", "SocketSubsystemBSDPrivate.h", "SocketSubsystem.cpp", "SocketSubsystem.h", "IPAddressX.cpp", "IPAddressX.h", "SocketSubsystem.cpp", "SocketSubsystem.h", "SocketX.cpp", "SocketX.h", "SocketSubsystemIOS.cpp", "SocketSubsystemIOS.h", "SocketSubsystemLinux.cpp", "SocketSubsystemLinux.h", "SocketSubsystemMac.cpp", "SocketSubsystemMac.h", "SocketSubsystemWindows.cpp", "SocketSubsystemWindows.h", "SocketSubsystemWinRT.cpp", "SocketSubsystemWinRT.h", "IPAddress.h", "MultichannelTCP.h", "MultichannelTcpReceiver.h", "MultichannelTcpSender.h", "MultichannelTcpSocket.h", "NetworkMessage.h", "ServerTOC.h", "Sockets.h", "SocketSubsystem.h", "SocketSubsystemModule.h", "SocketSubsystemPackage.h", "SocketTypes.h", "SQLiteSupport.Build.cs", "SQLiteDatabaseConnection.cpp", "SQLiteResultSet.cpp", "SQLiteSupport.cpp", "SQLiteSupportPrivatePCH.h", "SQLiteDatabaseConnection.h", "SQLiteResultSet.h", "SQLiteSupport.h", "StreamingFile.Build.cs", "StreamingFilePrivatePCH.h", "StreamingNetworkPlatformFile.cpp", "StreamingNetworkPlatformFile.h", "StreamingPauseRendering.Build.cs", "StreamingPauseRendering.cpp", "StreamingPauseRendering.h", "Toolbox.Build.cs", "ToolboxModule.cpp", "ToolboxModule.h", "UE4Game.Build.cs", "UE4Game.cpp", "UMG.Build.cs", "DragDropOperation.cpp", "SlateBlueprintLibrary.cpp", "UMGModule.cpp", "UMGPrivatePCH.h", "UMGStyle.cpp", "UserWidget.cpp", "UWidgetNavigation.cpp", "WidgetBlueprintGeneratedClass.cpp", "WidgetBlueprintLibrary.cpp", "WidgetLayoutLibrary.cpp", "WidgetTree.cpp", "MovieScene2DTransformSection.cpp", "MovieScene2DTransformTrack.cpp", "MovieScene2DTransformTrackInstance.cpp", "MovieScene2DTransformTrackInstance.h", "MovieSceneMarginSection.cpp", "MovieSceneMarginTrack.cpp", "MovieSceneMarginTrackInstance.cpp", "MovieSceneMarginTrackInstance.h", "UMGSequencePlayer.cpp", "WidgetAnimation.cpp", "WidgetAnimationBinding.cpp", "BoolBinding.cpp", "BrushBinding.cpp", "CheckedStateBinding.cpp", "ColorBinding.cpp", "DynamicPropertyPath.cpp", "FloatBinding.cpp", "Int32Binding.cpp", "MouseCursorBinding.cpp", "PropertyBinding.cpp", "TextBinding.cpp", "VisibilityBinding.cpp", "WidgetBinding.cpp", "AsyncTaskDownloadImage.cpp", "Border.cpp", "BorderSlot.cpp", "Button.cpp", "ButtonSlot.cpp", "CanvasPanel.cpp", "CanvasPanelSlot.cpp", "CheckBox.cpp", "CircularThrobber.cpp", "ComboBox.cpp", "ComboBoxString.cpp", "ContentWidget.cpp", "EditableText.cpp", "EditableTextBox.cpp", "ExpandableArea.cpp", "GridPanel.cpp", "GridSlot.cpp", "HorizontalBox.cpp", "HorizontalBoxSlot.cpp", "Image.cpp", "InvalidationBox.cpp", "ListView.cpp", "MenuAnchor.cpp", "MultiLineEditableText.cpp", "MultiLineEditableTextBox.cpp", "NamedSlot.cpp", "NamedSlotInterface.cpp", "NativeWidgetHost.cpp", "Overlay.cpp", "OverlaySlot.cpp", "PanelSlot.cpp", "PanelWidget.cpp", "ProgressBar.cpp", "RetainerBox.cpp", "RichTextBlock.cpp", "RichTextBlockDecorator.cpp", "SafeZone.cpp", "SafeZoneSlot.cpp", "ScaleBox.cpp", "ScaleBoxSlot.cpp", "ScrollBar.cpp", "ScrollBox.cpp", "ScrollBoxSlot.cpp", "SizeBox.cpp", "SizeBoxSlot.cpp", "Slider.cpp", "Spacer.cpp", "SpinBox.cpp", "TableViewBase.cpp", "TextBlock.cpp", "TextWidgetTypes.cpp", "Throbber.cpp", "TileView.cpp", "UniformGridPanel.cpp", "UniformGridSlot.cpp", "VerticalBox.cpp", "VerticalBoxSlot.cpp", "Viewport.cpp", "Visual.cpp", "Widget.cpp", "WidgetComponent.cpp", "WidgetSwitcher.cpp", "WidgetSwitcherSlot.cpp", "WrapBox.cpp", "WrapBoxSlot.cpp", "SlateDataSheet.cpp", "SlateVectorArtData.cpp", "SlateVectorArtInstanceData.cpp", "SMeshWidget.cpp", "SObjectWidget.cpp", "SRetainerWidget.cpp", "SWorldWidgetScreenLayer.cpp", "UMGDragDropOp.cpp", "WidgetRenderer.cpp", "IUMGModule.h", "UMG.h", "UMGStyle.h", "MovieScene2DTransformSection.h", "MovieScene2DTransformTrack.h", "MovieSceneMarginSection.h", "MovieSceneMarginTrack.h", "UMGSequencePlayer.h", "WidgetAnimation.h", "WidgetAnimationBinding.h", "BoolBinding.h", "BrushBinding.h", "CheckedStateBinding.h", "ColorBinding.h", "DynamicPropertyPath.h", "FloatBinding.h", "Int32Binding.h", "MouseCursorBinding.h", "PropertyBinding.h", "TextBinding.h", "VisibilityBinding.h", "WidgetBinding.h", "AsyncTaskDownloadImage.h", "DragDropOperation.h", "SlateBlueprintLibrary.h", "UserWidget.h", "WidgetBlueprintGeneratedClass.h", "WidgetBlueprintLibrary.h", "WidgetLayoutLibrary.h", "WidgetNavigation.h", "WidgetTree.h", "Border.h", "BorderSlot.h", "Button.h", "ButtonSlot.h", "CanvasPanel.h", "CanvasPanelSlot.h", "CheckBox.h", "CircularThrobber.h", "ComboBox.h", "ComboBoxString.h", "ContentWidget.h", "EditableText.h", "EditableTextBox.h", "ExpandableArea.h", "GridPanel.h", "GridSlot.h", "HorizontalBox.h", "HorizontalBoxSlot.h", "Image.h", "InvalidationBox.h", "ListView.h", "MenuAnchor.h", "MultiLineEditableText.h", "MultiLineEditableTextBox.h", "NamedSlot.h", "NamedSlotInterface.h", "NativeWidgetHost.h", "Overlay.h", "OverlaySlot.h", "PanelSlot.h", "PanelWidget.h", "ProgressBar.h", "RetainerBox.h", "RichTextBlock.h", "RichTextBlockDecorator.h", "SafeZone.h", "SafeZoneSlot.h", "ScaleBox.h", "ScaleBoxSlot.h", "ScrollBar.h", "ScrollBox.h", "ScrollBoxSlot.h", "SizeBox.h", "SizeBoxSlot.h", "SlateWrapperTypes.h", "Slider.h", "Spacer.h", "SpinBox.h", "TableViewBase.h", "TextBlock.h", "TextWidgetTypes.h", "Throbber.h", "TileView.h", "UniformGridPanel.h", "UniformGridSlot.h", "VerticalBox.h", "VerticalBoxSlot.h", "Viewport.h", "Visual.h", "Widget.h", "WidgetComponent.h", "WidgetSwitcher.h", "WidgetSwitcherSlot.h", "WrapBox.h", "WrapBoxSlot.h", "SlateDataSheet.h", "SlateVectorArtData.h", "SlateVectorArtInstanceData.h", "SMeshWidget.h", "SObjectWidget.h", "SRetainerWidget.h", "SWorldWidgetScreenLayer.h", "UMGDragDropOp.h", "WidgetRenderer.h", "WidgetTransform.h", "UnrealAudio.Build.cs", "UnrealAudio.cpp", "UnrealAudioBuffer.cpp", "UnrealAudioBuffer.h", "UnrealAudioDecode.cpp", "UnrealAudioDecode.h", "UnrealAudioDevice.cpp", "UnrealAudioDeviceFormat.cpp", "UnrealAudioDeviceFormat.h", "UnrealAudioEmitter.cpp", "UnrealAudioEmitterInternal.h", "UnrealAudioEmitterManager.cpp", "UnrealAudioEmitterManager.h", "UnrealAudioEntityManager.h", "UnrealAudioHandles.h", "UnrealAudioPitchManager.cpp", "UnrealAudioPitchManager.h", "UnrealAudioPrivate.h", "UnrealAudioSampleRateConverter.cpp", "UnrealAudioSampleRateConverter.h", "UnrealAudioSoundFile.cpp", "UnrealAudioSoundFileConvert.cpp", "UnrealAudioSoundFileInternal.h", "UnrealAudioSoundFileManager.cpp", "UnrealAudioSoundFileManager.h", "UnrealAudioSoundFileReader.cpp", "UnrealAudioThread.h", "UnrealAudioUtilities.cpp", "UnrealAudioUtilities.h", "UnrealAudioVoice.cpp", "UnrealAudioVoiceInternal.h", "UnrealAudioVoiceManager.cpp", "UnrealAudioVoiceManager.h", "UnrealAudioVoiceMixer.cpp", "UnrealAudioVoiceMixer.h", "UnrealAudioVolumeManager.cpp", "UnrealAudioVolumeManager.h", "UnrealAudioDeviceTests.cpp", "UnrealAudioSystemTests.cpp", "UnrealAudioTestGenerators.cpp", "UnrealAudioTestGenerators.h", "UnrealAudioDeviceModule.h", "UnrealAudioEmitter.h", "UnrealAudioModule.h", "UnrealAudioSoundFile.h", "UnrealAudioTests.h", "UnrealAudioTypes.h", "UnrealAudioVoice.h", "UtilityShaders.Build.cs", "ClearReplacementShaders.cpp", "MediaShaders.cpp", "OneColorShader.cpp", "ResolveShader.cpp", "UtilityShaders.cpp", "UtilityShadersPrivatePCH.h", "ClearReplacementShaders.h", "MediaShaders.h", "OneColorShader.h", "ResolveShader.h", "VectorVM.Build.cs", "VectorVM.cpp", "VectorVMPrivate.h", "VectorVMTests.cpp", "VectorVM.h", "VectorVMDataObject.h", "WebBrowser.Build.cs", "SWebBrowser.cpp", "SWebBrowserView.cpp", "WebBrowserAdapter.cpp", "WebBrowserApp.cpp", "WebBrowserApp.h", "WebBrowserByteResource.cpp", "WebBrowserByteResource.h", "WebBrowserClosureTask.h", "WebBrowserDialog.h", "WebBrowserHandler.cpp", "WebBrowserHandler.h", "WebBrowserModule.cpp", "WebBrowserPopupFeatures.cpp", "WebBrowserPopupFeatures.h", "WebBrowserPrivatePCH.h", "WebBrowserSingleton.cpp", "WebBrowserSingleton.h", "WebBrowserViewport.cpp", "WebBrowserWindow.cpp", "WebBrowserWindow.h", "WebJSFunction.cpp", "WebJSScripting.cpp", "WebJSScripting.h", "WebJSStructDeserializerBackend.cpp", "WebJSStructDeserializerBackend.h", "WebJSStructSerializerBackend.cpp", "WebJSStructSerializerBackend.h", "AndroidPlatformWebBrowser.cpp", "AndroidPlatformWebBrowser.h", "IWebBrowserAdapter.h", "IWebBrowserDialog.h", "IWebBrowserPopupFeatures.h", "IWebBrowserSingleton.h", "IWebBrowserWindow.h", "SWebBrowser.h", "SWebBrowserView.h", "WebBrowserModule.h", "WebBrowserViewport.h", "WebJSFunction.h", "D3D11RHI.Build.cs", "D3D11Commands.cpp", "D3D11ConstantBuffer.cpp", "D3D11Device.cpp", "D3D11IndexBuffer.cpp", "D3D11Query.cpp", "D3D11RenderTarget.cpp", "D3D11RHI.cpp", "D3D11RHIPrivate.h", "D3D11Shaders.cpp", "D3D11State.cpp", "D3D11StateCache.cpp", "D3D11StateCachePrivate.h", "D3D11StructuredBuffer.cpp", "D3D11Texture.cpp", "D3D11UAV.cpp", "D3D11UniformBuffer.cpp", "D3D11Util.cpp", "D3D11VertexBuffer.cpp", "D3D11VertexDeclaration.cpp", "D3D11Viewport.cpp", "D3D11RHIBasePrivate.h", "D3D11RHIPrivateUtil.h", "D3D11StateCache.h", "WindowsD3D11ConstantBuffer.cpp", "WindowsD3D11ConstantBuffer.h", "WindowsD3D11Device.cpp", "WindowsD3D11Viewport.cpp", "D3D11RHIBasePrivate.h", "D3D11RHIPrivateUtil.h", "WinRTD3D11Device.cpp", "WinRTD3D11Viewport.cpp", "D3D11ConstantBuffer.h", "D3D11Resources.h", "D3D11RHI.h", "D3D11ShaderResources.h", "D3D11State.h", "D3D11Util.h", "D3D11Viewport.h", "D3D12RHI.Build.cs", "D3D12Commands.cpp", "D3D12ConstantBuffer.cpp", "D3D12Device.cpp", "D3D12DirectCommandListManager.cpp", "D3D12DirectCommandListManager.h", "D3D12IndexBuffer.cpp", "D3D12Query.cpp", "D3D12RenderTarget.cpp", "D3D12Resources.cpp", "D3D12RHI.cpp", "D3D12RHIPrivate.h", "D3D12Shaders.cpp", "D3D12State.cpp", "D3D12StateCache.cpp", "D3D12StateCachePrivate.h", "D3D12StructuredBuffer.cpp", "D3D12Texture.cpp", "D3D12UAV.cpp", "D3D12UniformBuffer.cpp", "D3D12Util.cpp", "D3D12VertexBuffer.cpp", "D3D12VertexDeclaration.cpp", "D3D12Viewport.cpp", "D3D12RHIBasePrivate.h", "D3D12RHIPrivateUtil.h", "D3D12StateCache.h", "WindowsD3D12ConstantBuffer.cpp", "WindowsD3D12ConstantBuffer.h", "WindowsD3D12Device.cpp", "WindowsD3D12Viewport.cpp", "D3D12RHIBasePrivate.h", "D3D12RHIPrivateUtil.h", "WinRTD3D12Device.cpp", "WinRTD3D12Viewport.cpp", "D3D12ConstantBuffer.h", "D3D12Resources.h", "D3D12RHI.h", "D3D12ShaderResources.h", "D3D12State.h", "D3D12Util.h", "D3D12Viewport.h", "UnrealAudioWasapi.Build.cs", "UnrealAudioDeviceWasapi.cpp", "UnrealAudioXAudio2.Build.cs", "UnrealAudioDeviceXAudio2.cpp", "XAudio2.Build.cs", "XAudio2Buffer.cpp", "XAudio2Device.cpp", "XAudio2Effects.cpp", "XAudio2Source.cpp", "XAudio2Support.h", "XAudio2Device.h", "XAudio2Effects.h", "XmlParser.Build.cs", "FastXml.cpp", "XmlCharacterWidthCheck.h", "XmlFile.cpp", "XmlNode.cpp", "XmlParser.cpp", "XmlParserPrivatePCH.h", "FastXml.h", "XmlFile.h", "XmlNode.h", "XmlParser.h" ] }
document.write("I am David");
const SearchBar = (props) => { const {stateQuery, updateQuery, stateCheck, updateCheck} = props; return( <> <label>Todo:</label> <input type="text" placeholder="Todo:" onChange={updateQuery} value={stateQuery}/> <label>Only show completed tasks:</label> <input type="checkbox" checked={stateCheck} onChange={updateCheck}/> </> ) } export default SearchBar;
import React, { Component } from 'react' import {connect} from "react-redux"; import { fetchGenre} from "../../../redux/actions/GenreActions"; import Dashboard from "../../layouts/Dashboard"; import Genrelist from "./Genre-list"; import {Link} from "react-router-dom"; import GenreSearch from "./Genre-fillter"; //search state untuk state search class Genre extends Component { componentDidMount(){ this.props.fetchGenre(); } render() { const { genres } = this.props.genre; return ( <div> <Dashboard /> <div> <div className="page-container"> {/* MAIN CONTENT*/} <div className="main-content"> <div className="section__content section__content--p30"> <div className="container-fluid"> <div className="row"> <div className="col-md-12"> <GenreSearch /> {/* DATA TABLE*/} <Link to="/genre-create" className="au-btn au-btn-icon au-btn--green au-btn--small mb-3"> Add Item </Link> <div className="table-responsive m-b-40"> <Genrelist genres={genres} /> </div> {/* END DATA TABLE*/} </div> </div> </div> </div> </div> {/* END MAIN CONTENT*/} {/* END PAGE CONTAINER*/} </div> </div> </div> ) } } const MapStateToProps = state => { return{ genre : state.genre, searchState: state.genre.searchQuery } } export default connect(MapStateToProps, { fetchGenre })(Genre)
self.onmessage = async function( e ){ let response = await fetch( e.data ) let result = await response.blob() self.postMessage( result ) }
// returns the product of all the odd numbers in an array function product(data, total, index) { total = total || 1; index = index || 0; let curValue = data[index]; total = curValue % 2 !== 0 ? total * curValue : total; if (index < data.length - 1) { index++; return product(data, total, index); } else { return total; } } console.log("product", product([2, 3, 1, 3, 8, 6, 9, 6, 2, 8])); // reverses and array and returns every other even number; function reverse(data, count, index, value) { value = value || []; count = count || 0; index = index || data.length; let curValue = data[index - 1]; if (curValue % 2 === 0) { count++; if (count % 2 === 0) { value.push(curValue); } } index--; if (index > 0) { return reverse(data, count, index, value); } return value; } console.log("reverse", reverse([1, 2, 3, 4, 5, 6, 7, 8])); // checks to see if any characters repeat themselves in a string function isogram(value, collection, index) { collection = collection || {}; index = index || 0; var curValue = value[index]; if (collection[curValue]) { return false; } if (index < value.length - 1) { index++; collection[curValue] = true; return isogram(value, collection, index); } else { return true; } } console.log("isogram", isogram("isogram")); // true console.log("isogram", isogram("isograms")); // false;
//TODO: Change to use a MongoDB backend. //TODO: Look into mongolab.com //TODO: Follow this tutorial: http://www.smashingmagazine.com/2014/05/detailed-introduction-nodejs-mongodb/ var http = require("http"); var express = require('express'); var app = express(); var path = require("path"); var mongojs = require("mongojs"); var uri = ""; //TODO: Once MongoLab DB is set up change uri to equal the uri given. app.use(express.static('./app')); app.get('/', function(req, res){ res.sendFile(path.join('index.html')); }); app.get('/calendar.html', function(req, res){ res.sendFile(path.join('/calendar.html')); }); app.get('/gallery.html', function(req, res){ res.sendFile(path.join('/gallery.html')); }); app.get('/blog.html', function(req, res){ res.sendFile(path.join('/blog.html')); }); app.get('/suggestions.html', function(req, res){ res.sendFile(path.join('/suggestions.html')); }); app.listen(3000); console.log('Server running at http://127.0.0.1:3000/'); //var db = mongojs.connect(uri, ["standard-collection"]); TODO: Uncomment when db is set up.
"use strict"; Object.defineProperty(exports, "__esModule", { value: true }); exports.default = void 0; var theme = { fonts: { primary: "-apple-system,BlinkMacSystemFont,\"Segoe UI\",Roboto,Oxygen-Sans,Ubuntu,Cantarell,\"Helvetica Neue\",sans-serif" }, base: { white: "#FFFFFF", black: "#000000" }, primary: { light: "#FF2222", main: "#E60000", dark: "#DD0000", contrastText: "#FFFFFF" }, secondary: { light: "#666666", main: "#222222", dark: "#000000", contrastText: "#FFFFFF" }, tertiary: { light: "#F5F5F5", main: "#EFEFEF", dark: "#BBBBBB" } }; var _default = theme; exports.default = _default;
import { combineReducers } from 'redux'; import { reducer as formReducer } from 'redux-form'; import ClientReducer from './clientReducer'; const reducers = { clientStore: ClientReducer, form: formReducer } const rootReducer = combineReducers(reducers); export default rootReducer;
/* jshint -W117, -W030 */ describe('article routes', function () { describe('state listArticle', function () { var controller; var view = 'app/article/views/list.html'; beforeEach(function() { module('app.article', bard.fakeToastr); bard.$inject = ['$httpBackend', '$location', '$rootScope', '$state', '$templateCache', 'routerHelper']; }); bard.verifyNoOutstandingHttpRequests(); it('should map state listArticle to url / ', function() { expect(true).toBe(true); }); }); });
OC.L10N.register( "updatenotification", { "Update notifications" : "Bywerkkennisgewings", "{version} is available. Get more information on how to update." : "{version} is beskikbaar. Kry meer inligting oor opdatering.", "Updated channel" : "Bygewerkte kanaal", "ownCloud core" : "ownCloud-kern", "Update for %1$s to version %2$s is available." : "Bywerking vir %1$s na weergawe %2$s is beskikbaar.", "Updater" : "Bywerker", "A new version is available: %s" : "’n Nuwe weergawe is beskikbaar: %s", "Open updater" : "Open bywerker", "Show changelog" : "Toon detaillog", "Your version is up to date." : "U weergawe is opdatum.", "Checked on %s" : "Gekyk op %s", "Update channel:" : "Bywerkkanaal:", "You can always update to a newer version / experimental channel. But you can never downgrade to a more stable channel." : "U kan altyd na ’n nuwer weergawe/eksperimentele kanaal bywerk. U kan egter nooi na ’n meer stabiele kanaal afgradeer nie.", "Notify members of the following groups about available updates:" : "Stel lede van die volgende groepe van beskikbare bywerkings in kennis:", "Only notification for app updates are available, because the selected update channel for ownCloud itself does not allow notifications." : "Kennisgewings is slegs beskikbaar vir toepbywerkings want die gekose bywerkkanaal vir ownCloud staan self nie kennisgewings toe nie." }, "nplurals=2; plural=(n != 1);");
import React from 'react'; import clsx from 'clsx'; import styles from './HomepageFeatures.module.css'; const FeatureList = [ { title: '简介', Svg: require('../../static/img/logo_623x425.svg').default, description: ( <> HNC(<a href="https://hecoinfo.com/token/0x144a9252f91bddb375bb09cb51a3a6e4f199289b" target="_blank">0x144a9252f91bddb375bb09cb51a3a6e4f199289b</a> )发行于HECO生态链, 总额100亿,80%进入流动池,14%用于空投,6%项目方保留。 HNC作为Heco New Coin电报群的平台唯一权益凭证, 持有代币则享有平台的提案、投票及治理权,且HNC作为平台唯一宣传支付凭证。 </> ), }, { title: '选择', Svg: require('../../static/img/dogeswap.svg').default, description: ( <> <a href="https://dogeswap.com/#/swap" target="_blank">Dogeswap</a>并不是为HNC背书的平台,选择Dogeswap的主要原因是 Dogeswap对新项目支持力度很大。HNC持币地址和价值达到一定规模后, 可向Dogeswap申请单币质押挖矿和LP流动性挖矿, 进一步提升持币地址的收益。 </> ), }, { title: '鼓励', Svg: require('../../static/img/trade.svg').default, description: ( <> HNC鼓励持币地址参与交易,做波段获取收益是一种智慧。 不管买入还是卖出,只有流动性才能带来生机。 足够的流动性,产生更多的交易手续费,才能助力HNC更快的进入Dogeswap白名单。 </> ), }, ]; function Feature({Svg, title, description}) { return ( <div className={clsx('col col--4')}> <div className="text--center"> <Svg className={styles.featureSvg} alt={title} /> </div> <div className="text--center padding-horiz--md"> <h3>{title}</h3> <p>{description}</p> </div> </div> ); } export default function HomepageFeatures() { return ( <section className={styles.features}> <div className="container"> <div className="row"> {FeatureList.map((props, idx) => ( <Feature key={idx} {...props} /> ))} </div> </div> </section> ); }
import React from "react"; import { shallow } from "enzyme"; import axios from 'axios'; import sinon from 'sinon'; import Modal from "../deleteModal"; describe("Modal component",() => { it("check Modal component is rendered", () => { const component = shallow(<Modal />); expect(component.find("p").text()).toEqual("Are you sure, you want to delete?"); }); it("simulate yes button click event ", () => { const onUserDelete = jest.fn(); const component = shallow(<Modal onUserDelete={onUserDelete}/>); component.find("button").first().simulate('click'); expect(onUserDelete.mock.calls.length).toEqual(1); }); it("simulate no button click event ", () => { const onUserDelete = jest.fn(); const component = shallow(<Modal onUserDelete={onUserDelete}/>); component.find("button").last().simulate('click'); expect(onUserDelete.mock.calls.length).toEqual(1); }); })
import './App.css'; import ProductForm from './components/ProductForm' import Products from './components/Products' import ProductDetails from './components/ProductDetails' import {Router} from '@reach/router' import EditForm from './components/EditForm'; import MyContext from './MyContext' import { useState } from 'react'; function App() { const [newProduct, setNewProduct] = useState() const [editProduct, setEditProduct] = useState() return ( <div className="App"> {/* <ProductForm/> */} <MyContext.Provider value={[newProduct, setNewProduct, editProduct, setEditProduct]}> <Router> <Products path="/"/> <ProductDetails path="/:id" /> <EditForm path="/:id/edit" /> </Router> </MyContext.Provider> </div> ); } export default App;
import React, { useState } from 'react'; import { createDigimon } from '../../data'; import { Redirect } from 'react-router-dom'; import DigimonForm from './DigimonForm'; const DigimonAdd = () => { const [isCreated, setIsCreated] = useState(false); const handleCreateDigimon = (digimon) => { createDigimon(digimon).then(() => setIsCreated(true)); } if(isCreated) { return <Redirect to="/digimon"/> } return <DigimonForm onSubmit={handleCreateDigimon} /> } export default DigimonAdd;
'use strict'; const APP_NAME = 'Cerealometer'; // The Cloud Functions for Firebase SDK to create Cloud Functions and setup triggers. const functions = require('firebase-functions'); // The Firebase Admin SDK to access the Firebase Realtime Database. const admin = require('firebase-admin'); admin.initializeApp(); const nodemailer = require('nodemailer'); const fetch = require('node-fetch'); var moment = require('moment'); const PRESENCE_THRESHOLD_KG = 0.001 const BARCODE_API_BASEURL = 'https://api.upcitemdb.com/prod/trial/lookup' /** * Get current Unix epoch */ const getEpoch = () => Math.floor(new Date().getTime() / 1000) const getBoundedPercentage = (numerator, denominator) => { return Math.min(Math.max(parseInt(100.0 * numerator / denominator), 0.0), 100.0); } /** * Update weight_kg and last_update_time upon POST from hardware device. * Returns port data including status to update LED state. */ exports.setWeight = functions.https.onRequest(async (req, res) => { // abort if unexpected method if (req.method != "POST") { return res.status(405).end() } try { const { device_id, slot, weight_kg } = req.body await admin.database().ref(`/ports/${device_id}/data/${slot}/weight_kg`).set(weight_kg) await admin.database().ref(`/ports/${device_id}/data/${slot}/last_update_time`).set(getEpoch()) const portsSnap = await admin.database().ref(`/ports/${device_id}/data/${slot}`).once('value') // [eschwartz-TODO] Result needs to get the updated value after slotWeightChanged() has run let result = portsSnap.val() res.status(200).send(result) } catch(error) { console.log("error: ", error) res.status(400).send(error) } }); // [eschwartz-TODO] Merge with getPorts() below exports.getDevice = functions.https.onRequest(async (req, res) => { // abort if unexpected method if (req.method != "GET") { return res.status(405).end() } try { const deviceId = req.query.device_id const statusRequested = req.query.status const portsSnap = await admin.database().ref(`/ports/${deviceId}`).once('value') let response if (statusRequested) { response = portsSnap.val().data.map(slot => slot.status) } else { response = portsSnap.val() } res.status(200).send(response) } catch(error) { console.log("error: ", error) res.status(400).send(error) } }); /** * Get port data for user_id */ exports.getPorts = functions.https.onRequest(async (req, res) => { // abort if unexpected method if (req.method != "GET") { return res.status(405).end() } const user_id = req.query.user_id // get user's device id's const deviceSnap = await admin.database().ref('/devices').orderByChild('user_id').equalTo(user_id).once('value') const devices = deviceSnap.val() // get all port data associated with any of the user's devices const promises = Object.keys(devices).map(async (deviceId) => { const portsSnap = await admin.database().ref(`/ports/${deviceId}`).once('value') let obj = {} obj[deviceId] = portsSnap.val() return obj }) const result = await Promise.all(promises) const arrayToObject = (array) => array.reduce((obj, item) => { let key = Object.keys(item)[0] obj[key] = item[key] return obj }, {}) const response = arrayToObject(result) res.status(200).send(response) }); /** * Get item definitions for user_id */ exports.getItemDefinitions = functions.https.onRequest(async (req, res) => { // abort if unexpected method if (req.method != "GET") { return res.status(405).end() } // [eschwartz-TODO] assume user_id present for now, return all items if absent const user_id = req.query.user_id // get user's items const itemsSnap = await admin.database().ref('/items').orderByChild('user_id').equalTo(user_id).once('value') const items = itemsSnap.val() const arrayToObject = (array) => array.reduce((obj, item) => { let key = Object.keys(item)[0] obj[key] = item[key] return obj }, {}) let result = [] // get item defs for these items if (items) { const promises = Object.keys(items).map(async (itemId) => { const item = items[itemId] const itemDefinitionId = item.item_definition_id const itemDefSnap = await admin.database().ref(`/item_definitions/${itemDefinitionId}`).once('value') let obj = {} obj[itemDefinitionId] = itemDefSnap.val() return obj }) result = await Promise.all(promises) } const response = arrayToObject(result) res.status(200).send(response) }); /** * Get item definition associated with requested UPC code. If not found, query upcitemdb.com * and create a new item definition based on result. */ exports.getUpcData = functions.https.onRequest(async (req, res) => { // abort if unexpected method if (req.method != "GET") { return res.status(405).end() } const upc = req.query.upc; const snap = await admin.database().ref('/item_definitions').orderByChild('upc').equalTo(upc).once('value'); const data = snap.val() let response = {} if (data) { let key = Object.keys(data)[0] // in case of multiple //console.log("getUpcData(): found existing entry in item_definitions: ", data[key]) data[key].id = key response.item_definition = data[key] res.status(200).send(response); } else { console.log(`getUpcData(): UPC '${upc}' not found in item_definitions, querying upcitemdb.com`) const url = `${BARCODE_API_BASEURL}?upc=${upc}` fetch(url) .then(res => { const headers = res.headers // note: trial API is rate-limited, log limit stats const xRateLimitLimit = headers.get('x-ratelimit-limit') const xRateLimitRemaining = headers.get('x-ratelimit-remaining') const xRateLimitReset = headers.get('x-ratelimit-reset') const fromNow = moment.unix(xRateLimitReset).fromNow() console.log(`xRateLimitLimit: ${xRateLimitLimit}, xRateLimitRemaining: ${xRateLimitRemaining}, xRateLimitReset: ${xRateLimitReset} (${fromNow})`) return res.json() }) .then(json => { if (json.code != "OK") { res.status(400).send(json) } else { // parse result let items = json.items let item = items[0] let ean = item.ean || null let title = item.title || null let description = item.description || null let upc = item.upc || null let brand = item.brand || null let model = item.model || null let color = item.color || null let size = item.size || null let dimension = item.dimension || null let weight = item.weight || null let currency = item.currency || null let lowest_recorded_price = item.lowest_recorded_price || null let highest_recorded_price = item.highest_recorded_price || null // [eschwartz-TODO] Image results are often bad URLs (503), particularly drugstore.com. // Pick the walmartimages.com ones when available. let image_url = item.images[0] || null let offers = item.offers || null // array // Scrape text fields for "1.23 oz", "1.23ounces" or similar pattern to take a best // guess at the correct net weight. // Note: weight fields sometimes indicate net weight for multi-pack items, // e.g. "768 grams" for Yamamotoyama tea 16-pack (16 x 48g) let netWeightRegex = /([\d.]+)\s*(oz|ounces|g|grams)[\s)]*(.*)$/i let matchStr, val, units, weightKg = 0 if (title && title.match(netWeightRegex)) { [matchStr, val, units] = title.match(netWeightRegex); } else if (description && description.match(netWeightRegex)) { [matchStr, val, units] = description.match(netWeightRegex); } else if (offers) { offers.forEach(offer => { if (offer.title && offer.title.match(netWeightRegex)) { [matchStr, val, units] = offer.title.match(netWeightRegex); //console.log(`matched in offer.title: '${offer.title}`); } }) } //console.log(`matchStr: '${matchStr}', val: '${val}', units: '${units}'`); // If string found for ounces or grams, convert to kilograms if (val && units) { val = parseFloat(val); units = units.toLowerCase(); let divisor = 1.0; switch (units) { case 'oz': divisor = 35.274; break; case 'g': divisor = 1000.0; break; default: console.log(`unmatched units '${units}'`); divisor = 1.0; } weightKg = val / divisor; //console.log("weightKg: ", weightKg) } let result = { _source: 'upcitemdb', create_time: getEpoch(), // main fields to get from any db upc: upc, brand: brand, name: title, description: description, image_url: image_url, // computed fields net_weight_kg: weightKg, tare_weight_kg: 0, // extra non-essential fields ean: ean, title: title, model: model, //color: color, size: size, dimension: dimension, weight: weight, //currency: currency, //lowest_recorded_price: lowest_recorded_price, //highest_recorded_price: highest_recorded_price, } // Create new item def if all essential fields were found const createSnap = admin.database().ref(`/item_definitions`).push(result) const key = createSnap.key result.id = key // add created key to response response.item_definition = result res.status(200).send(response) } }).catch(error => { console.log("error: ", error) res.status(400).send(error) }); } }); /** * Set user item associated with a port */ exports.setPortItem = functions.https.onRequest(async (req, res) => { // abort if unexpected method if (req.method != "POST") { return res.status(405).end() } const { device_id, slot, item_id } = req.body const portSnap = await admin.database().ref(`/ports/${device_id}/data/${slot}`).once('value') const port = portSnap.val() if (port.item_id == item_id) { console.log(`item_id is already set (to '${item_id}')`) let response = { error: "item_id is already set" } res.status(400).send(response) } else { const itemSnap = await admin.database().ref(`/ports/${device_id}/data/${slot}/item_id`).set(item_id) // If something is already on scale, set status to CLEARING to disregard weight updates // until scale is cleared, otherwise UNLOADED so next weight change updates the new item. const newStatus = (port.weight_kg >= PRESENCE_THRESHOLD_KG) ? "CLEARING" : "UNLOADED" await admin.database().ref(`/ports/${device_id}/data/${slot}/status`).set(newStatus) await admin.database().ref(`/ports/${device_id}/data/${slot}/last_update_time`).set(getEpoch()) const resultPortSnap = await admin.database().ref(`/ports/${device_id}/data/${slot}`).once('value') const resultPort = resultPortSnap.val() let response = resultPort res.status(200).send(response); } }); /** * Clear user item associated with a port */ exports.clearPortItem = functions.https.onRequest(async (req, res) => { // abort if unexpected method // [eschwartz-TODO] Change to DELETE if (req.method != "POST") { return res.status(405).end() } const { device_id, slot } = req.body const portSnap = await admin.database().ref(`/ports/${device_id}/data/${slot}`).once('value') const port = portSnap.val() const itemSnap = await admin.database().ref(`/ports/${device_id}/data/${slot}/item_id`).set('') // Set status to CLEARING if weight is currently detected on the scale, otherwise VACANT const newStatus = (port.weight_kg >= PRESENCE_THRESHOLD_KG) ? "CLEARING" : "VACANT" const statusSnap = await admin.database().ref(`/ports/${device_id}/data/${slot}/status`).set(newStatus) const resultPortSnap = await admin.database().ref(`/ports/${device_id}/data/${slot}`).once('value') const resultPort = resultPortSnap.val() let response = resultPort res.status(200).send(response); }); /** * When device first writes port data, set status on item_id initial values and add user_id * to sibling node. This allows us to watch all ports associated with the user_id rather than * doing so clumsily with ref.on() callbacks for each device. */ exports.portCreated = functions.database.ref('/ports/{device_id}/data/{slot_id}') .onCreate(async (snap, context) => { const { device_id, slot_id } = context.params const rootRef = snap.ref.root await rootRef.child(`/ports/${device_id}/data/${slot_id}/status`).set('VACANT') await rootRef.child(`/ports/${device_id}/data/${slot_id}/item_id`).set('') const portSnap = await rootRef.child(`/ports/data/${device_id}/${slot_id}`).once('value') const port = portSnap.val() } ); /** * Add user_id back to /ports/<device_id> if ports are deleted and recreated for testing */ exports.portsDeviceCreated = functions.database.ref('/ports/{device_id}') .onCreate(async (snap, context) => { const { device_id, slot_id } = context.params const rootRef = snap.ref.root // find user_id for this device and add it to root node const deviceSnap = await rootRef.child(`/devices/${device_id}`).once('value') const device = deviceSnap.val() if (device.user_id) await rootRef.child(`/ports/${device_id}/user_id`).set(device.user_id) return null } ); /** * Recalc user metrics when new item is created */ exports.itemCreated = functions.database.ref('/items/{item_id}') .onCreate(async (snap, context) => { const { item_id } = context.params const item = snap.val() await updateMetricsForUserId(item.user_id) return null } ); /** * Update metrics for user * * @param {*} user_id */ async function updateMetricsForUserId(user_id) { const itemsSnap = await admin.database().ref('/items').orderByChild('user_id').equalTo(user_id).once('value') const items = itemsSnap.val() // [eschwartz-TODO] Get only item_definitions relevant for this user (getting all for now) const itemDefinitionSnap = await admin.database().ref('/item_definitions').once('value') const itemDefinitions = itemDefinitionSnap.val() let totalKg = 0 let totalNetWeightKg = 0 let favoriteCount = 0 // tally stats from user's items // [eschwartz-TODO] totalNetWeightKg is ending up negative! if (items) { Object.keys(items).forEach(key => { let item = items[key] if (item.last_known_weight_kg > 0) { totalNetWeightKg += item.last_known_weight_kg - (itemDefinitions[item.item_definition_id].tare_weight_kg ? itemDefinitions[item.item_definition_id].tare_weight_kg : 0) totalKg += itemDefinitions[item.item_definition_id].net_weight_kg } if (item.favorite) { favoriteCount += 1 } }) } let quantityScore = totalKg ? Math.min(Math.max(1.0 * totalNetWeightKg / totalKg, 0.0), 1.0) : 0.0 let varietyScore = getVarietyScore(items ? Object.keys(items).length : 0) // [eschwartz-TODO] Find a meaningful measure of favoritity let favoritityScore = (items && favoriteCount) ? (1.0 * favoriteCount / Object.keys(items).length) : 1 // Overall score is the weighted average of individual scores let overall = (0.5 * quantityScore) + (0.25 * varietyScore) + (0.25 * favoritityScore) let metrics = { itemCount: items ? Object.keys(items).length : 0, totalKg: totalKg, totalNetWeightKg: totalNetWeightKg, quantity: quantityScore, variety: varietyScore, favoritity: favoritityScore, overall: overall, } await admin.database().ref(`/users/${user_id}/metrics`).set(metrics) //console.log(`updated metrics for user_id '${user_id}':`, JSON.stringify(metrics, null, 2)) //addMessage(user_id, 100.0 * overall) } function getVarietyScore(itemCount) { if (itemCount == 0) { return 0 } else if (itemCount >= 1 && itemCount < 3) { return 0.25 } else if (itemCount >= 3 && itemCount < 5) { return 0.5 } else if (itemCount >= 5) { return 1 } } /** * Add message (alert) for user. WIP. */ async function addMessage(userId, overallPercentage) { // Placeholder thermometer image: // https://www.raspberrypi.org/documentation/configuration/images/over_temperature_80_85.png // Peanut Butter Chex: // https://i5.walmartimages.com/asr/f6a51049-73b0-487a-b2c0-2d8e9aeb7b22_1.3954a6f2d22eacc575662819850e9042.jpeg?odnHeight=450&odnWidth=450&odnBg=ffffff let data = { title: "Level Chex", create_time: getEpoch(), message: `Current danger level is ${overallPercentage.toFixed(0)}%. You're running a little hot.`, image_url: 'https://i5.walmartimages.com/asr/f6a51049-73b0-487a-b2c0-2d8e9aeb7b22_1.3954a6f2d22eacc575662819850e9042.jpeg?odnHeight=450&odnWidth=450&odnBg=ffffff', } const snap = admin.database().ref(`/messages/${userId}`).push(data) const messageKey = snap.key //console.log(`message key '${messageKey}' has been created:`, data) } /** * Update affected user metrics upon item definition change */ exports.itemDefinitionChanged = functions.database.ref('/item_definitions/{item_definition_id}') .onUpdate(async (change, context) => { const { item_definition_id } = context.params const itemDefBefore = change.before.val() const itemDefAfter = change.after.val() // Update metrics for affected users if net weight or tare weight has changed if ((itemDefAfter.net_weight_kg != itemDefBefore.net_weight_kg) || (itemDefAfter.tare_weight_kg != itemDefBefore.tare_weight_kg)) { const itemsAffectedSnap = await admin.database().ref(`/items`).orderByChild('item_definition_id').equalTo(item_definition_id).once('value'); const itemsAffected = itemsAffectedSnap.val() if (itemsAffected) { const uniqueUserIds = Array.from(new Set(Object.keys(itemsAffected).map(i => itemsAffected[i].user_id))) uniqueUserIds.forEach(user_id => updateMetricsForUserId(user_id)) } } return null } ); /** * Delete associated user items when an item definition is deleted */ exports.itemDefinitionDeleted = functions.database.ref('/item_definitions/{item_definition_id}').onDelete(async (snap, context) => { const { item_definition_id } = context.params const itemsAffectedSnap = await admin.database().ref('/items').orderByChild('item_definition_id').equalTo(item_definition_id).once('value'); // create a map with all items to delete const updates = {}; itemsAffectedSnap.forEach(item => { updates[item.key] = null; }); // execute all updates in one go and return the result ot end the function return admin.database().ref('/items').update(updates); }); /** * Log event when cereal scale status changes, e.g. box is removed or returned */ exports.slotWeightChanged = functions.database.ref('/ports/{device_id}/data/{slot_id}/weight_kg') .onUpdate(async (change, context) => { const { device_id, slot_id } = context.params const weightKgBefore = change.before.val() // get all current values for the changed port const portSnap = await change.after.ref.parent.once('value') const port = portSnap.val() const item_id = port.item_id let item = {} let item_definition_id = ""; let new_status = port.status // default no change const rootRef = change.before.ref.root if (item_id) { const itemSnap = await rootRef.child(`/items/${item_id}`).once('value') item = itemSnap.val() if (!item) { console.log(`ERROR: item_id '${item_id}' not found in /items`) return null } item_definition_id = item.item_definition_id } // Slot States: // VACANT = no assigned item, available for use // LOADED = known item, load present // UNLOADED = known item, no load present // CLEARING = waiting for scale to clear, regardless of item // Determine new slot status (state) based on changes and item presence. if (!item_id) { new_status = "VACANT" } else if ((port.status == "CLEARING") && (port.weight_kg < PRESENCE_THRESHOLD_KG)) { // scale is now clear new_status = item_id ? "UNLOADED" : "VACANT" } else if ((port.status == "CLEARING") && (port.weight_kg >= PRESENCE_THRESHOLD_KG)) { // still waiting for load to clear, no change } else if (port.status != "VACANT") { // LOADED or UNLOADED new_status = (port.weight_kg > PRESENCE_THRESHOLD_KG) ? "LOADED" : "UNLOADED" } if (new_status != port.status) { const updateStatusSnap = await rootRef.child(`/ports/${device_id}/data/${slot_id}/status`).set(new_status) //console.log(`updated status from prev_status '${port.status}' to new_status '${new_status}'`); } if ((port.weight_kg != weightKgBefore) && item && item_id && (port.weight_kg >= PRESENCE_THRESHOLD_KG) && (new_status != "CLEARING")) { const newItem = item item.last_known_weight_kg = port.weight_kg item.last_update_time = getEpoch() const updateItemSnap = await rootRef.child(`/items/${item_id}`).set(newItem) //console.log('updated item:', JSON.stringify(newItem, null, 2)) } const deviceSnap = await rootRef.child(`/devices/${device_id}`).once('value') const device = deviceSnap.val() const user_id = device.user_id await updateMetricsForUserId(user_id) } ); /** * Reset port and remove item reference upon item deletion */ exports.resetPort = functions.database.ref('/items/{item_id}').onDelete(async (snap, context) => { const deletedItem = snap.val() const user_id = deletedItem.user_id const { item_id } = context.params console.log(`item '${item_id}' has been deleted`) // Unset any item_id references in /ports // [eschwartz-TODO] orderByChild doesn't seem to work here to query item_id in /ports, perhaps due to the <slot> param one level up? // Querying all ports for now. //const snap = await admin.database().ref(`/ports`).orderByChild('item_id').equalTo(item_id).once('value') const portsSnap = await admin.database().ref('/ports').once('value') const ports = portsSnap.val() if (ports) { Object.keys(ports).map(async device_id => { let deviceData = ports[device_id].data Object.keys(deviceData).map(async slot => { let slotData = deviceData[slot] if (slotData.item_id == item_id) { // Set status to CLEARING if weight is on scale, otherwise VACANT let newStatus = (slotData.weight_kg > PRESENCE_THRESHOLD_KG) ? "CLEARING" : "VACANT" await admin.database().ref(`/ports/${device_id}/data/${slot}/item_id`).set("") await admin.database().ref(`/ports/${device_id}/data/${slot}/status`).set(newStatus) await admin.database().ref(`/ports/${device_id}/data/${slot}/last_update_time`).set(getEpoch()) } }) }) } await updateMetricsForUserId(user_id) return null // [eschwartz-TODO] Is this valid to return? }); /** * Set item definition tare weight upon user's submission */ exports.setItemDefinitionTareWeight = functions.https.onRequest(async (req, res) => { // abort if unexpected method if (req.method != "PUT") { return res.status(405).end() } const { item_definition_id, tare_weight_kg } = req.body const itemDefSnap = await admin.database().ref(`/item_definitions/${item_definition_id}`).once('value') const itemDef = itemDefSnap.val() // update tare weight as long as reported value seems reasonable //if ((tare_weight_kg > PRESENCE_THRESHOLD_KG) && (tare_weight_kg < itemDef.net_weight_kg)) { if (tare_weight_kg > PRESENCE_THRESHOLD_KG) { await admin.database().ref(`/item_definitions/${item_definition_id}/tare_weight_kg`).set(tare_weight_kg) const finalSnap = await admin.database().ref(`/item_definitions/${item_definition_id}`).once('value') const response = finalSnap.val() res.status(200).send(response) } else { const errorMsg = `error: reported tare_weight_kg ${tare_weight_kg} was not accepted` console.error(errorMsg) const response = { error: errorMsg } res.status(400).send(response) } }); // Configure the email transport using the default SMTP transport and a GMail account. // For Gmail, enable these: // 1. https://www.google.com/settings/security/lesssecureapps // 2. https://accounts.google.com/DisplayUnlockCaptcha // For other types of transports such as Sendgrid see https://nodemailer.com/transports/ // TODO: Configure the `gmail.email` and `gmail.password` Google Cloud environment variables. const gmailEmail = functions.config().gmail.email; const gmailPassword = functions.config().gmail.password; const mailTransport = nodemailer.createTransport({ service: 'gmail', auth: { user: gmailEmail, pass: gmailPassword, }, }); /** * Create user profile entry upon registration */ exports.createUserProfile = functions.auth.user().onCreate(async (user) => { const newData = { create_time: getEpoch(), } const userId = user.uid await admin.database().ref(`/users/${userId}`).set(newData) }); /** * Sends a welcome email to new user. */ exports.sendWelcomeEmail = functions.auth.user().onCreate((user) => { const email = user.email; // The email of the user. const displayName = user.displayName; // The display name of the user. return sendWelcomeEmail(email, displayName); }); /** * Send an account deleted email confirmation to users who delete their accounts. */ exports.sendByeEmail = functions.auth.user().onDelete((user) => { const email = user.email; const displayName = user.displayName; return sendGoodbyeEmail(email, displayName); }); // Sends a welcome email to the given user. async function sendWelcomeEmail(email, displayName) { const mailOptions = { from: `${APP_NAME} <donutreply@whyanext.com>`, to: email, }; // The user subscribed to the newsletter. mailOptions.subject = `Welcome to ${APP_NAME}!`; mailOptions.text = `Hey${displayName ? " " + displayName : ''}! Welcome to ${APP_NAME}. I hope you will enjoy a more prosperous, cerealous life by using this app.`; await mailTransport.sendMail(mailOptions); console.log('New welcome email sent to:', email); return null; } // Sends a goodbye email to the given user. async function sendGoodbyeEmail(email, displayName) { const mailOptions = { from: `${APP_NAME} <donutreply@whyanext.com>`, to: email, }; // The user unsubscribed to the newsletter. mailOptions.subject = `Bye!`; mailOptions.text = `Hey ${displayName || ''}!, We confirm that we have deleted your ${APP_NAME} account.`; await mailTransport.sendMail(mailOptions); console.log('Account deletion confirmation email sent to:', email); return null; }
import React from 'react'; import './style.css' const Profile = () => { return ( <div class="profile_skills"> <div class="container"> <div class="profile"> <h2 class="profile-title"><span>My </span>Profile</h2> <ul class="profile-list"> <li class="profile-item"> <span>Name</span> Klalib Sohaib </li> <li class="profile-item"> <span>Birthday</span> 15/02/1993 </li> <li class="profile-item"> <span>Address</span> Blida , algerie </li> <li class="profile-item"> <span>Phone</span> 06 72 25 36 79 </li> <li class="profile-item"> <span>Email</span> siyahasohaib22@gmail.com </li> <li class="profile-item"> <span>Website</span> <span class="web">www.google.com</span> </li> </ul> </div> <div class="skills"> <h2 class="skills-title">Some <span>skills</span></h2> <p class="skills-desc"> no limits to what i can learn I'am a open source human </p> <div class="bar"> <span class="title">javascript</span> <span class="perc">100%</span> <div class="parent"> <span class="sp1"></span> </div> </div> <div class="bar"> <span class="title">python</span> <span class="perc">90%</span> <div class="parent"> <span class="sp2"></span> </div> </div> <div class="bar"> <span class="title">odoo 12</span> <span class="perc">80%</span> <div class="parent"> <span class="sp3"></span> </div> </div> <div class="bar"> <span class="title">html/css</span> <span class="perc">100%</span> <div class="parent"> <span class="sp1"></span> </div> </div> <div class="bar"> <span class="title">React js</span> <span class="perc">80%</span> <div class="parent"> <span class="sp3"></span> </div> </div> <div class="bar"> <span class="title">flutter</span> <span class="perc">80%</span> <div class="parent"> <span class="sp3"></span> </div> </div> </div> </div> </div> ) } export default Profile;
import Reflux from 'reflux'; const BranchActions = Reflux.createActions([ 'loadBranchBuildHistory', 'loadBranchInfo', 'loadBranchModules', 'loadMalformedFiles', 'startPolling', 'stopPolling' ]); export default BranchActions;
import React, {Component} from 'react' import HardcodeSecretConfiguration from './HardcodeSecretConfiguration' import CheckmarxConfiguration from './CheckmarxConfiguration' import SeverityForm from './SeverityForm' import ConfigureSignupRoleForm from './ConfigureSignupRoleForm' export default class DefaultConfigurations extends Component { render() { return ( <div class="page-wrapper"> <section class="content-header"> <h4> Default Configurations </h4> <ol class="breadcrumb"> <li> <a href="#"> <i class="fa fa-home"></i> Home </a> </li> <li> <a href="#"> <i class="fa fa-cog"></i> Settings </a> </li> <li class="active"> <a href="#"> Default Configurations </a> </li> </ol> </section> <section class="content"> <div class="row"> <div class="col-xs-12"> <div class="card"> <h4 class="card-title">Hardcode Secret</h4> <div class="card-body"> <HardcodeSecretConfiguration/> </div> </div> </div> </div> <div class="row"> <div class="col-xs-12"> <div class="card"> <h4 class="card-title">Default Role</h4> <div class="card-body"> <ConfigureSignupRoleForm/> </div> </div> </div> </div> <div class="row"> <div class="col-xs-12"> <div class="card"> <h4 class="card-title">Severity Levels</h4> <div class="card-body"> <SeverityForm/> </div> </div> </div> </div> </section> </div> ) } }
import { Component, cloneElement } from "react"; import PropTypes from "prop-types"; import classNames from "classnames"; /** The individual tab Tabber.Controls */ export default class Tab extends Component { /** Clone each child div component and add additional props * such as onClick functionality and styling. */ render() { const { children, activeTabClass, isActive, handleControlClick, className } = this.props; const activeClassNames = {}; activeClassNames[activeTabClass] = isActive; return cloneElement(children, { onClick: handleControlClick, className: classNames("tab", className, activeClassNames) }); } } Tab.propTypes = { children: PropTypes.node, activeTabClass: PropTypes.string, isActive: PropTypes.bool, handleControlClick: PropTypes.func, className: PropTypes.string };
const { Category } = require('../models'); const categoryData = [{ category_name: 'Supplements', }, { category_name: 'Weights', }, { category_name: 'Barbells', }, { category_name: 'Bands', }, { category_name: 'Apparel', }, ]; const seedCategories = () => Category.bulkCreate(categoryData); module.exports = seedCategories;
const axios = require(`axios`) const FormData = require('form-data') const { TRUELAYER_CLIENT_ID, TRUELAYER_CLIENT_SECRET } = process.env const AuthClient = axios.create({ baseURL: `https://auth.truelayer.com`, }) const getClientCredentialsGrant = async () => { try { const bodyFormData = new FormData() bodyFormData.append(`grant_type`, `client_credentials`) bodyFormData.append(`client_id`, TRUELAYER_CLIENT_ID) bodyFormData.append(`client_secret`, TRUELAYER_CLIENT_SECRET) bodyFormData.append(`scope`, `payments`) const { data } = await AuthClient.post( `/connect/token`, bodyFormData ) const { access_token: accessToken, expires_in: expiresIn, token_type: tokenType } = data return { accessToken, expiresIn, tokenType } } catch (error) { if (error.isAxiosError) { console.error(error.toJSON()) } else { console.error(error.data) } } } module.exports = { getClientCredentialsGrant }