Files
passmate/passmate.js
2018-12-05 05:48:21 +00:00

6223 lines
79 KiB
JavaScript

class PassMate {
constructor(container) {
this.SAFE_UALPHA = 'ABCDEFGHJKLMNPQRSTUVWXYZ';
this.SAFE_LALPHA = 'abcdefghijkmnpqrstuvwxyz';
this.SAFE_NUM = '23456789';
this.SAFE_ALPHANUM = this.SAFE_UALPHA + this.SAFE_LALPHA + this.SAFE_NUM;
this.SAFE_SYMBOL = '!?';
this.WORDS = WORDS; // just for readability
this.REQUIRED_SETS = [
new Set(this.SAFE_UALPHA),
new Set(this.SAFE_LALPHA),
new Set(this.SAFE_NUM),
];
this.MASTER_PASSWORD_LENGTH = 32;
this.PAGES_PER_LETTER = 2;
this.PASSWORDS_PER_PAGE = 6;
this.VERSION = 0;
this.pages = [];
this.shortPasswords = new Map();
this.readablePasswords = new Map();
this.addProduct(container);
this.addOverview(container);
this.recoveryIn.value = this.SAFE_ALPHANUM.charAt(this.VERSION) + this.generateMasterPassword().join('');
this.derivePasswords();
}
addOverview(container) {
let overview = this.addElement('overview', container);
this.addElement('h1', overview, 'PassMate');
this.addElement('h2', overview, 'Your Personal Password Book');
this.addElement('blurb', overview, 'This website generates unique, secure, random passwords locally on your computer every time you load it. It organizes those passwords into book form, printable at home, with space for a website address and username with each password. When asked to choose a password for a new account, the book\'s owner uses a fresh one from the book, reducing password reuse and thwarting credential stuffing attacks.');
this.addElement('blurb', overview, 'Technologically savvy, security conscious people frequently make use of password managers to generate and store passwords. Unfortunately, password managers (especially password generators) are still somewhat complex to use, which creates friction and drives many people away. You probably have friends or family who use one or a few simple passwords across all sites. PassMate isn\'t perfect security, but it can help them significantly increase their account security.');
this.addElement('h2', overview, 'Creating Your Own Book');
let instr = this.addElement('ol', overview);
let ownerStep = this.addElement('li', instr);
let ownerLabel = this.addElement('label', ownerStep, 'Who will this book belong to?');
this.ownerIn = this.addElement('input', ownerLabel);
this.ownerIn.type = 'text';
this.ownerIn.classList.add('owner');
this.ownerIn.addEventListener('change', () => {
this.ownerOut.innerText = this.ownerIn.value;
});
let formatStep = this.addElement('li', instr, 'Choose your preferred password format (both provide approximately the same security):');
let formats = this.addElement('ul', formatStep);
let format = new Select((key) => {
this.product.classList.remove('passwords-short');
this.product.classList.remove('passwords-readable');
this.product.classList.add('passwords-' + key);
});
let shortItem = this.addElement('li', formats);
format.add('short', this.addElement('button', shortItem, 'Short: 5EQaDfNS'));
let readableItem = this.addElement('li', formats);
format.add('readable', this.addElement('button', readableItem, 'Readable: LeasedBarneyPlays565'));
let indexStep = this.addElement('li', instr, 'Choose your preferred index format:');
let indexes = this.addElement('ul', indexStep);
let index = new Select((key) => {
this.product.classList.remove('index-letters');
this.product.classList.remove('index-none');
this.product.classList.add('index-' + key);
});
let indexLettersItem = this.addElement('li', indexes);
index.add('letters', this.addElement('button', indexLettersItem, 'Letters: Look up by website name, A-Z'));
let indexNoneItem = this.addElement('li', indexes);
index.add('none', this.addElement('button', indexNoneItem, 'None: Use passwords from the beginning'));
let printReqStep = this.addElement('li', instr, 'Check that your printer supports two-sided printing. You\'ll need to print with the following settings:');
let printreqs = this.addElement('ul', printReqStep);
this.addElement('li', printreqs, 'Paper size: Letter');
this.addElement('li', printreqs, 'Layout/Orientation: Landscape');
this.addElement('li', printreqs, 'Two-sided: Long edge (or just enabled)');
let printStep = this.addElement('li', instr);
let print = this.addElement('button', printStep, 'Click here to print the book!');
print.style.cursor = 'pointer';
printStep.addEventListener('click', () => {
window.print();
});
this.addElement('li', instr, 'Fold the book in half along the line in the center, with the "PassMate: Personal Password Book" title page facing out.');
this.addElement('li', instr, 'Bind the book with a rubber band along the fold.');
this.addElement('li', instr, 'See page 2 of the book for usage instructions.');
this.addElement('h2', overview, 'Reprinting Your Book');
this.addElement('blurb', overview, 'A unique code has been generated for you below. It changes every time you refresh this website. If you\'d like to reprint an existing book, change the code below to the one printed on page 3 of your old book. The new book will contain all the same passwords as the old book. This is all done without the code or passwords ever leaving your computer.');
let recoveryLabel = this.addElement('label', overview, 'Recovery Code');
recoveryLabel.classList.add('recovery');
this.recoveryIn = this.addElement('input', recoveryLabel);
this.recoveryIn.type = 'text';
this.recoveryIn.classList.add('recovery');
this.recoveryIn.spellcheck = false;
this.recoveryIn.addEventListener('input', () => {
this.derivePasswords();
});
this.addElement('h2', overview, 'Questions? Suggestions?');
let contact = this.addElement('a', overview, 'Contact ian@passmate.io');
contact.href = 'mailto:ian@passmate.io';
let github = this.addElement('a', overview, 'Source code & issue tracking at GitHub');
github.href = 'https://github.com/flamingcowtv/passmate';
}
addProduct(container) {
this.product = this.addElement('product', container);
this.addPages(this.product, 26 * 2 + 4);
this.addFrontPage(this.pages[1]);
this.addInstructions1(this.pages[2]);
this.addInstructions2(this.pages[3]);
this.addPasswordPages(
this.pages.slice(4, 4 + (26 * this.PAGES_PER_LETTER)),
this.PAGES_PER_LETTER,
this.PASSWORDS_PER_PAGE);
}
addPages(container, numPages) {
let firstHalfEnd = Math.ceil(numPages / 2);
for (let pageNum = 1; pageNum < numPages; ++pageNum) {
let page = this.buildPage(pageNum);
page.setAttribute('data-half', pageNum <= firstHalfEnd ? 'first' : 'second');
container.appendChild(page);
}
}
buildPage(pageNum) {
let page = document.createElement('page');
page.style.gridArea = 'page' + pageNum;
this.addElement('pagenum', page, pageNum);
this.pages[pageNum] = page;
return page;
}
addFrontPage(container) {
container.setAttribute('data-pagetype', 'front');
this.addElement('h1', container, 'PassMate');
this.addElement('h2', container, 'Personal Password Book');
this.ownerOut = this.addElement('owner', container);
}
addInstructions1(container) {
container.setAttribute('data-pagetype', 'instructions');
this.addElement('h2', container, 'Welcome to PassMate');
this.addElement('blurb', container, 'When hackers break into websites, they often steal the passwords of every user of the site. When you use similar passwords across websites, or simple passwords that are used by others, your security is only as good as the least secure website you use. Security experts consider this a greater threat than writing passwords down on paper.');
this.addElement('blurb', container, 'PassMate makes it easier to use unique, strong passwords for each website. This book is generated just for you, with high-security passwords that are different for each person. The passwords are never sent to PassMate.');
this.addElement('h2', container, 'Creating a new account');
this.addElement('blurb', container, 'When a website asks you to choose a password, find the page in this book by the first letter of the website name, then choose the next unused password on the page. Write down the website name and username next to your new password. If the website requires symbols in the password, circle the ?! at the end of the password, and include them when you type it in.');
this.addElement('blurb', container, 'Your web browser may offer to save the password when you type it in. It\'s fine to let it do that. Those passwords are stored securely, and making it easier to use secure passwords makes you more likely to use them everywhere.');
}
addInstructions2(container) {
container.setAttribute('data-pagetype', 'instructions');
this.addElement('h2', container, 'Logging in');
this.addElement('blurb', container, 'If your web browser has remembered your secure password from before and offers to enter it for you, let it do so. If not, read on.');
this.addElement('blurb', container, 'It\'s not possible for most people to memorize secure, unique passwords for every website they use. Use this book as a reference whenever you log into a website, finding the page by the website name\'s first letter.');
this.addElement('blurb', container, 'If there\'s no entry for the website because you used a common password for your account, pick the next unused password from the page in this book, and use the website\'s password change function to switch to the new, secure password. Remember to write down the website name and username once the change is successful!');
this.addElement('h2', container, 'Reprinting this book');
this.addElement('blurb', container, 'Keep a copy of the recovery code below somewhere safe. If you ever lose this book, or if you\'d like to print a new copy with the same passwords, visit passmate.io and enter the recovery code.');
this.recoveryOut = this.addElement('recovery', container);
}
addPasswordPages(pages, pagesPerLetter, passwordsPerPage) {
for (let i = 0; i < pages.length; ++i) {
let page = pages[i];
let letter = String.fromCharCode('A'.charCodeAt(0) + (i / pagesPerLetter));
this.addElement('letter', page, letter);
for (let j = 0; j < passwordsPerPage; ++j) {
let pwblock = this.addElement('passwordBlock', page);
this.addElement('passwordLabel', pwblock, 'Password:').style.gridArea = 'passwordLabel';
let password = this.addElement('password', pwblock);
password.style.gridArea = 'password';
this.shortPasswords.set(
letter + '-' + (i % pagesPerLetter).toString() + '-' + j.toString(),
this.addElement('passwordAlphaNum', password));
this.readablePasswords.set(
letter + '-' + (i % pagesPerLetter).toString() + '-' + j.toString(),
this.addElement('passwordWords', password));
this.addElement('passwordSymbols', password, this.SAFE_SYMBOL);
this.addElement('websiteLabel', pwblock, 'Website:').style.gridArea = 'websiteLabel';
this.addElement('website', pwblock).style.gridArea = 'website';
this.addElement('usernameLabel', pwblock, 'Username:').style.gridArea = 'usernameLabel';
this.addElement('username', pwblock).style.gridArea = 'username';
}
}
}
validatePassword(arr) {
let password = arr.join('');
if (password.length < this.PASSWORD_LENGTH) {
return false;
}
for (let set of this.REQUIRED_SETS) {
let found = false;
for (let c of password) {
if (set.has(c)) {
found = true;
break;
}
}
if (!found) {
return false;
}
}
return true;
}
generatePassword(choices, oversample) {
oversample = oversample || 4;
if (this.recoveryIn.value != '') {
return;
}
let rand = Array.from(crypto.getRandomValues(new Uint8Array(choices.length * oversample)));
let ret = [];
for (let choice of choices) {
let val = this.choose(choice, rand);
if (val === null) {
// Ran out of randomness. Try again.
return this.generatePassword(choices, oversample * 2);
}
ret.push(val);
}
return ret;
}
generateMasterPassword() {
let choices = new Array(this.MASTER_PASSWORD_LENGTH);
choices.fill(this.SAFE_ALPHANUM);
return this.generatePassword(choices);
}
derivePasswords() {
let recovery = this.recoveryIn.value;
if (recovery.charAt(0) == 'A') {
this.recoveryOut.innerText = recovery;
this.importKey(recovery.slice(1))
.then((key) => {
this.addDerivedPasswords(key);
});
}
}
addDerivedPasswords(key) {
for (let [info, container] of this.shortPasswords) {
let choices = new Array(8);
choices.fill(this.SAFE_ALPHANUM);
this.deriveValidArray(key, info, choices, this.validatePassword.bind(this))
.then((arr) => {
container.innerText = arr.join('');
});
}
for (let [info, container] of this.readablePasswords) {
let choices = new Array(6);
choices.fill(this.WORDS, 0, 3);
choices.fill(this.SAFE_NUM, 3, 6);
this.deriveValidArray(key, info, choices, this.validatePassword.bind(this))
.then((arr) => {
container.innerText = arr.join('');
});
}
}
/**
* @returns {Promise}
*/
deriveValidArray(key, info, choices, validator) {
return new Promise((resolve) => {
this.deriveArray(key, info, choices)
.then((arr) => {
if (validator(arr)) {
resolve(arr);
} else {
// Try again
resolve(this.deriveValidArray(key, info + 'x', choices, validator));
}
});
});
}
/**
* @param {CryptoKey} key Master key
* @param {string} info Seed for this generation. The same {key, info} input will generate the same output.
* @param {Array.<string[]>} choices Possible choices for each position in the output string
* @returns {Promise}
*/
deriveArray(key, info, choices, oversample) {
oversample = oversample || 4;
return new Promise((resolve) => {
this.deriveUint8Array(key, info, choices.length * oversample)
.then((rand) => {
let ret = [];
for (let choice of choices) {
let val = this.choose(choice, rand);
if (val === null) {
// Ran out of randomness. Try again.
resolve(this.deriveArray(key, info, choices, oversample * 2));
}
ret.push(val);
}
resolve(ret);
});
});
}
/**
* This yields an Array instead of a Uint8Array because the latter lacks shift()
* @returns {Promise}
*/
deriveUint8Array(key, info, numBytes) {
return new Promise((resolve) => {
this.deriveBits(key, info, numBytes * 8)
.then((bits) => {
resolve(Array.from(new Uint8Array(bits)));
});
});
}
/**
* @returns {Promise}
*/
deriveBits(key, info, numBits) {
return crypto.subtle.deriveBits(
{
name: 'HKDF',
salt: new ArrayBuffer(),
info: this.stringToArray(info),
hash: {name: 'SHA-256'},
},
key,
numBits);
}
/**
* @returns {Promise}
*/
importKey(str) {
return crypto.subtle.importKey(
'raw',
this.stringToArray(str),
{name: 'HKDF'},
false,
['deriveBits']);
}
/**
* Uniform choice between options
* @param {Array} choice
* @param {Array} arr Randomness, consumed by this function
*/
choose(choice, arr) {
let mask = 1;
while (mask < choice.length) {
mask = (mask << 1) | 1;
}
while (arr.length) {
let rand = 0;
for (let i = mask; i > 0; i >>= 8) {
rand = (rand << 8) | arr.shift();
}
rand &= mask;
if (rand < choice.length) {
return choice[rand];
}
}
return null;
}
stringToArray(str) {
let arr = new Uint8Array(str.length);
for (let i = 0; i < str.length; ++i) {
arr[i] = str.charCodeAt(i);
}
return arr;
}
addElement(tagName, container, text) {
let elem = document.createElement(tagName);
if (text) {
elem.innerText = text;
}
container.appendChild(elem);
return elem;
}
}
class Select {
constructor(changeCallback) {
this.options = [];
this.changeCallback = changeCallback;
}
add(key, elem) {
this.options.push(elem);
elem.classList.add('selectable');
elem.style.cursor = 'pointer';
elem.addEventListener('click', () => {
for (let option of this.options) {
option.classList.remove('selected');
}
elem.classList.add('selected');
this.changeCallback(key);
});
if (this.options.length == 1) {
elem.classList.add('selected');
this.changeCallback(key);
}
}
}
let WORDS = [
'Ado',
'Aft',
'Age',
'Aid',
'Aim',
'Arb',
'Aww',
'Aye',
'Bag',
'Bib',
'Bio',
'Biz',
'Bog',
'Bow',
'Bum',
'Buy',
'Cat',
'Cob',
'Con',
'Coy',
'Cry',
'Cub',
'Dam',
'Dba',
'Doe',
'Dud',
'Due',
'Dun',
'Ebb',
'Elm',
'Far',
'Fax',
'Fen',
'Fez',
'Fig',
'Fit',
'Fix',
'Flu',
'Fly',
'Foe',
'Fog',
'Gay',
'Git',
'Guy',
'Gym',
'Hat',
'Haw',
'Hen',
'Her',
'Hie',
'His',
'Hog',
'Hot',
'Hum',
'Icy',
'Ill',
'Ire',
'Irk',
'Jab',
'Jar',
'Jot',
'Lap',
'Law',
'Lax',
'Lay',
'Lea',
'Lik',
'Lip',
'Lot',
'Lug',
'Lye',
'Map',
'May',
'Men',
'Mil',
'Mop',
'Mug',
'Nap',
'Nay',
'Net',
'Nil',
'Nit',
'Not',
'Nub',
'Oar',
'Ode',
'Off',
'Oil',
'Oke',
'Orb',
'Ore',
'Out',
'Par',
'Pat',
'Pec',
'Peg',
'Per',
'Pig',
'Pin',
'Pro',
'Pyx',
'Ram',
'Rap',
'Rat',
'Raw',
'Rec',
'Rig',
'Rip',
'Rue',
'Rut',
'Sac',
'Sad',
'Sap',
'Say',
'Set',
'Sir',
'Sit',
'Sky',
'Sly',
'Sop',
'Sow',
'Spy',
'Sue',
'Tan',
'Tax',
'Tea',
'Tee',
'Thy',
'Tic',
'Too',
'Top',
'Toy',
'Tug',
'Ugh',
'Vet',
'Vie',
'Vow',
'Wad',
'Way',
'Wed',
'Wee',
'Wry',
'Yaw',
'Yen',
'Yin',
'Yon',
'You',
'Yum',
'Zip',
'Able',
'Acid',
'Acts',
'Adds',
'Aged',
'Ages',
'Aide',
'Aids',
'Aims',
'Alan',
'Alex',
'Ally',
'Also',
'Alto',
'Amid',
'Andy',
'Anne',
'Ansi',
'Aoun',
'Arab',
'Area',
'Ariz',
'Arms',
'Army',
'Arts',
'Asia',
'Asks',
'Auto',
'Away',
'Axis',
'Baby',
'Back',
'Bags',
'Bail',
'Ball',
'Band',
'Bank',
'Bars',
'Base',
'Bass',
'Bays',
'Bcci',
'Beam',
'Bear',
'Beat',
'Beds',
'Beef',
'Been',
'Beer',
'Bell',
'Belt',
'Best',
'Beta',
'Bias',
'Bids',
'Bill',
'Bios',
'Bird',
'Bits',
'Blew',
'Bloc',
'Blow',
'Blue',
'Blvd',
'Boat',
'Body',
'Bold',
'Bomb',
'Bond',
'Bone',
'Bonn',
'Book',
'Boom',
'Boot',
'Born',
'Boss',
'Both',
'Bowl',
'Boys',
'Bugs',
'Bulk',
'Bull',
'Burn',
'Bush',
'Busy',
'Buys',
'Byrd',
'Byte',
'Call',
'Calm',
'Came',
'Camp',
'Cans',
'Cape',
'Capt',
'Card',
'Care',
'Carl',
'Cars',
'Case',
'Cash',
'Cast',
'Cell',
'Cent',
'Chip',
'Cics',
'Cite',
'City',
'Clip',
'Club',
'Cmos',
'Coal',
'Code',
'Coke',
'Cold',
'Cole',
'Come',
'Conn',
'Cook',
'Cool',
'Cope',
'Copy',
'Core',
'Corn',
'Corp',
'Cost',
'Coup',
'Cpus',
'Cray',
'Crew',
'Crop',
'Cruz',
'Cuba',
'Curb',
'Cure',
'Cuts',
'Dale',
'Dark',
'Data',
'Date',
'Dave',
'Dawn',
'Days',
'Dbms',
'Dead',
'Deal',
'Dean',
'Debt',
'Deck',
'Deep',
'Dell',
'Deng',
'Deny',
'Desk',
'Dial',
'Dick',
'Died',
'Diet',
'Dirt',
'Disc',
'Disk',
'Does',
'Dogs',
'Dole',
'Done',
'Door',
'Dose',
'Dots',
'Doug',
'Down',
'Drag',
'Dram',
'Draw',
'Drew',
'Drop',
'Drug',
'Drum',
'Dual',
'Duke',
'Dumb',
'Dump',
'Dust',
'Duty',
'Each',
'Earn',
'Ease',
'East',
'Easy',
'Edge',
'Edit',
'Eggs',
'Eisa',
'Else',
'Ends',
'Eric',
'Esdi',
'Even',
'Ever',
'Exit',
'Expo',
'Eyes',
'Face',
'Fact',
'Fail',
'Fair',
'Fall',
'Fans',
'Fare',
'Farm',
'Fast',
'Fate',
'Fddi',
'Fdic',
'Fear',
'Feed',
'Feel',
'Fees',
'Feet',
'Fell',
'Felt',
'Figs',
'File',
'Fill',
'Film',
'Find',
'Fine',
'Fire',
'Firm',
'Fish',
'Fits',
'Five',
'Flag',
'Flat',
'Fled',
'Flee',
'Flew',
'Flow',
'Flux',
'Font',
'Food',
'Foot',
'Ford',
'Form',
'Fort',
'Four',
'Fred',
'Free',
'From',
'Fuel',
'Full',
'Fund',
'Gain',
'Game',
'Gang',
'Gary',
'Gate',
'Gave',
'Gaza',
'Gear',
'Gene',
'Gets',
'Gift',
'Girl',
'Give',
'Glad',
'Goal',
'Goes',
'Gold',
'Golf',
'Gone',
'Good',
'Gore',
'Grab',
'Gray',
'Greg',
'Grew',
'Grid',
'Grip',
'Grow',
'Gulf',
'Guns',
'Guys',
'Hair',
'Half',
'Hall',
'Halt',
'Hand',
'Hang',
'Hard',
'Harm',
'Hart',
'Hate',
'Have',
'Hdtv',
'Head',
'Hear',
'Heat',
'Held',
'Hell',
'Help',
'Here',
'Hero',
'Hide',
'High',
'Hill',
'Hire',
'Hits',
'Hold',
'Hole',
'Home',
'Hong',
'Hook',
'Hope',
'Host',
'Hour',
'Hubs',
'Huge',
'Hung',
'Hunt',
'Hurt',
'Icon',
'Idea',
'Idle',
'Ieee',
'Inch',
'Into',
'Ions',
'Iowa',
'Iran',
'Iraq',
'Iron',
'Isdn',
'Item',
'Ivan',
'Jack',
'Jail',
'Jane',
'Jazz',
'Jean',
'Jeff',
'Jets',
'Jews',
'Joan',
'Jobs',
'Joel',
'John',
'Join',
'Joke',
'Jose',
'Juan',
'July',
'Jump',
'June',
'Junk',
'Jury',
'Just',
'Keen',
'Keep',
'Kemp',
'Kent',
'Kept',
'Keys',
'Kick',
'Kids',
'Kill',
'Kind',
'King',
'Kits',
'Knee',
'Knew',
'Know',
'Koch',
'Kohl',
'Kong',
'Labs',
'Lack',
'Lady',
'Laid',
'Lake',
'Land',
'Lane',
'Lans',
'Last',
'Late',
'Lawn',
'Laws',
'Lead',
'Leak',
'Lean',
'Leap',
'Left',
'Legs',
'Lend',
'Leon',
'Less',
'Lets',
'Levy',
'Lies',
'Life',
'Lift',
'Like',
'Lima',
'Line',
'Link',
'Lisa',
'List',
'Live',
'Load',
'Loan',
'Lock',
'Logo',
'Logs',
'Long',
'Look',
'Loop',
'Lord',
'Lose',
'Loss',
'Lost',
'Lots',
'Loud',
'Love',
'Lows',
'Lsqb',
'Luck',
'Luis',
'Lung',
'Lure',
'Lynn',
'Macs',
'Made',
'Mail',
'Main',
'Make',
'Male',
'Mall',
'Many',
'Maps',
'Mark',
'Mary',
'Mask',
'Mass',
'Mate',
'Math',
'Meal',
'Mean',
'Meat',
'Meet',
'Memo',
'Menu',
'Merc',
'Mere',
'Mesa',
'Mess',
'Mice',
'Mich',
'Mike',
'Mild',
'Mile',
'Milk',
'Mill',
'Mind',
'Mine',
'Minn',
'Mips',
'Miss',
'Mode',
'Mood',
'Moon',
'More',
'Most',
'Move',
'Much',
'Must',
'Name',
'Nasa',
'Nato',
'Navy',
'Near',
'Neck',
'Need',
'Neil',
'News',
'Next',
'Nice',
'Nine',
'Node',
'None',
'Noon',
'Nose',
'Note',
'Nunn',
'Odds',
'Oems',
'Ohio',
'Oils',
'Once',
'Ones',
'Only',
'Onto',
'Opec',
'Open',
'Oral',
'Osha',
'Over',
'Owed',
'Owen',
'Owes',
'Owns',
'Pace',
'Pack',
'Pact',
'Page',
'Paid',
'Pain',
'Pair',
'Palm',
'Palo',
'Park',
'Part',
'Pass',
'Past',
'Path',
'Paul',
'Pays',
'Peak',
'Penn',
'Peru',
'Pete',
'Phil',
'Pick',
'Pict',
'Pill',
'Pink',
'Pipe',
'Pits',
'Plan',
'Play',
'Plea',
'Plot',
'Plug',
'Plus',
'Poll',
'Pont',
'Pool',
'Poor',
'Pope',
'Pork',
'Port',
'Pose',
'Post',
'Pull',
'Pulp',
'Pump',
'Pure',
'Push',
'Puts',
'Quit',
'Race',
'Raid',
'Rail',
'Rain',
'Rank',
'Rape',
'Rare',
'Rate',
'Rats',
'Read',
'Real',
'Rear',
'Reed',
'Refs',
'Rely',
'Rent',
'Rest',
'Rice',
'Rich',
'Rick',
'Rico',
'Ride',
'Ring',
'Riot',
'Risc',
'Rise',
'Risk',
'Road',
'Rock',
'Role',
'Roll',
'Rome',
'Roof',
'Room',
'Root',
'Rose',
'Ross',
'Rows',
'Rsqb',
'Rule',
'Runs',
'Rush',
'Ryan',
'Safe',
'Said',
'Sale',
'Salt',
'Same',
'Sand',
'Sang',
'Sank',
'Save',
'Says',
'Scan',
'Scsi',
'Seal',
'Seat',
'Seed',
'Seek',
'Seem',
'Seen',
'Sees',
'Sell',
'Send',
'Sent',
'Sept',
'Sets',
'Shaw',
'Shed',
'Ship',
'Shop',
'Shot',
'Show',
'Shut',
'Sick',
'Side',
'Sign',
'Sikh',
'Sing',
'Site',
'Sits',
'Size',
'Skin',
'Slid',
'Slim',
'Slip',
'Slot',
'Slow',
'Snap',
'Snmp',
'Snow',
'Soft',
'Soil',
'Sold',
'Sole',
'Some',
'Song',
'Sons',
'Sony',
'Soon',
'Sort',
'Span',
'Spin',
'Spot',
'Spur',
'Star',
'Stay',
'Stem',
'Step',
'Stop',
'Such',
'Sued',
'Suit',
'Sums',
'Sure',
'Swap',
'Tabs',
'Tail',
'Take',
'Tale',
'Talk',
'Tall',
'Tank',
'Tape',
'Task',
'Tass',
'Team',
'Tear',
'Tech',
'Tell',
'Tend',
'Tenn',
'Tens',
'Term',
'Test',
'Text',
'Thai',
'Than',
'That',
'Them',
'Then',
'They',
'Thin',
'This',
'Thus',
'Tide',
'Tied',
'Ties',
'Tiff',
'Time',
'Tiny',
'Tips',
'Tire',
'Told',
'Toll',
'Tone',
'Tons',
'Tony',
'Took',
'Tool',
'Tops',
'Tory',
'Tour',
'Town',
'Toys',
'Trap',
'Tree',
'Trim',
'Trip',
'Troy',
'True',
'Tube',
'Tune',
'Turn',
'Twin',
'Type',
'Unit',
'Unix',
'Upon',
'Urge',
'Usda',
'Used',
'User',
'Uses',
'Utah',
'Vars',
'Vary',
'Vast',
'Very',
'Veto',
'Vice',
'View',
'Visa',
'Void',
'Vote',
'Wage',
'Wait',
'Wake',
'Walk',
'Wall',
'Walt',
'Wang',
'Want',
'Ward',
'Warm',
'Warn',
'Wars',
'Wary',
'Wash',
'Wave',
'Ways',
'Weak',
'Wear',
'Webb',
'Week',
'Well',
'Went',
'Were',
'West',
'What',
'When',
'Whom',
'Wide',
'Wife',
'Wild',
'Will',
'Wind',
'Wine',
'Wing',
'Wins',
'Wire',
'Wise',
'Wish',
'With',
'Woes',
'Wolf',
'Wood',
'Word',
'Wore',
'Work',
'Yale',
'Yard',
'Year',
'York',
'Your',
'Zero',
'Zone',
'About',
'Above',
'Abuse',
'Acres',
'Acted',
'Actor',
'Acute',
'Adams',
'Adapt',
'Added',
'Admit',
'Adobe',
'Adopt',
'Adult',
'After',
'Again',
'Agent',
'Aging',
'Agree',
'Ahead',
'Aided',
'Aides',
'Aimed',
'Alarm',
'Album',
'Aldus',
'Alert',
'Alike',
'Alive',
'Allen',
'Allow',
'Alloy',
'Alone',
'Along',
'Alpha',
'Alter',
'Altos',
'Amend',
'Among',
'Anger',
'Angle',
'Angry',
'Apart',
'Apple',
'Apply',
'April',
'Arabs',
'Areas',
'Arena',
'Argue',
'Arise',
'Armed',
'Array',
'Ascii',
'Asian',
'Aside',
'Asked',
'Asset',
'Atoms',
'Audio',
'Audit',
'Avoid',
'Award',
'Aware',
'Awful',
'Backs',
'Badly',
'Baker',
'Bands',
'Banks',
'Barry',
'Based',
'Bases',
'Basic',
'Basin',
'Basis',
'Batch',
'Beach',
'Beams',
'Bears',
'Began',
'Begin',
'Begun',
'Being',
'Below',
'Bench',
'Bible',
'Bills',
'Billy',
'Birds',
'Birth',
'Black',
'Blame',
'Blank',
'Blast',
'Blaze',
'Blend',
'Blind',
'Block',
'Blood',
'Board',
'Boats',
'Bombs',
'Bonds',
'Bones',
'Bonus',
'Books',
'Boost',
'Booth',
'Boris',
'Bound',
'Boxes',
'Brady',
'Brain',
'Brand',
'Bread',
'Break',
'Brian',
'Brief',
'Bring',
'Broad',
'Broke',
'Brown',
'Bruce',
'Brush',
'Bryan',
'Build',
'Built',
'Bunch',
'Burns',
'Burst',
'Buses',
'Buyer',
'Bytes',
'Cable',
'Cache',
'Cairo',
'Calif',
'Calls',
'Camps',
'Canal',
'Canon',
'Cards',
'Cargo',
'Carlo',
'Carol',
'Carry',
'Cases',
'Casey',
'Catch',
'Cause',
'Cells',
'Cents',
'Chain',
'Chair',
'Chaos',
'Chart',
'Chase',
'Cheap',
'Check',
'Chest',
'Chief',
'Child',
'Chile',
'China',
'Chips',
'Chose',
'Chris',
'Chuck',
'Cited',
'Cites',
'Civil',
'Claim',
'Clark',
'Clash',
'Class',
'Clean',
'Clear',
'Clerk',
'Click',
'Climb',
'Clock',
'Clone',
'Close',
'Cloud',
'Clout',
'Clubs',
'Coach',
'Coals',
'Coast',
'Cobol',
'Codes',
'Cohen',
'Color',
'Comes',
'Comex',
'Comic',
'Corps',
'Costa',
'Costs',
'Could',
'Count',
'Court',
'Cover',
'Crack',
'Craft',
'Craig',
'Crash',
'Crazy',
'Cream',
'Creek',
'Crews',
'Crime',
'Crops',
'Cross',
'Crowd',
'Crude',
'Cuban',
'Cubic',
'Cuomo',
'Curve',
'Cycle',
'Daily',
'Dairy',
'Dance',
'Dated',
'Dates',
'David',
'Davis',
'Dbase',
'Deals',
'Dealt',
'Death',
'Debts',
'Debut',
'Decay',
'Delay',
'Delta',
'Depth',
'Diego',
'Dirty',
'Disks',
'Dodge',
'Doing',
'Doors',
'Doses',
'Doubt',
'Dozen',
'Draft',
'Drain',
'Drama',
'Drawn',
'Draws',
'Dream',
'Dress',
'Drift',
'Drink',
'Drive',
'Drops',
'Drove',
'Drugs',
'Dutch',
'Dying',
'Eager',
'Eagle',
'Early',
'Earth',
'Eased',
'Eddie',
'Edged',
'Edges',
'Edwin',
'Egypt',
'Eight',
'Elect',
'Elite',
'Empty',
'Ended',
'Enemy',
'Enjoy',
'Enter',
'Entry',
'Epson',
'Equal',
'Error',
'Evans',
'Event',
'Every',
'Exact',
'Excel',
'Exile',
'Exist',
'Extra',
'Exxon',
'Faced',
'Faces',
'Facto',
'Facts',
'Fails',
'Faith',
'Falls',
'False',
'Fancy',
'Fares',
'Farms',
'Fatal',
'Fault',
'Favor',
'Faxes',
'Fears',
'Feels',
'Fence',
'Ferry',
'Fewer',
'Fiber',
'Field',
'Fifth',
'Fight',
'Filed',
'Files',
'Fills',
'Films',
'Final',
'Finds',
'Fined',
'Fines',
'Fired',
'Fires',
'Firms',
'First',
'Fixed',
'Flags',
'Flame',
'Flash',
'Flaws',
'Fleet',
'Float',
'Flood',
'Floor',
'Flown',
'Flows',
'Fluid',
'Focus',
'Foley',
'Folks',
'Fonts',
'Foods',
'Force',
'Forms',
'Forth',
'Forum',
'Found',
'Frame',
'Franc',
'Frank',
'Fraud',
'Freed',
'Fresh',
'Front',
'Fruit',
'Fuels',
'Fully',
'Funds',
'Funny',
'Gains',
'Games',
'Gamma',
'Gases',
'Gates',
'Gatos',
'Gauge',
'Genes',
'Giant',
'Gifts',
'Gilts',
'Girls',
'Given',
'Gives',
'Glass',
'Glenn',
'Goals',
'Going',
'Goods',
'Grade',
'Grain',
'Grand',
'Grant',
'Graph',
'Grass',
'Grave',
'Great',
'Greek',
'Green',
'Gross',
'Group',
'Grown',
'Grows',
'Guard',
'Guess',
'Guest',
'Guide',
'Haiti',
'Hands',
'Handy',
'Happy',
'Harry',
'Harsh',
'Hayes',
'Heads',
'Heard',
'Heart',
'Heavy',
'Hefty',
'Helms',
'Helps',
'Hence',
'Henry',
'Highs',
'Hills',
'Hired',
'Holds',
'Holes',
'Holly',
'Homes',
'Honda',
'Honor',
'Hoped',
'Hopes',
'Horse',
'Hosts',
'Hotel',
'Hours',
'House',
'Human',
'Humor',
'Icahn',
'Icons',
'Idaho',
'Ideal',
'Ideas',
'Image',
'Index',
'India',
'Inner',
'Input',
'Intel',
'Iraqi',
'Irish',
'Issue',
'Italy',
'Items',
'James',
'Japan',
'Jerry',
'Jesse',
'Jesus',
'Jimmy',
'Joins',
'Joint',
'Jokes',
'Jones',
'Judge',
'Juice',
'Kabul',
'Karen',
'Keeps',
'Keith',
'Kelly',
'Kevin',
'Khmer',
'Kinds',
'Klein',
'Klerk',
'Knife',
'Known',
'Knows',
'Kodak',
'Korea',
'Label',
'Labor',
'Lacks',
'Lakes',
'Lands',
'Large',
'Larry',
'Laser',
'Later',
'Latin',
'Layer',
'Leads',
'Leaks',
'Learn',
'Lease',
'Least',
'Leave',
'Legal',
'Level',
'Lewis',
'Libya',
'Light',
'Liked',
'Likes',
'Likud',
'Limit',
'Linda',
'Lined',
'Lines',
'Links',
'Lists',
'Lived',
'Liver',
'Lives',
'Lloyd',
'Loads',
'Loans',
'Lobby',
'Local',
'Logic',
'Looks',
'Loops',
'Loose',
'Loses',
'Lotus',
'Louis',
'Loved',
'Lower',
'Loyal',
'Lucas',
'Lucky',
'Lunch',
'Lying',
'Lynch',
'Macro',
'Magic',
'Maine',
'Major',
'Maker',
'Makes',
'March',
'Maria',
'Mario',
'Marks',
'Mason',
'Match',
'Maybe',
'Mayor',
'Meals',
'Means',
'Meant',
'Media',
'Meese',
'Meets',
'Menlo',
'Menus',
'Merge',
'Merit',
'Metal',
'Miami',
'Micro',
'Midst',
'Might',
'Milan',
'Miles',
'Mills',
'Minds',
'Mines',
'Minor',
'Minus',
'Mixed',
'Mobil',
'Model',
'Modem',
'Modes',
'Money',
'Monte',
'Month',
'Moore',
'Moral',
'Motif',
'Motor',
'Mount',
'Mouse',
'Mouth',
'Moved',
'Moves',
'Movie',
'Music',
'Myers',
'Named',
'Names',
'Nancy',
'Naval',
'Needs',
'Never',
'Newer',
'Newly',
'Niche',
'Night',
'Ninth',
'Nixon',
'Nobel',
'Nodes',
'Noise',
'North',
'Noted',
'Notes',
'Novel',
'Nubus',
'Nurse',
'Occur',
'Ocean',
'Offer',
'Often',
'Older',
'Opens',
'Opera',
'Optic',
'Orbit',
'Order',
'Oscar',
'Other',
'Ought',
'Ounce',
'Outer',
'Owned',
'Owner',
'Oxide',
'Ozone',
'Pages',
'Paint',
'Pairs',
'Panel',
'Panic',
'Paper',
'Paris',
'Parks',
'Parts',
'Party',
'Paste',
'Patch',
'Paths',
'Peace',
'Pence',
'Peres',
'Perez',
'Perry',
'Peter',
'Phase',
'Phone',
'Photo',
'Piano',
'Picks',
'Piece',
'Pilot',
'Pipes',
'Pitch',
'Pixel',
'Place',
'Plain',
'Plane',
'Plans',
'Plant',
'Plate',
'Plays',
'Plaza',
'Plots',
'Point',
'Polls',
'Pools',
'Ports',
'Posed',
'Poses',
'Posts',
'Pound',
'Power',
'Press',
'Price',
'Pride',
'Prime',
'Print',
'Prior',
'Prize',
'Probe',
'Proof',
'Proud',
'Prove',
'Proxy',
'Pulse',
'Pumps',
'Quake',
'Queen',
'Query',
'Queue',
'Quick',
'Quiet',
'Quite',
'Quota',
'Races',
'Radar',
'Radio',
'Raids',
'Rains',
'Raise',
'Rally',
'Ralph',
'Ranch',
'Range',
'Ranks',
'Rapid',
'Rated',
'Rates',
'Ratio',
'Rdbms',
'Reach',
'React',
'Reads',
'Ready',
'Rebel',
'Refer',
'Relay',
'Repay',
'Reply',
'Reset',
'Rhode',
'Ridge',
'Rifle',
'Right',
'Rigid',
'Rings',
'Riots',
'Risen',
'Rises',
'Risks',
'Risky',
'Rival',
'River',
'Roads',
'Robin',
'Rocks',
'Rocky',
'Roger',
'Roles',
'Roman',
'Rooms',
'Roots',
'Rouge',
'Rough',
'Round',
'Route',
'Royal',
'Ruled',
'Rules',
'Rumor',
'Rural',
'Sachs',
'Safer',
'Sales',
'Santa',
'Sauce',
'Saudi',
'Saved',
'Saves',
'Scale',
'Scans',
'Scene',
'Scope',
'Score',
'Scott',
'Scrap',
'Sears',
'Seats',
'Seeds',
'Seeks',
'Seems',
'Seize',
'Sells',
'Sends',
'Sense',
'Seoul',
'Serve',
'Setup',
'Seven',
'Shake',
'Shall',
'Shape',
'Share',
'Sharp',
'Sheet',
'Shelf',
'Shell',
'Shift',
'Ships',
'Shirt',
'Shock',
'Shoes',
'Shook',
'Shoot',
'Shops',
'Shore',
'Short',
'Shots',
'Shown',
'Shows',
'Sides',
'Sight',
'Signs',
'Simon',
'Since',
'Singh',
'Sites',
'Sixth',
'Sizes',
'Skill',
'Slain',
'Slash',
'Sleep',
'Slide',
'Slots',
'Slump',
'Small',
'Smart',
'Smile',
'Smith',
'Smoke',
'Solar',
'Solid',
'Solve',
'Songs',
'Sorry',
'Sorts',
'Sound',
'South',
'Space',
'Spain',
'Sparc',
'Spare',
'Spark',
'Speak',
'Speed',
'Spell',
'Spend',
'Spent',
'Spill',
'Spite',
'Split',
'Spoke',
'Sport',
'Spots',
'Squad',
'Stack',
'Staff',
'Stage',
'Stake',
'Stamp',
'Stand',
'Stars',
'Start',
'State',
'Stays',
'Steal',
'Steam',
'Steel',
'Steep',
'Stems',
'Steps',
'Steve',
'Stick',
'Stiff',
'Still',
'Stock',
'Stole',
'Stone',
'Stood',
'Stops',
'Store',
'Storm',
'Story',
'Strip',
'Stuck',
'Study',
'Stuff',
'Style',
'Sugar',
'Suite',
'Suits',
'Super',
'Surge',
'Susan',
'Sweep',
'Sweet',
'Swept',
'Swing',
'Swiss',
'Syria',
'Table',
'Taken',
'Takes',
'Talks',
'Tamil',
'Tampa',
'Tandy',
'Tanks',
'Tapes',
'Tasks',
'Taste',
'Taxes',
'Teach',
'Teams',
'Tears',
'Teeth',
'Tells',
'Tends',
'Terms',
'Terry',
'Tests',
'Texas',
'Thank',
'Theft',
'Their',
'Theme',
'There',
'These',
'Thick',
'Thing',
'Think',
'Third',
'Those',
'Three',
'Threw',
'Throw',
'Tight',
'Times',
'Tired',
'Tires',
'Title',
'Today',
'Token',
'Tokyo',
'Tonne',
'Tools',
'Topic',
'Total',
'Touch',
'Tough',
'Tower',
'Towns',
'Toxic',
'Trace',
'Track',
'Trade',
'Trail',
'Train',
'Trash',
'Treat',
'Trees',
'Trend',
'Trial',
'Trick',
'Tried',
'Tries',
'Trips',
'Troop',
'Truce',
'Truck',
'Truly',
'Trump',
'Trust',
'Truth',
'Tubes',
'Tumor',
'Turbo',
'Turns',
'Twice',
'Types',
'Tyson',
'Under',
'Union',
'Units',
'Unity',
'Until',
'Upper',
'Upset',
'Urban',
'Urged',
'Usage',
'Usair',
'Users',
'Using',
'Usual',
'Vague',
'Valid',
'Value',
'Valve',
'Vapor',
'Vegas',
'Video',
'Views',
'Vines',
'Virus',
'Visas',
'Visit',
'Vital',
'Voice',
'Voted',
'Voter',
'Votes',
'Vowed',
'Wages',
'Wales',
'Walls',
'Walsh',
'Wants',
'Warns',
'Waste',
'Watch',
'Water',
'Waves',
'Wayne',
'Weeks',
'Weigh',
'Weiss',
'Wells',
'Wheat',
'Wheel',
'Where',
'Which',
'While',
'White',
'Whole',
'Whose',
'Wider',
'Widow',
'Width',
'Winds',
'Wines',
'Wings',
'Wires',
'Woman',
'Women',
'Woods',
'Words',
'Works',
'World',
'Worry',
'Worse',
'Worst',
'Worth',
'Would',
'Wound',
'Write',
'Wrong',
'Wrote',
'Xenix',
'Xerox',
'Yards',
'Years',
'Yield',
'Young',
'Youth',
'Zones',
'Aboard',
'Abroad',
'Absent',
'Absorb',
'Abuses',
'Accept',
'Access',
'Accord',
'Across',
'Acting',
'Action',
'Active',
'Actors',
'Actual',
'Adding',
'Adjust',
'Admits',
'Adults',
'Advice',
'Advise',
'Affair',
'Affect',
'Afford',
'Afghan',
'Afraid',
'Africa',
'Agency',
'Agenda',
'Agents',
'Agreed',
'Agrees',
'Ailing',
'Aiming',
'Airbus',
'Alaska',
'Albert',
'Alfred',
'Allied',
'Allies',
'Allows',
'Alloys',
'Almost',
'Always',
'Amount',
'Analog',
'Andrew',
'Animal',
'Annual',
'Answer',
'Anyone',
'Anyway',
'Apollo',
'Appeal',
'Appear',
'Aquino',
'Arabia',
'Arafat',
'Argued',
'Argues',
'Arnold',
'Around',
'Arrays',
'Arrest',
'Arrive',
'Arthur',
'Artist',
'Asking',
'Aspect',
'Assess',
'Assets',
'Assign',
'Assist',
'Assume',
'Assure',
'Asylum',
'Atomic',
'Attach',
'Attack',
'Attend',
'August',
'Austin',
'Author',
'Autumn',
'Avenue',
'Awards',
'Babies',
'Backed',
'Backup',
'Bakker',
'Ballot',
'Baltic',
'Banker',
'Banned',
'Banyan',
'Barely',
'Barney',
'Barred',
'Barrel',
'Battle',
'Beaten',
'Beauty',
'Became',
'Become',
'Before',
'Begins',
'Behalf',
'Behind',
'Beirut',
'Belief',
'Belong',
'Benson',
'Berlin',
'Better',
'Beyond',
'Bidder',
'Bigger',
'Billed',
'Binary',
'Bitter',
'Blacks',
'Blamed',
'Blocks',
'Bloody',
'Boards',
'Boasts',
'Bodies',
'Boeing',
'Boesky',
'Boiler',
'Bomber',
'Border',
'Borrow',
'Boston',
'Bother',
'Bottle',
'Bottom',
'Bought',
'Branch',
'Brands',
'Brazil',
'Breach',
'Breaks',
'Breast',
'Bridge',
'Bright',
'Brings',
'Broken',
'Broker',
'Brooks',
'Budget',
'Buffer',
'Builds',
'Bullet',
'Bundle',
'Burden',
'Bureau',
'Burial',
'Buried',
'Burned',
'Bushel',
'Butler',
'Butter',
'Button',
'Buyers',
'Buying',
'Buyout',
'Bypass',
'Cables',
'Called',
'Caller',
'Camera',
'Campus',
'Canada',
'Cancel',
'Cancer',
'Cannot',
'Capped',
'Carbon',
'Career',
'Carlos',
'Cartel',
'Carter',
'Casino',
'Castle',
'Castro',
'Casual',
'Cattle',
'Caught',
'Caused',
'Causes',
'Cement',
'Census',
'Center',
'Centre',
'Chains',
'Chairs',
'Chance',
'Change',
'Chapel',
'Charge',
'Charts',
'Checks',
'Cheese',
'Cheney',
'Choice',
'Choose',
'Chosen',
'Church',
'Circle',
'Cities',
'Citing',
'Claims',
'Claris',
'Clarke',
'Clause',
'Clever',
'Client',
'Clinic',
'Clones',
'Closed',
'Closer',
'Clouds',
'Cloudy',
'Coding',
'Coffee',
'Colony',
'Colors',
'Colour',
'Column',
'Combat',
'Comdex',
'Comedy',
'Coming',
'Commit',
'Common',
'Compaq',
'Comply',
'Config',
'Contra',
'Cooper',
'Copied',
'Copies',
'Copper',
'Corner',
'Costly',
'Cotton',
'Counts',
'County',
'Couple',
'Coupon',
'Course',
'Courts',
'Covers',
'Cracks',
'Create',
'Credit',
'Crimes',
'Crisis',
'Critic',
'Crowds',
'Cruise',
'Curfew',
'Cursor',
'Curves',
'Custom',
'Cycles',
'Cyprus',
'Dakota',
'Dallas',
'Damage',
'Danger',
'Daniel',
'Danish',
'Dating',
'Dayton',
'Deadly',
'Dealer',
'Deaths',
'Debate',
'Debris',
'Decade',
'Decent',
'Decide',
'Decnet',
'Decree',
'Deemed',
'Deeper',
'Deeply',
'Defeat',
'Defect',
'Defend',
'Define',
'Degree',
'Delays',
'Delete',
'Demand',
'Denied',
'Denies',
'Dennis',
'Denver',
'Depend',
'Deputy',
'Desert',
'Design',
'Desire',
'Detail',
'Detect',
'Device',
'Dialog',
'Diesel',
'Differ',
'Dinner',
'Dipped',
'Direct',
'Disney',
'Divide',
'Docket',
'Doctor',
'Dollar',
'Domain',
'Donald',
'Donors',
'Double',
'Doubts',
'Dozens',
'Dreams',
'Drexel',
'Drinks',
'Driven',
'Driver',
'Drives',
'Dubbed',
'Dumped',
'During',
'Duties',
'Earned',
'Easier',
'Easily',
'Easing',
'Easter',
'Eating',
'Edison',
'Edited',
'Editor',
'Edward',
'Effect',
'Effort',
'Eighth',
'Either',
'Emerge',
'Empire',
'Employ',
'Enable',
'Ending',
'Energy',
'Engage',
'Engine',
'Enough',
'Ensure',
'Enters',
'Entire',
'Entity',
'Equals',
'Equity',
'Errors',
'Escape',
'Estate',
'Ethics',
'Ethnic',
'Eugene',
'Europe',
'Events',
'Everex',
'Exceed',
'Except',
'Excess',
'Excuse',
'Exempt',
'Exists',
'Exotic',
'Expand',
'Expect',
'Expert',
'Expire',
'Export',
'Extend',
'Extent',
'Facing',
'Factor',
'Failed',
'Fairly',
'Fallen',
'Family',
'Famous',
'Farmer',
'Faster',
'Father',
'Faults',
'Faulty',
'Favors',
'Favour',
'Feared',
'Fellow',
'Felony',
'Female',
'Fields',
'Fierce',
'Figure',
'Filing',
'Filled',
'Filter',
'Finder',
'Finger',
'Finish',
'Finite',
'Firing',
'Firmly',
'Fiscal',
'Fisher',
'Fitted',
'Flames',
'Flight',
'Floors',
'Floppy',
'Flying',
'Folder',
'Follow',
'Forced',
'Forces',
'Forest',
'Forget',
'Formal',
'Format',
'Formed',
'Former',
'Foster',
'Fought',
'Fourth',
'Foxpro',
'Frames',
'France',
'Francs',
'Freely',
'Freeze',
'French',
'Friday',
'Friend',
'Frozen',
'Fueled',
'Funded',
'Fusion',
'Future',
'Gained',
'Gallon',
'Gandhi',
'Garage',
'Garcia',
'Garden',
'Gather',
'Geared',
'Geneva',
'George',
'Gerald',
'German',
'Giants',
'Giving',
'Global',
'Golden',
'Gordon',
'Gotten',
'Grades',
'Graham',
'Grains',
'Grants',
'Graphs',
'Greece',
'Greene',
'Ground',
'Groups',
'Growth',
'Guards',
'Guests',
'Guides',
'Guilty',
'Gunman',
'Gunmen',
'Habits',
'Hailed',
'Halted',
'Hammer',
'Handed',
'Handle',
'Hanson',
'Happen',
'Harbor',
'Harder',
'Hardly',
'Harold',
'Harris',
'Harvey',
'Having',
'Hawaii',
'Hazard',
'Headed',
'Header',
'Health',
'Hearts',
'Heated',
'Height',
'Helmut',
'Helped',
'Herald',
'Heroin',
'Hidden',
'Hiding',
'Higher',
'Highly',
'Hilton',
'Hinted',
'Hiring',
'Holder',
'Holmes',
'Honest',
'Hoping',
'Horses',
'Hotels',
'Hourly',
'Houses',
'Howard',
'Hudson',
'Hughes',
'Humans',
'Hunger',
'Hunter',
'Hutton',
'Hybrid',
'Ignore',
'Images',
'Immune',
'Impact',
'Import',
'Impose',
'Inches',
'Income',
'Indeed',
'Indian',
'Infant',
'Inform',
'Ingres',
'Injury',
'Inputs',
'Insert',
'Inside',
'Insist',
'Intact',
'Intend',
'Intent',
'Invest',
'Invoke',
'Iraqis',
'Irvine',
'Irving',
'Island',
'Israel',
'Issued',
'Issues',
'Itself',
'Jacket',
'Jacobs',
'Jailed',
'Jersey',
'Jewish',
'Joined',
'Jordan',
'Joseph',
'Judged',
'Judges',
'Jumped',
'Junior',
'Jurors',
'Kansas',
'Kernel',
'Kicked',
'Kidder',
'Kidney',
'Killed',
'Killer',
'Korean',
'Kuwait',
'Labels',
'Labour',
'Lacked',
'Landed',
'Laptop',
'Larger',
'Lasers',
'Lasted',
'Lately',
'Latest',
'Latter',
'Launch',
'Lawyer',
'Layers',
'Laying',
'Layout',
'Leader',
'League',
'Leased',
'Leases',
'Leaves',
'Lehman',
'Length',
'Lesser',
'Lesson',
'Letter',
'Levels',
'Levine',
'Liable',
'Lifted',
'Lights',
'Likely',
'Limits',
'Linear',
'Linked',
'Liquid',
'Liquor',
'Listed',
'Listen',
'Little',
'Living',
'Loaded',
'Locate',
'Locked',
'London',
'Longer',
'Looked',
'Losers',
'Losing',
'Losses',
'Lowest',
'Luxury',
'Macros',
'Madrid',
'Mailed',
'Mainly',
'Makers',
'Makeup',
'Making',
'Manage',
'Manila',
'Manner',
'Manual',
'Manuel',
'Marcos',
'Margin',
'Marine',
'Marion',
'Marked',
'Market',
'Marlin',
'Martin',
'Masses',
'Master',
'Matrix',
'Matter',
'Mature',
'Mbytes',
'Mecham',
'Median',
'Medium',
'Member',
'Memory',
'Mental',
'Merely',
'Merged',
'Merger',
'Merits',
'Messrs',
'Metals',
'Meters',
'Method',
'Metric',
'Mexico',
'Michel',
'Midday',
'Middle',
'Milken',
'Miller',
'Miners',
'Mining',
'Minute',
'Mirror',
'Missed',
'Mixing',
'Mobile',
'Models',
'Modems',
'Modern',
'Modest',
'Modify',
'Module',
'Moment',
'Monday',
'Months',
'Morgan',
'Morris',
'Morton',
'Moscow',
'Moslem',
'Mostly',
'Mother',
'Motion',
'Motive',
'Motors',
'Movies',
'Moving',
'Murder',
'Murphy',
'Murray',
'Muscle',
'Museum',
'Mutual',
'Myself',
'Naming',
'Narrow',
'Nasdaq',
'Nation',
'Native',
'Nature',
'Nearby',
'Nearly',
'Needed',
'Nelson',
'Neural',
'Nevada',
'Newark',
'Newest',
'Nickel',
'Nights',
'Nikkei',
'Nippon',
'Nissan',
'Nobody',
'Nomura',
'Normal',
'Norman',
'Norton',
'Norway',
'Notice',
'Notify',
'Noting',
'Notion',
'Novell',
'Nuclei',
'Number',
'Nurses',
'Object',
'Obtain',
'Occurs',
'Offers',
'Office',
'Offset',
'Oldest',
'Oliver',
'Online',
'Opened',
'Openly',
'Oppose',
'Option',
'Oracle',
'Orange',
'Orders',
'Oregon',
'Organs',
'Origin',
'Ortega',
'Others',
'Ottawa',
'Ounces',
'Ousted',
'Outlet',
'Output',
'Owners',
'Oxford',
'Oxygen',
'Packed',
'Packet',
'Palace',
'Panama',
'Panels',
'Papers',
'Parade',
'Parent',
'Parity',
'Parked',
'Parker',
'Parole',
'Partly',
'Pascal',
'Passed',
'Passes',
'Patent',
'Patrol',
'Paying',
'People',
'Period',
'Permit',
'Person',
'Phases',
'Philip',
'Phones',
'Photos',
'Phrase',
'Picked',
'Pickup',
'Pieces',
'Pierce',
'Pilots',
'Pixels',
'Placed',
'Places',
'Plains',
'Planes',
'Planet',
'Plants',
'Plasma',
'Plates',
'Played',
'Player',
'Please',
'Pledge',
'Plenty',
'Plunge',
'Pocket',
'Points',
'Poison',
'Poland',
'Police',
'Policy',
'Polish',
'Poorly',
'Ported',
'Postal',
'Posted',
'Pounds',
'Poured',
'Powder',
'Powell',
'Powers',
'Prague',
'Praise',
'Prayer',
'Prefer',
'Pretax',
'Pretty',
'Priced',
'Prices',
'Priest',
'Prince',
'Prints',
'Prison',
'Profit',
'Prompt',
'Proper',
'Proved',
'Proven',
'Proves',
'Public',
'Puerto',
'Pulled',
'Purely',
'Pursue',
'Pushed',
'Quayle',
'Quebec',
'Quotas',
'Quoted',
'Quotes',
'Racial',
'Racing',
'Radius',
'Raised',
'Raises',
'Random',
'Ranged',
'Ranges',
'Ranked',
'Rarely',
'Rather',
'Rating',
'Ratios',
'Reader',
'Reagan',
'Really',
'Reason',
'Rebels',
'Recall',
'Recent',
'Record',
'Redeem',
'Reduce',
'Refers',
'Reform',
'Refuge',
'Refund',
'Refuse',
'Regain',
'Regard',
'Regime',
'Region',
'Reject',
'Relate',
'Relied',
'Relief',
'Relies',
'Remain',
'Remote',
'Remove',
'Rental',
'Reopen',
'Repair',
'Repeat',
'Report',
'Rescue',
'Reside',
'Resign',
'Resist',
'Resort',
'Result',
'Resume',
'Retail',
'Retain',
'Retire',
'Return',
'Reveal',
'Review',
'Revise',
'Revive',
'Revolt',
'Reward',
'Riding',
'Rifles',
'Rights',
'Rising',
'Rivals',
'Rivers',
'Robert',
'Robins',
'Robust',
'Rocket',
'Rogers',
'Rolled',
'Ronald',
'Rounds',
'Router',
'Routes',
'Rubber',
'Ruling',
'Rumors',
'Runoff',
'Runway',
'Rushed',
'Russia',
'Saddam',
'Safely',
'Safety',
'Salary',
'Salmon',
'Sample',
'Samuel',
'Saving',
'Saying',
'Scaled',
'Scales',
'Scarce',
'Scared',
'Scenes',
'Scheme',
'School',
'Scored',
'Scores',
'Screen',
'Script',
'Scroll',
'Sealed',
'Search',
'Season',
'Second',
'Secret',
'Sector',
'Secure',
'Seeing',
'Seemed',
'Seized',
'Seldom',
'Select',
'Seller',
'Senate',
'Senior',
'Serial',
'Series',
'Served',
'Server',
'Serves',
'Settle',
'Severe',
'Sexual',
'Shades',
'Shadow',
'Shamir',
'Shapes',
'Shared',
'Shares',
'Sharon',
'Sheets',
'Shells',
'Shield',
'Shifts',
'Shiite',
'Should',
'Showed',
'Shrink',
'Shultz',
'Sierra',
'Signal',
'Signed',
'Silent',
'Silver',
'Simple',
'Simply',
'Singer',
'Single',
'Sister',
'Skills',
'Slated',
'Slides',
'Slight',
'Slowed',
'Slower',
'Slowly',
'Smooth',
'Soared',
'Soccer',
'Social',
'Socket',
'Sodium',
'Solely',
'Solved',
'Sooner',
'Sought',
'Sounds',
'Source',
'Soviet',
'Spaces',
'Speaks',
'Speech',
'Speeds',
'Spends',
'Spirit',
'Spoken',
'Sports',
'Spread',
'Spring',
'Sprint',
'Square',
'Stable',
'Stacks',
'Staged',
'Stages',
'Stakes',
'Stalin',
'Stance',
'Stands',
'Starts',
'Stated',
'States',
'Static',
'Status',
'Stayed',
'Steady',
'Steven',
'Stocks',
'Stolen',
'Stones',
'Stored',
'Stores',
'Storms',
'Strain',
'Stream',
'Street',
'Stress',
'Strict',
'Strike',
'String',
'Stroke',
'Strong',
'Struck',
'Stuart',
'Studio',
'Styles',
'Submit',
'Subset',
'Subtle',
'Suburb',
'Subway',
'Sudden',
'Suffer',
'Suited',
'Sulfur',
'Summer',
'Summit',
'Sunday',
'Sununu',
'Supply',
'Surely',
'Surged',
'Survey',
'Sweden',
'Switch',
'Sybase',
'Sydney',
'Symbol',
'Syntax',
'Syrian',
'System',
'Tables',
'Tackle',
'Taiwan',
'Taking',
'Talent',
'Talked',
'Tandem',
'Tanker',
'Target',
'Tariff',
'Taught',
'Taylor',
'Tehran',
'Temple',
'Tended',
'Tender',
'Tennis',
'Tenure',
'Tested',
'Texaco',
'Thanks',
'Themes',
'Theory',
'Things',
'Thinks',
'Thomas',
'Though',
'Thread',
'Threat',
'Thrift',
'Thrown',
'Thrust',
'Ticket',
'Timber',
'Timely',
'Timing',
'Tissue',
'Titles',
'Tonnes',
'Topics',
'Topped',
'Totals',
'Toward',
'Toyota',
'Tracks',
'Traded',
'Trader',
'Trades',
'Trains',
'Travel',
'Treaty',
'Trends',
'Trials',
'Tribal',
'Triple',
'Troops',
'Trucks',
'Trusts',
'Trying',
'Tumors',
'Tunnel',
'Turkey',
'Turned',
'Turner',
'Typing',
'Unable',
'Unfair',
'Unions',
'Unique',
'United',
'Unless',
'Unlike',
'Unrest',
'Update',
'Upheld',
'Upward',
'Urgent',
'Urging',
'Usable',
'Useful',
'Vacant',
'Vacuum',
'Valley',
'Valued',
'Values',
'Varied',
'Varies',
'Vector',
'Vendor',
'Verify',
'Versus',
'Vessel',
'Viable',
'Victim',
'Victor',
'Vienna',
'Viewed',
'Virgin',
'Vision',
'Visits',
'Visual',
'Voices',
'Volume',
'Voters',
'Voting',
'Waited',
'Walesa',
'Walked',
'Walker',
'Walter',
'Wanted',
'Warned',
'Warner',
'Warren',
'Warsaw',
'Wastes',
'Waters',
'Watson',
'Weaken',
'Weaker',
'Wealth',
'Weapon',
'Weekly',
'Weighs',
'Weight',
'Whites',
'Wholly',
'Widely',
'Wilson',
'Window',
'Winner',
'Winter',
'Wiring',
'Wisdom',
'Wishes',
'Within',
'Witter',
'Wonder',
'Wooden',
'Worked',
'Worker',
'Wounds',
'Wright',
'Writer',
'Writes',
'Yearly',
'Yellow',
'Yields',
'Youths',
'Zenith',
'Zurich',
'Abandon',
'Ability',
'Absence',
'Academy',
'Accepts',
'Account',
'Accused',
'Achieve',
'Acquire',
'Actions',
'Actress',
'Adapted',
'Adapter',
'Address',
'Adopted',
'Advance',
'Adverse',
'Advised',
'Adviser',
'Affairs',
'Affects',
'African',
'Against',
'Airline',
'Airport',
'Airways',
'Alabama',
'Alberta',
'Alcohol',
'Alleged',
'Alleges',
'Allowed',
'Already',
'Altered',
'Amazing',
'Amended',
'America',
'Amnesty',
'Amounts',
'Analyst',
'Analyze',
'Ancient',
'Angeles',
'Angular',
'Animals',
'Another',
'Answers',
'Anthony',
'Antonio',
'Anxious',
'Anybody',
'Anymore',
'Apparel',
'Appeals',
'Appears',
'Applied',
'Applies',
'Approve',
'Arguing',
'Arising',
'Arizona',
'Armenia',
'Armored',
'Arrange',
'Arrests',
'Arrival',
'Arrived',
'Arrives',
'Article',
'Artists',
'Aspects',
'Assault',
'Asserts',
'Assumed',
'Assumes',
'Assured',
'Atlanta',
'Attacks',
'Attempt',
'Attract',
'Auction',
'Austria',
'Authors',
'Autocad',
'Average',
'Avoided',
'Awarded',
'Awkward',
'Backers',
'Backing',
'Backlog',
'Backups',
'Baghdad',
'Bailout',
'Balance',
'Balloon',
'Ballots',
'Bancorp',
'Bankers',
'Banking',
'Banning',
'Barbara',
'Bargain',
'Barrels',
'Barrier',
'Barring',
'Battery',
'Battles',
'Beaches',
'Bearing',
'Bearish',
'Beating',
'Because',
'Becomes',
'Beijing',
'Belgian',
'Belgium',
'Believe',
'Belongs',
'Beneath',
'Benefit',
'Bennett',
'Bentsen',
'Bernard',
'Besides',
'Betting',
'Between',
'Beverly',
'Bidders',
'Bidding',
'Biggest',
'Billing',
'Billion',
'Binding',
'Bishops',
'Blanket',
'Blocked',
'Bolster',
'Bombing',
'Bonuses',
'Booming',
'Boosted',
'Borders',
'Borland',
'Bottles',
'Boycott',
'Bradley',
'Brennan',
'Bridges',
'Briefly',
'Britain',
'British',
'Broaden',
'Broader',
'Broadly',
'Brokers',
'Brother',
'Brought',
'Budgets',
'Buffalo',
'Buffers',
'Buildup',
'Bullets',
'Bullion',
'Bullish',
'Bundled',
'Burnham',
'Burning',
'Bushels',
'Buttons',
'Cabinet',
'Cabling',
'Caching',
'Callers',
'Calling',
'Cameras',
'Campeau',
'Capable',
'Capital',
'Capitol',
'Captain',
'Capture',
'Carbide',
'Careers',
'Careful',
'Carried',
'Carrier',
'Carries',
'Catalog',
'Causing',
'Caution',
'Ceiling',
'Centers',
'Central',
'Centres',
'Century',
'Ceramic',
'Certain',
'Chamber',
'Chances',
'Changed',
'Changes',
'Channel',
'Chapter',
'Charged',
'Charges',
'Charity',
'Charles',
'Charter',
'Chassis',
'Cheaper',
'Checked',
'Checker',
'Chevron',
'Chicago',
'Chicken',
'Chinese',
'Choices',
'Chronic',
'Circles',
'Circuit',
'Citizen',
'Claimed',
'Clarify',
'Clashes',
'Classes',
'Classic',
'Clayton',
'Cleanup',
'Cleared',
'Clearly',
'Clients',
'Climate',
'Climbed',
'Clinics',
'Clinton',
'Clipper',
'Closely',
'Closest',
'Closing',
'Closure',
'Clothes',
'Cluster',
'Coastal',
'Cocaine',
'Coleman',
'Collect',
'College',
'Collins',
'Columns',
'Combine',
'Comfort',
'Command',
'Comment',
'Commons',
'Compact',
'Company',
'Compare',
'Compete',
'Compile',
'Complex',
'Concede',
'Concept',
'Concern',
'Concert',
'Conduct',
'Confirm',
'Conform',
'Connect',
'Consent',
'Consist',
'Console',
'Contact',
'Contain',
'Contend',
'Content',
'Contest',
'Context',
'Contras',
'Control',
'Convert',
'Cooking',
'Cooling',
'Copying',
'Correct',
'Costing',
'Council',
'Counsel',
'Counted',
'Counter',
'Country',
'Coupled',
'Couples',
'Courier',
'Courses',
'Covered',
'Crashed',
'Crashes',
'Created',
'Creates',
'Credits',
'Critics',
'Crossed',
'Crowded',
'Crucial',
'Crushed',
'Crystal',
'Cuellar',
'Culture',
'Current',
'Custody',
'Customs',
'Cutting',
'Damaged',
'Damages',
'Dancing',
'Dangers',
'Dealers',
'Dealing',
'Decades',
'Decided',
'Decides',
'Declare',
'Decline',
'Default',
'Defects',
'Defence',
'Defense',
'Deficit',
'Defined',
'Defines',
'Degrees',
'Delayed',
'Deleted',
'Deliver',
'Demands',
'Denmark',
'Density',
'Denying',
'Depends',
'Deposit',
'Derived',
'Deserve',
'Designs',
'Desired',
'Desktop',
'Despite',
'Destroy',
'Details',
'Detroit',
'Develop',
'Devices',
'Devised',
'Devoted',
'Diagram',
'Dialing',
'Diamond',
'Differs',
'Digital',
'Dilemma',
'Diluted',
'Dioxide',
'Discuss',
'Disease',
'Dismiss',
'Display',
'Dispute',
'Distant',
'Diverse',
'Divided',
'Divorce',
'Doctors',
'Dollars',
'Donated',
'Doubled',
'Douglas',
'Drafted',
'Dragged',
'Drastic',
'Drawing',
'Dressed',
'Drivers',
'Driving',
'Dropped',
'Drought',
'Dukakis',
'Dumping',
'Durable',
'Dynamic',
'Earlier',
'Earning',
'Easiest',
'Eastern',
'Eastman',
'Economy',
'Editing',
'Edition',
'Editors',
'Edwards',
'Effects',
'Efforts',
'Elderly',
'Elected',
'Elegant',
'Element',
'Embargo',
'Embassy',
'Emerged',
'Employs',
'Emulate',
'Enabled',
'Enables',
'Enacted',
'Endorse',
'Enemies',
'Enforce',
'Engaged',
'Engines',
'England',
'English',
'Enhance',
'Enjoyed',
'Ensures',
'Entered',
'Entries',
'Episode',
'Equally',
'Erosion',
'Erupted',
'Escaped',
'Essence',
'Ethical',
'Evening',
'Evident',
'Evolved',
'Exactly',
'Examine',
'Example',
'Exceeds',
'Excited',
'Exclude',
'Execute',
'Exhaust',
'Exhibit',
'Existed',
'Expects',
'Expense',
'Experts',
'Expired',
'Expires',
'Explain',
'Exploit',
'Explore',
'Exports',
'Exposed',
'Express',
'Extends',
'Extract',
'Extreme',
'Faction',
'Factors',
'Factory',
'Faculty',
'Failing',
'Failure',
'Falling',
'Farmers',
'Farming',
'Fashion',
'Fastest',
'Fatigue',
'Favored',
'Feature',
'Federal',
'Feeding',
'Feeling',
'Fighter',
'Figured',
'Figures',
'Filings',
'Filling',
'Filters',
'Finally',
'Finance',
'Finding',
'Fingers',
'Finland',
'Fishing',
'Fission',
'Fleeing',
'Flights',
'Flooded',
'Florida',
'Flowers',
'Flowing',
'Focused',
'Focuses',
'Folders',
'Follows',
'Forcing',
'Foreign',
'Forests',
'Forever',
'Formats',
'Forming',
'Formula',
'Fortran',
'Fortune',
'Forward',
'Founded',
'Founder',
'Fragile',
'Francis',
'Freedom',
'Freeman',
'Freight',
'Fremont',
'Friends',
'Fujitsu',
'Fulfill',
'Funding',
'Funeral',
'Furnace',
'Further',
'Futures',
'Gainers',
'Gaining',
'Gallery',
'Gallons',
'Garbage',
'Gateway',
'General',
'Generic',
'Genetic',
'Genuine',
'Georgia',
'Germans',
'Germany',
'Gesture',
'Getting',
'Gilbert',
'Glasses',
'Goldman',
'Grabbed',
'Gradual',
'Granted',
'Graphic',
'Gravity',
'Greater',
'Greatly',
'Greeted',
'Gregory',
'Grocery',
'Grounds',
'Growers',
'Growing',
'Gunfire',
'Handful',
'Handled',
'Handles',
'Hanging',
'Hanover',
'Happens',
'Hardest',
'Harvard',
'Harvest',
'Hazards',
'Heading',
'Healthy',
'Hearing',
'Heating',
'Heavily',
'Helpful',
'Helping',
'Herbert',
'Herself',
'Higgins',
'Highest',
'Highway',
'Himself',
'History',
'Hitting',
'Hoffman',
'Holders',
'Holding',
'Holiday',
'Honored',
'Hopeful',
'Hopkins',
'Horizon',
'Hostage',
'Hostile',
'Housing',
'Houston',
'However',
'Hundred',
'Hungary',
'Hunting',
'Husband',
'Hussein',
'Hyundai',
'Ignored',
'Illegal',
'Illness',
'Imagine',
'Imaging',
'Impacts',
'Implies',
'Imports',
'Imposed',
'Improve',
'Include',
'Incomes',
'Indexed',
'Indexes',
'Indiana',
'Indians',
'Induced',
'Initial',
'Injured',
'Inmates',
'Inquiry',
'Insider',
'Insists',
'Install',
'Instant',
'Instead',
'Insured',
'Insurer',
'Integer',
'Intends',
'Intense',
'Interim',
'Invaded',
'Invited',
'Invoked',
'Involve',
'Iranian',
'Ireland',
'Islamic',
'Islands',
'Israeli',
'Issuing',
'Italian',
'Jackson',
'January',
'Jeffrey',
'Jewelry',
'Jobless',
'Johnson',
'Joining',
'Jointly',
'Journal',
'Journey',
'Jumping',
'Justice',
'Justify',
'Keating',
'Keeping',
'Kennedy',
'Kenneth',
'Killing',
'Kingdom',
'Kitchen',
'Knocked',
'Knowing',
'Kremlin',
'Kuwaiti',
'Labeled',
'Lacking',
'Lambert',
'Landing',
'Laptops',
'Largely',
'Largest',
'Lasting',
'Lattice',
'Lawsuit',
'Lawyers',
'Layoffs',
'Leaders',
'Leading',
'Learned',
'Leasing',
'Leaving',
'Lebanon',
'Leftist',
'Legally',
'Lenders',
'Lending',
'Lengths',
'Lengthy',
'Leonard',
'Lesions',
'Lessons',
'Letters',
'Letting',
'Liberal',
'Liberty',
'Library',
'Licence',
'License',
'Lifting',
'Lighter',
'Limited',
'Lincoln',
'Linking',
'Listing',
'Loading',
'Locally',
'Located',
'Locking',
'Logging',
'Logical',
'Longest',
'Looking',
'Lorenzo',
'Lottery',
'Lowered',
'Loyalty',
'Machine',
'Macweek',
'Madison',
'Mailing',
'Managed',
'Manager',
'Manages',
'Mandate',
'Mandela',
'Manuals',
'Mapping',
'Marched',
'Margins',
'Marines',
'Markets',
'Marking',
'Married',
'Martial',
'Marxist',
'Massive',
'Matched',
'Matches',
'Matters',
'Maximum',
'Maxwell',
'Meaning',
'Measure',
'Medical',
'Meeting',
'Members',
'Memphis',
'Mention',
'Mercury',
'Mergers',
'Merging',
'Merrill',
'Message',
'Methane',
'Methods',
'Mexican',
'Michael',
'Mideast',
'Midland',
'Midwest',
'Migrate',
'Mikhail',
'Militia',
'Million',
'Mineral',
'Minimal',
'Minimum',
'Minutes',
'Missile',
'Missing',
'Mission',
'Mistake',
'Mixture',
'Modular',
'Modules',
'Moments',
'Monitor',
'Montana',
'Monthly',
'Morning',
'Moslems',
'Mothers',
'Mounted',
'Murders',
'Musical',
'Mystery',
'Nabisco',
'Namibia',
'Nations',
'Natural',
'Nearest',
'Neither',
'Nervous',
'Netbios',
'Netview',
'Netware',
'Network',
'Neutral',
'Neutron',
'Newport',
'Newwave',
'Nominal',
'Nominee',
'Noriega',
'Notable',
'Notably',
'Nothing',
'Noticed',
'Notices',
'Nowhere',
'Nuclear',
'Numbers',
'Numeric',
'Nursing',
'Oakland',
'Objects',
'Obscure',
'Observe',
'Obvious',
'October',
'Offense',
'Offered',
'Officer',
'Offices',
'Olympic',
'Ongoing',
'Ontario',
'Opening',
'Operate',
'Opinion',
'Opposed',
'Opposes',
'Optical',
'Optimal',
'Optimum',
'Options',
'Ordered',
'Organic',
'Orlando',
'Orleans',
'Outcome',
'Outdoor',
'Outlets',
'Outline',
'Outlook',
'Outside',
'Overall',
'Overlay',
'Oversee',
'Pacific',
'Package',
'Packets',
'Painful',
'Painted',
'Palette',
'Paradox',
'Parents',
'Parking',
'Partial',
'Parties',
'Partner',
'Passage',
'Passing',
'Passive',
'Patents',
'Patient',
'Patrick',
'Pattern',
'Payable',
'Payment',
'Payroll',
'Peabody',
'Penalty',
'Pending',
'Pension',
'Percent',
'Perfect',
'Perform',
'Perhaps',
'Periods',
'Permits',
'Persian',
'Persons',
'Philips',
'Phoenix',
'Physics',
'Picking',
'Picture',
'Placing',
'Plagued',
'Planned',
'Planted',
'Plastic',
'Players',
'Playing',
'Pleaded',
'Pleased',
'Pledged',
'Plunged',
'Pockets',
'Pointed',
'Pointer',
'Polling',
'Popular',
'Portion',
'Posting',
'Poverty',
'Powered',
'Praised',
'Precise',
'Predict',
'Prefers',
'Premier',
'Premium',
'Prepare',
'Present',
'Pressed',
'Prevent',
'Preview',
'Pricing',
'Priests',
'Primary',
'Printed',
'Printer',
'Privacy',
'Private',
'Problem',
'Proceed',
'Process',
'Produce',
'Product',
'Profile',
'Profits',
'Program',
'Project',
'Promise',
'Promote',
'Prompts',
'Propose',
'Protect',
'Protein',
'Protest',
'Provide',
'Proving',
'Publish',
'Pulling',
'Pumping',
'Purpose',
'Pursued',
'Pursuit',
'Pushing',
'Putting',
'Qualify',
'Quality',
'Quantum',
'Quarter',
'Quattro',
'Queries',
'Quickly',
'Quietly',
'Radical',
'Railway',
'Raising',
'Rallied',
'Rallies',
'Ranging',
'Ranking',
'Rapidly',
'Ratings',
'Raymond',
'Reached',
'Reaches',
'Reacted',
'Reactor',
'Readers',
'Readily',
'Reading',
'Reality',
'Realize',
'Reasons',
'Rebound',
'Rebuild',
'Recalls',
'Receipt',
'Receive',
'Records',
'Recover',
'Reduced',
'Reduces',
'Refined',
'Reflect',
'Reforms',
'Refugee',
'Refusal',
'Refused',
'Refuses',
'Regions',
'Regular',
'Related',
'Relaxed',
'Release',
'Relying',
'Remains',
'Remarks',
'Removal',
'Removed',
'Renewal',
'Renewed',
'Repairs',
'Replace',
'Replied',
'Reports',
'Request',
'Require',
'Rescued',
'Reserve',
'Resides',
'Resolve',
'Respect',
'Respond',
'Restore',
'Results',
'Resumed',
'Retains',
'Retired',
'Retreat',
'Returns',
'Reuters',
'Reveals',
'Revenue',
'Reverse',
'Reviews',
'Revised',
'Revival',
'Rewards',
'Richard',
'Richter',
'Robbery',
'Roberts',
'Rockets',
'Rolling',
'Romania',
'Roughly',
'Routers',
'Routine',
'Routing',
'Rulings',
'Running',
'Russell',
'Russian',
'Saatchi',
'Sailors',
'Salinas',
'Salomon',
'Samples',
'Satisfy',
'Savings',
'Scaling',
'Scandal',
'Scanned',
'Scanner',
'Schemes',
'Schools',
'Science',
'Scoring',
'Scratch',
'Screens',
'Scripts',
'Seagate',
'Seasons',
'Seattle',
'Seconds',
'Secrets',
'Section',
'Sectors',
'Secured',
'Seeking',
'Segment',
'Seismic',
'Sellers',
'Selling',
'Seminar',
'Senator',
'Sending',
'Sensors',
'Serious',
'Servers',
'Service',
'Serving',
'Session',
'Setback',
'Setting',
'Settled',
'Seventh',
'Several',
'Shallow',
'Sharing',
'Sharply',
'Shelter',
'Shelves',
'Shifted',
'Shipped',
'Shocked',
'Shorter',
'Shortly',
'Shouted',
'Showers',
'Showing',
'Shuttle',
'Siemens',
'Signals',
'Signing',
'Silence',
'Silicon',
'Similar',
'Simmons',
'Simpler',
'Simpson',
'Singing',
'Singled',
'Sitting',
'Sizable',
'Skilled',
'Slashed',
'Slaying',
'Slipped',
'Slowing',
'Slumped',
'Smaller',
'Smoking',
'Soaring',
'Society',
'Soldier',
'Solvent',
'Solving',
'Somehow',
'Someone',
'Sorting',
'Sounded',
'Sources',
'Soviets',
'Soybean',
'Spacing',
'Spanish',
'Sparked',
'Spatial',
'Speaker',
'Special',
'Species',
'Specify',
'Spectra',
'Spencer',
'Spirits',
'Sponsor',
'Spotted',
'Springs',
'Spurred',
'Squeeze',
'Stadium',
'Staging',
'Stalled',
'Stanley',
'Started',
'Startup',
'Station',
'Statute',
'Staying',
'Stearns',
'Stemmed',
'Stephen',
'Stepped',
'Stevens',
'Stewart',
'Stomach',
'Stopped',
'Storage',
'Stories',
'Storing',
'Strains',
'Strange',
'Streams',
'Streets',
'Stretch',
'Strikes',
'Strings',
'Student',
'Studied',
'Studies',
'Subject',
'Subsidy',
'Suburbs',
'Succeed',
'Success',
'Suffers',
'Suggest',
'Suicide',
'Summary',
'Support',
'Suppose',
'Supreme',
'Surface',
'Surgery',
'Surplus',
'Surveys',
'Survive',
'Suspect',
'Suspend',
'Sustain',
'Swedish',
'Symbols',
'Systems',
'Tactics',
'Talking',
'Tankers',
'Targets',
'Tariffs',
'Taxable',
'Teacher',
'Telecom',
'Telling',
'Tenants',
'Tension',
'Testify',
'Testing',
'Textile',
'Theater',
'Therapy',
'Thereby',
'Thermal',
'Thomson',
'Thought',
'Threats',
'Thrifts',
'Through',
'Tickets',
'Tighten',
'Tighter',
'Tightly',
'Timothy',
'Tobacco',
'Tonight',
'Toolkit',
'Toronto',
'Toshiba',
'Totaled',
'Totally',
'Touched',
'Tougher',
'Tourism',
'Tourist',
'Towards',
'Traders',
'Trading',
'Traffic',
'Tragedy',
'Trained',
'Transit',
'Trapped',
'Treated',
'Tribune',
'Trigger',
'Tritium',
'Trouble',
'Trustee',
'Tuesday',
'Tumbled',
'Turbine',
'Turkish',
'Turmoil',
'Turning',
'Twisted',
'Typical',
'Ukraine',
'Unaware',
'Unclear',
'Undergo',
'Unhappy',
'Unified',
'Uniform',
'Unknown',
'Unusual',
'Updated',
'Updates',
'Upgrade',
'Uranium',
'Usually',
'Utility',
'Utilize',
'Vaccine',
'Variety',
'Various',
'Varying',
'Vatican',
'Vehicle',
'Vendors',
'Ventura',
'Venture',
'Verdict',
'Vermont',
'Version',
'Vessels',
'Veteran',
'Victims',
'Victory',
'Vietnam',
'Viewers',
'Viewing',
'Village',
'Vincent',
'Violate',
'Violent',
'Virtual',
'Viruses',
'Visible',
'Visited',
'Voltage',
'Volumes',
'Waiting',
'Walking',
'Wallace',
'Wanting',
'Warburg',
'Warfare',
'Warming',
'Warning',
'Warrant',
'Watched',
'Watkins',
'Wealthy',
'Weapons',
'Wearing',
'Weather',
'Wedding',
'Weekend',
'Weighed',
'Welcome',
'Welfare',
'Western',
'Whereas',
'Whether',
'Whitney',
'Widened',
'William',
'Willing',
'Windows',
'Winners',
'Winning',
'Without',
'Witness',
'Workers',
'Working',
'Worried',
'Worries',
'Wounded',
'Wrapped',
'Writers',
'Writing',
'Written',
'Wyoming',
'Wysiwyg',
'Yeltsin',
'Yielded',
'Yitzhak',
'Younger',
'Zealand',
'Abortion',
'Absolute',
'Absorbed',
'Abstract',
'Academic',
'Accepted',
'Accessed',
'Accident',
'Accounts',
'Accuracy',
'Accurate',
'Accusing',
'Achieved',
'Acquired',
'Actively',
'Activist',
'Activity',
'Actually',
'Adapters',
'Addition',
'Adequate',
'Adjacent',
'Adjusted',
'Admitted',
'Adollars',
'Adopting',
'Adoption',
'Advanced',
'Advances',
'Advisers',
'Advisory',
'Advocate',
'Affected',
'Agencies',
'Agreeing',
'Aircraft',
'Airlines',
'Airplane',
'Airports',
'Alleging',
'Alliance',
'Allocate',
'Allowing',
'Although',
'Aluminum',
'American',
'Amounted',
'Analyses',
'Analysis',
'Analysts',
'Analyzed',
'Analyzer',
'Andersen',
'Anderson',
'Animated',
'Announce',
'Annually',
'Answered',
'Anything',
'Anywhere',
'Apparent',
'Appealed',
'Appeared',
'Applying',
'Approach',
'Approval',
'Approved',
'Argument',
'Arkansas',
'Armenian',
'Arranged',
'Arrested',
'Arriving',
'Articles',
'Artistic',
'Asbestos',
'Assembly',
'Asserted',
'Assessed',
'Assigned',
'Assuming',
'Atlantic',
'Atlantis',
'Attached',
'Attacked',
'Attempts',
'Attended',
'Attitude',
'Attorney',
'Audience',
'Auditors',
'Austrian',
'Automate',
'Autonomy',
'Averaged',
'Averages',
'Aviation',
'Avoiding',
'Awaiting',
'Backbone',
'Backward',
'Bacteria',
'Balanced',
'Barclays',
'Barriers',
'Baseball',
'Basement',
'Battered',
'Battling',
'Becoming',
'Behavior',
'Believed',
'Believes',
'Benefits',
'Benjamin',
'Berkeley',
'Billions',
'Birthday',
'Blocking',
'Bombings',
'Boosting',
'Borrowed',
'Boundary',
'Branches',
'Breaking',
'Briefing',
'Bringing',
'Broadway',
'Brooklyn',
'Brothers',
'Brussels',
'Building',
'Bulgaria',
'Bulletin',
'Business',
'Calendar',
'Cambodia',
'Campaign',
'Campbell',
'Canadian',
'Canceled',
'Capacity',
'Captured',
'Cardinal',
'Carolina',
'Carriers',
'Carrying',
'Cassette',
'Catalyst',
'Category',
'Catholic',
'Cautious',
'Cdollars',
'Cellular',
'Cemetery',
'Centered',
'Ceremony',
'Chairman',
'Chambers',
'Champion',
'Changing',
'Channels',
'Chapters',
'Charging',
'Checking',
'Chemical',
'Children',
'Choosing',
'Chrysler',
'Churches',
'Circuits',
'Citicorp',
'Citizens',
'Civilian',
'Claiming',
'Cleaning',
'Clearing',
'Clicking',
'Climbing',
'Clinical',
'Closings',
'Clothing',
'Clusters',
'Collapse',
'Colleges',
'Colombia',
'Colorado',
'Columbia',
'Columbus',
'Combined',
'Combines',
'Commands',
'Comments',
'Commerce',
'Commonly',
'Compared',
'Compares',
'Compiled',
'Compiler',
'Complain',
'Complete',
'Composed',
'Compound',
'Comprise',
'Computed',
'Computer',
'Conceded',
'Concedes',
'Concepts',
'Concerns',
'Conclude',
'Concrete',
'Confined',
'Conflict',
'Confused',
'Congress',
'Connects',
'Consider',
'Consists',
'Constant',
'Consumed',
'Consumer',
'Contacts',
'Contains',
'Contends',
'Contents',
'Continue',
'Contract',
'Contrary',
'Contrast',
'Controls',
'Converts',
'Convince',
'Counties',
'Counting',
'Coupling',
'Coverage',
'Covering',
'Cracking',
'Creating',
'Creation',
'Creative',
'Credited',
'Creditor',
'Criminal',
'Criteria',
'Critical',
'Crossing',
'Crystals',
'Cultural',
'Currency',
'Customer',
'Cutbacks',
'Cyclical',
'Damaging',
'Database',
'Daughter',
'Deadline',
'Dealings',
'Debugger',
'December',
'Deciding',
'Decision',
'Declared',
'Declined',
'Declines',
'Decrease',
'Defaults',
'Defeated',
'Defended',
'Deferred',
'Deficits',
'Defining',
'Definite',
'Delaware',
'Delegate',
'Delicate',
'Delivers',
'Delivery',
'Demanded',
'Democrat',
'Deployed',
'Deposits',
'Deputies',
'Describe',
'Deserves',
'Designed',
'Designer',
'Detailed',
'Detained',
'Detected',
'Detector',
'Deutsche',
'Develops',
'Diagrams',
'Dialogue',
'Diameter',
'Dictator',
'Diplomat',
'Directed',
'Directly',
'Director',
'Disabled',
'Disagree',
'Disaster',
'Disclose',
'Discount',
'Discover',
'Discrete',
'Diseases',
'Diskette',
'Diskless',
'Displays',
'Disposal',
'Disputed',
'Disputes',
'Distance',
'Distinct',
'District',
'Dividend',
'Division',
'Document',
'Domestic',
'Dominant',
'Dominate',
'Doubling',
'Download',
'Downtown',
'Downturn',
'Downward',
'Drafting',
'Dramatic',
'Drawback',
'Drawings',
'Drilling',
'Drinking',
'Dropping',
'Duration',
'Dynamics',
'Earliest',
'Earnings',
'Economic',
'Editions',
'Egyptian',
'Election',
'Electric',
'Electron',
'Elements',
'Elevated',
'Eligible',
'Embedded',
'Emerging',
'Emission',
'Emphasis',
'Employed',
'Employee',
'Employer',
'Enabling',
'Endorsed',
'Energies',
'Engineer',
'Enhanced',
'Enormous',
'Ensuring',
'Entering',
'Entirely',
'Entities',
'Entitled',
'Entrance',
'Envelope',
'Equation',
'Equipped',
'Equities',
'Estimate',
'Ethernet',
'European',
'Evaluate',
'Eventual',
'Everyone',
'Evidence',
'Examined',
'Examines',
'Examples',
'Exceeded',
'Exchange',
'Exciting',
'Excluded',
'Executed',
'Exercise',
'Exhibits',
'Existing',
'Expanded',
'Expected',
'Expelled',
'Expenses',
'Explains',
'Explicit',
'Exploded',
'Exported',
'Exposure',
'Extended',
'External',
'Facility',
'Factions',
'Failures',
'Familiar',
'Families',
'Favorite',
'Feasible',
'Featured',
'Features',
'February',
'Feedback',
'Feelings',
'Festival',
'Fidelity',
'Fighters',
'Fighting',
'Financed',
'Finances',
'Findings',
'Finished',
'Flagship',
'Flexible',
'Floating',
'Flooding',
'Focusing',
'Followed',
'Football',
'Forecast',
'Formally',
'Formerly',
'Formulas',
'Fortunes',
'Founding',
'Fraction',
'Fracture',
'Franklin',
'Freezing',
'Frequent',
'Friction',
'Friendly',
'Function',
'Gambling',
'Gasoline',
'Gateways',
'Gathered',
'Generate',
'Generous',
'Geometry',
'Gephardt',
'Gillette',
'Gonzalez',
'Governor',
'Graduate',
'Granting',
'Graphics',
'Greatest',
'Guidance',
'Guinness',
'Hamilton',
'Hampered',
'Handlers',
'Handling',
'Happened',
'Hardware',
'Harrison',
'Hartford',
'Headline',
'Hearings',
'Hercules',
'Heritage',
'Highways',
'Hispanic',
'Historic',
'Holdings',
'Holidays',
'Homeland',
'Homeless',
'Hometown',
'Honduras',
'Hospital',
'Hostages',
'Hundreds',
'Hydrogen',
'Identify',
'Identity',
'Illinois',
'Imminent',
'Immunity',
'Imperial',
'Imported',
'Imposing',
'Improper',
'Improved',
'Improves',
'Incident',
'Inclined',
'Included',
'Includes',
'Incoming',
'Increase',
'Incurred',
'Indexing',
'Indicate',
'Indicted',
'Indirect',
'Industry',
'Infected',
'Informal',
'Informed',
'Informix',
'Infrared',
'Inherent',
'Initiate',
'Injected',
'Injuries',
'Injuring',
'Innocent',
'Inserted',
'Insiders',
'Insisted',
'Inspired',
'Instance',
'Insurers',
'Integral',
'Intended',
'Interact',
'Interest',
'Interior',
'Internal',
'Internet',
'Interval',
'Invasion',
'Invented',
'Invested',
'Investor',
'Invoices',
'Involved',
'Involves',
'Iranians',
'Isolated',
'Israelis',
'Issuance',
'Japanese',
'Jetliner',
'Johnston',
'Jonathan',
'Judgment',
'Judicial',
'Justices',
'Kentucky',
'Keyboard',
'Khomeini',
'Killings',
'Kohlberg',
'Landmark',
'Language',
'Laserjet',
'Launched',
'Lawrence',
'Lawsuits',
'Learning',
'Lebanese',
'Leverage',
'Licensed',
'Licenses',
'Lifetime',
'Lighting',
'Limiting',
'Listings',
'Lobbying',
'Location',
'Lockheed',
'Longtime',
'Lowering',
'Machines',
'Magazine',
'Magellan',
'Magnetic',
'Mainland',
'Maintain',
'Majority',
'Malaysia',
'Managers',
'Managing',
'Manually',
'Margaret',
'Marginal',
'Marketed',
'Marriage',
'Marshall',
'Martinez',
'Maryland',
'Matching',
'Material',
'Maturity',
'Mccarthy',
'Meantime',
'Measured',
'Measures',
'Medicaid',
'Medicare',
'Medicine',
'Meetings',
'Megabyte',
'Memorial',
'Memories',
'Merchant',
'Messages',
'Michigan',
'Microvax',
'Midnight',
'Midrange',
'Military',
'Millions',
'Minimize',
'Minister',
'Ministry',
'Minority',
'Missiles',
'Missions',
'Missouri',
'Mistakes',
'Mitchell',
'Mixtures',
'Modeling',
'Moderate',
'Modified',
'Mohammed',
'Moisture',
'Momentum',
'Monetary',
'Monitors',
'Monopoly',
'Montreal',
'Moreover',
'Morrison',
'Mortgage',
'Motorola',
'Mountain',
'Mounting',
'Movement',
'Multiple',
'Narrowed',
'Narrowly',
'National',
'Nebraska',
'Negative',
'Neighbor',
'Networks',
'Nicholas',
'Nintendo',
'Nitrogen',
'Normally',
'Northern',
'Notebook',
'Notified',
'November',
'Numerous',
'Objected',
'Observed',
'Observer',
'Obsolete',
'Obstacle',
'Obtained',
'Occasion',
'Occupied',
'Occurred',
'Offering',
'Officers',
'Official',
'Offshore',
'Oklahoma',
'Olivetti',
'Olympics',
'Openness',
'Operated',
'Operates',
'Operator',
'Opinions',
'Opponent',
'Opposing',
'Opposite',
'Optimism',
'Optimize',
'Optional',
'Ordering',
'Ordinary',
'Organize',
'Oriented',
'Original',
'Outgoing',
'Outlawed',
'Outlined',
'Outlines',
'Outright',
'Overcome',
'Overhaul',
'Overhead',
'Override',
'Overseas',
'Oversees',
'Overtime',
'Overview',
'Packaged',
'Packages',
'Painting',
'Pakistan',
'Parallel',
'Particle',
'Partners',
'Password',
'Patients',
'Patricia',
'Patterns',
'Payments',
'Peaceful',
'Pennzoil',
'Pensions',
'Pentagon',
'Performs',
'Periodic',
'Personal',
'Persuade',
'Peterson',
'Petition',
'Phillips',
'Physical',
'Pictures',
'Pipeline',
'Planners',
'Planning',
'Planting',
'Plastics',
'Platform',
'Platinum',
'Pleasure',
'Plotting',
'Pointers',
'Pointing',
'Polaroid',
'Policies',
'Politics',
'Portable',
'Portions',
'Portland',
'Portrait',
'Portugal',
'Position',
'Positive',
'Possible',
'Possibly',
'Potatoes',
'Powerful',
'Practice',
'Precious',
'Predicts',
'Pregnant',
'Premiums',
'Prepared',
'Presence',
'Presents',
'Preserve',
'Pressing',
'Pressure',
'Prevents',
'Previous',
'Printers',
'Printing',
'Priority',
'Prisoner',
'Probable',
'Probably',
'Problems',
'Proceeds',
'Produced',
'Producer',
'Produces',
'Products',
'Profiles',
'Programs',
'Progress',
'Prohibit',
'Projects',
'Promised',
'Promises',
'Promoted',
'Prompted',
'Promptly',
'Properly',
'Property',
'Proposal',
'Proposed',
'Proposes',
'Prospect',
'Protests',
'Protocol',
'Provided',
'Provider',
'Provides',
'Province',
'Publicly',
'Punitive',
'Purchase',
'Purposes',
'Pursuant',
'Pursuing',
'Quantity',
'Quarters',
'Question',
'Radicals',
'Railroad',
'Reaching',
'Reaction',
'Reactors',
'Realized',
'Recalled',
'Receipts',
'Received',
'Receiver',
'Receives',
'Recently',
'Recorded',
'Recorder',
'Recovery',
'Reducing',
'Referred',
'Refinery',
'Refining',
'Reflects',
'Refugees',
'Refusing',
'Regarded',
'Regional',
'Register',
'Regulate',
'Rejected',
'Relating',
'Relation',
'Relative',
'Released',
'Releases',
'Relevant',
'Reliable',
'Relieved',
'Religion',
'Remained',
'Remember',
'Removing',
'Repeated',
'Replaced',
'Replaces',
'Reported',
'Reporter',
'Republic',
'Requests',
'Required',
'Requires',
'Research',
'Reseller',
'Reserved',
'Reserves',
'Resident',
'Residual',
'Resigned',
'Resisted',
'Resolved',
'Resource',
'Respects',
'Response',
'Restored',
'Restrict',
'Resulted',
'Retailer',
'Retained',
'Retiring',
'Retrieve',
'Returned',
'Revealed',
'Revenues',
'Reversal',
'Reversed',
'Reviewed',
'Revision',
'Reynolds',
'Rhetoric',
'Richards',
'Richmond',
'Robinson',
'Rockwell',
'Romanian',
'Rotation',
'Routines',
'Russians',
'Salaries',
'Salesman',
'Salvador',
'Sampling',
'Saturday',
'Scalable',
'Scanners',
'Scanning',
'Scenario',
'Schedule',
'Sciences',
'Scotland',
'Scottish',
'Scrutiny',
'Searched',
'Searches',
'Seasonal',
'Sections',
'Security',
'Segments',
'Selected',
'Seminars',
'Senators',
'Sensible',
'Sentence',
'Separate',
'Sequence',
'Services',
'Sessions',
'Settings',
'Settling',
'Severely',
'Sexually',
'Shanghai',
'Shearson',
'Shelters',
'Shifting',
'Shipment',
'Shipping',
'Shooting',
'Shoppers',
'Shopping',
'Shortage',
'Shoulder',
'Shutdown',
'Simplify',
'Simulate',
'Sleeping',
'Slightly',
'Slowdown',
'Sluggish',
'Smallest',
'Smoothly',
'Software',
'Soldiers',
'Solution',
'Somebody',
'Sometime',
'Somewhat',
'Southern',
'Soybeans',
'Speakers',
'Speaking',
'Specific',
'Spectral',
'Spectrum',
'Speeches',
'Spelling',
'Spending',
'Sponsors',
'Staffers',
'Standard',
'Standing',
'Stanford',
'Starring',
'Starting',
'Stations',
'Steadily',
'Steering',
'Stemming',
'Stepping',
'Sterling',
'Sticking',
'Stopping',
'Straight',
'Strategy',
'Strength',
'Stressed',
'Stresses',
'Strictly',
'Strikers',
'Striking',
'Stripped',
'Stronger',
'Strongly',
'Struggle',
'Students',
'Studying',
'Subjects',
'Suburban',
'Succeeds',
'Suddenly',
'Suffered',
'Suggests',
'Suitable',
'Sullivan',
'Superior',
'Supplied',
'Supplier',
'Supplies',
'Supports',
'Supposed',
'Surfaced',
'Surfaces',
'Surprise',
'Surveyed',
'Survival',
'Survived',
'Suspects',
'Sweeping',
'Swimming',
'Switched',
'Switches',
'Symantec',
'Symbolic',
'Sympathy',
'Symphony',
'Symptoms',
'Syndrome',
'Tailored',
'Takeover',
'Targeted',
'Taxpayer',
'Teachers',
'Teaching',
'Template',
'Tendency',
'Tendered',
'Tensions',
'Terminal',
'Terrible',
'Thailand',
'Thatcher',
'Theaters',
'Theories',
'Thinking',
'Thompson',
'Thorough',
'Thoughts',
'Thousand',
'Threaten',
'Throwing',
'Thursday',
'Together',
'Tomorrow',
'Totaling',
'Tourists',
'Tracking',
'Training',
'Transfer',
'Transmit',
'Traveled',
'Treasury',
'Treating',
'Trillion',
'Tropical',
'Troubled',
'Troubles',
'Truetype',
'Trustees',
'Turnover',
'Tutorial',
'Ultimate',
'Umbrella',
'Universe',
'Unlikely',
'Unstable',
'Unveiled',
'Upcoming',
'Updating',
'Upgraded',
'Upgrades',
'Uprising',
'Utilized',
'Vacation',
'Validity',
'Valuable',
'Variable',
'Vehicles',
'Velocity',
'Ventures',
'Versions',
'Vertical',
'Veterans',
'Villages',
'Violated',
'Violence',
'Virginia',
'Visiting',
'Visitors',
'Volatile',
'Warnings',
'Warrants',
'Warranty',
'Watching',
'Weakened',
'Weakness',
'Weighing',
'Weighted',
'Welcomed',
'Whatever',
'Whenever',
'Wildlife',
'Williams',
'Wireless',
'Withdraw',
'Withdrew',
'Withheld',
'Wordstar',
'Worrying',
'Yielding',
'Yourself',
];
function onReady() {
new PassMate(document.getElementsByTagName('body')[0]);
}
if (document.readyState == 'loading') {
document.addEventListener('DOMContentLoaded', onReady);
} else {
onReady();
}