From e4ab43a29ea68336e47ead1235750bc0efc0f316 Mon Sep 17 00:00:00 2001 From: Keith Irwin Date: Sat, 6 May 2017 23:01:12 -0400 Subject: [PATCH 01/24] #85 Added 'debug' --- package.json | 1 + server.js | 2 ++ 2 files changed, 3 insertions(+) diff --git a/package.json b/package.json index 4271866..b981674 100644 --- a/package.json +++ b/package.json @@ -9,6 +9,7 @@ "connect-flash-plus": "^0.2.1", "cookie-parser": "^1.4.1", "cookie-session": "^2.0.0-alpha.1", + "debug": "^2.6.6", "express": "^4.15.2", "express-validator": "^3.1.3", "kerberos": "0.0.17", diff --git a/server.js b/server.js index 9dc6ad8..42e5831 100755 --- a/server.js +++ b/server.js @@ -14,6 +14,7 @@ const env = require('./config/env/env.js'), User = require('./config/models.js').user, app = express(), + debug = require('debug')('tracman'), http = require('http').Server(app), io = require('socket.io')(http), sockets = require('./config/sockets.js'); @@ -167,6 +168,7 @@ const // Listen http.listen( env.port, ()=>{ + debug('Starting Tracman'); console.log(`🌐 Listening in ${env.mode} mode on port ${env.port}... `); // Check for clients for each user From a23704367e56d06e6350b2306b7815b78a6846da Mon Sep 17 00:00:00 2001 From: Keith Irwin Date: Sat, 6 May 2017 23:25:32 -0400 Subject: [PATCH 02/24] #85 Switched to winston --- config/env/sample.js | 4 ++++ config/models.js | 11 ++++++----- config/passport.js | 17 +++++++++-------- config/routes/auth.js | 11 ++++++----- config/routes/settings.js | 15 ++++++++------- config/sockets.js | 29 +++++++++++++++-------------- package.json | 2 +- server.js | 9 ++++++--- 8 files changed, 55 insertions(+), 43 deletions(-) diff --git a/config/env/sample.js b/config/env/sample.js index 8a3d2f4..13e18f3 100644 --- a/config/env/sample.js +++ b/config/env/sample.js @@ -2,6 +2,10 @@ module.exports = { + // Log level + // See https://www.npmjs.com/package/winston#logging-levels + logLevel: 'verbose', + // Local variables mode: 'development', // or production diff --git a/config/models.js b/config/models.js index 9fa6895..d8b6f6f 100644 --- a/config/models.js +++ b/config/models.js @@ -3,7 +3,8 @@ const mongoose = require('mongoose'), unique = require('mongoose-unique-validator'), bcrypt = require('bcrypt'), - crypto = require('crypto'); + crypto = require('crypto'), + winston = require('winston'); const userSchema = new mongoose.Schema({ name: {type:String}, @@ -52,13 +53,13 @@ const userSchema = new mongoose.Schema({ // Create email confirmation token userSchema.methods.createEmailToken = function(next){ // next(err,token) - //console.log('user.createEmailToken() called'); + winston.debug('user.createEmailToken() called'); var user = this; crypto.randomBytes(16, (err,buf)=>{ if (err){ next(err,null); } if (buf){ - //console.log(`Buffer ${buf.toString('hex')} created`); + winston.debug(`Buffer ${buf.toString('hex')} created`); user.emailToken = buf.toString('hex'); user.save() .then( ()=>{ @@ -79,7 +80,7 @@ const userSchema = new mongoose.Schema({ // Reuse old token, resetting clock if ( user.auth.passTokenExpires >= Date.now() ){ - //console.log(`Reusing old password token...`); + winston.debug(`Reusing old password token...`); user.auth.passTokenExpires = Date.now() + 3600000; // 1 hour user.save() .then( ()=>{ @@ -92,7 +93,7 @@ const userSchema = new mongoose.Schema({ // Create new token else { - //console.log(`Creating new password token...`); + winston.debug(`Creating new password token...`); crypto.randomBytes(16, (err,buf)=>{ if (err){ return next(err,null,null); } if (buf) { diff --git a/config/passport.js b/config/passport.js index ccf4c04..763cb1b 100644 --- a/config/passport.js +++ b/config/passport.js @@ -8,6 +8,7 @@ const GoogleTokenStrategy = require('passport-google-id-token'), FacebookTokenStrategy = require('passport-facebook-token'), TwitterTokenStrategy = require('passport-twitter-token'), + winston = require('winston'), env = require('./env/env.js'), mw = require('./middleware.js'), User = require('./models.js').user; @@ -31,7 +32,7 @@ module.exports = (passport)=>{ passwordField: 'password', passReqToCallback: true }, (req,email,password,done)=>{ - //console.log(`Perfoming local login for ${email}`); + winston.debug(`Perfoming local login for ${email}`); User.findOne({'email':email}) .then( (user)=>{ @@ -73,13 +74,13 @@ module.exports = (passport)=>{ // Social login function socialLogin(req, service, profileId, done) { - //console.log(`socialLogin() called`); + winston.debug(`socialLogin() called`); let query = {}; query['auth.'+service] = profileId; // Intent to log in if (!req.user) { - //console.log(`Logging in with ${service}...`); + winston.debug(`Logging in with ${service}...`); User.findOne(query) .then( (user)=>{ @@ -124,7 +125,7 @@ module.exports = (passport)=>{ // No googleId either else { - //console.log(`Couldn't find ${service} user.`); + winston.debug(`Couldn't find ${service} user.`); req.session.flashType = 'warning'; req.session.flashMessage = `There's no user for that ${service} account. `; return done(); @@ -133,7 +134,7 @@ module.exports = (passport)=>{ // Successfull social login else { - //console.log(`Found user: ${user}`); + winston.debug(`Found user: ${user}`); req.session.flashType = 'success'; req.session.flashMessage = "You have been logged in."; return done(null, user); @@ -148,7 +149,7 @@ module.exports = (passport)=>{ // Intent to connect account else { - //console.log(`Attempting to connect ${service} account...`); + winston.debug(`Attempting to connect ${service} account...`); // Check for unique profileId User.findOne(query) @@ -156,7 +157,7 @@ module.exports = (passport)=>{ // Social account already in use if (existingUser) { - //console.log(`${service} account already in use.`); + winston.debug(`${service} account already in use.`); req.session.flashType = 'warning'; req.session.flashMessage = `Another user is already connected to that ${service} account. `; return done(); @@ -164,7 +165,7 @@ module.exports = (passport)=>{ // Connect to account else { - //console.log(`Connecting ${service} account.`); + winston.debug(`Connecting ${service} account.`); req.user.auth[service] = profileId; req.user.save() .then( ()=>{ diff --git a/config/routes/auth.js b/config/routes/auth.js index ab04472..1ec9bbc 100644 --- a/config/routes/auth.js +++ b/config/routes/auth.js @@ -7,6 +7,7 @@ const crypto = require('crypto'), moment = require('moment'), slugify = require('slug'), + winston = require('winston'), env = require('../env/env.js'); module.exports = (app, passport) => { @@ -18,14 +19,14 @@ module.exports = (app, passport) => { failureFlash: true }, loginCallback = (req,res)=>{ - //console.log(`Login callback called... redirecting to ${req.session.next}`); + winston.debug(`Login callback called... redirecting to ${req.session.next}`); req.flash(req.session.flashType,req.session.flashMessage); req.session.flashType = undefined; req.session.flashMessage = undefined; res.redirect( req.session.next || '/map' ); }, appLoginCallback = (req,res,next)=>{ - //console.log('appLoginCallback called.'); + winston.debug('appLoginCallback called.'); if (req.user){ res.send(req.user); } else { let err = new Error("Unauthorized"); @@ -267,19 +268,19 @@ module.exports = (app, passport) => { // Social login if (!req.user) { - //console.log(`Attempting to login with ${service} with params: ${JSON.stringify(sendParams)}...`); + winston.debug(`Attempting to login with ${service} with params: ${JSON.stringify(sendParams)}...`); passport.authenticate(service, sendParams)(req,res,next); } // Connect social account else if (!req.user.auth[service]) { - //console.log(`Attempting to connect ${service} account...`); + winston.debug(`Attempting to connect ${service} account...`); passport.authorize(service, sendParams)(req,res,next); } // Disconnect social account else { - //console.log(`Attempting to disconnect ${service} account...`); + winston.debug(`Attempting to disconnect ${service} account...`); // Make sure the user has a password before they disconnect their google login account // This is because login used to only be through google, and some people might not have diff --git a/config/routes/settings.js b/config/routes/settings.js index db3daa5..fa6d726 100644 --- a/config/routes/settings.js +++ b/config/routes/settings.js @@ -8,6 +8,7 @@ const slug = require('slug'), User = require('../models.js').user, mail = require('../mail.js'), env = require('../env/env.js'), + winston = require('winston'), router = require('express').Router(); // Validate email addresses @@ -51,23 +52,23 @@ router.route('/') // Not unique! if (existingUser && existingUser.id!==req.user.id) { - //console.log("Email not unique!"); + winston.debug("Email not unique!"); req.flash('warning', `That email, ${req.body.email}, is already in use by another user! `); resolve(); } // It's unique else { - //console.log("Email is unique"); + winston.debug("Email is unique"); req.user.newEmail = req.body.email; // Create token - //console.log(`Creating email token...`); + winston.debug(`Creating email token...`); req.user.createEmailToken((err,token)=>{ if (err){ reject(err); } // Send token to user by email - //console.log(`Mailing new email token to ${req.body.email}...`); + winston.debug(`Mailing new email token to ${req.body.email}...`); mail.send({ to: `"${req.user.name}" <${req.body.email}>`, from: mail.from, @@ -132,7 +133,7 @@ router.route('/') // Set settings when done Promise.all([checkEmail, checkSlug]) .then( ()=>{ - //console.log('Setting settings... '); + winston.debug('Setting settings... '); // Set values req.user.name = xss(req.body.name); @@ -147,10 +148,10 @@ router.route('/') }; // Save user and send response - //console.log(`Saving new settings for user ${req.user.name}...`); + winston.debug(`Saving new settings for user ${req.user.name}...`); req.user.save() .then( ()=>{ - //console.log(`DONE! Redirecting user...`); + winston.debug(`DONE! Redirecting user...`); req.flash('success', 'Settings updated. '); res.redirect('/settings'); }) diff --git a/config/sockets.js b/config/sockets.js index 27a6e6c..dd02971 100644 --- a/config/sockets.js +++ b/config/sockets.js @@ -1,20 +1,21 @@ 'use strict'; // Imports -const User = require('./models.js').user; +const winston = require('winston'), + User = require('./models.js').user; // Check for tracking clients function checkForUsers(io, user) { - //console.log(`Checking for clients receiving updates for ${user}`); + winston.debug(`Checking for clients receiving updates for ${user}`); // Checks if any sockets are getting updates for this user if (Object.values(io.sockets.connected).some( (socket)=>{ return socket.gets===user; })) { - //console.log(`Activating updates for ${user}.`); + winston.debug(`Activating updates for ${user}.`); io.to(user).emit('activate','true'); } else { - //console.log(`Deactivating updates for ${user}.`); + winston.debug(`Deactivating updates for ${user}.`); io.to(user).emit('activate', 'false'); } } @@ -25,7 +26,7 @@ module.exports = { init: (io)=>{ io.on('connection', (socket)=>{ - //console.log(`${socket.id} connected.`); + winston.debug(`${socket.id} connected.`); // Set a few variables //socket.ip = socket.client.request.headers['x-real-ip']; @@ -33,14 +34,14 @@ module.exports = { /* Log */ //socket.on('log', (text)=>{ - //console.log(`LOG: ${text}`); + winston.debug(`LOG: ${text}`); //}); // This socket can set location (app) socket.on('can-set', (userId)=>{ - //console.log(`${socket.id} can set updates for ${userId}.`); + winston.debug(`${socket.id} can set updates for ${userId}.`); socket.join(userId, ()=>{ - //console.log(`${socket.id} joined ${userId}`); + winston.debug(`${socket.id} joined ${userId}`); }); checkForUsers( io, userId ); }); @@ -48,16 +49,16 @@ module.exports = { // This socket can receive location (map) socket.on('can-get', (userId)=>{ socket.gets = userId; - //console.log(`${socket.id} can get updates for ${userId}.`); + winston.debug(`${socket.id} can get updates for ${userId}.`); socket.join(userId, ()=>{ - //console.log(`${socket.id} joined ${userId}`); + winston.debug(`${socket.id} joined ${userId}`); socket.to(userId).emit('activate', 'true'); }); }); // Set location socket.on('set', (loc)=>{ - //console.log(`${socket.id} set location for ${loc.usr}`); + winston.debug(`${socket.id} set location for ${loc.usr}`); loc.time = Date.now(); // Check for user and sk32 token @@ -80,7 +81,7 @@ module.exports = { // Broadcast location io.to(loc.usr).emit('get', loc); - //console.log(`Broadcasting ${loc.lat}, ${loc.lon} to ${loc.usr}`); + winston.debug(`Broadcasting ${loc.lat}, ${loc.lon} to ${loc.usr}`); // Save in db as last seen user.last = { @@ -102,11 +103,11 @@ module.exports = { // Shutdown (check for remaining clients) socket.on('disconnect', (reason)=>{ - //console.log(`${socket.id} disconnected because of a ${reason}.`); + winston.debug(`${socket.id} disconnected because of a ${reason}.`); // Check if client was receiving updates if (socket.gets){ - //console.log(`${socket.id} left ${socket.gets}`); + winston.debug(`${socket.id} left ${socket.gets}`); checkForUsers( io, socket.gets ); } diff --git a/package.json b/package.json index b981674..0768d96 100644 --- a/package.json +++ b/package.json @@ -9,7 +9,6 @@ "connect-flash-plus": "^0.2.1", "cookie-parser": "^1.4.1", "cookie-session": "^2.0.0-alpha.1", - "debug": "^2.6.6", "express": "^4.15.2", "express-validator": "^3.1.3", "kerberos": "0.0.17", @@ -31,6 +30,7 @@ "passport-twitter-token": "^1.3.0", "slug": "^0.9.1", "socket.io": "^1.4.4", + "winston": "^2.3.1", "xss": "^0.3.3" }, "devDependencies": { diff --git a/server.js b/server.js index 42e5831..344283c 100755 --- a/server.js +++ b/server.js @@ -7,6 +7,7 @@ const expressValidator = require('express-validator'), cookieParser = require('cookie-parser'), cookieSession = require('cookie-session'), + winston = require('winston'), mongoose = require('mongoose'), nunjucks = require('nunjucks'), passport = require('passport'), @@ -14,13 +15,15 @@ const env = require('./config/env/env.js'), User = require('./config/models.js').user, app = express(), - debug = require('debug')('tracman'), http = require('http').Server(app), io = require('socket.io')(http), sockets = require('./config/sockets.js'); /* SETUP */ { + + // Log level + winston.level = env.logLevel || 'info'; /* Database */ { @@ -81,7 +84,7 @@ const let nextPath = ((req.query.next)?req.query.next: req.path.substring(0,req.path.indexOf('#')) || req.path ); if ( nextPath.substring(0,6)!=='/login' && nextPath.substring(0,7)!=='/logout' ){ req.session.next = nextPath+'#'; - //console.log(`Set redirect path to ${nextPath}#`); + winston.debug(`Set redirect path to ${nextPath}#`); } // User account @@ -168,8 +171,8 @@ const // Listen http.listen( env.port, ()=>{ - debug('Starting Tracman'); console.log(`🌐 Listening in ${env.mode} mode on port ${env.port}... `); + winston.verbose(`Log level set to ${env.logLevel}`); // Check for clients for each user User.find({}) From 818a2bc60e4a0b587aacab46444cdba3753ecbb0 Mon Sep 17 00:00:00 2001 From: Keith Irwin Date: Sat, 6 May 2017 23:27:49 -0400 Subject: [PATCH 03/24] #85 Uncommented this --- config/sockets.js | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/config/sockets.js b/config/sockets.js index dd02971..f24ccb1 100644 --- a/config/sockets.js +++ b/config/sockets.js @@ -33,9 +33,9 @@ module.exports = { //socket.ua = socket.client.request.headers['user-agent']; /* Log */ - //socket.on('log', (text)=>{ + socket.on('log', (text)=>{ winston.debug(`LOG: ${text}`); - //}); + }); // This socket can set location (app) socket.on('can-set', (userId)=>{ From 9686ec08a071d6c2e01012c4f529afb044afe474 Mon Sep 17 00:00:00 2001 From: Keith Irwin Date: Sun, 7 May 2017 00:06:47 -0400 Subject: [PATCH 04/24] Can set log level from env var --- server.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/server.js b/server.js index 344283c..4415f27 100755 --- a/server.js +++ b/server.js @@ -23,7 +23,7 @@ const /* SETUP */ { // Log level - winston.level = env.logLevel || 'info'; + winston.level = process.env.LOGLEVEL || env.logLevel || 'info'; /* Database */ { From 27af445e6fb70d743b503583017cd081371f4383 Mon Sep 17 00:00:00 2001 From: Keith Irwin Date: Sun, 7 May 2017 01:12:54 -0400 Subject: [PATCH 05/24] #79 Receives timestamp from android --- config/sockets.js | 26 +++++++++++++++----------- static/js/map.js | 4 ++-- 2 files changed, 17 insertions(+), 13 deletions(-) diff --git a/config/sockets.js b/config/sockets.js index f24ccb1..959986c 100644 --- a/config/sockets.js +++ b/config/sockets.js @@ -6,16 +6,16 @@ const winston = require('winston'), // Check for tracking clients function checkForUsers(io, user) { - winston.debug(`Checking for clients receiving updates for ${user}`); + winston.silly(`Checking for clients receiving updates for ${user}`); // Checks if any sockets are getting updates for this user if (Object.values(io.sockets.connected).some( (socket)=>{ return socket.gets===user; })) { - winston.debug(`Activating updates for ${user}.`); + winston.silly(`Activating updates for ${user}.`); io.to(user).emit('activate','true'); } else { - winston.debug(`Deactivating updates for ${user}.`); + winston.silly(`Deactivating updates for ${user}.`); io.to(user).emit('activate', 'false'); } } @@ -26,7 +26,7 @@ module.exports = { init: (io)=>{ io.on('connection', (socket)=>{ - winston.debug(`${socket.id} connected.`); + winston.silly(`${socket.id} connected.`); // Set a few variables //socket.ip = socket.client.request.headers['x-real-ip']; @@ -39,9 +39,9 @@ module.exports = { // This socket can set location (app) socket.on('can-set', (userId)=>{ - winston.debug(`${socket.id} can set updates for ${userId}.`); + winston.silly(`${socket.id} can set updates for ${userId}.`); socket.join(userId, ()=>{ - winston.debug(`${socket.id} joined ${userId}`); + winston.silly(`${socket.id} joined ${userId}`); }); checkForUsers( io, userId ); }); @@ -49,7 +49,7 @@ module.exports = { // This socket can receive location (map) socket.on('can-get', (userId)=>{ socket.gets = userId; - winston.debug(`${socket.id} can get updates for ${userId}.`); + winston.silly(`${socket.id} can get updates for ${userId}.`); socket.join(userId, ()=>{ winston.debug(`${socket.id} joined ${userId}`); socket.to(userId).emit('activate', 'true'); @@ -59,8 +59,12 @@ module.exports = { // Set location socket.on('set', (loc)=>{ winston.debug(`${socket.id} set location for ${loc.usr}`); - loc.time = Date.now(); + winston.silly(`Location was set to: ${JSON.stringify(loc)}`); + // Get android timestamp or use server timestamp + if (loc.ts){ loc.tim = Date(loc.ts); } + else { loc.tim = Date.now(); } + // Check for user and sk32 token if (!loc.usr){ console.error("❌", new Error(`Recieved an update from ${socket.ip} without a usr!`).message); @@ -89,7 +93,7 @@ module.exports = { lon: parseFloat(loc.lon), dir: parseFloat(loc.dir||0), spd: parseFloat(loc.spd||0), - time: loc.time + time: loc.tim }; user.save() .catch( (err)=>{ console.error("❌", err.stack); }); @@ -103,11 +107,11 @@ module.exports = { // Shutdown (check for remaining clients) socket.on('disconnect', (reason)=>{ - winston.debug(`${socket.id} disconnected because of a ${reason}.`); + winston.silly(`${socket.id} disconnected because of a ${reason}.`); // Check if client was receiving updates if (socket.gets){ - winston.debug(`${socket.id} left ${socket.gets}`); + winston.silly(`${socket.id} left ${socket.gets}`); checkForUsers( io, socket.gets ); } diff --git a/static/js/map.js b/static/js/map.js index 4dbdcb6..ef30380 100644 --- a/static/js/map.js +++ b/static/js/map.js @@ -51,7 +51,7 @@ function parseLoc(loc) { loc.dir = parseFloat(loc.dir); loc.lat = parseFloat(loc.lat); loc.lon = parseFloat(loc.lon); - loc.time = new Date(loc.time).toLocaleString(); + loc.tim = new Date(loc.tim).toLocaleString(); loc.glatlng = new google.maps.LatLng(loc.lat, loc.lon); return loc; } @@ -190,7 +190,7 @@ socket.on('get', function(loc) { if (disp!=='1') { // Update time - $('#timestamp').text('location updated '+loc.time); + $('#timestamp').text('location updated '+loc.tim); // Show or hide map toggleMaps(loc); From e23c00f41c3ed2ff1d8c801785efb09331b7196b Mon Sep 17 00:00:00 2001 From: Keith Irwin Date: Sun, 7 May 2017 01:59:21 -0400 Subject: [PATCH 06/24] Fixed #83 --- config/routes/settings.js | 86 +++++++++++++++++++-------------------- static/js/settings.js | 11 +---- 2 files changed, 43 insertions(+), 54 deletions(-) diff --git a/config/routes/settings.js b/config/routes/settings.js index fa6d726..4acfc01 100644 --- a/config/routes/settings.js +++ b/config/routes/settings.js @@ -166,57 +166,55 @@ router.route('/') res.redirect('/settings'); }); - } ) - - // Delete user account - .delete( (req,res,next)=>{ - - User.findByIdAndRemove(req.user) - .then( ()=>{ - req.flash('success', 'Your account has been deleted. '); - res.redirect('/'); - }) - .catch( (err)=>{ - mw.throwErr(err,req); - res.redirect('/settings'); - }); - } ); +// Delete account +router.get('/delete', (req,res)=>{ + User.findByIdAndRemove(req.user) + .then( ()=>{ + req.flash('success', 'Your account has been deleted. '); + res.redirect('/'); + }) + .catch( (err)=>{ + mw.throwErr(err,req); + res.redirect('/settings'); + }); +}); + // Confirm email address router.get('/email/:token', mw.ensureAuth, (req,res,next)=>{ + + // Check token + if ( req.user.emailToken===req.params.token) { - // Check token - if ( req.user.emailToken===req.params.token) { - - // Set new email - req.user.email = req.user.newEmail; - req.user.save() - .then( ()=>{ - // Delete token and newEmail - req.user.emailToken = undefined; - req.user.newEmail = undefined; - req.user.save(); - }) - .then( ()=>{ - // Report success - req.flash('success',`Your email has been set to ${req.user.email}. `); - res.redirect('/settings'); - }) - .catch( (err)=>{ - mw.throwErr(err,req); - res.redirect(req.session.next||'/settings'); - }); - - } - - // Invalid token - else { - req.flash('danger', 'Email confirmation token is invalid. '); + // Set new email + req.user.email = req.user.newEmail; + req.user.save() + .then( ()=>{ + // Delete token and newEmail + req.user.emailToken = undefined; + req.user.newEmail = undefined; + req.user.save(); + }) + .then( ()=>{ + // Report success + req.flash('success',`Your email has been set to ${req.user.email}. `); res.redirect('/settings'); - } + }) + .catch( (err)=>{ + mw.throwErr(err,req); + res.redirect(req.session.next||'/settings'); + }); - } ); + } + + // Invalid token + else { + req.flash('danger', 'Email confirmation token is invalid. '); + res.redirect('/settings'); + } + +} ); // Set password router.route('/password') diff --git a/static/js/settings.js b/static/js/settings.js index 77be716..4be5c27 100644 --- a/static/js/settings.js +++ b/static/js/settings.js @@ -26,16 +26,7 @@ $(function(){ // Delete account $('#delete').click(function(){ if (confirm("Are you sure you want to delete your account? This CANNOT be undone! ")) { - $.ajax({ - url: '/settings', - type: 'DELETE', - success: function(){ - location.reload(); - }, - fail: function(){ - alert("Failed to delete account!"); - } - }); + window.location.href = "/settings/delete"; } }); From 359e7d1b946ca6f024c26ad035037afc93f0e326 Mon Sep 17 00:00:00 2001 From: Keith Irwin Date: Sun, 7 May 2017 02:10:13 -0400 Subject: [PATCH 07/24] Ignore static files when setting redirect path --- server.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/server.js b/server.js index 4415f27..90d2e4f 100755 --- a/server.js +++ b/server.js @@ -82,7 +82,7 @@ const // Path for redirects let nextPath = ((req.query.next)?req.query.next: req.path.substring(0,req.path.indexOf('#')) || req.path ); - if ( nextPath.substring(0,6)!=='/login' && nextPath.substring(0,7)!=='/logout' ){ + if ( nextPath.substring(0,6)!=='/login' && nextPath.substring(0,7)!=='/logout' && nextPath.substring(0,7)!=='/static' ){ req.session.next = nextPath+'#'; winston.debug(`Set redirect path to ${nextPath}#`); } From 29657d95ad730f614fd7f1b5211f99a8b6cd4083 Mon Sep 17 00:00:00 2001 From: Keith Irwin Date: Sun, 7 May 2017 02:11:35 -0400 Subject: [PATCH 08/24] #86 Fixed flash on failed logins --- config/passport.js | 6 ++---- 1 file changed, 2 insertions(+), 4 deletions(-) diff --git a/config/passport.js b/config/passport.js index 763cb1b..445143d 100644 --- a/config/passport.js +++ b/config/passport.js @@ -111,8 +111,7 @@ module.exports = (passport)=>{ // No such user else { - req.session.flashType = 'warning'; - req.session.flashMessage = `There's no user for that ${service} account. `; + req.flash('warning', `There's no user for that ${service} account. `); return done(); } @@ -126,8 +125,7 @@ module.exports = (passport)=>{ // No googleId either else { winston.debug(`Couldn't find ${service} user.`); - req.session.flashType = 'warning'; - req.session.flashMessage = `There's no user for that ${service} account. `; + req.flash('warning', `There's no user for that ${service} account. `); return done(); } } From 3521c10a497098dc4fc517405b176feca7818cb5 Mon Sep 17 00:00:00 2001 From: Keith Irwin Date: Sun, 7 May 2017 03:18:38 -0400 Subject: [PATCH 09/24] #79 Added timestamp to in-browser location setting --- static/js/map-controls.js | 5 ++++- 1 file changed, 4 insertions(+), 1 deletion(-) diff --git a/static/js/map-controls.js b/static/js/map-controls.js index 6542466..e48845d 100644 --- a/static/js/map-controls.js +++ b/static/js/map-controls.js @@ -15,6 +15,7 @@ $(function(){ // Success callback function(pos){ var newloc = { + ts: Date.now(), tok: token, usr: userid, lat: pos.coords.latitude, @@ -54,6 +55,7 @@ $(function(){ // Success callback function(pos) { newloc = { + ts: Date.now(), tok: token, usr: userid, lat: pos.coords.latitude, @@ -96,13 +98,14 @@ $(function(){ else { // Stop tracking if (wpid) { - $('#track-loc').html(' Track'); + $('#track-loc').html('Track'); navigator.geolocation.clearWatch(wpid); wpid = undefined; } // Clear location newloc = { + ts: Date.now(), tok: token, usr: userid, lat:0, lon:0, spd:0 From 9b082538c273f0e0ebb7fc28906b856a26da5fc2 Mon Sep 17 00:00:00 2001 From: Keith Irwin Date: Mon, 8 May 2017 13:47:53 -0400 Subject: [PATCH 10/24] #85 Switched back to debug --- config/env/sample.js | 8 +++----- config/models.js | 18 ++++++++++-------- config/passport.js | 18 +++++++++--------- config/routes/auth.js | 23 ++++++++++++++++------- config/routes/settings.js | 20 ++++++++++++-------- config/sockets.js | 30 +++++++++++++++--------------- package.json | 2 +- server.js | 8 ++------ 8 files changed, 68 insertions(+), 59 deletions(-) diff --git a/config/env/sample.js b/config/env/sample.js index 13e18f3..6b3f955 100644 --- a/config/env/sample.js +++ b/config/env/sample.js @@ -2,10 +2,6 @@ module.exports = { - // Log level - // See https://www.npmjs.com/package/winston#logging-levels - logLevel: 'verbose', - // Local variables mode: 'development', // or production @@ -16,7 +12,9 @@ module.exports = { // Location of your mongoDB mongoSetup: 'mongodb://localhost:27017/tracman', // Or use the test database from mLab - //mongoSetup: 'mongodb://tracman:MUPSLXQ34f9cQTc5@ds113841.mlab.com:13841/tracman-dev', + //mongoSetup: 'mongodb://tracman:MUPSLXQ34f9cQTc5@ds133961.mlab.com:33961/tracman', + // You can log in there with: + // mongo ds133961.mlab.com:33961/tracman-dev -u contributor -p opensourcerules // URL and port where this will run url: 'https://localhost:8080', diff --git a/config/models.js b/config/models.js index d8b6f6f..fab0b9d 100644 --- a/config/models.js +++ b/config/models.js @@ -4,7 +4,7 @@ const mongoose = require('mongoose'), unique = require('mongoose-unique-validator'), bcrypt = require('bcrypt'), crypto = require('crypto'), - winston = require('winston'); + debug = require('debug')('tracman-models'); const userSchema = new mongoose.Schema({ name: {type:String}, @@ -16,9 +16,9 @@ const userSchema = new mongoose.Schema({ password: String, passToken: String, passTokenExpires: Date, - google: {type:String, unique:true}, - facebook: {type:String, unique:true}, - twitter: {type:String, unique:true}, + google: String, + facebook: String, + twitter: String, }, isAdmin: {type:Boolean, required:true, default:false}, isPro: {type:Boolean, required:true, default:false}, @@ -53,13 +53,13 @@ const userSchema = new mongoose.Schema({ // Create email confirmation token userSchema.methods.createEmailToken = function(next){ // next(err,token) - winston.debug('user.createEmailToken() called'); + debug('user.createEmailToken() called'); var user = this; crypto.randomBytes(16, (err,buf)=>{ if (err){ next(err,null); } if (buf){ - winston.debug(`Buffer ${buf.toString('hex')} created`); + debug(`Buffer ${buf.toString('hex')} created`); user.emailToken = buf.toString('hex'); user.save() .then( ()=>{ @@ -80,7 +80,7 @@ const userSchema = new mongoose.Schema({ // Reuse old token, resetting clock if ( user.auth.passTokenExpires >= Date.now() ){ - winston.debug(`Reusing old password token...`); + debug(`Reusing old password token...`); user.auth.passTokenExpires = Date.now() + 3600000; // 1 hour user.save() .then( ()=>{ @@ -93,7 +93,7 @@ const userSchema = new mongoose.Schema({ // Create new token else { - winston.debug(`Creating new password token...`); + debug(`Creating new password token...`); crypto.randomBytes(16, (err,buf)=>{ if (err){ return next(err,null,null); } if (buf) { @@ -101,9 +101,11 @@ const userSchema = new mongoose.Schema({ user.auth.passTokenExpires = Date.now() + 3600000; // 1 hour user.save() .then( ()=>{ + debug('successfully saved user in createPassToken'); return next(null,user.auth.passToken,user.auth.passTokenExpires); }) .catch( (err)=>{ + debug('error saving user in createPassToken'); return next(err,null,null); }); } diff --git a/config/passport.js b/config/passport.js index 445143d..a57f281 100644 --- a/config/passport.js +++ b/config/passport.js @@ -8,7 +8,7 @@ const GoogleTokenStrategy = require('passport-google-id-token'), FacebookTokenStrategy = require('passport-facebook-token'), TwitterTokenStrategy = require('passport-twitter-token'), - winston = require('winston'), + debug = require('debug')('tracman-passport'), env = require('./env/env.js'), mw = require('./middleware.js'), User = require('./models.js').user; @@ -32,7 +32,7 @@ module.exports = (passport)=>{ passwordField: 'password', passReqToCallback: true }, (req,email,password,done)=>{ - winston.debug(`Perfoming local login for ${email}`); + debug(`Perfoming local login for ${email}`); User.findOne({'email':email}) .then( (user)=>{ @@ -74,13 +74,13 @@ module.exports = (passport)=>{ // Social login function socialLogin(req, service, profileId, done) { - winston.debug(`socialLogin() called`); + debug(`socialLogin() called`); let query = {}; query['auth.'+service] = profileId; // Intent to log in if (!req.user) { - winston.debug(`Logging in with ${service}...`); + debug(`Logging in with ${service}...`); User.findOne(query) .then( (user)=>{ @@ -124,7 +124,7 @@ module.exports = (passport)=>{ // No googleId either else { - winston.debug(`Couldn't find ${service} user.`); + debug(`Couldn't find ${service} user.`); req.flash('warning', `There's no user for that ${service} account. `); return done(); } @@ -132,7 +132,7 @@ module.exports = (passport)=>{ // Successfull social login else { - winston.debug(`Found user: ${user}`); + debug(`Found user: ${user}`); req.session.flashType = 'success'; req.session.flashMessage = "You have been logged in."; return done(null, user); @@ -147,7 +147,7 @@ module.exports = (passport)=>{ // Intent to connect account else { - winston.debug(`Attempting to connect ${service} account...`); + debug(`Attempting to connect ${service} account...`); // Check for unique profileId User.findOne(query) @@ -155,7 +155,7 @@ module.exports = (passport)=>{ // Social account already in use if (existingUser) { - winston.debug(`${service} account already in use.`); + debug(`${service} account already in use.`); req.session.flashType = 'warning'; req.session.flashMessage = `Another user is already connected to that ${service} account. `; return done(); @@ -163,7 +163,7 @@ module.exports = (passport)=>{ // Connect to account else { - winston.debug(`Connecting ${service} account.`); + debug(`Connecting ${service} account.`); req.user.auth[service] = profileId; req.user.save() .then( ()=>{ diff --git a/config/routes/auth.js b/config/routes/auth.js index 1ec9bbc..2ccbe37 100644 --- a/config/routes/auth.js +++ b/config/routes/auth.js @@ -7,7 +7,7 @@ const crypto = require('crypto'), moment = require('moment'), slugify = require('slug'), - winston = require('winston'), + debug = require('debug')('tracman-routes-auth'), env = require('../env/env.js'); module.exports = (app, passport) => { @@ -19,14 +19,14 @@ module.exports = (app, passport) => { failureFlash: true }, loginCallback = (req,res)=>{ - winston.debug(`Login callback called... redirecting to ${req.session.next}`); + debug(`Login callback called... redirecting to ${req.session.next}`); req.flash(req.session.flashType,req.session.flashMessage); req.session.flashType = undefined; req.session.flashMessage = undefined; res.redirect( req.session.next || '/map' ); }, appLoginCallback = (req,res,next)=>{ - winston.debug('appLoginCallback called.'); + debug('appLoginCallback called.'); if (req.user){ res.send(req.user); } else { let err = new Error("Unauthorized"); @@ -62,10 +62,12 @@ module.exports = (app, passport) => { // Send token and alert user function sendToken(user){ + debug('sendToken(user)'); // Create a password token user.createPassToken( (err,token,expires)=>{ if (err){ + debug('Error creating password token'); mw.throwErr(err,req); res.redirect('/login#signup'); } @@ -138,6 +140,7 @@ module.exports = (app, passport) => { if (existingUser){ crypto.randomBytes(6, (err,buf)=>{ if (err) { + debug('Failed to create random bytest for slug'); mw.throwErr(err,req); reject(); } @@ -152,11 +155,13 @@ module.exports = (app, passport) => { }) .catch((err)=>{ + debug('Failed to create slug'); mw.throwErr(err,req); reject(); }); })(user.slug, (newSlug)=>{ + debug('Successfully created slug'); user.slug = newSlug; resolve(); }); @@ -164,13 +169,16 @@ module.exports = (app, passport) => { // Generate sk32 const sk32 = new Promise((resolve,reject) => { + debug('Creating sk32'); crypto.randomBytes(32, (err,buf)=>{ if (err) { + debug('Failed to create sk32'); mw.throwErr(err,req); reject(); } if (buf) { user.sk32 = buf.toString('hex'); + debug('Successfully created sk32'); resolve(); } }); @@ -178,9 +186,10 @@ module.exports = (app, passport) => { // Save user and send the token by email Promise.all([slug, sk32]) - .then( ()=>{ user.save(); }) + // .then( ()=>{ user.save(); }) .then( ()=>{ sendToken(user); }) .catch( (err)=>{ + debug('Failed to save user'); mw.throwErr(err,req); res.redirect('/login#signup'); }); @@ -268,19 +277,19 @@ module.exports = (app, passport) => { // Social login if (!req.user) { - winston.debug(`Attempting to login with ${service} with params: ${JSON.stringify(sendParams)}...`); + debug(`Attempting to login with ${service} with params: ${JSON.stringify(sendParams)}...`); passport.authenticate(service, sendParams)(req,res,next); } // Connect social account else if (!req.user.auth[service]) { - winston.debug(`Attempting to connect ${service} account...`); + debug(`Attempting to connect ${service} account...`); passport.authorize(service, sendParams)(req,res,next); } // Disconnect social account else { - winston.debug(`Attempting to disconnect ${service} account...`); + debug(`Attempting to disconnect ${service} account...`); // Make sure the user has a password before they disconnect their google login account // This is because login used to only be through google, and some people might not have diff --git a/config/routes/settings.js b/config/routes/settings.js index 4acfc01..1ab18e0 100644 --- a/config/routes/settings.js +++ b/config/routes/settings.js @@ -8,7 +8,7 @@ const slug = require('slug'), User = require('../models.js').user, mail = require('../mail.js'), env = require('../env/env.js'), - winston = require('winston'), + debug = require('debug')('tracman-settings'), router = require('express').Router(); // Validate email addresses @@ -52,23 +52,23 @@ router.route('/') // Not unique! if (existingUser && existingUser.id!==req.user.id) { - winston.debug("Email not unique!"); + debug("Email not unique!"); req.flash('warning', `That email, ${req.body.email}, is already in use by another user! `); resolve(); } // It's unique else { - winston.debug("Email is unique"); + debug("Email is unique"); req.user.newEmail = req.body.email; // Create token - winston.debug(`Creating email token...`); + debug(`Creating email token...`); req.user.createEmailToken((err,token)=>{ if (err){ reject(err); } // Send token to user by email - winston.debug(`Mailing new email token to ${req.body.email}...`); + debug(`Mailing new email token to ${req.body.email}...`); mail.send({ to: `"${req.user.name}" <${req.body.email}>`, from: mail.from, @@ -133,7 +133,7 @@ router.route('/') // Set settings when done Promise.all([checkEmail, checkSlug]) .then( ()=>{ - winston.debug('Setting settings... '); + debug('Setting settings... '); // Set values req.user.name = xss(req.body.name); @@ -148,10 +148,10 @@ router.route('/') }; // Save user and send response - winston.debug(`Saving new settings for user ${req.user.name}...`); + debug(`Saving new settings for user ${req.user.name}...`); req.user.save() .then( ()=>{ - winston.debug(`DONE! Redirecting user...`); + debug(`DONE! Redirecting user...`); req.flash('success', 'Settings updated. '); res.redirect('/settings'); }) @@ -265,14 +265,17 @@ router.route('/password/:token') // Check token .all( (req,res,next)=>{ + debug('/settings/password/:token .all() called'); User .findOne({'auth.passToken': req.params.token}) .where('auth.passTokenExpires').gt(Date.now()) .then((user) => { if (!user) { + debug('Bad token'); req.flash('danger', 'Password reset token is invalid or has expired. '); res.redirect( (req.isAuthenticated)?'/settings':'/login' ); } else { + debug('setting passwordUser'); res.locals.passwordUser = user; next(); } @@ -285,6 +288,7 @@ router.route('/password/:token') // Show password change form .get( (req,res)=>{ + debug('/settings/password/:token .get() called'); res.render('password'); } ) diff --git a/config/sockets.js b/config/sockets.js index 959986c..2cbe7a6 100644 --- a/config/sockets.js +++ b/config/sockets.js @@ -1,21 +1,21 @@ 'use strict'; // Imports -const winston = require('winston'), +const debug = require('debug')('tracman-sockets'), User = require('./models.js').user; // Check for tracking clients function checkForUsers(io, user) { - winston.silly(`Checking for clients receiving updates for ${user}`); + debug(`Checking for clients receiving updates for ${user}`); // Checks if any sockets are getting updates for this user if (Object.values(io.sockets.connected).some( (socket)=>{ return socket.gets===user; })) { - winston.silly(`Activating updates for ${user}.`); + debug(`Activating updates for ${user}.`); io.to(user).emit('activate','true'); } else { - winston.silly(`Deactivating updates for ${user}.`); + debug(`Deactivating updates for ${user}.`); io.to(user).emit('activate', 'false'); } } @@ -26,7 +26,7 @@ module.exports = { init: (io)=>{ io.on('connection', (socket)=>{ - winston.silly(`${socket.id} connected.`); + debug(`${socket.id} connected.`); // Set a few variables //socket.ip = socket.client.request.headers['x-real-ip']; @@ -34,14 +34,14 @@ module.exports = { /* Log */ socket.on('log', (text)=>{ - winston.debug(`LOG: ${text}`); + debug(`LOG: ${text}`); }); // This socket can set location (app) socket.on('can-set', (userId)=>{ - winston.silly(`${socket.id} can set updates for ${userId}.`); + debug(`${socket.id} can set updates for ${userId}.`); socket.join(userId, ()=>{ - winston.silly(`${socket.id} joined ${userId}`); + debug(`${socket.id} joined ${userId}`); }); checkForUsers( io, userId ); }); @@ -49,17 +49,17 @@ module.exports = { // This socket can receive location (map) socket.on('can-get', (userId)=>{ socket.gets = userId; - winston.silly(`${socket.id} can get updates for ${userId}.`); + debug(`${socket.id} can get updates for ${userId}.`); socket.join(userId, ()=>{ - winston.debug(`${socket.id} joined ${userId}`); + debug(`${socket.id} joined ${userId}`); socket.to(userId).emit('activate', 'true'); }); }); // Set location socket.on('set', (loc)=>{ - winston.debug(`${socket.id} set location for ${loc.usr}`); - winston.silly(`Location was set to: ${JSON.stringify(loc)}`); + debug(`${socket.id} set location for ${loc.usr}`); + debug(`Location was set to: ${JSON.stringify(loc)}`); // Get android timestamp or use server timestamp if (loc.ts){ loc.tim = Date(loc.ts); } @@ -85,7 +85,7 @@ module.exports = { // Broadcast location io.to(loc.usr).emit('get', loc); - winston.debug(`Broadcasting ${loc.lat}, ${loc.lon} to ${loc.usr}`); + debug(`Broadcasting ${loc.lat}, ${loc.lon} to ${loc.usr}`); // Save in db as last seen user.last = { @@ -107,11 +107,11 @@ module.exports = { // Shutdown (check for remaining clients) socket.on('disconnect', (reason)=>{ - winston.silly(`${socket.id} disconnected because of a ${reason}.`); + debug(`${socket.id} disconnected because of a ${reason}.`); // Check if client was receiving updates if (socket.gets){ - winston.silly(`${socket.id} left ${socket.gets}`); + debug(`${socket.id} left ${socket.gets}`); checkForUsers( io, socket.gets ); } diff --git a/package.json b/package.json index 0768d96..b981674 100644 --- a/package.json +++ b/package.json @@ -9,6 +9,7 @@ "connect-flash-plus": "^0.2.1", "cookie-parser": "^1.4.1", "cookie-session": "^2.0.0-alpha.1", + "debug": "^2.6.6", "express": "^4.15.2", "express-validator": "^3.1.3", "kerberos": "0.0.17", @@ -30,7 +31,6 @@ "passport-twitter-token": "^1.3.0", "slug": "^0.9.1", "socket.io": "^1.4.4", - "winston": "^2.3.1", "xss": "^0.3.3" }, "devDependencies": { diff --git a/server.js b/server.js index 90d2e4f..e3daaf7 100755 --- a/server.js +++ b/server.js @@ -7,7 +7,7 @@ const expressValidator = require('express-validator'), cookieParser = require('cookie-parser'), cookieSession = require('cookie-session'), - winston = require('winston'), + debug = require('debug')('tracman-server'), mongoose = require('mongoose'), nunjucks = require('nunjucks'), passport = require('passport'), @@ -22,9 +22,6 @@ const /* SETUP */ { - // Log level - winston.level = process.env.LOGLEVEL || env.logLevel || 'info'; - /* Database */ { // Setup with native ES6 promises @@ -84,7 +81,7 @@ const let nextPath = ((req.query.next)?req.query.next: req.path.substring(0,req.path.indexOf('#')) || req.path ); if ( nextPath.substring(0,6)!=='/login' && nextPath.substring(0,7)!=='/logout' && nextPath.substring(0,7)!=='/static' ){ req.session.next = nextPath+'#'; - winston.debug(`Set redirect path to ${nextPath}#`); + debug(`Set redirect path to ${nextPath}#`); } // User account @@ -172,7 +169,6 @@ const // Listen http.listen( env.port, ()=>{ console.log(`🌐 Listening in ${env.mode} mode on port ${env.port}... `); - winston.verbose(`Log level set to ${env.logLevel}`); // Check for clients for each user User.find({}) From 3e2180e90ff54ba5eeec5a4bd750ca386b06f7a5 Mon Sep 17 00:00:00 2001 From: Keith Irwin Date: Mon, 8 May 2017 14:00:51 -0400 Subject: [PATCH 11/24] Fixed unauthorized /admin error --- config/middleware.js | 2 +- server.js | 2 +- views/error.html | 3 ++- 3 files changed, 4 insertions(+), 3 deletions(-) diff --git a/config/middleware.js b/config/middleware.js index 12192be..f3fc2a2 100644 --- a/config/middleware.js +++ b/config/middleware.js @@ -29,7 +29,7 @@ module.exports = { // Ensure administrator ensureAdmin: (req,res,next)=>{ - if (req.user.isAdmin){ return next(); } + if (req.isAuthenticated() && req.user.isAdmin){ return next(); } else { let err = new Error("Unauthorized"); err.status = 401; diff --git a/server.js b/server.js index e3daaf7..c7db507 100755 --- a/server.js +++ b/server.js @@ -131,7 +131,7 @@ const // Production handlers if (env.mode!=='development') { app.use( (err,req,res,next)=>{ - if (err.status!==404){ console.error(`❌ ${err.stack}`); } + if (err.status!==404&&err.status!==401){ console.error(`❌ ${err.stack}`); } if (res.headersSent) { return next(err); } res.status(err.status||500); res.render('error', { diff --git a/views/error.html b/views/error.html index f8c18e0..93e50b6 100644 --- a/views/error.html +++ b/views/error.html @@ -1,11 +1,12 @@ {% extends 'templates/base.html' %} -{% block title %}{{super()}} | {% if code %}{{code}} {% endif %}Error{% endblock %} +{% block title %}{{super()}} | {% if code %}{{code}}{% endif %}{% if message %}: {{message}}{% else %} Error{% endif%}{% endblock %} {% block main %}
{% if message %}

❌️ {{message}}

{% endif %} {% if stack %}

{{stack}}

{% else %} {% if code == '404' %}

This page does not exist. Maybe you followed a dead link here.

+ {% elif code == '401' %}

You aren't allowed in here. Shoo.

{% else %}

Would you please report this error?

{% endif %} {% if code %}{% endif %}{% endif %}
From 3565f5a125815e9fdfee73bd9e0f395cb45583b2 Mon Sep 17 00:00:00 2001 From: Keith Irwin Date: Mon, 8 May 2017 14:09:49 -0400 Subject: [PATCH 12/24] Minified common passwords for faster nodmone restarts --- static/js/common-passwords.js | 10003 +------------------------------- 1 file changed, 1 insertion(+), 10002 deletions(-) diff --git a/static/js/common-passwords.js b/static/js/common-passwords.js index 18a785d..fab2e56 100644 --- a/static/js/common-passwords.js +++ b/static/js/common-passwords.js @@ -1,10002 +1 @@ -Mellt.prototype.CommonPasswords = [ - 'password', - '123456', - '12345678', - '1234', - 'qwerty', - '12345', - 'dragon', - 'pussy', - 'baseball', - 'football', - 'letmein', - 'monkey', - '696969', - 'abc123', - 'mustang', - 'michael', - 'shadow', - 'master', - 'jennifer', - '111111', - '2000', - 'jordan', - 'superman', - 'harley', - '1234567', - 'fuckme', - 'hunter', - 'fuckyou', - 'trustno1', - 'ranger', - 'buster', - 'thomas', - 'tigger', - 'robert', - 'soccer', - 'fuck', - 'batman', - 'test', - 'pass', - 'killer', - 'hockey', - 'george', - 'charlie', - 'andrew', - 'michelle', - 'love', - 'sunshine', - 'jessica', - 'asshole', - '6969', - 'pepper', - 'daniel', - 'access', - '123456789', - '654321', - 'joshua', - 'maggie', - 'starwars', - 'silver', - 'william', - 'dallas', - 'yankees', - '123123', - 'ashley', - '666666', - 'hello', - 'amanda', - 'orange', - 'biteme', - 'freedom', - 'computer', - 'sexy', - 'thunder', - 'nicole', - 'ginger', - 'heather', - 'hammer', - 'summer', - 'corvette', - 'taylor', - 'fucker', - 'austin', - '1111', - 'merlin', - 'matthew', - '121212', - 'golfer', - 'cheese', - 'princess', - 'martin', - 'chelsea', - 'patrick', - 'richard', - 'diamond', - 'yellow', - 'bigdog', - 'secret', - 'asdfgh', - 'sparky', - 'cowboy', - 'camaro', - 'anthony', - 'matrix', - 'falcon', - 'iloveyou', - 'bailey', - 'guitar', - 'jackson', - 'purple', - 'scooter', - 'phoenix', - 'aaaaaa', - 'morgan', - 'tigers', - 'porsche', - 'mickey', - 'maverick', - 'cookie', - 'nascar', - 'peanut', - 'justin', - '131313', - 'money', - 'horny', - 'samantha', - 'panties', - 'steelers', - 'joseph', - 'snoopy', - 'boomer', - 'whatever', - 'iceman', - 'smokey', - 'gateway', - 'dakota', - 'cowboys', - 'eagles', - 'chicken', - 'dick', - 'black', - 'zxcvbn', - 'please', - 'andrea', - 'ferrari', - 'knight', - 'hardcore', - 'melissa', - 'compaq', - 'coffee', - 'booboo', - 'bitch', - 'johnny', - 'bulldog', - 'xxxxxx', - 'welcome', - 'james', - 'player', - 'ncc1701', - 'wizard', - 'scooby', - 'charles', - 'junior', - 'internet', - 'bigdick', - 'mike', - 'brandy', - 'tennis', - 'blowjob', - 'banana', - 'monster', - 'spider', - 'lakers', - 'miller', - 'rabbit', - 'enter', - 'mercedes', - 'brandon', - 'steven', - 'fender', - 'john', - 'yamaha', - 'diablo', - 'chris', - 'boston', - 'tiger', - 'marine', - 'chicago', - 'rangers', - 'gandalf', - 'winter', - 'bigtits', - 'barney', - 'edward', - 'raiders', - 'porn', - 'badboy', - 'blowme', - 'spanky', - 'bigdaddy', - 'johnson', - 'chester', - 'london', - 'midnight', - 'blue', - 'fishing', - '000000', - 'hannah', - 'slayer', - '11111111', - 'rachel', - 'sexsex', - 'redsox', - 'thx1138', - 'asdf', - 'marlboro', - 'panther', - 'zxcvbnm', - 'arsenal', - 'oliver', - 'qazwsx', - 'mother', - 'victoria', - '7777777', - 'jasper', - 'angel', - 'david', - 'winner', - 'crystal', - 'golden', - 'butthead', - 'viking', - 'jack', - 'iwantu', - 'shannon', - 'murphy', - 'angels', - 'prince', - 'cameron', - 'girls', - 'madison', - 'wilson', - 'carlos', - 'hooters', - 'willie', - 'startrek', - 'captain', - 'maddog', - 'jasmine', - 'butter', - 'booger', - 'angela', - 'golf', - 'lauren', - 'rocket', - 'tiffany', - 'theman', - 'dennis', - 'liverpoo', - 'flower', - 'forever', - 'green', - 'jackie', - 'muffin', - 'turtle', - 'sophie', - 'danielle', - 'redskins', - 'toyota', - 'jason', - 'sierra', - 'winston', - 'debbie', - 'giants', - 'packers', - 'newyork', - 'jeremy', - 'casper', - 'bubba', - '112233', - 'sandra', - 'lovers', - 'mountain', - 'united', - 'cooper', - 'driver', - 'tucker', - 'helpme', - 'fucking', - 'pookie', - 'lucky', - 'maxwell', - '8675309', - 'bear', - 'suckit', - 'gators', - '5150', - '222222', - 'shithead', - 'fuckoff', - 'jaguar', - 'monica', - 'fred', - 'happy', - 'hotdog', - 'tits', - 'gemini', - 'lover', - 'xxxxxxxx', - '777777', - 'canada', - 'nathan', - 'victor', - 'florida', - '88888888', - 'nicholas', - 'rosebud', - 'metallic', - 'doctor', - 'trouble', - 'success', - 'stupid', - 'tomcat', - 'warrior', - 'peaches', - 'apples', - 'fish', - 'qwertyui', - 'magic', - 'buddy', - 'dolphins', - 'rainbow', - 'gunner', - '987654', - 'freddy', - 'alexis', - 'braves', - 'cock', - '2112', - '1212', - 'cocacola', - 'xavier', - 'dolphin', - 'testing', - 'bond007', - 'member', - 'calvin', - 'voodoo', - '7777', - 'samson', - 'alex', - 'apollo', - 'fire', - 'tester', - 'walter', - 'beavis', - 'voyager', - 'peter', - 'porno', - 'bonnie', - 'rush2112', - 'beer', - 'apple', - 'scorpio', - 'jonathan', - 'skippy', - 'sydney', - 'scott', - 'red123', - 'power', - 'gordon', - 'travis', - 'beaver', - 'star', - 'jackass', - 'flyers', - 'boobs', - '232323', - 'zzzzzz', - 'steve', - 'rebecca', - 'scorpion', - 'doggie', - 'legend', - 'ou812', - 'yankee', - 'blazer', - 'bill', - 'runner', - 'birdie', - 'bitches', - '555555', - 'parker', - 'topgun', - 'asdfasdf', - 'heaven', - 'viper', - 'animal', - '2222', - 'bigboy', - '4444', - 'arthur', - 'baby', - 'private', - 'godzilla', - 'donald', - 'williams', - 'lifehack', - 'phantom', - 'dave', - 'rock', - 'august', - 'sammy', - 'cool', - 'brian', - 'platinum', - 'jake', - 'bronco', - 'paul', - 'mark', - 'frank', - 'heka6w2', - 'copper', - 'billy', - 'cumshot', - 'garfield', - 'willow', - 'cunt', - 'little', - 'carter', - 'slut', - 'albert', - '69696969', - 'kitten', - 'super', - 'jordan23', - 'eagle1', - 'shelby', - 'america', - '11111', - 'jessie', - 'house', - 'free', - '123321', - 'chevy', - 'bullshit', - 'white', - 'broncos', - 'horney', - 'surfer', - 'nissan', - '999999', - 'saturn', - 'airborne', - 'elephant', - 'marvin', - 'shit', - 'action', - 'adidas', - 'qwert', - 'kevin', - '1313', - 'explorer', - 'walker', - 'police', - 'christin', - 'december', - 'benjamin', - 'wolf', - 'sweet', - 'therock', - 'king', - 'online', - 'dickhead', - 'brooklyn', - 'teresa', - 'cricket', - 'sharon', - 'dexter', - 'racing', - 'penis', - 'gregory', - '0000', - 'teens', - 'redwings', - 'dreams', - 'michigan', - 'hentai', - 'magnum', - '87654321', - 'nothing', - 'donkey', - 'trinity', - 'digital', - '333333', - 'stella', - 'cartman', - 'guinness', - '123abc', - 'speedy', - 'buffalo', - 'kitty', - 'pimpin', - 'eagle', - 'einstein', - 'kelly', - 'nelson', - 'nirvana', - 'vampire', - 'xxxx', - 'playboy', - 'louise', - 'pumpkin', - 'snowball', - 'test123', - 'girl', - 'sucker', - 'mexico', - 'beatles', - 'fantasy', - 'ford', - 'gibson', - 'celtic', - 'marcus', - 'cherry', - 'cassie', - '888888', - 'natasha', - 'sniper', - 'chance', - 'genesis', - 'hotrod', - 'reddog', - 'alexande', - 'college', - 'jester', - 'passw0rd', - 'bigcock', - 'smith', - 'lasvegas', - 'carmen', - 'slipknot', - '3333', - 'death', - 'kimberly', - '1q2w3e', - 'eclipse', - '1q2w3e4r', - 'stanley', - 'samuel', - 'drummer', - 'homer', - 'montana', - 'music', - 'aaaa', - 'spencer', - 'jimmy', - 'carolina', - 'colorado', - 'creative', - 'hello1', - 'rocky', - 'goober', - 'friday', - 'bollocks', - 'scotty', - 'abcdef', - 'bubbles', - 'hawaii', - 'fluffy', - 'mine', - 'stephen', - 'horses', - 'thumper', - '5555', - 'pussies', - 'darkness', - 'asdfghjk', - 'pamela', - 'boobies', - 'buddha', - 'vanessa', - 'sandman', - 'naughty', - 'douglas', - 'honda', - 'matt', - 'azerty', - '6666', - 'shorty', - 'money1', - 'beach', - 'loveme', - '4321', - 'simple', - 'poohbear', - '444444', - 'badass', - 'destiny', - 'sarah', - 'denise', - 'vikings', - 'lizard', - 'melanie', - 'assman', - 'sabrina', - 'nintendo', - 'water', - 'good', - 'howard', - 'time', - '123qwe', - 'november', - 'xxxxx', - 'october', - 'leather', - 'bastard', - 'young', - '101010', - 'extreme', - 'hard', - 'password1', - 'vincent', - 'pussy1', - 'lacrosse', - 'hotmail', - 'spooky', - 'amateur', - 'alaska', - 'badger', - 'paradise', - 'maryjane', - 'poop', - 'crazy', - 'mozart', - 'video', - 'russell', - 'vagina', - 'spitfire', - 'anderson', - 'norman', - 'eric', - 'cherokee', - 'cougar', - 'barbara', - 'long', - '420420', - 'family', - 'horse', - 'enigma', - 'allison', - 'raider', - 'brazil', - 'blonde', - 'jones', - '55555', - 'dude', - 'drowssap', - 'jeff', - 'school', - 'marshall', - 'lovely', - '1qaz2wsx', - 'jeffrey', - 'caroline', - 'franklin', - 'booty', - 'molly', - 'snickers', - 'leslie', - 'nipples', - 'courtney', - 'diesel', - 'rocks', - 'eminem', - 'westside', - 'suzuki', - 'daddy', - 'passion', - 'hummer', - 'ladies', - 'zachary', - 'frankie', - 'elvis', - 'reggie', - 'alpha', - 'suckme', - 'simpson', - 'patricia', - '147147', - 'pirate', - 'tommy', - 'semperfi', - 'jupiter', - 'redrum', - 'freeuser', - 'wanker', - 'stinky', - 'ducati', - 'paris', - 'natalie', - 'babygirl', - 'bishop', - 'windows', - 'spirit', - 'pantera', - 'monday', - 'patches', - 'brutus', - 'houston', - 'smooth', - 'penguin', - 'marley', - 'forest', - 'cream', - '212121', - 'flash', - 'maximus', - 'nipple', - 'bobby', - 'bradley', - 'vision', - 'pokemon', - 'champion', - 'fireman', - 'indian', - 'softball', - 'picard', - 'system', - 'clinton', - 'cobra', - 'enjoy', - 'lucky1', - 'claire', - 'claudia', - 'boogie', - 'timothy', - 'marines', - 'security', - 'dirty', - 'admin', - 'wildcats', - 'pimp', - 'dancer', - 'hardon', - 'veronica', - 'fucked', - 'abcd1234', - 'abcdefg', - 'ironman', - 'wolverin', - 'remember', - 'great', - 'freepass', - 'bigred', - 'squirt', - 'justice', - 'francis', - 'hobbes', - 'kermit', - 'pearljam', - 'mercury', - 'domino', - '9999', - 'denver', - 'brooke', - 'rascal', - 'hitman', - 'mistress', - 'simon', - 'tony', - 'bbbbbb', - 'friend', - 'peekaboo', - 'naked', - 'budlight', - 'electric', - 'sluts', - 'stargate', - 'saints', - 'bondage', - 'brittany', - 'bigman', - 'zombie', - 'swimming', - 'duke', - 'qwerty1', - 'babes', - 'scotland', - 'disney', - 'rooster', - 'brenda', - 'mookie', - 'swordfis', - 'candy', - 'duncan', - 'olivia', - 'hunting', - 'blink182', - 'alicia', - '8888', - 'samsung', - 'bubba1', - 'whore', - 'virginia', - 'general', - 'passport', - 'aaaaaaaa', - 'erotic', - 'liberty', - 'arizona', - 'jesus', - 'abcd', - 'newport', - 'skipper', - 'rolltide', - 'balls', - 'happy1', - 'galore', - 'christ', - 'weasel', - '242424', - 'wombat', - 'digger', - 'classic', - 'bulldogs', - 'poopoo', - 'accord', - 'popcorn', - 'turkey', - 'jenny', - 'amber', - 'bunny', - 'mouse', - '007007', - 'titanic', - 'liverpool', - 'dreamer', - 'everton', - 'friends', - 'chevelle', - 'carrie', - 'gabriel', - 'psycho', - 'nemesis', - 'burton', - 'pontiac', - 'connor', - 'eatme', - 'lickme', - 'roland', - 'cumming', - 'mitchell', - 'ireland', - 'lincoln', - 'arnold', - 'spiderma', - 'patriots', - 'goblue', - 'devils', - 'eugene', - 'empire', - 'asdfg', - 'cardinal', - 'brown', - 'shaggy', - 'froggy', - 'qwer', - 'kawasaki', - 'kodiak', - 'people', - 'phpbb', - 'light', - '54321', - 'kramer', - 'chopper', - 'hooker', - 'honey', - 'whynot', - 'lesbian', - 'lisa', - 'baxter', - 'adam', - 'snake', - 'teen', - 'ncc1701d', - 'qqqqqq', - 'airplane', - 'britney', - 'avalon', - 'sandy', - 'sugar', - 'sublime', - 'stewart', - 'wildcat', - 'raven', - 'scarface', - 'elizabet', - '123654', - 'trucks', - 'wolfpack', - 'pervert', - 'lawrence', - 'raymond', - 'redhead', - 'american', - 'alyssa', - 'bambam', - 'movie', - 'woody', - 'shaved', - 'snowman', - 'tiger1', - 'chicks', - 'raptor', - '1969', - 'stingray', - 'shooter', - 'france', - 'stars', - 'madmax', - 'kristen', - 'sports', - 'jerry', - '789456', - 'garcia', - 'simpsons', - 'lights', - 'ryan', - 'looking', - 'chronic', - 'alison', - 'hahaha', - 'packard', - 'hendrix', - 'perfect', - 'service', - 'spring', - 'srinivas', - 'spike', - 'katie', - '252525', - 'oscar', - 'brother', - 'bigmac', - 'suck', - 'single', - 'cannon', - 'georgia', - 'popeye', - 'tattoo', - 'texas', - 'party', - 'bullet', - 'taurus', - 'sailor', - 'wolves', - 'panthers', - 'japan', - 'strike', - 'flowers', - 'pussycat', - 'chris1', - 'loverboy', - 'berlin', - 'sticky', - 'marina', - 'tarheels', - 'fisher', - 'russia', - 'connie', - 'wolfgang', - 'testtest', - 'mature', - 'bass', - 'catch22', - 'juice', - 'michael1', - 'nigger', - '159753', - 'women', - 'alpha1', - 'trooper', - 'hawkeye', - 'head', - 'freaky', - 'dodgers', - 'pakistan', - 'machine', - 'pyramid', - 'vegeta', - 'katana', - 'moose', - 'tinker', - 'coyote', - 'infinity', - 'inside', - 'pepsi', - 'letmein1', - 'bang', - 'control', - 'hercules', - 'morris', - 'james1', - 'tickle', - 'outlaw', - 'browns', - 'billybob', - 'pickle', - 'test1', - 'michele', - 'antonio', - 'sucks', - 'pavilion', - 'changeme', - 'caesar', - 'prelude', - 'tanner', - 'adrian', - 'darkside', - 'bowling', - 'wutang', - 'sunset', - 'robbie', - 'alabama', - 'danger', - 'zeppelin', - 'juan', - 'rusty', - 'pppppp', - 'nick', - '2001', - 'ping', - 'darkstar', - 'madonna', - 'qwe123', - 'bigone', - 'casino', - 'cheryl', - 'charlie1', - 'mmmmmm', - 'integra', - 'wrangler', - 'apache', - 'tweety', - 'qwerty12', - 'bobafett', - 'simone', - 'none', - 'business', - 'sterling', - 'trevor', - 'transam', - 'dustin', - 'harvey', - 'england', - '2323', - 'seattle', - 'ssssss', - 'rose', - 'harry', - 'openup', - 'pandora', - 'pussys', - 'trucker', - 'wallace', - 'indigo', - 'storm', - 'malibu', - 'weed', - 'review', - 'babydoll', - 'doggy', - 'dilbert', - 'pegasus', - 'joker', - 'catfish', - 'flipper', - 'valerie', - 'herman', - 'fuckit', - 'detroit', - 'kenneth', - 'cheyenne', - 'bruins', - 'stacey', - 'smoke', - 'joey', - 'seven', - 'marino', - 'fetish', - 'xfiles', - 'wonder', - 'stinger', - 'pizza', - 'babe', - 'pretty', - 'stealth', - 'manutd', - 'gracie', - 'gundam', - 'cessna', - 'longhorn', - 'presario', - 'mnbvcxz', - 'wicked', - 'mustang1', - 'victory', - '21122112', - 'shelly', - 'awesome', - 'athena', - 'q1w2e3r4', - 'help', - 'holiday', - 'knicks', - 'street', - 'redneck', - '12341234', - 'casey', - 'gizmo', - 'scully', - 'dragon1', - 'devildog', - 'triumph', - 'eddie', - 'bluebird', - 'shotgun', - 'peewee', - 'ronnie', - 'angel1', - 'daisy', - 'special', - 'metallica', - 'madman', - 'country', - 'impala', - 'lennon', - 'roscoe', - 'omega', - 'access14', - 'enterpri', - 'miranda', - 'search', - 'smitty', - 'blizzard', - 'unicorn', - 'tight', - 'rick', - 'ronald', - 'asdf1234', - 'harrison', - 'trigger', - 'truck', - 'danny', - 'home', - 'winnie', - 'beauty', - 'thailand', - '1234567890', - 'cadillac', - 'castle', - 'tyler', - 'bobcat', - 'buddy1', - 'sunny', - 'stones', - 'asian', - 'freddie', - 'chuck', - 'butt', - 'loveyou', - 'norton', - 'hellfire', - 'hotsex', - 'indiana', - 'short', - 'panzer', - 'lonewolf', - 'trumpet', - 'colors', - 'blaster', - '12121212', - 'fireball', - 'logan', - 'precious', - 'aaron', - 'elaine', - 'jungle', - 'atlanta', - 'gold', - 'corona', - 'curtis', - 'nikki', - 'polaris', - 'timber', - 'theone', - 'baller', - 'chipper', - 'orlando', - 'island', - 'skyline', - 'dragons', - 'dogs', - 'benson', - 'licker', - 'goldie', - 'engineer', - 'kong', - 'pencil', - 'basketba', - 'open', - 'hornet', - 'world', - 'linda', - 'barbie', - 'chan', - 'farmer', - 'valentin', - 'wetpussy', - 'indians', - 'larry', - 'redman', - 'foobar', - 'travel', - 'morpheus', - 'bernie', - 'target', - '141414', - 'hotstuff', - 'photos', - 'laura', - 'savage', - 'holly', - 'rocky1', - 'fuck_inside', - 'dollar', - 'turbo', - 'design', - 'newton', - 'hottie', - 'moon', - '202020', - 'blondes', - '4128', - 'lestat', - 'avatar', - 'future', - 'goforit', - 'random', - 'abgrtyu', - 'jjjjjj', - 'cancer', - 'q1w2e3', - 'smiley', - 'goldberg', - 'express', - 'virgin', - 'zipper', - 'wrinkle1', - 'stone', - 'andy', - 'babylon', - 'dong', - 'powers', - 'consumer', - 'dudley', - 'monkey1', - 'serenity', - 'samurai', - '99999999', - 'bigboobs', - 'skeeter', - 'lindsay', - 'joejoe', - 'master1', - 'aaaaa', - 'chocolat', - 'christia', - 'birthday', - 'stephani', - 'tang', - '1234qwer', - 'alfred', - 'ball', - '98765432', - 'maria', - 'sexual', - 'maxima', - '77777777', - 'sampson', - 'buckeye', - 'highland', - 'kristin', - 'seminole', - 'reaper', - 'bassman', - 'nugget', - 'lucifer', - 'airforce', - 'nasty', - 'watson', - 'warlock', - '2121', - 'philip', - 'always', - 'dodge', - 'chrissy', - 'burger', - 'bird', - 'snatch', - 'missy', - 'pink', - 'gang', - 'maddie', - 'holmes', - 'huskers', - 'piglet', - 'photo', - 'joanne', - 'hamilton', - 'dodger', - 'paladin', - 'christy', - 'chubby', - 'buckeyes', - 'hamlet', - 'abcdefgh', - 'bigfoot', - 'sunday', - 'manson', - 'goldfish', - 'garden', - 'deftones', - 'icecream', - 'blondie', - 'spartan', - 'julie', - 'harold', - 'charger', - 'brandi', - 'stormy', - 'sherry', - 'pleasure', - 'juventus', - 'rodney', - 'galaxy', - 'holland', - 'escort', - 'zxcvb', - 'planet', - 'jerome', - 'wesley', - 'blues', - 'song', - 'peace', - 'david1', - 'ncc1701e', - '1966', - '51505150', - 'cavalier', - 'gambit', - 'karen', - 'sidney', - 'ripper', - 'oicu812', - 'jamie', - 'sister', - 'marie', - 'martha', - 'nylons', - 'aardvark', - 'nadine', - 'minnie', - 'whiskey', - 'bing', - 'plastic', - 'anal', - 'babylon5', - 'chang', - 'savannah', - 'loser', - 'racecar', - 'insane', - 'yankees1', - 'mememe', - 'hansolo', - 'chiefs', - 'fredfred', - 'freak', - 'frog', - 'salmon', - 'concrete', - 'yvonne', - 'zxcv', - 'shamrock', - 'atlantis', - 'warren', - 'wordpass', - 'julian', - 'mariah', - 'rommel', - '1010', - 'harris', - 'predator', - 'sylvia', - 'massive', - 'cats', - 'sammy1', - 'mister', - 'stud', - 'marathon', - 'rubber', - 'ding', - 'trunks', - 'desire', - 'montreal', - 'justme', - 'faster', - 'kathleen', - 'irish', - '1999', - 'bertha', - 'jessica1', - 'alpine', - 'sammie', - 'diamonds', - 'tristan', - '00000', - 'swinger', - 'shan', - 'stallion', - 'pitbull', - 'letmein2', - 'roberto', - 'ready', - 'april', - 'palmer', - 'ming', - 'shadow1', - 'audrey', - 'chong', - 'clitoris', - 'wang', - 'shirley', - 'fuckers', - 'jackoff', - 'bluesky', - 'sundance', - 'renegade', - 'hollywoo', - '151515', - 'bernard', - 'wolfman', - 'soldier', - 'picture', - 'pierre', - 'ling', - 'goddess', - 'manager', - 'nikita', - 'sweety', - 'titans', - 'hang', - 'fang', - 'ficken', - 'niners', - 'bottom', - 'bubble', - 'hello123', - 'ibanez', - 'webster', - 'sweetpea', - 'stocking', - '323232', - 'tornado', - 'lindsey', - 'content', - 'bruce', - 'buck', - 'aragorn', - 'griffin', - 'chen', - 'campbell', - 'trojan', - 'christop', - 'newman', - 'wayne', - 'tina', - 'rockstar', - 'father', - 'geronimo', - 'pascal', - 'crimson', - 'brooks', - 'hector', - 'penny', - 'anna', - 'google', - 'camera', - 'chandler', - 'fatcat', - 'lovelove', - 'cody', - 'cunts', - 'waters', - 'stimpy', - 'finger', - 'cindy', - 'wheels', - 'viper1', - 'latin', - 'robin', - 'greenday', - '987654321', - 'creampie', - 'brendan', - 'hiphop', - 'willy', - 'snapper', - 'funtime', - 'duck', - 'trombone', - 'adult', - 'cotton', - 'cookies', - 'kaiser', - 'mulder', - 'westham', - 'latino', - 'jeep', - 'ravens', - 'aurora', - 'drizzt', - 'madness', - 'energy', - 'kinky', - '314159', - 'sophia', - 'stefan', - 'slick', - 'rocker', - '55555555', - 'freeman', - 'french', - 'mongoose', - 'speed', - 'dddddd', - 'hong', - 'henry', - 'hungry', - 'yang', - 'catdog', - 'cheng', - 'ghost', - 'gogogo', - 'randy', - 'tottenha', - 'curious', - 'butterfl', - 'mission', - 'january', - 'singer', - 'sherman', - 'shark', - 'techno', - 'lancer', - 'lalala', - 'autumn', - 'chichi', - 'orion', - 'trixie', - 'clifford', - 'delta', - 'bobbob', - 'bomber', - 'holden', - 'kang', - 'kiss', - '1968', - 'spunky', - 'liquid', - 'mary', - 'beagle', - 'granny', - 'network', - 'bond', - 'kkkkkk', - 'millie', - '1973', - 'biggie', - 'beetle', - 'teacher', - 'susan', - 'toronto', - 'anakin', - 'genius', - 'dream', - 'cocks', - 'dang', - 'bush', - 'karate', - 'snakes', - 'bangkok', - 'callie', - 'fuckyou2', - 'pacific', - 'daytona', - 'kelsey', - 'infantry', - 'skywalke', - 'foster', - 'felix', - 'sailing', - 'raistlin', - 'vanhalen', - 'huang', - 'herbert', - 'jacob', - 'blackie', - 'tarzan', - 'strider', - 'sherlock', - 'lang', - 'gong', - 'sang', - 'dietcoke', - 'ultimate', - 'tree', - 'shai', - 'sprite', - 'ting', - 'artist', - 'chai', - 'chao', - 'devil', - 'python', - 'ninja', - 'misty', - 'ytrewq', - 'sweetie', - 'superfly', - '456789', - 'tian', - 'jing', - 'jesus1', - 'freedom1', - 'dian', - 'drpepper', - 'potter', - 'chou', - 'darren', - 'hobbit', - 'violet', - 'yong', - 'shen', - 'phillip', - 'maurice', - 'gloria', - 'nolimit', - 'mylove', - 'biscuit', - 'yahoo', - 'shasta', - 'sex4me', - 'smoker', - 'smile', - 'pebbles', - 'pics', - 'philly', - 'tong', - 'tintin', - 'lesbians', - 'marlin', - 'cactus', - 'frank1', - 'tttttt', - 'chun', - 'danni', - 'emerald', - 'showme', - 'pirates', - 'lian', - 'dogg', - 'colleen', - 'xiao', - 'xian', - 'tazman', - 'tanker', - 'patton', - 'toshiba', - 'richie', - 'alberto', - 'gotcha', - 'graham', - 'dillon', - 'rang', - 'emily', - 'keng', - 'jazz', - 'bigguy', - 'yuan', - 'woman', - 'tomtom', - 'marion', - 'greg', - 'chaos', - 'fossil', - 'flight', - 'racerx', - 'tuan', - 'creamy', - 'boss', - 'bobo', - 'musicman', - 'warcraft', - 'window', - 'blade', - 'shuang', - 'sheila', - 'shun', - 'lick', - 'jian', - 'microsoft', - 'rong', - 'allen', - 'feng', - 'getsome', - 'sally', - 'quality', - 'kennedy', - 'morrison', - '1977', - 'beng', - 'wwwwww', - 'yoyoyo', - 'zhang', - 'seng', - 'teddy', - 'joanna', - 'andreas', - 'harder', - 'luke', - 'qazxsw', - 'qian', - 'cong', - 'chuan', - 'deng', - 'nang', - 'boeing', - 'keeper', - 'western', - 'isabelle', - '1963', - 'subaru', - 'sheng', - 'thuglife', - 'teng', - 'jiong', - 'miao', - 'martina', - 'mang', - 'maniac', - 'pussie', - 'tracey', - 'a1b2c3', - 'clayton', - 'zhou', - 'zhuang', - 'xing', - 'stonecol', - 'snow', - 'spyder', - 'liang', - 'jiang', - 'memphis', - 'regina', - 'ceng', - 'magic1', - 'logitech', - 'chuang', - 'dark', - 'million', - 'blow', - 'sesame', - 'shao', - 'poison', - 'titty', - 'terry', - 'kuan', - 'kuai', - 'kyle', - 'mian', - 'guan', - 'hamster', - 'guai', - 'ferret', - 'florence', - 'geng', - 'duan', - 'pang', - 'maiden', - 'quan', - 'velvet', - 'nong', - 'neng', - 'nookie', - 'buttons', - 'bian', - 'bingo', - 'biao', - 'zhong', - 'zeng', - 'xiong', - 'zhun', - 'ying', - 'zong', - 'xuan', - 'zang', - '0.0.000', - 'suan', - 'shei', - 'shui', - 'sharks', - 'shang', - 'shua', - 'small', - 'peng', - 'pian', - 'piao', - 'liao', - 'meng', - 'miami', - 'reng', - 'guang', - 'cang', - 'change', - 'ruan', - 'diao', - 'luan', - 'lucas', - 'qing', - 'chui', - 'chuo', - 'cuan', - 'nuan', - 'ning', - 'heng', - 'huan', - 'kansas', - 'muscle', - 'monroe', - 'weng', - 'whitney', - '1passwor', - 'bluemoon', - 'zhui', - 'zhua', - 'xiang', - 'zheng', - 'zhen', - 'zhei', - 'zhao', - 'zhan', - 'yomama', - 'zhai', - 'zhuo', - 'zuan', - 'tarheel', - 'shou', - 'shuo', - 'tiao', - 'lady', - 'leonard', - 'leng', - 'kuang', - 'jiao', - '13579', - 'basket', - 'qiao', - 'qiong', - 'qiang', - 'chuai', - 'nian', - 'niao', - 'niang', - 'huai', - '22222222', - 'bianca', - 'zhuan', - 'zhuai', - 'shuan', - 'shuai', - 'stardust', - 'jumper', - 'margaret', - 'archie', - '66666666', - 'charlott', - 'forget', - 'qwertz', - 'bones', - 'history', - 'milton', - 'waterloo', - '2002', - 'stuff', - '11223344', - 'office', - 'oldman', - 'preston', - 'trains', - 'murray', - 'vertigo', - '246810', - 'black1', - 'swallow', - 'smiles', - 'standard', - 'alexandr', - 'parrot', - 'luther', - 'user', - 'nicolas', - '1976', - 'surfing', - 'pioneer', - 'pete', - 'masters', - 'apple1', - 'asdasd', - 'auburn', - 'hannibal', - 'frontier', - 'panama', - 'lucy', - 'buffy', - 'brianna', - 'welcome1', - 'vette', - 'blue22', - 'shemale', - '111222', - 'baggins', - 'groovy', - 'global', - 'turner', - '181818', - '1979', - 'blades', - 'spanking', - 'life', - 'byteme', - 'lobster', - 'collins', - 'dawg', - 'hilton', - 'japanese', - '1970', - '1964', - '2424', - 'polo', - 'markus', - 'coco', - 'deedee', - 'mikey', - '1972', - '171717', - '1701', - 'strip', - 'jersey', - 'green1', - 'capital', - 'sasha', - 'sadie', - 'putter', - 'vader', - 'seven7', - 'lester', - 'marcel', - 'banshee', - 'grendel', - 'gilbert', - 'dicks', - 'dead', - 'hidden', - 'iloveu', - '1980', - 'sound', - 'ledzep', - 'michel', - '147258', - 'female', - 'bugger', - 'buffett', - 'bryan', - 'hell', - 'kristina', - 'molson', - '2020', - 'wookie', - 'sprint', - 'thanks', - 'jericho', - '102030', - 'grace', - 'fuckin', - 'mandy', - 'ranger1', - 'trebor', - 'deepthroat', - 'bonehead', - 'molly1', - 'mirage', - 'models', - '1984', - '2468', - 'stuart', - 'showtime', - 'squirrel', - 'pentium', - 'mario', - 'anime', - 'gator', - 'powder', - 'twister', - 'connect', - 'neptune', - 'bruno', - 'butts', - 'engine', - 'eatshit', - 'mustangs', - 'woody1', - 'shogun', - 'septembe', - 'pooh', - 'jimbo', - 'roger', - 'annie', - 'bacon', - 'center', - 'russian', - 'sabine', - 'damien', - 'mollie', - 'voyeur', - '2525', - '363636', - 'leonardo', - 'camel', - 'chair', - 'germany', - 'giant', - 'qqqq', - 'nudist', - 'bone', - 'sleepy', - 'tequila', - 'megan', - 'fighter', - 'garrett', - 'dominic', - 'obiwan', - 'makaveli', - 'vacation', - 'walnut', - '1974', - 'ladybug', - 'cantona', - 'ccbill', - 'satan', - 'rusty1', - 'passwor1', - 'columbia', - 'napoleon', - 'dusty', - 'kissme', - 'motorola', - 'william1', - '1967', - 'zzzz', - 'skater', - 'smut', - 'play', - 'matthew1', - 'robinson', - 'valley', - 'coolio', - 'dagger', - 'boner', - 'bull', - 'horndog', - 'jason1', - 'blake', - 'penguins', - 'rescue', - 'griffey', - '8j4ye3uz', - 'californ', - 'champs', - 'qwertyuiop', - 'portland', - 'queen', - 'colt45', - 'boat', - 'xxxxxxx', - 'xanadu', - 'tacoma', - 'mason', - 'carpet', - 'gggggg', - 'safety', - 'palace', - 'italia', - 'stevie', - 'picturs', - 'picasso', - 'thongs', - 'tempest', - 'ricardo', - 'roberts', - 'asd123', - 'hairy', - 'foxtrot', - 'gary', - 'nimrod', - 'hotboy', - '343434', - '1111111', - 'asdfghjkl', - 'goose', - 'overlord', - 'blood', - 'wood', - 'stranger', - '454545', - 'shaolin', - 'sooners', - 'socrates', - 'spiderman', - 'peanuts', - 'maxine', - 'rogers', - '13131313', - 'andrew1', - 'filthy', - 'donnie', - 'ohyeah', - 'africa', - 'national', - 'kenny', - 'keith', - 'monique', - 'intrepid', - 'jasmin', - 'pickles', - 'assass', - 'fright', - 'potato', - 'darwin', - 'hhhhhh', - 'kingdom', - 'weezer', - '424242', - 'pepsi1', - 'throat', - 'romeo', - 'gerard', - 'looker', - 'puppy', - 'butch', - 'monika', - 'suzanne', - 'sweets', - 'temple', - 'laurie', - 'josh', - 'megadeth', - 'analsex', - 'nymets', - 'ddddddd', - 'bigballs', - 'support', - 'stick', - 'today', - 'down', - 'oakland', - 'oooooo', - 'qweasd', - 'chucky', - 'bridge', - 'carrot', - 'chargers', - 'discover', - 'dookie', - 'condor', - 'night', - 'butler', - 'hoover', - 'horny1', - 'isabella', - 'sunrise', - 'sinner', - 'jojo', - 'megapass', - 'martini', - 'assfuck', - 'grateful', - 'ffffff', - 'abigail', - 'esther', - 'mushroom', - 'janice', - 'jamaica', - 'wright', - 'sims', - 'space', - 'there', - 'timmy', - '7654321', - '77777', - 'cccccc', - 'gizmodo', - 'roxanne', - 'ralph', - 'tractor', - 'cristina', - 'dance', - 'mypass', - 'hongkong', - 'helena', - '1975', - 'blue123', - 'pissing', - 'thomas1', - 'redred', - 'rich', - 'basketball', - 'attack', - 'cash', - 'satan666', - 'drunk', - 'dixie', - 'dublin', - 'bollox', - 'kingkong', - 'katrina', - 'miles', - '1971', - '22222', - '272727', - 'sexx', - 'penelope', - 'thompson', - 'anything', - 'bbbb', - 'battle', - 'grizzly', - 'passat', - 'porter', - 'tracy', - 'defiant', - 'bowler', - 'knickers', - 'monitor', - 'wisdom', - 'wild', - 'slappy', - 'thor', - 'letsgo', - 'robert1', - 'feet', - 'rush', - 'brownie', - 'hudson', - '098765', - 'playing', - 'playtime', - 'lightnin', - 'melvin', - 'atomic', - 'bart', - 'hawk', - 'goku', - 'glory', - 'llllll', - 'qwaszx', - 'cosmos', - 'bosco', - 'knights', - 'bentley', - 'beast', - 'slapshot', - 'lewis', - 'assword', - 'frosty', - 'gillian', - 'sara', - 'dumbass', - 'mallard', - 'dddd', - 'deanna', - 'elwood', - 'wally', - '159357', - 'titleist', - 'angelo', - 'aussie', - 'guest', - 'golfing', - 'doobie', - 'loveit', - 'chloe', - 'elliott', - 'werewolf', - 'vipers', - 'janine', - '1965', - 'blabla', - 'surf', - 'sucking', - 'tardis', - 'serena', - 'shelley', - 'thegame', - 'legion', - 'rebels', - 'fernando', - 'fast', - 'gerald', - 'sarah1', - 'double', - 'onelove', - 'loulou', - 'toto', - 'crash', - 'blackcat', - '0007', - 'tacobell', - 'soccer1', - 'jedi', - 'manuel', - 'method', - 'river', - 'chase', - 'ludwig', - 'poopie', - 'derrick', - 'boob', - 'breast', - 'kittycat', - 'isabel', - 'belly', - 'pikachu', - 'thunder1', - 'thankyou', - 'jose', - 'celeste', - 'celtics', - 'frances', - 'frogger', - 'scoobydo', - 'sabbath', - 'coltrane', - 'budman', - 'willis', - 'jackal', - 'bigger', - 'zzzzz', - 'silvia', - 'sooner', - 'licking', - 'gopher', - 'geheim', - 'lonestar', - 'primus', - 'pooper', - 'newpass', - 'brasil', - 'heather1', - 'husker', - 'element', - 'moomoo', - 'beefcake', - 'zzzzzzzz', - 'tammy', - 'shitty', - 'smokin', - 'personal', - 'jjjj', - 'anthony1', - 'anubis', - 'backup', - 'gorilla', - 'fuckface', - 'painter', - 'lowrider', - 'punkrock', - 'traffic', - 'claude', - 'daniela', - 'dale', - 'delta1', - 'nancy', - 'boys', - 'easy', - 'kissing', - 'kelley', - 'wendy', - 'theresa', - 'amazon', - 'alan', - 'fatass', - 'dodgeram', - 'dingdong', - 'malcolm', - 'qqqqqqqq', - 'breasts', - 'boots', - 'honda1', - 'spidey', - 'poker', - 'temp', - 'johnjohn', - 'miguel', - '147852', - 'archer', - 'asshole1', - 'dogdog', - 'tricky', - 'crusader', - 'weather', - 'syracuse', - 'spankme', - 'speaker', - 'meridian', - 'amadeus', - 'back', - 'harley1', - 'falcons', - 'dorothy', - 'turkey50', - 'kenwood', - 'keyboard', - 'ilovesex', - '1978', - 'blackman', - 'shazam', - 'shalom', - 'lickit', - 'jimbob', - 'richmond', - 'roller', - 'carson', - 'check', - 'fatman', - 'funny', - 'garbage', - 'sandiego', - 'loving', - 'magnus', - 'cooldude', - 'clover', - 'mobile', - 'bell', - 'payton', - 'plumber', - 'texas1', - 'tool', - 'topper', - 'jenna', - 'mariners', - 'rebel', - 'harmony', - 'caliente', - 'celica', - 'fletcher', - 'german', - 'diana', - 'oxford', - 'osiris', - 'orgasm', - 'punkin', - 'porsche9', - 'tuesday', - 'close', - 'breeze', - 'bossman', - 'kangaroo', - 'billie', - 'latinas', - 'judith', - 'astros', - 'scruffy', - 'donna', - 'qwertyu', - 'davis', - 'hearts', - 'kathy', - 'jammer', - 'java', - 'springer', - 'rhonda', - 'ricky', - '1122', - 'goodtime', - 'chelsea1', - 'freckles', - 'flyboy', - 'doodle', - 'city', - 'nebraska', - 'bootie', - 'kicker', - 'webmaster', - 'vulcan', - 'iverson', - '191919', - 'blueeyes', - 'stoner', - '321321', - 'farside', - 'rugby', - 'director', - 'pussy69', - 'power1', - 'bobbie', - 'hershey', - 'hermes', - 'monopoly', - 'west', - 'birdman', - 'blessed', - 'blackjac', - 'southern', - 'peterpan', - 'thumbs', - 'lawyer', - 'melinda', - 'fingers', - 'fuckyou1', - 'rrrrrr', - 'a1b2c3d4', - 'coke', - 'nicola', - 'bohica', - 'heart', - 'elvis1', - 'kids', - 'blacky', - 'stories', - 'sentinel', - 'snake1', - 'phoebe', - 'jesse', - 'richard1', - '1234abcd', - 'guardian', - 'candyman', - 'fisting', - 'scarlet', - 'dildo', - 'pancho', - 'mandingo', - 'lucky7', - 'condom', - 'munchkin', - 'billyboy', - 'summer1', - 'student', - 'sword', - 'skiing', - 'sergio', - 'site', - 'sony', - 'thong', - 'rootbeer', - 'assassin', - 'cassidy', - 'frederic', - 'fffff', - 'fitness', - 'giovanni', - 'scarlett', - 'durango', - 'postal', - 'achilles', - 'dawn', - 'dylan', - 'kisses', - 'warriors', - 'imagine', - 'plymouth', - 'topdog', - 'asterix', - 'hallo', - 'cameltoe', - 'fuckfuck', - 'bridget', - 'eeeeee', - 'mouth', - 'weird', - 'will', - 'sithlord', - 'sommer', - 'toby', - 'theking', - 'juliet', - 'avenger', - 'backdoor', - 'goodbye', - 'chevrole', - 'faith', - 'lorraine', - 'trance', - 'cosworth', - 'brad', - 'houses', - 'homers', - 'eternity', - 'kingpin', - 'verbatim', - 'incubus', - '1961', - 'blond', - 'zaphod', - 'shiloh', - 'spurs', - 'station', - 'jennie', - 'maynard', - 'mighty', - 'aliens', - 'hank', - 'charly', - 'running', - 'dogman', - 'omega1', - 'printer', - 'aggies', - 'chocolate', - 'deadhead', - 'hope', - 'javier', - 'bitch1', - 'stone55', - 'pineappl', - 'thekid', - 'lizzie', - 'rockets', - 'ashton', - 'camels', - 'formula', - 'forrest', - 'rosemary', - 'oracle', - 'rain', - 'pussey', - 'porkchop', - 'abcde', - 'clancy', - 'nellie', - 'mystic', - 'inferno', - 'blackdog', - 'steve1', - 'pauline', - 'alexander', - 'alice', - 'alfa', - 'grumpy', - 'flames', - 'scream', - 'lonely', - 'puffy', - 'proxy', - 'valhalla', - 'unreal', - 'cynthia', - 'herbie', - 'engage', - 'yyyyyy', - '010101', - 'solomon', - 'pistol', - 'melody', - 'celeb', - 'flying', - 'gggg', - 'santiago', - 'scottie', - 'oakley', - 'portugal', - 'a12345', - 'newbie', - 'mmmm', - 'venus', - '1qazxsw2', - 'beverly', - 'zorro', - 'work', - 'writer', - 'stripper', - 'sebastia', - 'spread', - 'phil', - 'tobias', - 'links', - 'members', - 'metal', - '1221', - 'andre', - '565656', - 'funfun', - 'trojans', - 'again', - 'cyber', - 'hurrican', - 'moneys', - '1x2zkg8w', - 'zeus', - 'thing', - 'tomato', - 'lion', - 'atlantic', - 'celine', - 'usa123', - 'trans', - 'account', - 'aaaaaaa', - 'homerun', - 'hyperion', - 'kevin1', - 'blacks', - '44444444', - 'skittles', - 'sean', - 'hastings', - 'fart', - 'gangbang', - 'fubar', - 'sailboat', - 'older', - 'oilers', - 'craig', - 'conrad', - 'church', - 'damian', - 'dean', - 'broken', - 'buster1', - 'hithere', - 'immortal', - 'sticks', - 'pilot', - 'peters', - 'lexmark', - 'jerkoff', - 'maryland', - 'anders', - 'cheers', - 'possum', - 'columbus', - 'cutter', - 'muppet', - 'beautiful', - 'stolen', - 'swordfish', - 'sport', - 'sonic', - 'peter1', - 'jethro', - 'rockon', - 'asdfghj', - 'pass123', - 'paper', - 'pornos', - 'ncc1701a', - 'bootys', - 'buttman', - 'bonjour', - 'escape', - '1960', - 'becky', - 'bears', - '362436', - 'spartans', - 'tinman', - 'threesom', - 'lemons', - 'maxmax', - '1414', - 'bbbbb', - 'camelot', - 'chad', - 'chewie', - 'gogo', - 'fusion', - 'saint', - 'dilligaf', - 'nopass', - 'myself', - 'hustler', - 'hunter1', - 'whitey', - 'beast1', - 'yesyes', - 'spank', - 'smudge', - 'pinkfloy', - 'patriot', - 'lespaul', - 'annette', - 'hammers', - 'catalina', - 'finish', - 'formula1', - 'sausage', - 'scooter1', - 'orioles', - 'oscar1', - 'over', - 'colombia', - 'cramps', - 'natural', - 'eating', - 'exotic', - 'iguana', - 'bella', - 'suckers', - 'strong', - 'sheena', - 'start', - 'slave', - 'pearl', - 'topcat', - 'lancelot', - 'angelica', - 'magelan', - 'racer', - 'ramona', - 'crunch', - 'british', - 'button', - 'eileen', - 'steph', - '456123', - 'skinny', - 'seeking', - 'rockhard', - 'chief', - 'filter', - 'first', - 'freaks', - 'sakura', - 'pacman', - 'poontang', - 'dalton', - 'newlife', - 'homer1', - 'klingon', - 'watcher', - 'walleye', - 'tasha', - 'tasty', - 'sinatra', - 'starship', - 'steel', - 'starbuck', - 'poncho', - 'amber1', - 'gonzo', - 'grover', - 'catherin', - 'carol', - 'candle', - 'firefly', - 'goblin', - 'scotch', - 'diver', - 'usmc', - 'huskies', - 'eleven', - 'kentucky', - 'kitkat', - 'israel', - 'beckham', - 'bicycle', - 'yourmom', - 'studio', - 'tara', - '33333333', - 'shane', - 'splash', - 'jimmy1', - 'reality', - '12344321', - 'caitlin', - 'focus', - 'sapphire', - 'mailman', - 'raiders1', - 'clark', - 'ddddd', - 'hopper', - 'excalibu', - 'more', - 'wilbur', - 'illini', - 'imperial', - 'phillips', - 'lansing', - 'maxx', - 'gothic', - 'golfball', - 'carlton', - 'camille', - 'facial', - 'front242', - 'macdaddy', - 'qwer1234', - 'vectra', - 'cowboys1', - 'crazy1', - 'dannyboy', - 'jane', - 'betty', - 'benny', - 'bennett', - 'leader', - 'martinez', - 'aquarius', - 'barkley', - 'hayden', - 'caught', - 'franky', - 'ffff', - 'floyd', - 'sassy', - 'pppp', - 'pppppppp', - 'prodigy', - 'clarence', - 'noodle', - 'eatpussy', - 'vortex', - 'wanking', - 'beatrice', - 'billy1', - 'siemens', - 'pedro', - 'phillies', - 'research', - 'groups', - 'carolyn', - 'chevy1', - 'cccc', - 'fritz', - 'gggggggg', - 'doughboy', - 'dracula', - 'nurses', - 'loco', - 'madrid', - 'lollipop', - 'trout', - 'utopia', - 'chrono', - 'cooler', - 'conner', - 'nevada', - 'wibble', - 'werner', - 'summit', - 'marco', - 'marilyn', - '1225', - 'babies', - 'capone', - 'fugazi', - 'panda', - 'mama', - 'qazwsxed', - 'puppies', - 'triton', - '9876', - 'command', - 'nnnnnn', - 'ernest', - 'momoney', - 'iforgot', - 'wolfie', - 'studly', - 'shawn', - 'renee', - 'alien', - 'hamburg', - '81fukkc', - '741852', - 'catman', - 'china', - 'forgot', - 'gagging', - 'scott1', - 'drew', - 'oregon', - 'qweqwe', - 'train', - 'crazybab', - 'daniel1', - 'cutlass', - 'brothers', - 'holes', - 'heidi', - 'mothers', - 'music1', - 'what', - 'walrus', - '1957', - 'bigtime', - 'bike', - 'xtreme', - 'simba', - 'ssss', - 'rookie', - 'angie', - 'bathing', - 'fresh', - 'sanchez', - 'rotten', - 'maestro', - 'luis', - 'look', - 'turbo1', - '99999', - 'butthole', - 'hhhh', - 'elijah', - 'monty', - 'bender', - 'yoda', - 'shania', - 'shock', - 'phish', - 'thecat', - 'rightnow', - 'reagan', - 'baddog', - 'asia', - 'greatone', - 'gateway1', - 'randall', - 'abstr', - 'napster', - 'brian1', - 'bogart', - 'high', - 'hitler', - 'emma', - 'kill', - 'weaver', - 'wildfire', - 'jackson1', - 'isaiah', - '1981', - 'belinda', - 'beaner', - 'yoyo', - '0.0.0.000', - 'super1', - 'select', - 'snuggles', - 'slutty', - 'some', - 'phoenix1', - 'technics', - 'toon', - 'raven1', - 'rayray', - '123789', - '1066', - 'albion', - 'greens', - 'fashion', - 'gesperrt', - 'santana', - 'paint', - 'powell', - 'credit', - 'darling', - 'mystery', - 'bowser', - 'bottle', - 'brucelee', - 'hehehe', - 'kelly1', - 'mojo', - '1998', - 'bikini', - 'woofwoof', - 'yyyy', - 'strap', - 'sites', - 'spears', - 'theodore', - 'julius', - 'richards', - 'amelia', - 'central', - 'f**k', - 'nyjets', - 'punisher', - 'username', - 'vanilla', - 'twisted', - 'bryant', - 'brent', - 'bunghole', - 'here', - 'elizabeth', - 'erica', - 'kimber', - 'viagra', - 'veritas', - 'pony', - 'pool', - 'titts', - 'labtec', - 'lifetime', - 'jenny1', - 'masterbate', - 'mayhem', - 'redbull', - 'govols', - 'gremlin', - '505050', - 'gmoney', - 'rupert', - 'rovers', - 'diamond1', - 'lorenzo', - 'trident', - 'abnormal', - 'davidson', - 'deskjet', - 'cuddles', - 'nice', - 'bristol', - 'karina', - 'milano', - 'vh5150', - 'jarhead', - '1982', - 'bigbird', - 'bizkit', - 'sixers', - 'slider', - 'star69', - 'starfish', - 'penetration', - 'tommy1', - 'john316', - 'meghan', - 'michaela', - 'market', - 'grant', - 'caligula', - 'carl', - 'flicks', - 'films', - 'madden', - 'railroad', - 'cosmo', - 'cthulhu', - 'bradford', - 'br0d3r', - 'military', - 'bearbear', - 'swedish', - 'spawn', - 'patrick1', - 'polly', - 'these', - 'todd', - 'reds', - 'anarchy', - 'groove', - 'franco', - 'fuckher', - 'oooo', - 'tyrone', - 'vegas', - 'airbus', - 'cobra1', - 'christine', - 'clips', - 'delete', - 'duster', - 'kitty1', - 'mouse1', - 'monkeys', - 'jazzman', - '1919', - '262626', - 'swinging', - 'stroke', - 'stocks', - 'sting', - 'pippen', - 'labrador', - 'jordan1', - 'justdoit', - 'meatball', - 'females', - 'saturday', - 'park', - 'vector', - 'cooter', - 'defender', - 'desert', - 'demon', - 'nike', - 'bubbas', - 'bonkers', - 'english', - 'kahuna', - 'wildman', - '4121', - 'sirius', - 'static', - 'piercing', - 'terror', - 'teenage', - 'leelee', - 'marissa', - 'microsof', - 'mechanic', - 'robotech', - 'rated', - 'hailey', - 'chaser', - 'sanders', - 'salsero', - 'nuts', - 'macross', - 'quantum', - 'rachael', - 'tsunami', - 'universe', - 'daddy1', - 'cruise', - 'nguyen', - 'newpass6', - 'nudes', - 'hellyeah', - 'vernon', - '1959', - 'zaq12wsx', - 'striker', - 'sixty', - 'steele', - 'spice', - 'spectrum', - 'smegma', - 'thumb', - 'jjjjjjjj', - 'mellow', - 'astrid', - 'cancun', - 'cartoon', - 'sabres', - 'samiam', - 'pants', - 'oranges', - 'oklahoma', - 'lust', - 'coleman', - 'denali', - 'nude', - 'noodles', - 'buzz', - 'brest', - 'hooter', - 'mmmmmmmm', - 'warthog', - 'bloody', - 'blueblue', - 'zappa', - 'wolverine', - 'sniffing', - 'lance', - 'jean', - 'jjjjj', - 'harper', - 'calico', - 'freee', - 'rover', - 'door', - 'pooter', - 'closeup', - 'bonsai', - 'evelyn', - 'emily1', - 'kathryn', - 'keystone', - 'iiii', - '1955', - 'yzerman', - 'theboss', - 'tolkien', - 'jill', - 'megaman', - 'rasta', - 'bbbbbbbb', - 'bean', - 'handsome', - 'hal9000', - 'goofy', - 'gringo', - 'gofish', - 'gizmo1', - 'samsam', - 'scuba', - 'onlyme', - 'tttttttt', - 'corrado', - 'clown', - 'clapton', - 'deborah', - 'boris', - 'bulls', - 'vivian', - 'jayhawk', - 'bethany', - 'wwww', - 'sharky', - 'seeker', - 'ssssssss', - 'somethin', - 'pillow', - 'thesims', - 'lighter', - 'lkjhgf', - 'melissa1', - 'marcius2', - 'barry', - 'guiness', - 'gymnast', - 'casey1', - 'goalie', - 'godsmack', - 'doug', - 'lolo', - 'rangers1', - 'poppy', - 'abby', - 'clemson', - 'clipper', - 'deeznuts', - 'nobody', - 'holly1', - 'elliot', - 'eeee', - 'kingston', - 'miriam', - 'belle', - 'yosemite', - 'sucked', - 'sex123', - 'sexy69', - 'pic\'s', - 'tommyboy', - 'lamont', - 'meat', - 'masterbating', - 'marianne', - 'marc', - 'gretzky', - 'happyday', - 'frisco', - 'scratch', - 'orchid', - 'orange1', - 'manchest', - 'quincy', - 'unbelievable', - 'aberdeen', - 'dawson', - 'nathalie', - 'ne1469', - 'boxing', - 'hill', - 'korn', - 'intercourse', - '161616', - '1985', - 'ziggy', - 'supersta', - 'stoney', - 'senior', - 'amature', - 'barber', - 'babyboy', - 'bcfields', - 'goliath', - 'hack', - 'hardrock', - 'children', - 'frodo', - 'scout', - 'scrappy', - 'rosie', - 'qazqaz', - 'tracker', - 'active', - 'craving', - 'commando', - 'cohiba', - 'deep', - 'cyclone', - 'dana', - 'bubba69', - 'katie1', - 'mpegs', - 'vsegda', - 'jade', - 'irish1', - 'better', - 'sexy1', - 'sinclair', - 'smelly', - 'squerting', - 'lions', - 'jokers', - 'jeanette', - 'julia', - 'jojojo', - 'meathead', - 'ashley1', - 'groucho', - 'cheetah', - 'champ', - 'firefox', - 'gandalf1', - 'packer', - 'magnolia', - 'love69', - 'tyler1', - 'typhoon', - 'tundra', - 'bobby1', - 'kenworth', - 'village', - 'volley', - 'beth', - 'wolf359', - '0420', - '000007', - 'swimmer', - 'skydive', - 'smokes', - 'patty', - 'peugeot', - 'pompey', - 'legolas', - 'kristy', - 'redhot', - 'rodman', - 'redalert', - 'having', - 'grapes', - '4runner', - 'carrera', - 'floppy', - 'dollars', - 'ou8122', - 'quattro', - 'adams', - 'cloud9', - 'davids', - 'nofear', - 'busty', - 'homemade', - 'mmmmm', - 'whisper', - 'vermont', - 'webmaste', - 'wives', - 'insertion', - 'jayjay', - 'philips', - 'phone', - 'topher', - 'tongue', - 'temptress', - 'midget', - 'ripken', - 'havefun', - 'gretchen', - 'canon', - 'celebrity', - 'five', - 'getting', - 'ghetto', - 'direct', - 'otto', - 'ragnarok', - 'trinidad', - 'usnavy', - 'conover', - 'cruiser', - 'dalshe', - 'nicole1', - 'buzzard', - 'hottest', - 'kingfish', - 'misfit', - 'moore', - 'milfnew', - 'warlord', - 'wassup', - 'bigsexy', - 'blackhaw', - 'zippy', - 'shearer', - 'tights', - 'thursday', - 'kungfu', - 'labia', - 'journey', - 'meatloaf', - 'marlene', - 'rider', - 'area51', - 'batman1', - 'bananas', - '636363', - 'cancel', - 'ggggg', - 'paradox', - 'mack', - 'lynn', - 'queens', - 'adults', - 'aikido', - 'cigars', - 'nova', - 'hoosier', - 'eeyore', - 'moose1', - 'warez', - 'interacial', - 'streaming', - '313131', - 'pertinant', - 'pool6123', - 'mayday', - 'rivers', - 'revenge', - 'animated', - 'banker', - 'baddest', - 'gordon24', - 'ccccc', - 'fortune', - 'fantasies', - 'touching', - 'aisan', - 'deadman', - 'homepage', - 'ejaculation', - 'whocares', - 'iscool', - 'jamesbon', - '1956', - '1pussy', - 'womam', - 'sweden', - 'skidoo', - 'spock', - 'sssss', - 'petra', - 'pepper1', - 'pinhead', - 'micron', - 'allsop', - 'amsterda', - 'army', - 'aside', - 'gunnar', - '666999', - 'chip', - 'foot', - 'fowler', - 'february', - 'face', - 'fletch', - 'george1', - 'sapper', - 'science', - 'sasha1', - 'luckydog', - 'lover1', - 'magick', - 'popopo', - 'public', - 'ultima', - 'derek', - 'cypress', - 'booker', - 'businessbabe', - 'brandon1', - 'edwards', - 'experience', - 'vulva', - 'vvvv', - 'jabroni', - 'bigbear', - 'yummy', - '010203', - 'searay', - 'secret1', - 'showing', - 'sinbad', - 'sexxxx', - 'soleil', - 'software', - 'piccolo', - 'thirteen', - 'leopard', - 'legacy', - 'jensen', - 'justine', - 'memorex', - 'marisa', - 'mathew', - 'redwing', - 'rasputin', - '134679', - 'anfield', - 'greenbay', - 'gore', - 'catcat', - 'feather', - 'scanner', - 'pa55word', - 'contortionist', - 'danzig', - 'daisy1', - 'hores', - 'erik', - 'exodus', - 'vinnie', - 'iiiiii', - 'zero', - '1001', - 'subway', - 'tank', - 'second', - 'snapple', - 'sneakers', - 'sonyfuck', - 'picks', - 'poodle', - 'test1234', - 'their', - 'llll', - 'junebug', - 'june', - 'marker', - 'mellon', - 'ronaldo', - 'roadkill', - 'amanda1', - 'asdfjkl', - 'beaches', - 'greene', - 'great1', - 'cheerleaers', - 'force', - 'doitnow', - 'ozzy', - 'madeline', - 'radio', - 'tyson', - 'christian', - 'daphne', - 'boxster', - 'brighton', - 'housewifes', - 'emmanuel', - 'emerson', - 'kkkk', - 'mnbvcx', - 'moocow', - 'vides', - 'wagner', - 'janet', - '1717', - 'bigmoney', - 'blonds', - '1000', - 'storys', - 'stereo', - '4545', - '420247', - 'seductive', - 'sexygirl', - 'lesbean', - 'live', - 'justin1', - '124578', - 'animals', - 'balance', - 'hansen', - 'cabbage', - 'canadian', - 'gangbanged', - 'dodge1', - 'dimas', - 'lori', - 'loud', - 'malaka', - 'puss', - 'probes', - 'adriana', - 'coolman', - 'crawford', - 'dante', - 'nacked', - 'hotpussy', - 'erotica', - 'kool', - 'mirror', - 'wearing', - 'implants', - 'intruder', - 'bigass', - 'zenith', - 'woohoo', - 'womans', - 'tanya', - 'tango', - 'stacy', - 'pisces', - 'laguna', - 'krystal', - 'maxell', - 'andyod22', - 'barcelon', - 'chainsaw', - 'chickens', - 'flash1', - 'downtown', - 'orgasms', - 'magicman', - 'profit', - 'pusyy', - 'pothead', - 'coconut', - 'chuckie', - 'contact', - 'clevelan', - 'designer', - 'builder', - 'budweise', - 'hotshot', - 'horizon', - 'hole', - 'experienced', - 'mondeo', - 'wifes', - '1962', - 'strange', - 'stumpy', - 'smiths', - 'sparks', - 'slacker', - 'piper', - 'pitchers', - 'passwords', - 'laptop', - 'jeremiah', - 'allmine', - 'alliance', - 'bbbbbbb', - 'asscock', - 'halflife', - 'grandma', - 'hayley', - '88888', - 'cecilia', - 'chacha', - 'saratoga', - 'sandy1', - 'santos', - 'doogie', - 'number', - 'positive', - 'qwert40', - 'transexual', - 'crow', - 'close-up', - 'darrell', - 'bonita', - 'ib6ub9', - 'volvo', - 'jacob1', - 'iiiii', - 'beastie', - 'sunnyday', - 'stoned', - 'sonics', - 'starfire', - 'snapon', - 'pictuers', - 'pepe', - 'testing1', - 'tiberius', - 'lisalisa', - 'lesbain', - 'litle', - 'retard', - 'ripple', - 'austin1', - 'badgirl', - 'golfgolf', - 'flounder', - 'garage', - 'royals', - 'dragoon', - 'dickie', - 'passwor', - 'ocean', - 'majestic', - 'poppop', - 'trailers', - 'dammit', - 'nokia', - 'bobobo', - 'br549', - 'emmitt', - 'knock', - 'minime', - 'mikemike', - 'whitesox', - '1954', - '3232', - '353535', - 'seamus', - 'solo', - 'sparkle', - 'sluttey', - 'pictere', - 'titten', - 'lback', - '1024', - 'angelina', - 'goodluck', - 'charlton', - 'fingerig', - 'gallaries', - 'goat', - 'ruby', - 'passme', - 'oasis', - 'lockerroom', - 'logan1', - 'rainman', - 'twins', - 'treasure', - 'absolutely', - 'club', - 'custom', - 'cyclops', - 'nipper', - 'bucket', - 'homepage-', - 'hhhhh', - 'momsuck', - 'indain', - '2345', - 'beerbeer', - 'bimmer', - 'susanne', - 'stunner', - 'stevens', - '456456', - 'shell', - 'sheba', - 'tootsie', - 'tiny', - 'testerer', - 'reefer', - 'really', - '1012', - 'harcore', - 'gollum', - '545454', - 'chico', - 'caveman', - 'carole', - 'fordf150', - 'fishes', - 'gaymen', - 'saleen', - 'doodoo', - 'pa55w0rd', - 'looney', - 'presto', - 'qqqqq', - 'cigar', - 'bogey', - 'brewer', - 'helloo', - 'dutch', - 'kamikaze', - 'monte', - 'wasser', - 'vietnam', - 'visa', - 'japanees', - '0123', - 'swords', - 'slapper', - 'peach', - 'jump', - 'marvel', - 'masterbaiting', - 'march', - 'redwood', - 'rolling', - '1005', - 'ametuer', - 'chiks', - 'cathy', - 'callaway', - 'fucing', - 'sadie1', - 'panasoni', - 'mamas', - 'race', - 'rambo', - 'unknown', - 'absolut', - 'deacon', - 'dallas1', - 'housewife', - 'kristi', - 'keywest', - 'kirsten', - 'kipper', - 'morning', - 'wings', - 'idiot', - '18436572', - '1515', - 'beating', - 'zxczxc', - 'sullivan', - '303030', - 'shaman', - 'sparrow', - 'terrapin', - 'jeffery', - 'masturbation', - 'mick', - 'redfish', - '1492', - 'angus', - 'barrett', - 'goirish', - 'hardcock', - 'felicia', - 'forfun', - 'galary', - 'freeporn', - 'duchess', - 'olivier', - 'lotus', - 'pornographic', - 'ramses', - 'purdue', - 'traveler', - 'crave', - 'brando', - 'enter1', - 'killme', - 'moneyman', - 'welder', - 'windsor', - 'wifey', - 'indon', - 'yyyyy', - 'stretch', - 'taylor1', - '4417', - 'shopping', - 'picher', - 'pickup', - 'thumbnils', - 'johnboy', - 'jets', - 'jess', - 'maureen', - 'anne', - 'ameteur', - 'amateurs', - 'apollo13', - 'hambone', - 'goldwing', - '5050', - 'charley', - 'sally1', - 'doghouse', - 'padres', - 'pounding', - 'quest', - 'truelove', - 'underdog', - 'trader', - 'crack', - 'climber', - 'bolitas', - 'bravo', - 'hohoho', - 'model', - 'italian', - 'beanie', - 'beretta', - 'wrestlin', - 'stroker', - 'tabitha', - 'sherwood', - 'sexyman', - 'jewels', - 'johannes', - 'mets', - 'marcos', - 'rhino', - 'bdsm', - 'balloons', - 'goodman', - 'grils', - 'happy123', - 'flamingo', - 'games', - 'route66', - 'devo', - 'dino', - 'outkast', - 'paintbal', - 'magpie', - 'llllllll', - 'twilight', - 'critter', - 'christie', - 'cupcake', - 'nickel', - 'bullseye', - 'krista', - 'knickerless', - 'mimi', - 'murder', - 'videoes', - 'binladen', - 'xerxes', - 'slim', - 'slinky', - 'pinky', - 'peterson', - 'thanatos', - 'meister', - 'menace', - 'ripley', - 'retired', - 'albatros', - 'balloon', - 'bank', - 'goten', - '5551212', - 'getsdown', - 'donuts', - 'divorce', - 'nwo4life', - 'lord', - 'lost', - 'underwear', - 'tttt', - 'comet', - 'deer', - 'damnit', - 'dddddddd', - 'deeznutz', - 'nasty1', - 'nonono', - 'nina', - 'enterprise', - 'eeeee', - 'misfit99', - 'milkman', - 'vvvvvv', - 'isaac', - '1818', - 'blueboy', - 'beans', - 'bigbutt', - 'wyatt', - 'tech', - 'solution', - 'poetry', - 'toolman', - 'laurel', - 'juggalo', - 'jetski', - 'meredith', - 'barefoot', - '50spanks', - 'gobears', - 'scandinavian', - 'original', - 'truman', - 'cubbies', - 'nitram', - 'briana', - 'ebony', - 'kings', - 'warner', - 'bilbo', - 'yumyum', - 'zzzzzzz', - 'stylus', - '321654', - 'shannon1', - 'server', - 'secure', - 'silly', - 'squash', - 'starman', - 'steeler', - 'staples', - 'phrases', - 'techniques', - 'laser', - '135790', - 'allan', - 'barker', - 'athens', - 'cbr600', - 'chemical', - 'fester', - 'gangsta', - 'fucku2', - 'freeze', - 'game', - 'salvador', - 'droopy', - 'objects', - 'passwd', - 'lllll', - 'loaded', - 'louis', - 'manchester', - 'losers', - 'vedder', - 'clit', - 'chunky', - 'darkman', - 'damage', - 'buckshot', - 'buddah', - 'boobed', - 'henti', - 'hillary', - 'webber', - 'winter1', - 'ingrid', - 'bigmike', - 'beta', - 'zidane', - 'talon', - 'slave1', - 'pissoff', - 'person', - 'thegreat', - 'living', - 'lexus', - 'matador', - 'readers', - 'riley', - 'roberta', - 'armani', - 'ashlee', - 'goldstar', - '5656', - 'cards', - 'fmale', - 'ferris', - 'fuking', - 'gaston', - 'fucku', - 'ggggggg', - 'sauron', - 'diggler', - 'pacers', - 'looser', - 'pounded', - 'premier', - 'pulled', - 'town', - 'trisha', - 'triangle', - 'cornell', - 'collin', - 'cosmic', - 'deeper', - 'depeche', - 'norway', - 'bright', - 'helmet', - 'kristine', - 'kendall', - 'mustard', - 'misty1', - 'watch', - 'jagger', - 'bertie', - 'berger', - 'word', - '3x7pxr', - 'silver1', - 'smoking', - 'snowboar', - 'sonny', - 'paula', - 'penetrating', - 'photoes', - 'lesbens', - 'lambert', - 'lindros', - 'lillian', - 'roadking', - 'rockford', - '1357', - '143143', - 'asasas', - 'goodboy', - '898989', - 'chicago1', - 'card', - 'ferrari1', - 'galeries', - 'godfathe', - 'gawker', - 'gargoyle', - 'gangster', - 'rubble', - 'rrrr', - 'onetime', - 'pussyman', - 'pooppoop', - 'trapper', - 'twenty', - 'abraham', - 'cinder', - 'company', - 'newcastl', - 'boricua', - 'bunny1', - 'boxer', - 'hotred', - 'hockey1', - 'hooper', - 'edward1', - 'evan', - 'kris', - 'misery', - 'moscow', - 'milk', - 'mortgage', - 'bigtit', - 'show', - 'snoopdog', - 'three', - 'lionel', - 'leanne', - 'joshua1', - 'july', - '1230', - 'assholes', - 'cedric', - 'fallen', - 'farley', - 'gene', - 'frisky', - 'sanity', - 'script', - 'divine', - 'dharma', - 'lucky13', - 'property', - 'tricia', - 'akira', - 'desiree', - 'broadway', - 'butterfly', - 'hunt', - 'hotbox', - 'hootie', - 'heat', - 'howdy', - 'earthlink', - 'karma', - 'kiteboy', - 'motley', - 'westwood', - '1988', - 'bert', - 'blackbir', - 'biggles', - 'wrench', - 'working', - 'wrestle', - 'slippery', - 'pheonix', - 'penny1', - 'pianoman', - 'tomorrow', - 'thedude', - 'jenn', - 'jonjon', - 'jones1', - 'mattie', - 'memory', - 'micheal', - 'roadrunn', - 'arrow', - 'attitude', - 'azzer', - 'seahawks', - 'diehard', - 'dotcom', - 'lola', - 'tunafish', - 'chivas', - 'cinnamon', - 'clouds', - 'deluxe', - 'northern', - 'nuclear', - 'north', - 'boom', - 'boobie', - 'hurley', - 'krishna', - 'momomo', - 'modles', - 'volume', - '23232323', - 'bluedog', - 'wwwwwww', - 'zerocool', - 'yousuck', - 'pluto', - 'limewire', - 'link', - 'joung', - 'marcia', - 'awnyce', - 'gonavy', - 'haha', - 'films+pic+galeries', - 'fabian', - 'francois', - 'girsl', - 'fuckthis', - 'girfriend', - 'rufus', - 'drive', - 'uncencored', - 'a123456', - 'airport', - 'clay', - 'chrisbln', - 'combat', - 'cygnus', - 'cupoi', - 'never', - 'netscape', - 'brett', - 'hhhhhhhh', - 'eagles1', - 'elite', - 'knockers', - 'kendra', - 'mommy', - '1958', - 'tazmania', - 'shonuf', - 'piano', - 'pharmacy', - 'thedog', - 'lips', - 'jillian', - 'jenkins', - 'midway', - 'arsenal1', - 'anaconda', - 'australi', - 'gromit', - 'gotohell', - '787878', - '66666', - 'carmex2', - 'camber', - 'gator1', - 'ginger1', - 'fuzzy', - 'seadoo', - 'dorian', - 'lovesex', - 'rancid', - 'uuuuuu', - '911911', - 'nature', - 'bulldog1', - 'helen', - 'health', - 'heater', - 'higgins', - 'kirk', - 'monalisa', - 'mmmmmmm', - 'whiteout', - 'virtual', - 'ventura', - 'jamie1', - 'japanes', - 'james007', - '2727', - '2469', - 'blam', - 'bitchass', - 'believe', - 'zephyr', - 'stiffy', - 'sweet1', - 'silent', - 'southpar', - 'spectre', - 'tigger1', - 'tekken', - 'lenny', - 'lakota', - 'lionking', - 'jjjjjjj', - 'medical', - 'megatron', - '1369', - 'hawaiian', - 'gymnastic', - 'golfer1', - 'gunners', - '7779311', - '515151', - 'famous', - 'glass', - 'screen', - 'rudy', - 'royal', - 'sanfran', - 'drake', - 'optimus', - 'panther1', - 'love1', - 'mail', - 'maggie1', - 'pudding', - 'venice', - 'aaron1', - 'delphi', - 'niceass', - 'bounce', - 'busted', - 'house1', - 'killer1', - 'miracle', - 'momo', - 'musashi', - 'jammin', - '2003', - '234567', - 'wp2003wp', - 'submit', - 'silence', - 'sssssss', - 'state', - 'spikes', - 'sleeper', - 'passwort', - 'toledo', - 'kume', - 'media', - 'meme', - 'medusa', - 'mantis', - 'remote', - 'reading', - 'reebok', - '1017', - 'artemis', - 'hampton', - 'harry1', - 'cafc91', - 'fettish', - 'friendly', - 'oceans', - 'oooooooo', - 'mango', - 'ppppp', - 'trainer', - 'troy', - 'uuuu', - '909090', - 'cross', - 'death1', - 'news', - 'bullfrog', - 'hokies', - 'holyshit', - 'eeeeeee', - 'mitch', - 'jasmine1', - '&', - '&', - 'sergeant', - 'spinner', - 'leon', - 'jockey', - 'records', - 'right', - 'babyblue', - 'hans', - 'gooner', - '474747', - 'cheeks', - 'cars', - 'candice', - 'fight', - 'glow', - 'pass1234', - 'parola', - 'okokok', - 'pablo', - 'magical', - 'major', - 'ramsey', - 'poseidon', - '989898', - 'confused', - 'circle', - 'crusher', - 'cubswin', - 'nnnn', - 'hollywood', - 'erin', - 'kotaku', - 'milo', - 'mittens', - 'whatsup', - 'vvvvv', - 'iomega', - 'insertions', - 'bengals', - 'bermuda', - 'biit', - 'yellow1', - '012345', - 'spike1', - 'south', - 'sowhat', - 'pitures', - 'peacock', - 'pecker', - 'theend', - 'juliette', - 'jimmie', - 'romance', - 'augusta', - 'hayabusa', - 'hawkeyes', - 'castro', - 'florian', - 'geoffrey', - 'dolly', - 'lulu', - 'qaz123', - 'usarmy', - 'twinkle', - 'cloud', - 'chuckles', - 'cold', - 'hounddog', - 'hover', - 'hothot', - 'europa', - 'ernie', - 'kenshin', - 'kojak', - 'mikey1', - 'water1', - '196969', - 'because', - 'wraith', - 'zebra', - 'wwwww', - '33333', - 'simon1', - 'spider1', - 'snuffy', - 'philippe', - 'thunderb', - 'teddy1', - 'lesley', - 'marino13', - 'maria1', - 'redline', - 'renault', - 'aloha', - 'antoine', - 'handyman', - 'cerberus', - 'gamecock', - 'gobucks', - 'freesex', - 'duffman', - 'ooooo', - 'papa', - 'nuggets', - 'magician', - 'longbow', - 'preacher', - 'porno1', - 'county', - 'chrysler', - 'contains', - 'dalejr', - 'darius', - 'darlene', - 'dell', - 'navy', - 'buffy1', - 'hedgehog', - 'hoosiers', - 'honey1', - 'hott', - 'heyhey', - 'europe', - 'dutchess', - 'everest', - 'wareagle', - 'ihateyou', - 'sunflowe', - '3434', - 'senators', - 'shag', - 'spoon', - 'sonoma', - 'stalker', - 'poochie', - 'terminal', - 'terefon', - 'laurence', - 'maradona', - 'maryann', - 'marty', - 'roman', - '1007', - '142536', - 'alibaba', - 'america1', - 'bartman', - 'astro', - 'goth', - 'century', - 'chicken1', - 'cheater', - 'four', - 'ghost1', - 'passpass', - 'oral', - 'r2d2c3po', - 'civic', - 'cicero', - 'myxworld', - 'kkkkk', - 'missouri', - 'wishbone', - 'infiniti', - 'jameson', - '1a2b3c', - '1qwerty', - 'wonderboy', - 'skip', - 'shojou', - 'stanford', - 'sparky1', - 'smeghead', - 'poiuy', - 'titanium', - 'torres', - 'lantern', - 'jelly', - 'jeanne', - 'meier', - '1213', - 'bayern', - 'basset', - 'gsxr750', - 'cattle', - 'charlene', - 'fishing1', - 'fullmoon', - 'gilles', - 'dima', - 'obelix', - 'popo', - 'prissy', - 'ramrod', - 'unique', - 'absolute', - 'bummer', - 'hotone', - 'dynasty', - 'entry', - 'konyor', - 'missy1', - 'moses', - '282828', - 'yeah', - 'xyz123', - 'stop', - '426hemi', - '404040', - 'seinfeld', - 'simmons', - 'pingpong', - 'lazarus', - 'matthews', - 'marine1', - 'manning', - 'recovery', - '12345a', - 'beamer', - 'babyface', - 'greece', - 'gustav', - '7007', - 'charity', - 'camilla', - 'ccccccc', - 'faggot', - 'foxy', - 'frozen', - 'gladiato', - 'duckie', - 'dogfood', - 'paranoid', - 'packers1', - 'longjohn', - 'radical', - 'tuna', - 'clarinet', - 'claudio', - 'circus', - 'danny1', - 'novell', - 'nights', - 'bonbon', - 'kashmir', - 'kiki', - 'mortimer', - 'modelsne', - 'moondog', - 'monaco', - 'vladimir', - 'insert', - '1953', - 'zxc123', - 'supreme', - '3131', - 'sexxx', - 'selena', - 'softail', - 'poipoi', - 'pong', - 'together', - 'mars', - 'martin1', - 'rogue', - 'alone', - 'avalanch', - 'audia4', - '55bgates', - 'cccccccc', - 'chick', - 'came11', - 'figaro', - 'geneva', - 'dogboy', - 'dnsadm', - 'dipshit', - 'paradigm', - 'othello', - 'operator', - 'officer', - 'malone', - 'post', - 'rafael', - 'valencia', - 'tripod', - 'choice', - 'chopin', - 'coucou', - 'coach', - 'cocksuck', - 'common', - 'creature', - 'borussia', - 'book', - 'browning', - 'heritage', - 'hiziad', - 'homerj', - 'eight', - 'earth', - 'millions', - 'mullet', - 'whisky', - 'jacques', - 'store', - '4242', - 'speedo', - 'starcraf', - 'skylar', - 'spaceman', - 'piggy', - 'pierce', - 'tiger2', - 'legos', - 'lala', - 'jezebel', - 'judy', - 'joker1', - 'mazda', - 'barton', - 'baker', - '727272', - 'chester1', - 'fishman', - 'food', - 'rrrrrrrr', - 'sandwich', - 'dundee', - 'lumber', - 'magazine', - 'radar', - 'ppppppp', - 'tranny', - 'aaliyah', - 'admiral', - 'comics', - 'cleo', - 'delight', - 'buttfuck', - 'homeboy', - 'eternal', - 'kilroy', - 'kellie', - 'khan', - 'violin', - 'wingman', - 'walmart', - 'bigblue', - 'blaze', - 'beemer', - 'beowulf', - 'bigfish', - 'yyyyyyy', - 'woodie', - 'yeahbaby', - '0123456', - 'tbone', - 'style', - 'syzygy', - 'starter', - 'lemon', - 'linda1', - 'merlot', - 'mexican', - '11235813', - 'anita', - 'banner', - 'bangbang', - 'badman', - 'barfly', - 'grease', - 'carla', - 'charles1', - 'ffffffff', - 'screw', - 'doberman', - 'diane', - 'dogshit', - 'overkill', - 'counter', - 'coolguy', - 'claymore', - 'demons', - 'demo', - 'nomore', - 'normal', - 'brewster', - 'hhhhhhh', - 'hondas', - 'iamgod', - 'enterme', - 'everett', - 'electron', - 'eastside', - 'kayla', - 'minimoni', - 'mybaby', - 'wildbill', - 'wildcard', - 'ipswich', - '200000', - 'bearcat', - 'zigzag', - 'yyyyyyyy', - 'xander', - 'sweetnes', - '369369', - 'skyler', - 'skywalker', - 'pigeon', - 'peyton', - 'tipper', - 'lilly', - 'asdf123', - 'alphabet', - 'asdzxc', - 'babybaby', - 'banane', - 'barnes', - 'guyver', - 'graphics', - 'grand', - 'chinook', - 'florida1', - 'flexible', - 'fuckinside', - 'otis', - 'ursitesux', - 'tototo', - 'trust', - 'tower', - 'adam12', - 'christma', - 'corey', - 'chrome', - 'buddie', - 'bombers', - 'bunker', - 'hippie', - 'keegan', - 'misfits', - 'vickie', - '292929', - 'woofer', - 'wwwwwwww', - 'stubby', - 'sheep', - 'secrets', - 'sparta', - 'stang', - 'spud', - 'sporty', - 'pinball', - 'jorge', - 'just4fun', - 'johanna', - 'maxxxx', - 'rebecca1', - 'gunther', - 'fatima', - 'fffffff', - 'freeway', - 'garion', - 'score', - 'rrrrr', - 'sancho', - 'outback', - 'maggot', - 'puddin', - 'trial', - 'adrienne', - '987456', - 'colton', - 'clyde', - 'brain', - 'brains', - 'hoops', - 'eleanor', - 'dwayne', - 'kirby', - 'mydick', - 'villa', - '19691969', - 'bigcat', - 'becker', - 'shiner', - 'silverad', - 'spanish', - 'templar', - 'lamer', - 'juicy', - 'marsha', - 'mike1', - 'maximum', - 'rhiannon', - 'real', - '1223', - '10101010', - 'arrows', - 'andres', - 'alucard', - 'baldwin', - 'baron', - 'avenue', - 'ashleigh', - 'haggis', - 'channel', - 'cheech', - 'safari', - 'ross', - 'dog123', - 'orion1', - 'paloma', - 'qwerasdf', - 'presiden', - 'vegitto', - 'trees', - '969696', - 'adonis', - 'colonel', - 'cookie1', - 'newyork1', - 'brigitte', - 'buddyboy', - 'hellos', - 'heineken', - 'dwight', - 'eraser', - 'kerstin', - 'motion', - 'moritz', - 'millwall', - 'visual', - 'jaybird', - '1983', - 'beautifu', - 'bitter', - 'yvette', - 'zodiac', - 'steven1', - 'sinister', - 'slammer', - 'smashing', - 'slick1', - 'sponge', - 'teddybea', - 'theater', - 'this', - 'ticklish', - 'lipstick', - 'jonny', - 'massage', - 'mann', - 'reynolds', - 'ring', - '1211', - 'amazing', - 'aptiva', - 'applepie', - 'bailey1', - 'guitar1', - 'chanel', - 'canyon', - 'gagged', - 'fuckme1', - 'rough', - 'digital1', - 'dinosaur', - 'punk', - '98765', - '90210', - 'clowns', - 'cubs', - 'daniels', - 'deejay', - 'nigga', - 'naruto', - 'boxcar', - 'icehouse', - 'hotties', - 'electra', - 'kent', - 'widget', - 'india', - 'insanity', - '1986', - '2004', - 'best', - 'bluefish', - 'bingo1', - '*****', - 'stratus', - 'strength', - 'sultan', - 'storm1', - '44444', - '4200', - 'sentnece', - 'season', - 'sexyboy', - 'sigma', - 'smokie', - 'spam', - 'point', - 'pippo', - 'ticket', - 'temppass', - 'joel', - 'manman', - 'medicine', - '1022', - 'anton', - 'almond', - 'bacchus', - 'aztnm', - 'axio', - 'awful', - 'bamboo', - 'hakr', - 'gregor', - 'hahahaha', - '5678', - 'casanova', - 'caprice', - 'camero1', - 'fellow', - 'fountain', - 'dupont', - 'dolphin1', - 'dianne', - 'paddle', - 'magnet', - 'qwert1', - 'pyon', - 'porsche1', - 'tripper', - 'vampires', - 'coming', - 'noway', - 'burrito', - 'bozo', - 'highheel', - 'hughes', - 'hookem', - 'eddie1', - 'ellie', - 'entropy', - 'kkkkkkkk', - 'kkkkkkk', - 'illinois', - 'jacobs', - '1945', - '1951', - '24680', - '21212121', - '100000', - 'stonecold', - 'taco', - 'subzero', - 'sharp', - 'sexxxy', - 'skolko', - 'shanna', - 'skyhawk', - 'spurs1', - 'sputnik', - 'piazza', - 'testpass', - 'letter', - 'lane', - 'kurt', - 'jiggaman', - 'matilda', - '1224', - 'harvard', - 'hannah1', - '525252', - '4ever', - 'carbon', - 'chef', - 'federico', - 'ghosts', - 'gina', - 'scorpio1', - 'rt6ytere', - 'madison1', - 'loki', - 'raquel', - 'promise', - 'coolness', - 'christina', - 'coldbeer', - 'citadel', - 'brittney', - 'highway', - 'evil', - 'monarch', - 'morgan1', - 'washingt', - '1997', - 'bella1', - 'berry', - 'yaya', - 'yolanda', - 'superb', - 'taxman', - 'studman', - 'stephanie', - '3636', - 'sherri', - 'sheriff', - 'shepherd', - 'poland', - 'pizzas', - 'tiffany1', - 'toilet', - 'latina', - 'lassie', - 'larry1', - 'joseph1', - 'mephisto', - 'meagan', - 'marian', - 'reptile', - 'rico', - 'razor', - '1013', - 'barron', - 'hammer1', - 'gypsy', - 'grande', - 'carroll', - 'camper', - 'chippy', - 'cat123', - 'call', - 'chimera', - 'fiesta', - 'glock', - 'glenn', - 'domain', - 'dieter', - 'dragonba', - 'onetwo', - 'nygiants', - 'odessa', - 'password2', - 'louie', - 'quartz', - 'prowler', - 'prophet', - 'towers', - 'ultra', - 'cocker', - 'corleone', - 'dakota1', - 'cumm', - 'nnnnnnn', - 'natalia', - 'boxers', - 'hugo', - 'heynow', - 'hollow', - 'iceberg', - 'elvira', - 'kittykat', - 'kate', - 'kitchen', - 'wasabi', - 'vikings1', - 'impact', - 'beerman', - 'string', - 'sleep', - 'splinter', - 'snoopy1', - 'pipeline', - 'pocket', - 'legs', - 'maple', - 'mickey1', - 'manuela', - 'mermaid', - 'micro', - 'meowmeow', - 'redbird', - 'alisha', - 'baura', - 'battery', - 'grass', - 'chevys', - 'chestnut', - 'caravan', - 'carina', - 'charmed', - 'fraser', - 'frogman', - 'diving', - 'dogger', - 'draven', - 'drifter', - 'oatmeal', - 'paris1', - 'longdong', - 'quant4307s', - 'rachel1', - 'vegitta', - 'cole', - 'cobras', - 'corsair', - 'dadada', - 'noelle', - 'mylife', - 'nine', - 'bowwow', - 'body', - 'hotrats', - 'eastwood', - 'moonligh', - 'modena', - 'wave', - 'illusion', - 'iiiiiii', - 'jayhawks', - 'birgit', - 'zone', - 'sutton', - 'susana', - 'swingers', - 'shocker', - 'shrimp', - 'sexgod', - 'squall', - 'stefanie', - 'squeeze', - 'soul', - 'patrice', - 'poiu', - 'players', - 'tigers1', - 'toejam', - 'tickler', - 'line', - 'julie1', - 'jimbo1', - 'jefferso', - 'juanita', - 'michael2', - 'rodeo', - 'robot', - '1023', - 'annie1', - 'bball', - 'guess', - 'happy2', - 'charter', - 'farm', - 'flasher', - 'falcon1', - 'fiction', - 'fastball', - 'gadget', - 'scrabble', - 'diaper', - 'dirtbike', - 'dinner', - 'oliver1', - 'partner', - 'paco', - 'lucille', - 'macman', - 'poopy', - 'popper', - 'postman', - 'ttttttt', - 'ursula', - 'acura', - 'cowboy1', - 'conan', - 'daewoo', - 'cyrus', - 'customer', - 'nation', - 'nemrac58', - 'nnnnn', - 'nextel', - 'bolton', - 'bobdylan', - 'hopeless', - 'eureka', - 'extra', - 'kimmie', - 'kcj9wx5n', - 'killbill', - 'musica', - 'volkswag', - 'wage', - 'windmill', - 'wert', - 'vintage', - 'iloveyou1', - 'itsme', - 'bessie', - 'zippo', - '311311', - 'starligh', - 'smokey1', - 'spot', - 'snappy', - 'soulmate', - 'plasma', - 'thelma', - 'tonight', - 'krusty', - 'just4me', - 'mcdonald', - 'marius', - 'rochelle', - 'rebel1', - '1123', - 'alfredo', - 'aubrey', - 'audi', - 'chantal', - 'fick', - 'goaway', - 'roses', - 'sales', - 'rusty2', - 'dirt', - 'dogbone', - 'doofus', - 'ooooooo', - 'oblivion', - 'mankind', - 'luck', - 'mahler', - 'lllllll', - 'pumper', - 'puck', - 'pulsar', - 'valkyrie', - 'tupac', - 'compass', - 'concorde', - 'costello', - 'cougars', - 'delaware', - 'niceguy', - 'nocturne', - 'bob123', - 'boating', - 'bronze', - 'hopkins', - 'herewego', - 'hewlett', - 'houhou', - 'hubert', - 'earnhard', - 'eeeeeeee', - 'keller', - 'mingus', - 'mobydick', - 'venture', - 'verizon', - 'imation', - '1950', - '1948', - '1949', - '223344', - 'bigbig', - 'blossom', - 'zack', - 'wowwow', - 'sissy', - 'skinner', - 'spiker', - 'square', - 'snooker', - 'sluggo', - 'player1', - 'junk', - 'jeannie', - 'jsbach', - 'jumbo', - 'jewel', - 'medic', - 'robins', - 'reddevil', - 'reckless', - '123456a', - '1125', - '1031', - 'beacon', - 'astra', - 'gumby', - 'hammond', - 'hassan', - '757575', - '585858', - 'chillin', - 'fuck1', - 'sander', - 'lowell', - 'radiohea', - 'upyours', - 'trek', - 'courage', - 'coolcool', - 'classics', - 'choochoo', - 'darryl', - 'nikki1', - 'nitro', - 'bugs', - 'boytoy', - 'ellen', - 'excite', - 'kirsty', - 'kane', - 'wingnut', - 'wireless', - 'icu812', - '1master', - 'beatle', - 'bigblock', - 'blanca', - 'wolfen', - 'summer99', - 'sugar1', - 'tartar', - 'sexysexy', - 'senna', - 'sexman', - 'sick', - 'someone', - 'soprano', - 'pippin', - 'platypus', - 'pixies', - 'telephon', - 'land', - 'laura1', - 'laurent', - 'rimmer', - 'road', - 'report', - '1020', - '12qwaszx', - 'arturo', - 'around', - 'hamish', - 'halifax', - 'fishhead', - 'forum', - 'dododo', - 'doit', - 'outside', - 'paramedi', - 'lonesome', - 'mandy1', - 'twist', - 'uuuuu', - 'uranus', - 'ttttt', - 'butcher', - 'bruce1', - 'helper', - 'hopeful', - 'eduard', - 'dusty1', - 'kathy1', - 'katherin', - 'moonbeam', - 'muscles', - 'monster1', - 'monkeybo', - 'morton', - 'windsurf', - 'vvvvvvv', - 'vivid', - 'install', - '1947', - '187187', - '1941', - '1952', - 'tatiana', - 'susan1', - '31415926', - 'sinned', - 'sexxy', - 'senator', - 'sebastian', - 'shadows', - 'smoothie', - 'snowflak', - 'playstat', - 'playa', - 'playboy1', - 'toaster', - 'jerry1', - 'marie1', - 'mason1', - 'merlin1', - 'roger1', - 'roadster', - '112358', - '1121', - 'andrea1', - 'bacardi', - 'auto', - 'hardware', - 'hardy', - '789789', - '5555555', - 'captain1', - 'flores', - 'fergus', - 'sascha', - 'rrrrrrr', - 'dome', - 'onion', - 'nutter', - 'lololo', - 'qqqqqqq', - 'quick', - 'undertak', - 'uuuuuuuu', - 'uuuuuuu', - 'criminal', - 'cobain', - 'cindy1', - 'coors', - 'dani', - 'descent', - 'nimbus', - 'nomad', - 'nanook', - 'norwich', - 'bomb', - 'bombay', - 'broker', - 'hookup', - 'kiwi', - 'winners', - 'jackpot', - '1a2b3c4d', - '1776', - 'beardog', - 'bighead', - 'blast', - 'bird33', - '0987', - 'stress', - 'shot', - 'spooge', - 'pelican', - 'peepee', - 'perry', - 'pointer', - 'titan', - 'thedoors', - 'jeremy1', - 'annabell', - 'altima', - 'baba', - 'hallie', - 'hate', - 'hardone', - '5454', - 'candace', - 'catwoman', - 'flip', - 'faithful', - 'finance', - 'farmboy', - 'farscape', - 'genesis1', - 'salomon', - 'destroy', - 'papers', - 'option', - 'page', - 'loser1', - 'lopez', - 'r2d2', - 'pumpkins', - 'training', - 'chriss', - 'cumcum', - 'ninjas', - 'ninja1', - 'hung', - 'erika', - 'eduardo', - 'killers', - 'miller1', - 'islander', - 'jamesbond', - 'intel', - 'jarvis', - '19841984', - '2626', - 'bizzare', - 'blue12', - 'biker', - 'yoyoma', - 'sushi', - 'styles', - 'shitface', - 'series', - 'shanti', - 'spanker', - 'steffi', - 'smart', - 'sphinx', - 'please1', - 'paulie', - 'pistons', - 'tiburon', - 'limited', - 'maxwell1', - 'mdogg', - 'rockies', - 'armstron', - 'alexia', - 'arlene', - 'alejandr', - 'arctic', - 'banger', - 'audio', - 'asimov', - 'augustus', - 'grandpa', - '753951', - '4you', - 'chilly', - 'care1839', - 'chapman', - 'flyfish', - 'fantasia', - 'freefall', - 'santa', - 'sandrine', - 'oreo', - 'ohshit', - 'macbeth', - 'madcat', - 'loveya', - 'mallory', - 'rage', - 'quentin', - 'qwerqwer', - 'project', - 'ramirez', - 'colnago', - 'citizen', - 'chocha', - 'cobalt', - 'crystal1', - 'dabears', - 'nevets', - 'nineinch', - 'broncos1', - 'helene', - 'huge', - 'edgar', - 'epsilon', - 'easter', - 'kestrel', - 'moron', - 'virgil', - 'winston1', - 'warrior1', - 'iiiiiiii', - 'iloveyou2', - '1616', - 'beat', - 'bettina', - 'woowoo', - 'zander', - 'straight', - 'shower', - 'sloppy', - 'specialk', - 'tinkerbe', - 'jellybea', - 'reader', - 'romero', - 'redsox1', - 'ride', - '1215', - '1112', - 'annika', - 'arcadia', - 'answer', - 'baggio', - 'base', - 'guido', - '555666', - 'carmel', - 'cayman', - 'cbr900rr', - 'chips', - 'gabriell', - 'gertrude', - 'glennwei', - 'roxy', - 'sausages', - 'disco', - 'pass1', - 'luna', - 'lovebug', - 'macmac', - 'queenie', - 'puffin', - 'vanguard', - 'trip', - 'trinitro', - 'airwolf', - 'abbott', - 'aaa111', - 'cocaine', - 'cisco', - 'cottage', - 'dayton', - 'deadly', - 'datsun', - 'bricks', - 'bumper', - 'eldorado', - 'kidrock', - 'wizard1', - 'whiskers', - 'wind', - 'wildwood', - 'istheman', - 'interest', - 'italy', - '25802580', - 'benoit', - 'bigones', - 'woodland', - 'wolfpac', - 'strawber', - 'suicide', - '3030', - 'sheba1', - 'sixpack', - 'peace1', - 'physics', - 'pearson', - 'tigger2', - 'toad', - 'megan1', - 'meow', - 'ringo', - 'roll', - 'amsterdam', - '717171', - '686868', - '5424', - 'catherine', - 'canuck', - 'football1', - 'footjob', - 'fulham', - 'seagull', - 'orgy', - 'lobo', - 'mancity', - 'truth', - 'trace', - 'vancouve', - 'vauxhall', - 'acidburn', - 'derf', - 'myspace1', - 'boozer', - 'buttercu', - 'howell', - 'hola', - 'easton', - 'minemine', - 'munch', - 'jared', - '1dragon', - 'biology', - 'bestbuy', - 'bigpoppa', - 'blackout', - 'blowfish', - 'bmw325', - 'bigbob', - 'stream', - 'talisman', - 'tazz', - 'sundevil', - '3333333', - 'skate', - 'shutup', - 'shanghai', - 'shop', - 'spencer1', - 'slowhand', - 'polish', - 'pinky1', - 'tootie', - 'thecrow', - 'leroy', - 'jonathon', - 'jubilee', - 'jingle', - 'martine', - 'matrix1', - 'manowar', - 'michaels', - 'messiah', - 'mclaren', - 'resident', - 'reilly', - 'redbaron', - 'rollins', - 'romans', - 'return', - 'rivera', - 'andromed', - 'athlon', - 'beach1', - 'badgers', - 'guitars', - 'harald', - 'harddick', - 'gotribe', - '6996', - '7grout', - '5wr2i7h8', - '635241', - 'chase1', - 'carver', - 'charlotte', - 'fallout', - 'fiddle', - 'fredrick', - 'fenris', - 'francesc', - 'fortuna', - 'ferguson', - 'fairlane', - 'felipe', - 'felix1', - 'forward', - 'gasman', - 'frost', - 'fucks', - 'sahara', - 'sassy1', - 'dogpound', - 'dogbert', - 'divx1', - 'manila', - 'loretta', - 'priest', - 'pornporn', - 'quasar', - 'venom', - '987987', - 'access1', - 'clippers', - 'daylight', - 'decker', - 'daman', - 'data', - 'dentist', - 'crusty', - 'nathan1', - 'nnnnnnnn', - 'bruno1', - 'bucks', - 'brodie', - 'budapest', - 'kittens', - 'kerouac', - 'mother1', - 'waldo1', - 'wedding', - 'whistler', - 'whatwhat', - 'wanderer', - 'idontkno', - '1942', - '1946', - 'bigdawg', - 'bigpimp', - 'zaqwsx', - '414141', - '3000gt', - '434343', - 'shoes', - 'serpent', - 'starr', - 'smurf', - 'pasword', - 'tommie', - 'thisisit', - 'lake', - 'john1', - 'robotics', - 'redeye', - 'rebelz', - '1011', - 'alatam', - 'asses', - 'asians', - 'bama', - 'banzai', - 'harvest', - 'gonzalez', - 'hair', - 'hanson', - '575757', - '5329', - 'cascade', - 'chinese', - 'fatty', - 'fender1', - 'flower2', - 'funky', - 'sambo', - 'drummer1', - 'dogcat', - 'dottie', - 'oedipus', - 'osama', - 'macleod', - 'prozac', - 'private1', - 'rampage', - 'punch', - 'presley', - 'concord', - 'cook', - 'cinema', - 'cornwall', - 'cleaner', - 'christopher', - 'ciccio', - 'corinne', - 'clutch', - 'corvet07', - 'daemon', - 'bruiser', - 'boiler', - 'hjkl', - 'eyes', - 'egghead', - 'expert', - 'ethan', - 'kasper', - 'mordor', - 'wasted', - 'jamess', - 'iverson3', - 'bluesman', - 'zouzou', - '090909', - '1002', - 'switch', - 'stone1', - '4040', - 'sisters', - 'sexo', - 'shawna', - 'smith1', - 'sperma', - 'sneaky', - 'polska', - 'thewho', - 'terminat', - 'krypton', - 'lawson', - 'library', - 'lekker', - 'jules', - 'johnson1', - 'johann', - 'justus', - 'rockie', - 'romano', - 'aspire', - 'bastards', - 'goodie', - 'cheese1', - 'fenway', - 'fishon', - 'fishin', - 'fuckoff1', - 'girls1', - 'sawyer', - 'dolores', - 'desmond', - 'duane', - 'doomsday', - 'pornking', - 'ramones', - 'rabbits', - 'transit', - 'aaaaa1', - 'clock', - 'delilah', - 'noel', - 'boyz', - 'bookworm', - 'bongo', - 'bunnies', - 'brady', - 'buceta', - 'highbury', - 'henry1', - 'heels', - 'eastern', - 'krissy', - 'mischief', - 'mopar', - 'ministry', - 'vienna', - 'weston', - 'wildone', - 'vodka', - 'jayson', - 'bigbooty', - 'beavis1', - 'betsy', - 'xxxxxx1', - 'yogibear', - '000001', - '0815', - 'zulu', - '420000', - 'september', - 'sigmar', - 'sprout', - 'stalin', - 'peggy', - 'patch', - 'lkjhgfds', - 'lagnaf', - 'rolex', - 'redfox', - 'referee', - '123123123', - '1231', - 'angus1', - 'ariana', - 'ballin', - 'attila', - 'hall', - 'greedy', - 'grunt', - '747474', - 'carpedie', - 'cecile', - 'caramel', - 'foxylady', - 'field', - 'gatorade', - 'gidget', - 'futbol', - 'frosch', - 'saiyan', - 'schmidt', - 'drums', - 'donner', - 'doggy1', - 'drum', - 'doudou', - 'pack', - 'pain', - 'nutmeg', - 'quebec', - 'valdepen', - 'trash', - 'triple', - 'tosser', - 'tuscl', - 'track', - 'comfort', - 'choke', - 'comein', - 'cola', - 'deputy', - 'deadpool', - 'bremen', - 'borders', - 'bronson', - 'break', - 'hotass', - 'hotmail1', - 'eskimo', - 'eggman', - 'koko', - 'kieran', - 'katrin', - 'kordell1', - 'komodo', - 'mone', - 'munich', - 'vvvvvvvv', - 'winger', - 'jaeger', - 'ivan', - 'jackson5', - '2222222', - 'bergkamp', - 'bennie', - 'bigben', - 'zanzibar', - 'worm', - 'xxx123', - 'sunny1', - '373737', - 'services', - 'sheridan', - 'slater', - 'slayer1', - 'snoop', - 'stacie', - 'peachy', - 'thecure', - 'times', - 'little1', - 'jennaj', - 'marquis', - 'middle', - 'rasta69', - '1114', - 'aries', - 'havana', - 'gratis', - 'calgary', - 'checkers', - 'flanker', - 'salope', - 'dirty1', - 'draco', - 'dogface', - 'luv2epus', - 'rainbow6', - 'qwerty123', - 'umpire', - 'turnip', - 'vbnm', - 'tucson', - 'troll', - 'aileen', - 'codered', - 'commande', - 'damon', - 'nana', - 'neon', - 'nico', - 'nightwin', - 'neil', - 'boomer1', - 'bushido', - 'hotmail0', - 'horace', - 'enternow', - 'kaitlyn', - 'keepout', - 'karen1', - 'mindy', - 'mnbv', - 'viewsoni', - 'volcom', - 'wizards', - 'wine', - '1995', - 'berkeley', - 'bite', - 'zach', - 'woodstoc', - 'tarpon', - 'shinobi', - 'starstar', - 'phat', - 'patience', - 'patrol', - 'toolbox', - 'julien', - 'johnny1', - 'joebob', - 'marble', - 'riders', - 'reflex', - '120676', - '1235', - 'angelus', - 'anthrax', - 'atlas', - 'hawks', - 'grandam', - 'harlem', - 'hawaii50', - 'gorgeous', - '655321', - 'cabron', - 'challeng', - 'callisto', - 'firewall', - 'firefire', - 'fischer', - 'flyer', - 'flower1', - 'factory', - 'federal', - 'gambler', - 'frodo1', - 'funk', - 'sand', - 'sam123', - 'scania', - 'dingo', - 'papito', - 'passmast', - 'olive', - 'palermo', - 'ou8123', - 'lock', - 'ranch', - 'pride', - 'randy1', - 'twiggy', - 'travis1', - 'transfer', - 'treetop', - 'addict', - 'admin1', - '963852', - 'aceace', - 'clarissa', - 'cliff', - 'cirrus', - 'clifton', - 'colin', - 'bobdole', - 'bonner', - 'bogus', - 'bonjovi', - 'bootsy', - 'boater', - 'elway7', - 'edison', - 'kelvin', - 'kenny1', - 'moonshin', - 'montag', - 'moreno', - 'wayne1', - 'white1', - 'jazzy', - 'jakejake', - '1994', - '1991', - '2828', - 'blunt', - 'bluejays', - 'beau', - 'belmont', - 'worthy', - 'systems', - 'sensei', - 'southpark', - 'stan', - 'peeper', - 'pharao', - 'pigpen', - 'tomahawk', - 'teensex', - 'leedsutd', - 'larkin', - 'jermaine', - 'jeepster', - 'jimjim', - 'josephin', - 'melons', - 'marlon', - 'matthias', - 'marriage', - 'robocop', - '1003', - '1027', - 'antelope', - 'azsxdc', - 'gordo', - 'hazard', - 'granada', - '8989', - '7894', - 'ceasar', - 'cabernet', - 'cheshire', - 'california', - 'chelle', - 'candy1', - 'fergie', - 'fanny', - 'fidelio', - 'giorgio', - 'fuckhead', - 'ruth', - 'sanford', - 'diego', - 'dominion', - 'devon', - 'panic', - 'longer', - 'mackie', - 'qawsed', - 'trucking', - 'twelve', - 'chloe1', - 'coral', - 'daddyo', - 'nostromo', - 'boyboy', - 'booster', - 'bucky', - 'honolulu', - 'esquire', - 'dynamite', - 'motor', - 'mollydog', - 'wilder', - 'windows1', - 'waffle', - 'wallet', - 'warning', - 'virus', - 'washburn', - 'wealth', - 'vincent1', - 'jabber', - 'jaguars', - 'javelin', - 'irishman', - 'idefix', - 'bigdog1', - 'blue42', - 'blanked', - 'blue32', - 'biteme1', - 'bearcats', - 'blaine', - 'yessir', - 'sylveste', - 'team', - 'stephan', - 'sunfire', - 'tbird', - 'stryker', - '3ip76k2', - 'sevens', - 'sheldon', - 'pilgrim', - 'tenchi', - 'titman', - 'leeds', - 'lithium', - 'lander', - 'linkin', - 'landon', - 'marijuan', - 'mariner', - 'markie', - 'midnite', - 'reddwarf', - '1129', - '123asd', - '12312312', - 'allstar', - 'albany', - 'asdf12', - 'antonia', - 'aspen', - 'hardball', - 'goldfing', - '7734', - '49ers', - 'carlo', - 'chambers', - 'cable', - 'carnage', - 'callum', - 'carlos1', - 'fitter', - 'fandango', - 'festival', - 'flame', - 'gofast', - 'gamma', - 'fucmy69', - 'scrapper', - 'dogwood', - 'django', - 'magneto', - 'loose', - 'premium', - 'addison', - '9999999', - 'abc1234', - 'cromwell', - 'newyear', - 'nichole', - 'bookie', - 'burns', - 'bounty', - 'brown1', - 'bologna', - 'earl', - 'entrance', - 'elway', - 'killjoy', - 'kerry', - 'keenan', - 'kick', - 'klondike', - 'mini', - 'mouser', - 'mohammed', - 'wayer', - 'impreza', - 'irene', - 'insomnia', - '24682468', - '2580', - '24242424', - 'billbill', - 'bellaco', - 'blessing', - 'blues1', - 'bedford', - 'blanco', - 'blunts', - 'stinks', - 'teaser', - 'streets', - 'sf49ers', - 'shovel', - 'solitude', - 'spikey', - 'sonia', - 'pimpdadd', - 'timeout', - 'toffee', - 'lefty', - 'johndoe', - 'johndeer', - 'mega', - 'manolo', - 'mentor', - 'margie', - 'ratman', - 'ridge', - 'record', - 'rhodes', - 'robin1', - '1124', - '1210', - '1028', - '1226', - 'another', - 'babylove', - 'barbados', - 'harbor', - 'gramma', - '646464', - 'carpente', - 'chaos1', - 'fishbone', - 'fireblad', - 'glasgow', - 'frogs', - 'scissors', - 'screamer', - 'salem', - 'scuba1', - 'ducks', - 'driven', - 'doggies', - 'dicky', - 'donovan', - 'obsidian', - 'rams', - 'progress', - 'tottenham', - 'aikman', - 'comanche', - 'corolla', - 'clarke', - 'conway', - 'cumslut', - 'cyborg', - 'dancing', - 'boston1', - 'bong', - 'houdini', - 'helmut', - 'elvisp', - 'edge', - 'keksa12', - 'misha', - 'monty1', - 'monsters', - 'wetter', - 'watford', - 'wiseguy', - 'veronika', - 'visitor', - 'janelle', - '1989', - '1987', - '20202020', - 'biatch', - 'beezer', - 'bigguns', - 'blueball', - 'bitchy', - 'wyoming', - 'yankees2', - 'wrestler', - 'stupid1', - 'sealteam', - 'sidekick', - 'simple1', - 'smackdow', - 'sporting', - 'spiral', - 'smeller', - 'sperm', - 'plato', - 'tophat', - 'test2', - 'theatre', - 'thick', - 'toomuch', - 'leigh', - 'jello', - 'jewish', - 'junkie', - 'maxim', - 'maxime', - 'meadow', - 'remingto', - 'roofer', - '124038', - '1018', - '1269', - '1227', - '123457', - 'arkansas', - 'alberta', - 'aramis', - 'andersen', - 'beaker', - 'barcelona', - 'baltimor', - 'googoo', - 'goochi', - '852456', - '4711', - 'catcher', - 'carman', - 'champ1', - 'chess', - 'fortress', - 'fishfish', - 'firefigh', - 'geezer', - 'rsalinas', - 'samuel1', - 'saigon', - 'scooby1', - 'doors', - 'dick1', - 'devin', - 'doom', - 'dirk', - 'doris', - 'dontknow', - 'load', - 'magpies', - 'manfred', - 'raleigh', - 'vader1', - 'universa', - 'tulips', - 'defense', - 'mygirl', - 'burn', - 'bowtie', - 'bowman', - 'holycow', - 'heinrich', - 'honeys', - 'enforcer', - 'katherine', - 'minerva', - 'wheeler', - 'witch', - 'waterboy', - 'jaime', - 'irving', - '1992', - '23skidoo', - 'bimbo', - 'blue11', - 'birddog', - 'woodman', - 'womble', - 'zildjian', - '030303', - 'stinker', - 'stoppedby', - 'sexybabe', - 'speakers', - 'slugger', - 'spotty', - 'smoke1', - 'polopolo', - 'perfect1', - 'things', - 'torpedo', - 'tender', - 'thrasher', - 'lakeside', - 'lilith', - 'jimmys', - 'jerk', - 'junior1', - 'marsh', - 'masamune', - 'rice', - 'root', - '1214', - 'april1', - 'allgood', - 'bambi', - 'grinch', - '767676', - '5252', - 'cherries', - 'chipmunk', - 'cezer121', - 'carnival', - 'capecod', - 'finder', - 'flint', - 'fearless', - 'goats', - 'funstuff', - 'gideon', - 'savior', - 'seabee', - 'sandro', - 'schalke', - 'salasana', - 'disney1', - 'duckman', - 'options', - 'pancake', - 'pantera1', - 'malice', - 'lookin', - 'love123', - 'lloyd', - 'qwert123', - 'puppet', - 'prayers', - 'union', - 'tracer', - 'crap', - 'creation', - 'cwoui', - 'nascar24', - 'hookers', - 'hollie', - 'hewitt', - 'estrella', - 'erection', - 'ernesto', - 'ericsson', - 'edthom', - 'kaylee', - 'kokoko', - 'kokomo', - 'kimball', - 'morales', - 'mooses', - 'monk', - 'walton', - 'weekend', - 'inter', - 'internal', - '1michael', - '1993', - '19781978', - '25252525', - 'worker', - 'summers', - 'surgery', - 'shibby', - 'shamus', - 'skibum', - 'sheepdog', - 'sex69', - 'spliff', - 'slipper', - 'spoons', - 'spanner', - 'snowbird', - 'slow', - 'toriamos', - 'temp123', - 'tennesse', - 'lakers1', - 'jomama', - 'julio', - 'mazdarx7', - 'rosario', - 'recon', - 'riddle', - 'room', - 'revolver', - '1025', - '1101', - 'barney1', - 'babycake', - 'baylor', - 'gotham', - 'gravity', - 'hallowee', - 'hancock', - '616161', - '515000', - 'caca', - 'cannabis', - 'castor', - 'chilli', - 'fdsa', - 'getout', - 'fuck69', - 'gators1', - 'sail', - 'sable', - 'rumble', - 'dolemite', - 'dork', - 'dickens', - 'duffer', - 'dodgers1', - 'painting', - 'onions', - 'logger', - 'lorena', - 'lookout', - 'magic32', - 'port', - 'poon', - 'prime', - 'twat', - 'coventry', - 'citroen', - 'christmas', - 'civicsi', - 'cocksucker', - 'coochie', - 'compaq1', - 'nancy1', - 'buzzer', - 'boulder', - 'butkus', - 'bungle', - 'hogtied', - 'honor', - 'hero', - 'hotgirls', - 'hilary', - 'heidi1', - 'eggplant', - 'mustang6', - 'mortal', - 'monkey12', - 'wapapapa', - 'wendy1', - 'volleyba', - 'vibrate', - 'vicky', - 'bledsoe', - 'blink', - 'birthday4', - 'woof', - 'xxxxx1', - 'talk', - 'stephen1', - 'suburban', - 'stock', - 'tabatha', - 'sheeba', - 'start1', - 'soccer10', - 'something', - 'starcraft', - 'soccer12', - 'peanut1', - 'plastics', - 'penthous', - 'peterbil', - 'tools', - 'tetsuo', - 'torino', - 'tennis1', - 'termite', - 'ladder', - 'last', - 'lemmein', - 'lakewood', - 'jughead', - 'melrose', - 'megane', - 'reginald', - 'redone', - 'request', - 'angela1', - 'alive', - 'alissa', - 'goodgirl', - 'gonzo1', - 'golden1', - 'gotyoass', - '656565', - '626262', - 'capricor', - 'chains', - 'calvin1', - 'foolish', - 'fallon', - 'getmoney', - 'godfather', - 'gabber', - 'gilligan', - 'runaway', - 'salami', - 'dummy', - 'dungeon', - 'dudedude', - 'dumb', - 'dope', - 'opus', - 'paragon', - 'oxygen', - 'panhead', - 'pasadena', - 'opendoor', - 'odyssey', - 'magellan', - 'lottie', - 'printing', - 'pressure', - 'prince1', - 'trustme', - 'christa', - 'court', - 'davies', - 'neville', - 'nono', - 'bread', - 'buffet', - 'hound', - 'kajak', - 'killkill', - 'mona', - 'moto', - 'mildred', - 'winner1', - 'vixen', - 'whiteboy', - 'versace', - 'winona', - 'voyager1', - 'instant', - 'indy', - 'jackjack', - 'bigal', - 'beech', - 'biggun', - 'blake1', - 'blue99', - 'big1', - 'woods', - 'synergy', - 'success1', - '336699', - 'sixty9', - 'shark1', - 'skin', - 'simba1', - 'sharpe', - 'sebring', - 'spongebo', - 'spunk', - 'springs', - 'sliver', - 'phialpha', - 'password9', - 'pizza1', - 'plane', - 'perkins', - 'pookey', - 'tickling', - 'lexingky', - 'lawman', - 'joe123', - 'jolly', - 'mike123', - 'romeo1', - 'redheads', - 'reserve', - 'apple123', - 'alanis', - 'ariane', - 'antony', - 'backbone', - 'aviation', - 'band', - 'hand', - 'green123', - 'haley', - 'carlitos', - 'byebye', - 'cartman1', - 'camden', - 'chewy', - 'camaross', - 'favorite6', - 'forumwp', - 'franks', - 'ginscoot', - 'fruity', - 'sabrina1', - 'devil666', - 'doughnut', - 'pantie', - 'oldone', - 'paintball', - 'lumina', - 'rainbow1', - 'prosper', - 'total', - 'true', - 'umbrella', - 'ajax', - '951753', - 'achtung', - 'abc12345', - 'compact', - 'color', - 'corn', - 'complete', - 'christi', - 'closer', - 'corndog', - 'deerhunt', - 'darklord', - 'dank', - 'nimitz', - 'brandy1', - 'bowl', - 'breanna', - 'holidays', - 'hetfield', - 'holein1', - 'hillbill', - 'hugetits', - 'east', - 'evolutio', - 'kenobi', - 'whiplash', - 'waldo', - 'wg8e3wjf', - 'wing', - 'istanbul', - 'invis', - '1996', - 'benton', - 'bigjohn', - 'bluebell', - 'beef', - 'beater', - 'benji', - 'bluejay', - 'xyzzy', - 'wrestling', - 'storage', - 'superior', - 'suckdick', - 'taichi', - 'stellar', - 'stephane', - 'shaker', - 'skirt', - 'seymour', - 'semper', - 'splurge', - 'squeak', - 'pearls', - 'playball', - 'pitch', - 'phyllis', - 'pooky', - 'piss', - 'tomas', - 'titfuck', - 'joemama', - 'johnny5', - 'marcello', - 'marjorie', - 'married', - 'maxi', - 'rhubarb', - 'rockwell', - 'ratboy', - 'reload', - 'rooney', - 'redd', - '1029', - '1030', - '1220', - 'anchor', - 'bbking', - 'baritone', - 'gryphon', - 'gone', - '57chevy', - '494949', - 'celeron', - 'fishy', - 'gladiator', - 'fucker1', - 'roswell', - 'dougie', - 'downer', - 'dicker', - 'diva', - 'domingo', - 'donjuan', - 'nympho', - 'omar', - 'praise', - 'racers', - 'trick', - 'trauma', - 'truck1', - 'trample', - 'acer', - 'corwin', - 'cricket1', - 'clemente', - 'climax', - 'denmark', - 'cuervo', - 'notnow', - 'nittany', - 'neutron', - 'native', - 'bosco1', - 'buffa', - 'breaker', - 'hello2', - 'hydro', - 'estelle', - 'exchange', - 'explore', - 'kisskiss', - 'kittys', - 'kristian', - 'montecar', - 'modem', - 'mississi', - 'mooney', - 'weiner', - 'washington', - '20012001', - 'bigdick1', - 'bibi', - 'benfica', - 'yahoo1', - 'striper', - 'tabasco', - 'supra', - '383838', - '456654', - 'seneca', - 'serious', - 'shuttle', - 'socks', - 'stanton', - 'penguin1', - 'pathfind', - 'testibil', - 'thethe', - 'listen', - 'lightning', - 'lighting', - 'jeter2', - 'marma', - 'mark1', - 'metoo', - 'republic', - 'rollin', - 'redleg', - 'redbone', - 'redskin', - 'rocco', - '1245', - 'armand', - 'anthony7', - 'altoids', - 'andrews', - 'barley', - 'away', - 'asswipe', - 'bauhaus', - 'bbbbbb1', - 'gohome', - 'harrier', - 'golfpro', - 'goldeney', - '818181', - '6666666', - '5000', - '5rxypn', - 'cameron1', - 'calling', - 'checker', - 'calibra', - 'fields', - 'freefree', - 'faith1', - 'fist', - 'fdm7ed', - 'finally', - 'giraffe', - 'glasses', - 'giggles', - 'fringe', - 'gate', - 'georgie', - 'scamper', - 'rrpass1', - 'screwyou', - 'duffy', - 'deville', - 'dimples', - 'pacino', - 'ontario', - 'passthie', - 'oberon', - 'quest1', - 'postov1000', - 'puppydog', - 'puffer', - 'raining', - 'protect', - 'qwerty7', - 'trey', - 'tribe', - 'ulysses', - 'tribal', - 'adam25', - 'a1234567', - 'compton', - 'collie', - 'cleopatr', - 'contract', - 'davide', - 'norris', - 'namaste', - 'myrtle', - 'buffalo1', - 'bonovox', - 'buckley', - 'bukkake', - 'burning', - 'burner', - 'bordeaux', - 'burly', - 'hun999', - 'emilie', - 'elmo', - 'enters', - 'enrique', - 'keisha', - 'mohawk', - 'willard', - 'vgirl', - 'whale', - 'vince', - 'jayden', - 'jarrett', - '1812', - '1943', - '222333', - 'bigjim', - 'bigd', - 'zoom', - 'wordup', - 'ziggy1', - 'yahooo', - 'workout', - 'young1', - 'written', - 'xmas', - 'zzzzzz1', - 'surfer1', - 'strife', - 'sunlight', - 'tasha1', - 'skunk', - 'shauna', - 'seth', - 'soft', - 'sprinter', - 'peaches1', - 'planes', - 'pinetree', - 'plum', - 'pimping', - 'theforce', - 'thedon', - 'toocool', - 'leeann', - 'laddie', - 'list', - 'lkjh', - 'lara', - 'joke', - 'jupiter1', - 'mckenzie', - 'matty', - 'rene', - 'redrose', - '1200', - '102938', - 'annmarie', - 'alexa', - 'antares', - 'austin31', - 'ground', - 'goose1', - '737373', - '78945612', - '789987', - '6464', - 'calimero', - 'caster', - 'casper1', - 'cement', - 'chevrolet', - 'chessie', - 'caddy', - 'chill', - 'child', - 'canucks', - 'feeling', - 'favorite', - 'fellatio', - 'f00tball', - 'francine', - 'gateway2', - 'gigi', - 'gamecube', - 'giovanna', - 'rugby1', - 'scheisse', - 'dshade', - 'dudes', - 'dixie1', - 'owen', - 'offshore', - 'olympia', - 'lucas1', - 'macaroni', - 'manga', - 'pringles', - 'puff', - 'tribble', - 'trouble1', - 'ussy', - 'core', - 'clint', - 'coolhand', - 'colonial', - 'colt', - 'debra', - 'darthvad', - 'dealer', - 'cygnusx1', - 'natalie1', - 'newark', - 'husband', - 'hiking', - 'errors', - 'eighteen', - 'elcamino', - 'emmett', - 'emilia', - 'koolaid', - 'knight1', - 'murphy1', - 'volcano', - 'idunno', - '2005', - '2233', - 'block', - 'benito', - 'blueberr', - 'biguns', - 'yamahar1', - 'zapper', - 'zorro1', - '0911', - '3006', - 'sixsix', - 'shopper', - 'siobhan', - 'sextoy', - 'stafford', - 'snowboard', - 'speedway', - 'sounds', - 'pokey', - 'peabody', - 'playboy2', - 'titi', - 'think', - 'toast', - 'toonarmy', - 'lister', - 'lambda', - 'joecool', - 'jonas', - 'joyce', - 'juniper', - 'mercer', - 'max123', - 'manny', - 'massimo', - 'mariposa', - 'met2002', - 'reggae', - 'ricky1', - '1236', - '1228', - '1016', - 'all4one', - 'arianna', - 'baberuth', - 'asgard', - 'gonzales', - '484848', - '5683', - '6669', - 'catnip', - 'chiquita', - 'charisma', - 'capslock', - 'cashmone', - 'chat', - 'figure', - 'galant', - 'frenchy', - 'gizmodo1', - 'girlies', - 'gabby', - 'garner', - 'screwy', - 'doubled', - 'divers', - 'dte4uw', - 'done', - 'dragonfl', - 'maker', - 'locks', - 'rachelle', - 'treble', - 'twinkie', - 'trailer', - 'tropical', - 'acid', - 'crescent', - 'cooking', - 'cococo', - 'cory', - 'dabomb', - 'daffy', - 'dandfa', - 'cyrano', - 'nathanie', - 'briggs', - 'boners', - 'helium', - 'horton', - 'hoffman', - 'hellas', - 'espresso', - 'emperor', - 'killa', - 'kikimora', - 'wanda', - 'w4g8at', - 'verona', - 'ilikeit', - 'iforget', - '1944', - '20002000', - 'birthday1', - 'beatles1', - 'blue1', - 'bigdicks', - 'beethove', - 'blacklab', - 'blazers', - 'benny1', - 'woodwork', - '0069', - '0101', - 'taffy', - 'susie', - 'survivor', - 'swim', - 'stokes', - '4567', - 'shodan', - 'spoiled', - 'steffen', - 'pissed', - 'pavlov', - 'pinnacle', - 'place', - 'petunia', - 'terrell', - 'thirty', - 'toni', - 'tito', - 'teenie', - 'lemonade', - 'lily', - 'lillie', - 'lalakers', - 'lebowski', - 'lalalala', - 'ladyboy', - 'jeeper', - 'joyjoy', - 'mercury1', - 'mantle', - 'mannn', - 'rocknrol', - 'riversid', - 'reeves', - '123aaa', - '11112222', - '121314', - '1021', - '1004', - '1120', - 'allen1', - 'ambers', - 'amstel', - 'ambrose', - 'alice1', - 'alleycat', - 'allegro', - 'ambrosia', - 'alley', - 'australia', - 'hatred', - 'gspot', - 'graves', - 'goodsex', - 'hattrick', - 'harpoon', - '878787', - '8inches', - '4wwvte', - 'cassandr', - 'charlie123', - 'case', - 'chavez', - 'fighting', - 'gabriela', - 'gatsby', - 'fudge', - 'gerry', - 'generic', - 'gareth', - 'fuckme2', - 'samm', - 'sage', - 'seadog', - 'satchmo', - 'scxakv', - 'santafe', - 'dipper', - 'dingle', - 'dizzy', - 'outoutout', - 'madmad', - 'london1', - 'qbg26i', - 'pussy123', - 'randolph', - 'vaughn', - 'tzpvaw', - 'vamp', - 'comedy', - 'comp', - 'cowgirl', - 'coldplay', - 'dawgs', - 'delaney', - 'nt5d27', - 'novifarm', - 'needles', - 'notredam', - 'newness', - 'mykids', - 'bryan1', - 'bouncer', - 'hihihi', - 'honeybee', - 'iceman1', - 'herring', - 'horn', - 'hook', - 'hotlips', - 'dynamo', - 'klaus', - 'kittie', - 'kappa', - 'kahlua', - 'muffy', - 'mizzou', - 'mohamed', - 'musical', - 'wannabe', - 'wednesda', - 'whatup', - 'weller', - 'waterfal', - 'willy1', - 'invest', - 'blanche', - 'bear1', - 'billabon', - 'youknow', - 'zelda', - 'yyyyyy1', - 'zachary1', - '01234567', - '070462', - 'zurich', - 'superstar', - 'storms', - 'tail', - 'stiletto', - 'strat', - '427900', - 'sigmachi', - 'shelter', - 'shells', - 'sexy123', - 'smile1', - 'sophie1', - 'stefano', - 'stayout', - 'somerset', - 'smithers', - 'playmate', - 'pinkfloyd', - 'phish1', - 'payday', - 'thebear', - 'telefon', - 'laetitia', - 'kswbdu', - 'larson', - 'jetta', - 'jerky', - 'melina', - 'metro', - 'revoluti', - 'retire', - 'respect', - '1216', - '1201', - '1204', - '1222', - '1115', - 'archange', - 'barry1', - 'handball', - '676767', - 'chandra', - 'chewbacc', - 'flesh', - 'furball', - 'gocubs', - 'fruit', - 'fullback', - 'gman', - 'gentle', - 'dunbar', - 'dewalt', - 'dominiqu', - 'diver1', - 'dhip6a', - 'olemiss', - 'ollie', - 'mandrake', - 'mangos', - 'pretzel', - 'pusssy', - 'tripleh', - 'valdez', - 'vagabond', - 'clean', - 'comment', - 'crew', - 'clovis', - 'deaths', - 'dandan', - 'csfbr5yy', - 'deadspin', - 'darrel', - 'ninguna', - 'noah', - 'ncc74656', - 'bootsie', - 'bp2002', - 'bourbon', - 'brennan', - 'bumble', - 'books', - 'hose', - 'heyyou', - 'houston1', - 'hemlock', - 'hippo', - 'hornets', - 'hurricane', - 'horseman', - 'hogan', - 'excess', - 'extensa', - 'muffin1', - 'virginie', - 'werdna', - 'idontknow', - 'info', - 'iron', - 'jack1', - '1bitch', - '151nxjmt', - 'bendover', - 'bmwbmw', - 'bills', - 'zaq123', - 'wxcvbn', - 'surprise', - 'supernov', - 'tahoe', - 'talbot', - 'simona', - 'shakur', - 'sexyone', - 'seviyi', - 'sonja', - 'smart1', - 'speed1', - 'pepito', - 'phantom1', - 'playoffs', - 'terry1', - 'terrier', - 'laser1', - 'lite', - 'lancia', - 'johngalt', - 'jenjen', - 'jolene', - 'midori', - 'message', - 'maserati', - 'matteo', - 'mental', - 'miami1', - 'riffraff', - 'ronald1', - 'reason', - 'rhythm', - '1218', - '1026', - '123987', - '1015', - '1103', - 'armada', - 'architec', - 'austria', - 'gotmilk', - 'hawkins', - 'gray', - 'camila', - 'camp', - 'cambridg', - 'charge', - 'camero', - 'flex', - 'foreplay', - 'getoff', - 'glacier', - 'glotest', - 'froggie', - 'gerbil', - 'rugger', - 'sanity72', - 'salesman', - 'donna1', - 'dreaming', - 'deutsch', - 'orchard', - 'oyster', - 'palmtree', - 'ophelia', - 'pajero', - 'm5wkqf', - 'magenta', - 'luckyone', - 'treefrog', - 'vantage', - 'usmarine', - 'tyvugq', - 'uptown', - 'abacab', - 'aaaaaa1', - 'advance', - 'chuck1', - 'delmar', - 'darkange', - 'cyclones', - 'nate', - 'navajo', - 'nope', - 'border', - 'bubba123', - 'building', - 'iawgk2', - 'hrfzlz', - 'dylan1', - 'enrico', - 'encore', - 'emilio', - 'eclipse1', - 'killian', - 'kayleigh', - 'mutant', - 'mizuno', - 'mustang2', - 'video1', - 'viewer', - 'weed420', - 'whales', - 'jaguar1', - 'insight', - '1990', - '159159', - '1love', - 'bliss', - 'bears1', - 'bigtruck', - 'binder', - 'bigboss', - 'blitz', - 'xqgann', - 'yeahyeah', - 'zeke', - 'zardoz', - 'stickman', - 'table', - '3825', - 'signal', - 'sentra', - 'side', - 'shiva', - 'skipper1', - 'singapor', - 'southpaw', - 'sonora', - 'squid', - 'slamdunk', - 'slimjim', - 'placid', - 'photon', - 'placebo', - 'pearl1', - 'test12', - 'therock1', - 'tiger123', - 'leinad', - 'legman', - 'jeepers', - 'joeblow', - 'mccarthy', - 'mike23', - 'redcar', - 'rhinos', - 'rjw7x4', - '1102', - '13576479', - '112211', - 'alcohol', - 'gwju3g', - 'greywolf', - '7bgiqk', - '7878', - '535353', - '4snz9g', - 'candyass', - 'cccccc1', - 'carola', - 'catfight', - 'cali', - 'fister', - 'fosters', - 'finland', - 'frankie1', - 'gizzmo', - 'fuller', - 'royalty', - 'rugrat', - 'sandie', - 'rudolf', - 'dooley', - 'dive', - 'doreen', - 'dodo', - 'drop', - 'oemdlg', - 'out3xf', - 'paddy', - 'opennow', - 'puppy1', - 'qazwsxedc', - 'pregnant', - 'quinn', - 'ramjet', - 'under', - 'uncle', - 'abraxas', - 'corner', - 'creed', - 'cocoa', - 'crown', - 'cows', - 'cn42qj', - 'dancer1', - 'death666', - 'damned', - 'nudity', - 'negative', - 'nimda2k', - 'buick', - 'bobb', - 'braves1', - 'brook', - 'henrik', - 'higher', - 'hooligan', - 'dust', - 'everlast', - 'karachi', - 'mortis', - 'mulligan', - 'monies', - 'motocros', - 'wally1', - 'weapon', - 'waterman', - 'view', - 'willie1', - 'vicki', - 'inspiron', - '1test', - '2929', - 'bigblack', - 'xytfu7', - 'yackwin', - 'zaq1xsw2', - 'yy5rbfsc', - '100100', - '0660', - 'tahiti', - 'takehana', - 'talks', - '332211', - '3535', - 'sedona', - 'seawolf', - 'skydiver', - 'shine', - 'spleen', - 'slash', - 'spjfet', - 'special1', - 'spooner', - 'slimshad', - 'sopranos', - 'spock1', - 'penis1', - 'patches1', - 'terri', - 'thierry', - 'thething', - 'toohot', - 'large', - 'limpone', - 'johnnie', - 'mash4077', - 'matchbox', - 'masterp', - 'maxdog', - 'ribbit', - 'reed', - 'rita', - 'rockin', - 'redhat', - 'rising', - '1113', - '14789632', - '1331', - 'allday', - 'aladin', - 'andrey', - 'amethyst', - 'ariel', - 'anytime', - 'baseball1', - 'athome', - 'basil', - 'goofy1', - 'greenman', - 'gustavo', - 'goofball', - 'ha8fyp', - 'goodday', - '778899', - 'charon', - 'chappy', - 'castillo', - 'caracas', - 'cardiff', - 'capitals', - 'canada1', - 'cajun', - 'catter', - 'freddy1', - 'favorite2', - 'frazier', - 'forme', - 'follow', - 'forsaken', - 'feelgood', - 'gavin', - 'gfxqx686', - 'garlic', - 'sarge', - 'saskia', - 'sanjose', - 'russ', - 'salsa', - 'dilbert1', - 'dukeduke', - 'downhill', - 'longhair', - 'loop', - 'locutus', - 'lockdown', - 'malachi', - 'mamacita', - 'lolipop', - 'rainyday', - 'pumpkin1', - 'punker', - 'prospect', - 'rambo1', - 'rainbows', - 'quake', - 'twin', - 'trinity1', - 'trooper1', - 'aimee', - 'citation', - 'coolcat', - 'crappy', - 'default', - 'dental', - 'deniro', - 'd9ungl', - 'daddys', - 'napoli', - 'nautica', - 'nermal', - 'bukowski', - 'brick', - 'bubbles1', - 'bogota', - 'board', - 'branch', - 'breath', - 'buds', - 'hulk', - 'humphrey', - 'hitachi', - 'evans', - 'ender', - 'export', - 'kikiki', - 'kcchiefs', - 'kram', - 'morticia', - 'montrose', - 'mongo', - 'waqw3p', - 'wizzard', - 'visited', - 'whdbtp', - 'whkzyc', - 'image', - '154ugeiu', - '1fuck', - 'binky', - 'blind', - 'bigred1', - 'blubber', - 'benz', - 'becky1', - 'year2005', - 'wonderfu', - 'wooden', - 'xrated', - '0001', - 'tampabay', - 'survey', - 'tammy1', - 'stuffer', - '3mpz4r', - '3000', - '3some', - 'selina', - 'sierra1', - 'shampoo', - 'silk', - 'shyshy', - 'slapnuts', - 'standby', - 'spartan1', - 'sprocket', - 'sometime', - 'stanley1', - 'poker1', - 'plus', - 'thought', - 'theshit', - 'torture', - 'thinking', - 'lavalamp', - 'light1', - 'laserjet', - 'jediknig', - 'jjjjj1', - 'jocelyn', - 'mazda626', - 'menthol', - 'maximo', - 'margaux', - 'medic1', - 'release', - 'richter', - 'rhino1', - 'roach', - 'renate', - 'repair', - 'reveal', - '1209', - '1234321', - 'amigos', - 'apricot', - 'alexandra', - 'asdfgh1', - 'hairball', - 'hatter', - 'graduate', - 'grimace', - '7xm5rq', - '6789', - 'cartoons', - 'capcom', - 'cheesy', - 'cashflow', - 'carrots', - 'camping', - 'fanatic', - 'fool', - 'format', - 'fleming', - 'girlie', - 'glover', - 'gilmore', - 'gardner', - 'safeway', - 'ruthie', - 'dogfart', - 'dondon', - 'diapers', - 'outsider', - 'odin', - 'opiate', - 'lollol', - 'love12', - 'loomis', - 'mallrats', - 'prague', - 'primetime21', - 'pugsley', - 'program', - 'r29hqq', - 'touch', - 'valleywa', - 'airman', - 'abcdefg1', - 'darkone', - 'cummer', - 'dempsey', - 'damn', - 'nadia', - 'natedogg', - 'nineball', - 'ndeyl5', - 'natchez', - 'newone', - 'normandy', - 'nicetits', - 'buddy123', - 'buddys', - 'homely', - 'husky', - 'iceland', - 'hr3ytm', - 'highlife', - 'holla', - 'earthlin', - 'exeter', - 'eatmenow', - 'kimkim', - 'karine', - 'k2trix', - 'kernel', - 'kirkland', - 'money123', - 'moonman', - 'miles1', - 'mufasa', - 'mousey', - 'wilma', - 'wilhelm', - 'whites', - 'warhamme', - 'instinct', - 'jackass1', - '2277', - '20spanks', - 'blobby', - 'blair', - 'blinky', - 'bikers', - 'blackjack', - 'becca', - 'blue23', - 'xman', - 'wyvern', - '085tzzqi', - 'zxzxzx', - 'zsmj2v', - 'suede', - 't26gn4', - 'sugars', - 'sylvie', - 'tantra', - 'swoosh', - 'swiss', - '4226', - '4271', - '321123', - '383pdjvl', - 'shoe', - 'shane1', - 'shelby1', - 'spades', - 'spain', - 'smother', - 'soup', - 'sparhawk', - 'pisser', - 'photo1', - 'pebble', - 'phones', - 'peavey', - 'picnic', - 'pavement', - 'terra', - 'thistle', - 'tokyo', - 'therapy', - 'lives', - 'linden', - 'kronos', - 'lilbit', - 'linux', - 'johnston', - 'material', - 'melanie1', - 'marbles', - 'redlight', - 'reno', - 'recall', - '1208', - '1138', - '1008', - 'alchemy', - 'aolsucks', - 'alexalex', - 'atticus', - 'auditt', - 'ballet', - 'b929ezzh', - 'goodyear', - 'hanna', - 'griffith', - 'gubber', - '863abgsg', - '7474', - '797979', - '464646', - '543210', - '4zqauf', - '4949', - 'ch5nmk', - 'carlito', - 'chewey', - 'carebear', - 'caleb', - 'checkmat', - 'cheddar', - 'chachi', - 'fever', - 'forgetit', - 'fine', - 'forlife', - 'giants1', - 'gates', - 'getit', - 'gamble', - 'gerhard', - 'galileo', - 'g3ujwg', - 'ganja', - 'rufus1', - 'rushmore', - 'scouts', - 'discus', - 'dudeman', - 'olympus', - 'oscars', - 'osprey', - 'madcow', - 'locust', - 'loyola', - 'mammoth', - 'proton', - 'rabbit1', - 'question', - 'ptfe3xxp', - 'pwxd5x', - 'purple1', - 'punkass', - 'prophecy', - 'uyxnyd', - 'tyson1', - 'aircraft', - 'access99', - 'abcabc', - 'cocktail', - 'colts', - 'civilwar', - 'cleveland', - 'claudia1', - 'contour', - 'clement', - 'dddddd1', - 'cypher', - 'denied', - 'dapzu455', - 'dagmar', - 'daisydog', - 'name', - 'noles', - 'butters', - 'buford', - 'hoochie', - 'hotel', - 'hoser', - 'eddy', - 'ellis', - 'eldiablo', - 'kingrich', - 'mudvayne', - 'motown', - 'mp8o6d', - 'wife', - 'vipergts', - 'italiano', - 'innocent', - '2055', - '2211', - 'beavers', - 'bloke', - 'blade1', - 'yamato', - 'zooropa', - 'yqlgr667', - '050505', - 'zxcvbnm1', - 'zw6syj', - 'suckcock', - 'tango1', - 'swing', - 'stern', - 'stephens', - 'swampy', - 'susanna', - 'tammie', - '445566', - '333666', - '380zliki', - 'sexpot', - 'sexylady', - 'sixtynin', - 'sickboy', - 'spiffy', - 'sleeping', - 'skylark', - 'sparkles', - 'slam', - 'pintail', - 'phreak', - 'places', - 'teller', - 'timtim', - 'tires', - 'thighs', - 'left', - 'latex', - 'llamas', - 'letsdoit', - 'lkjhg', - 'landmark', - 'letters', - 'lizzard', - 'marlins', - 'marauder', - 'metal1', - 'manu', - 'register', - 'righton', - '1127', - 'alain', - 'alcat', - 'amigo', - 'basebal1', - 'azertyui', - 'attract', - 'azrael', - 'hamper', - 'gotenks', - 'golfgti', - 'gutter', - 'hawkwind', - 'h2slca', - 'harman', - 'grace1', - '6chid8', - '789654', - 'canine', - 'casio', - 'cazzo', - 'chamber', - 'cbr900', - 'cabrio', - 'calypso', - 'capetown', - 'feline', - 'flathead', - 'fisherma', - 'flipmode', - 'fungus', - 'goal', - 'g9zns4', - 'full', - 'giggle', - 'gabriel1', - 'fuck123', - 'saffron', - 'dogmeat', - 'dreamcas', - 'dirtydog', - 'dunlop', - 'douche', - 'dresden', - 'dickdick', - 'destiny1', - 'pappy', - 'oaktree', - 'lydia', - 'luft4', - 'puta', - 'prayer', - 'ramada', - 'trumpet1', - 'vcradq', - 'tulip', - 'tracy71', - 'tycoon', - 'aaaaaaa1', - 'conquest', - 'click', - 'chitown', - 'corps', - 'creepers', - 'constant', - 'couples', - 'code', - 'cornhole', - 'danman', - 'dada', - 'density', - 'd9ebk7', - 'cummins', - 'darth', - 'cute', - 'nash', - 'nirvana1', - 'nixon', - 'norbert', - 'nestle', - 'brenda1', - 'bonanza', - 'bundy', - 'buddies', - 'hotspur', - 'heavy', - 'horror', - 'hufmqw', - 'electro', - 'erasure', - 'enough', - 'elisabet', - 'etvww4', - 'ewyuza', - 'eric1', - 'kinder', - 'kenken', - 'kismet', - 'klaatu', - 'musician', - 'milamber', - 'willi', - 'waiting', - 'isacs155', - 'igor', - '1million', - '1letmein', - 'x35v8l', - 'yogi', - 'ywvxpz', - 'xngwoj', - 'zippy1', - '020202', - '****', - 'stonewal', - 'sweeney', - 'story', - 'sentry', - 'sexsexsex', - 'spence', - 'sonysony', - 'smirnoff', - 'star12', - 'solace', - 'sledge', - 'states', - 'snyder', - 'star1', - 'paxton', - 'pentagon', - 'pkxe62', - 'pilot1', - 'pommes', - 'paulpaul', - 'plants', - 'tical', - 'tictac', - 'toes', - 'lighthou', - 'lemans', - 'kubrick', - 'letmein22', - 'letmesee', - 'jys6wz', - 'jonesy', - 'jjjjjj1', - 'jigga', - 'joelle', - 'mate', - 'merchant', - 'redstorm', - 'riley1', - 'rosa', - 'relief', - '14141414', - '1126', - 'allison1', - 'badboy1', - 'asthma', - 'auggie', - 'basement', - 'hartley', - 'hartford', - 'hardwood', - 'gumbo', - '616913', - '57np39', - '56qhxs', - '4mnveh', - 'cake', - 'forbes', - 'fatluvr69', - 'fqkw5m', - 'fidelity', - 'feathers', - 'fresno', - 'godiva', - 'gecko', - 'gladys', - 'gibson1', - 'gogators', - 'fridge', - 'general1', - 'saxman', - 'rowing', - 'sammys', - 'scotts', - 'scout1', - 'sasasa', - 'samoht', - 'dragon69', - 'ducky', - 'dragonball', - 'driller', - 'p3wqaw', - 'nurse', - 'papillon', - 'oneone', - 'openit', - 'optimist', - 'longshot', - 'portia', - 'rapier', - 'pussy2', - 'ralphie', - 'tuxedo', - 'ulrike', - 'undertow', - 'trenton', - 'copenhag', - 'come', - 'delldell', - 'culinary', - 'deltas', - 'mytime', - 'nicky', - 'nickie', - 'noname', - 'noles1', - 'bucker', - 'bopper', - 'bullock', - 'burnout', - 'bryce', - 'hedges', - 'ibilltes', - 'hihje863', - 'hitter', - 'ekim', - 'espana', - 'eatme69', - 'elpaso', - 'envelope', - 'express1', - 'eeeeee1', - 'eatme1', - 'karaoke', - 'kara', - 'mustang5', - 'misses', - 'wellingt', - 'willem', - 'waterski', - 'webcam', - 'jasons', - 'infinite', - 'iloveyou!', - 'jakarta', - 'belair', - 'bigdad', - 'beerme', - 'yoshi', - 'yinyang', - 'zimmer', - 'x24ik3', - '063dyjuy', - '0000007', - 'ztmfcq', - 'stopit', - 'stooges', - 'survival', - 'stockton', - 'symow8', - 'strato', - '2hot4u', - 'ship', - 'simons', - 'skins', - 'shakes', - 'sex1', - 'shield', - 'snacks', - 'softtail', - 'slimed123', - 'pizzaman', - 'pipe', - 'pitt', - 'pathetic', - 'pinto', - 'tigercat', - 'tonton', - 'lager', - 'lizzy', - 'juju', - 'john123', - 'jennings', - 'josiah', - 'jesse1', - 'jordon', - 'jingles', - 'martian', - 'mario1', - 'rootedit', - 'rochard', - 'redwine', - 'requiem', - 'riverrat', - 'rats', - '1117', - '1014', - '1205', - 'althea', - 'allie', - 'amor', - 'amiga', - 'alpina', - 'alert', - 'atreides', - 'banana1', - 'bahamut', - 'hart', - 'golfman', - 'happines', - '7uftyx', - '5432', - '5353', - '5151', - '4747', - 'byron', - 'chatham', - 'chadwick', - 'cherie', - 'foxfire', - 'ffvdj474', - 'freaked', - 'foreskin', - 'gayboy', - 'gggggg1', - 'glenda', - 'gameover', - 'glitter', - 'funny1', - 'scoobydoo', - 'scroll', - 'rudolph', - 'saddle', - 'saxophon', - 'dingbat', - 'digimon', - 'omicron', - 'parsons', - 'ohio', - 'panda1', - 'loloxx', - 'macintos', - 'lululu', - 'lollypop', - 'racer1', - 'queen1', - 'qwertzui', - 'prick', - 'upnfmc', - 'tyrant', - 'trout1', - '9skw5g', - 'aceman', - 'adelaide', - 'acls2h', - 'aaabbb', - 'acapulco', - 'aggie', - 'comcast', - 'craft', - 'crissy', - 'cloudy', - 'cq2kph', - 'custer', - 'd6o8pm', - 'cybersex', - 'davecole', - 'darian', - 'crumbs', - 'daisey', - 'davedave', - 'dasani', - 'needle', - 'mzepab', - 'myporn', - 'narnia', - 'nineteen', - 'booger1', - 'bravo1', - 'budgie', - 'btnjey', - 'highlander', - 'hotel6', - 'humbug', - 'edwin', - 'ewtosi', - 'kristin1', - 'kobe', - 'knuckles', - 'keith1', - 'katarina', - 'muff', - 'muschi', - 'montana1', - 'wingchun', - 'wiggle', - 'whatthe', - 'walking', - 'watching', - 'vette1', - 'vols', - 'virago', - 'intj3a', - 'ishmael', - 'intern', - 'jachin', - 'illmatic', - '199999', - '2010', - 'beck', - 'blender', - 'bigpenis', - 'bengal', - 'blue1234', - 'your', - 'zaqxsw', - 'xray', - 'xxxxxxx1', - 'zebras', - 'yanks', - 'worlds', - 'tadpole', - 'stripes', - 'svetlana', - '3737', - '4343', - '3728', - '4444444', - '368ejhih', - 'solar', - 'sonne', - 'smalls', - 'sniffer', - 'sonata', - 'squirts', - 'pitcher', - 'playstation', - 'pktmxr', - 'pescator', - 'points', - 'texaco', - 'lesbos', - 'lilian', - 'l8v53x', - 'jo9k2jw2', - 'jimbeam', - 'josie', - 'jimi', - 'jupiter2', - 'jurassic', - 'marines1', - 'maya', - 'rocket1', - 'ringer', - '14725836', - '12345679', - '1219', - '123098', - '1233', - 'alessand', - 'althor', - 'angelika', - 'arch', - 'armando', - 'alpha123', - 'basher', - 'barefeet', - 'balboa', - 'bbbbb1', - 'banks', - 'badabing', - 'harriet', - 'gopack', - 'golfnut', - 'gsxr1000', - 'gregory1', - '766rglqy', - '8520', - '753159', - '8dihc6', - '69camaro', - '666777', - 'cheeba', - 'chino', - 'calendar', - 'cheeky', - 'camel1', - 'fishcake', - 'falling', - 'flubber', - 'giuseppe', - 'gianni', - 'gloves', - 'gnasher23', - 'frisbee', - 'fuzzy1', - 'fuzzball', - 'sauce', - 'save13tx', - 'schatz', - 'russell1', - 'sandra1', - 'scrotum', - 'scumbag', - 'sabre', - 'samdog', - 'dripping', - 'dragon12', - 'dragster', - 'paige', - 'orwell', - 'mainland', - 'lunatic', - 'lonnie', - 'lotion', - 'maine', - 'maddux', - 'qn632o', - 'poophead', - 'rapper', - 'porn4life', - 'producer', - 'rapunzel', - 'tracks', - 'velocity', - 'vanessa1', - 'ulrich', - 'trueblue', - 'vampire1', - 'abacus', - '902100', - 'crispy', - 'corky', - 'crane', - 'chooch', - 'd6wnro', - 'cutie', - 'deal', - 'dabulls', - 'dehpye', - 'navyseal', - 'njqcw4', - 'nownow', - 'nigger1', - 'nightowl', - 'nonenone', - 'nightmar', - 'bustle', - 'buddy2', - 'boingo', - 'bugman', - 'bulletin', - 'bosshog', - 'bowie', - 'hybrid', - 'hillside', - 'hilltop', - 'hotlegs', - 'honesty', - 'hzze929b', - 'hhhhh1', - 'hellohel', - 'eloise', - 'evilone', - 'edgewise', - 'e5pftu', - 'eded', - 'embalmer', - 'excalibur', - 'elefant', - 'kenzie', - 'karl', - 'karin', - 'killah', - 'kleenex', - 'mouses', - 'mounta1n', - 'motors', - 'mutley', - 'muffdive', - 'vivitron', - 'winfield', - 'wednesday', - 'w00t88', - 'iloveit', - 'jarjar', - 'incest', - 'indycar', - '17171717', - '1664', - '17011701', - '222777', - '2663', - 'beelch', - 'benben', - 'yitbos', - 'yyyyy1', - 'yasmin', - 'zapata', - 'zzzzz1', - 'stooge', - 'tangerin', - 'taztaz', - 'stewart1', - 'summer69', - 'sweetness', - 'system1', - 'surveyor', - 'stirling', - '3qvqod', - '3way', - '456321', - 'sizzle', - 'simhrq', - 'shrink', - 'shawnee', - 'someday', - 'sparty', - 'ssptx452', - 'sphere', - 'spark', - 'slammed', - 'sober', - 'persian', - 'peppers', - 'ploppy', - 'pn5jvw', - 'poobear', - 'pianos', - 'plaster', - 'testme', - 'tiff', - 'thriller', - 'larissa', - 'lennox', - 'jewell', - 'master12', - 'messier', - 'rockey', - '1229', - '1217', - '1478', - '1009', - 'anastasi', - 'almighty', - 'amonra', - 'aragon', - 'argentin', - 'albino', - 'azazel', - 'grinder', - '6uldv8', - '83y6pv', - '8888888', - '4tlved', - '515051', - 'carsten', - 'changes', - 'flanders', - 'flyers88', - 'ffffff1', - 'firehawk', - 'foreman', - 'firedog', - 'flashman', - 'ggggg1', - 'gerber', - 'godspeed', - 'galway', - 'giveitup', - 'funtimes', - 'gohan', - 'giveme', - 'geryfe', - 'frenchie', - 'sayang', - 'rudeboy', - 'savanna', - 'sandals', - 'devine', - 'dougal', - 'drag0n', - 'dga9la', - 'disaster', - 'desktop', - 'only', - 'onlyone', - 'otter', - 'pandas', - 'mafia', - 'lombard', - 'luckys', - 'lovejoy', - 'lovelife', - 'manders', - 'product', - 'qqh92r', - 'qcmfd454', - 'pork', - 'radar1', - 'punani', - 'ptbdhw', - 'turtles', - 'undertaker', - 'trs8f7', - 'tramp', - 'ugejvp', - 'abba', - '911turbo', - 'acdc', - 'abcd123', - 'clever', - 'corina', - 'cristian', - 'create', - 'crash1', - 'colony', - 'crosby', - 'delboy', - 'daniele', - 'davinci', - 'daughter', - 'notebook', - 'niki', - 'nitrox', - 'borabora', - 'bonzai', - 'budd', - 'brisbane', - 'hotter', - 'heeled', - 'heroes', - 'hooyah', - 'hotgirl', - 'i62gbq', - 'horse1', - 'hills', - 'hpk2qc', - 'epvjb6', - 'echo', - 'korean', - 'kristie', - 'mnbvc', - 'mohammad', - 'mind', - 'mommy1', - 'munster', - 'wade', - 'wiccan', - 'wanted', - 'jacket', - '2369', - 'bettyboo', - 'blondy', - 'bismark', - 'beanbag', - 'bjhgfi', - 'blackice', - 'yvtte545', - 'ynot', - 'yess', - 'zlzfrh', - 'wolvie', - '007bond', - '******', - 'tailgate', - 'tanya1', - 'sxhq65', - 'stinky1', - '3234412', - '3ki42x', - 'seville', - 'shimmer', - 'sheryl', - 'sienna', - 'shitshit', - 'skillet', - 'seaman', - 'sooners1', - 'solaris', - 'smartass', - 'pastor', - 'pasta', - 'pedros', - 'pennywis', - 'pfloyd', - 'tobydog', - 'thetruth', - 'lethal', - 'letme1n', - 'leland', - 'jenifer', - 'mario66', - 'micky', - 'rocky2', - 'rewq', - 'ripped', - 'reindeer', - '1128', - '1207', - '1104', - '1432', - 'aprilia', - 'allstate', - 'alyson', - 'bagels', - 'basic', - 'baggies', - 'barb', - 'barrage', - 'greatest', - 'gomez', - 'guru', - 'guard', - '72d5tn', - '606060', - '4wcqjn', - 'caldwell', - 'chance1', - 'catalog', - 'faust', - 'film', - 'flange', - 'fran', - 'fartman', - 'geil', - 'gbhcf2', - 'fussball', - 'glen', - 'fuaqz4', - 'gameboy', - 'garnet', - 'geneviev', - 'rotary', - 'seahawk', - 'russel', - 'saab', - 'seal', - 'samadams', - 'devlt4', - 'ditto', - 'drevil', - 'drinker', - 'deuce', - 'dipstick', - 'donut', - 'octopus', - 'ottawa', - 'losangel', - 'loverman', - 'porky', - 'q9umoz', - 'rapture', - 'pump', - 'pussy4me', - 'university', - 'triplex', - 'ue8fpw', - 'trent', - 'trophy', - 'turbos', - 'troubles', - 'agent', - 'aaa340', - 'churchil', - 'crazyman', - 'consult', - 'creepy', - 'craven', - 'class', - 'cutiepie', - 'ddddd1', - 'dejavu', - 'cuxldv', - 'nettie', - 'nbvibt', - 'nikon', - 'niko', - 'norwood', - 'nascar1', - 'nolan', - 'bubba2', - 'boobear', - 'boogers', - 'buff', - 'bullwink', - 'bully', - 'bulldawg', - 'horsemen', - 'escalade', - 'editor', - 'eagle2', - 'dynamic', - 'ella', - 'efyreg', - 'edition', - 'kidney', - 'minnesot', - 'mogwai', - 'morrow', - 'msnxbi', - 'moonlight', - 'mwq6qlzo', - 'wars', - 'werder', - 'verygood', - 'voodoo1', - 'wheel', - 'iiiiii1', - '159951', - '1624', - '1911a1', - '2244', - 'bellagio', - 'bedlam', - 'belkin', - 'bill1', - 'woodrow', - 'xirt2k', - 'worship', - '??????', - 'tanaka', - 'swift', - 'susieq', - 'sundown', - 'sukebe', - 'tales', - 'swifty', - '2fast4u', - 'senate', - 'sexe', - 'sickness', - 'shroom', - 'shaun', - 'seaweed', - 'skeeter1', - 'status', - 'snicker', - 'sorrow', - 'spanky1', - 'spook', - 'patti', - 'phaedrus', - 'pilots', - 'pinch', - 'peddler', - 'theo', - 'thumper1', - 'tessie', - 'tiger7', - 'tmjxn151', - 'thematri', - 'l2g7k3', - 'letmeinn', - 'lazy', - 'jeffjeff', - 'joan', - 'johnmish', - 'mantra', - 'mariana', - 'mike69', - 'marshal', - 'mart', - 'mazda6', - 'riptide', - 'robots', - 'rental', - '1107', - '1130', - '142857', - '11001001', - '1134', - 'armored', - 'alvin', - 'alec', - 'allnight', - 'alright', - 'amatuers', - 'bartok', - 'attorney', - 'astral', - 'baboon', - 'bahamas', - 'balls1', - 'bassoon', - 'hcleeb', - 'happyman', - 'granite', - 'graywolf', - 'golf1', - 'gomets', - '8vjzus', - '7890', - '789123', - '8uiazp', - '5757', - '474jdvff', - '551scasi', - '50cent', - 'camaro1', - 'cherry1', - 'chemist', - 'final', - 'firenze', - 'fishtank', - 'farrell', - 'freewill', - 'glendale', - 'frogfrog', - 'gerhardt', - 'ganesh', - 'same', - 'scirocco', - 'devilman', - 'doodles', - 'dinger', - 'okinawa', - 'olympic', - 'nursing', - 'orpheus', - 'ohmygod', - 'paisley', - 'pallmall', - 'null', - 'lounge', - 'lunchbox', - 'manhatta', - 'mahalo', - 'mandarin', - 'qwqwqw', - 'qguvyt', - 'pxx3eftp', - 'president', - 'rambler', - 'puzzle', - 'poppy1', - 'turk182', - 'trotter', - 'vdlxuc', - 'trish', - 'tugboat', - 'valiant', - 'tracie', - 'uwrl7c', - 'chris123', - 'coaster', - 'cmfnpu', - 'decimal', - 'debbie1', - 'dandy', - 'daedalus', - 'dede', - 'natasha1', - 'nissan1', - 'nancy123', - 'nevermin', - 'napalm', - 'newcastle', - 'boats', - 'branden', - 'britt', - 'bonghit', - 'hester', - 'ibxnsm', - 'hhhhhh1', - 'holger', - 'durham', - 'edmonton', - 'erwin', - 'equinox', - 'dvader', - 'kimmy', - 'knulla', - 'mustafa', - 'monsoon', - 'mistral', - 'morgana', - 'monica1', - 'mojave', - 'month', - 'monterey', - 'mrbill', - 'vkaxcs', - 'victor1', - 'wacker', - 'wendell', - 'violator', - 'vfdhif', - 'wilson1', - 'wavpzt', - 'verena', - 'wildstar', - 'winter99', - 'iqzzt580', - 'jarrod', - 'imback', - '1914', - '19741974', - '1monkey', - '1q2w3e4r5t', - '2500', - '2255', - 'blank', - 'bigshow', - 'bigbucks', - 'blackcoc', - 'zoomer', - 'wtcacq', - 'wobble', - 'xmen', - 'xjznq5', - 'yesterda', - 'yhwnqc', - 'zzzxxx', - 'streak', - '393939', - '2fchbg', - 'skinhead', - 'skilled', - 'shakira', - 'shaft', - 'shadow12', - 'seaside', - 'sigrid', - 'sinful', - 'silicon', - 'smk7366', - 'snapshot', - 'sniper1', - 'soccer11', - 'staff', - 'slap', - 'smutty', - 'peepers', - 'pleasant', - 'plokij', - 'pdiddy', - 'pimpdaddy', - 'thrust', - 'terran', - 'topaz', - 'today1', - 'lionhear', - 'littlema', - 'lauren1', - 'lincoln1', - 'lgnu9d', - 'laughing', - 'juneau', - 'methos', - 'medina', - 'merlyn', - 'rogue1', - 'romulus', - 'redshift', - '1202', - '1469', - '12locked', - 'arizona1', - 'alfarome', - 'al9agd', - 'aol123', - 'altec', - 'apollo1', - 'arse', - 'baker1', - 'bbb747', - 'bach', - 'axeman', - 'astro1', - 'hawthorn', - 'goodfell', - 'hawks1', - 'gstring', - 'hannes', - '8543852', - '868686', - '4ng62t', - '554uzpad', - '5401', - '567890', - '5232', - 'catfood', - 'frame', - 'flow', - 'fire1', - 'flipflop', - 'fffff1', - 'fozzie', - 'fluff', - 'garrison', - 'fzappa', - 'furious', - 'round', - 'rustydog', - 'sandberg', - 'scarab', - 'satin', - 'ruger', - 'samsung1', - 'destin', - 'diablo2', - 'dreamer1', - 'detectiv', - 'dominick', - 'doqvq3', - 'drywall', - 'paladin1', - 'papabear', - 'offroad', - 'panasonic', - 'nyyankee', - 'luetdi', - 'qcfmtz', - 'pyf8ah', - 'puddles', - 'privacy', - 'rainer', - 'pussyeat', - 'ralph1', - 'princeto', - 'trivia', - 'trewq', - 'tri5a3', - 'advent', - '9898', - 'agyvorc', - 'clarkie', - 'coach1', - 'courier', - 'contest', - 'christo', - 'corinna', - 'chowder', - 'concept', - 'climbing', - 'cyzkhw', - 'davidb', - 'dad2ownu', - 'days', - 'daredevi', - 'de7mdf', - 'nose', - 'necklace', - 'nazgul', - 'booboo1', - 'broad', - 'bonzo', - 'brenna', - 'boot', - 'butch1', - 'huskers1', - 'hgfdsa', - 'hornyman', - 'elmer', - 'elektra', - 'england1', - 'elodie', - 'kermit1', - 'knife', - 'kaboom', - 'minute', - 'modern', - 'motherfucker', - 'morten', - 'mocha', - 'monday1', - 'morgoth', - 'ward', - 'weewee', - 'weenie', - 'walters', - 'vorlon', - 'website', - 'wahoo', - 'ilovegod', - 'insider', - 'jayman', - '1911', - '1dallas', - '1900', - '1ranger', - '201jedlz', - '2501', - '1qaz', - 'bertram', - 'bignuts', - 'bigbad', - 'beebee', - 'billows', - 'belize', - 'bebe', - 'wvj5np', - 'wu4etd', - 'yamaha1', - 'wrinkle5', - 'zebra1', - 'yankee1', - 'zoomzoom', - '09876543', - '0311', - '?????', - 'stjabn', - 'tainted', - '3tmnej', - 'shoot', - 'skooter', - 'skelter', - 'sixteen', - 'starlite', - 'smack', - 'spice1', - 'stacey1', - 'smithy', - 'perrin', - 'pollux', - 'peternorth', - 'pixie', - 'paulina', - 'piston', - 'pick', - 'poets', - 'pine', - 'toons', - 'tooth', - 'topspin', - 'kugm7b', - 'legends', - 'jeepjeep', - 'juliana', - 'joystick', - 'junkmail', - 'jojojojo', - 'jonboy', - 'judge', - 'midland', - 'meteor', - 'mccabe', - 'matter', - 'mayfair', - 'meeting', - 'merrill', - 'raul', - 'riches', - 'reznor', - 'rockrock', - 'reboot', - 'reject', - 'robyn', - 'renee1', - 'roadway', - 'rasta220', - '1411', - '1478963', - '1019', - 'archery', - 'allman', - 'andyandy', - 'barks', - 'bagpuss', - 'auckland', - 'gooseman', - 'hazmat', - 'gucci', - 'guns', - 'grammy', - 'happydog', - 'greek', - '7kbe9d', - '7676', - '6bjvpe', - '5lyedn', - '5858', - '5291', - 'charlie2', - 'chas', - 'c7lrwu', - 'candys', - 'chateau', - 'ccccc1', - 'cardinals', - 'fear', - 'fihdfv', - 'fortune12', - 'gocats', - 'gaelic', - 'fwsadn', - 'godboy', - 'gldmeo', - 'fx3tuo', - 'fubar1', - 'garland', - 'generals', - 'gforce', - 'rxmtkp', - 'rulz', - 'sairam', - 'dunhill', - 'division', - 'dogggg', - 'detect', - 'details', - 'doll', - 'drinks', - 'ozlq6qwm', - 'ov3ajy', - 'lockout', - 'makayla', - 'macgyver', - 'mallorca', - 'loves', - 'prima', - 'pvjegu', - 'qhxbij', - 'raphael', - 'prelude1', - 'totoro', - 'tusymo', - 'trousers', - 'tunnel', - 'valeria', - 'tulane', - 'turtle1', - 'tracy1', - 'aerosmit', - 'abbey1', - 'address', - 'clticic', - 'clueless', - 'cooper1', - 'comets', - 'collect', - 'corbin', - 'delpiero', - 'derick', - 'cyprus', - 'dante1', - 'dave1', - 'nounours', - 'neal', - 'nexus6', - 'nero', - 'nogard', - 'norfolk', - 'brent1', - 'booyah', - 'bootleg', - 'buckaroo', - 'bulls23', - 'bulls1', - 'booper', - 'heretic', - 'icecube', - 'hellno', - 'hounds', - 'honeydew', - 'hooters1', - 'hoes', - 'howie', - 'hevnm4', - 'hugohugo', - 'eighty', - 'epson', - 'evangeli', - 'eeeee1', - 'eyphed' -]; \ No newline at end of file +Mellt.prototype.CommonPasswords=["password","123456","12345678","1234","qwerty","12345","dragon","pussy","baseball","football","letmein","monkey","696969","abc123","mustang","michael","shadow","master","jennifer","111111","2000","jordan","superman","harley","1234567","fuckme","hunter","fuckyou","trustno1","ranger","buster","thomas","tigger","robert","soccer","fuck","batman","test","pass","killer","hockey","george","charlie","andrew","michelle","love","sunshine","jessica","asshole","6969","pepper","daniel","access","123456789","654321","joshua","maggie","starwars","silver","william","dallas","yankees","123123","ashley","666666","hello","amanda","orange","biteme","freedom","computer","sexy","thunder","nicole","ginger","heather","hammer","summer","corvette","taylor","fucker","austin","1111","merlin","matthew","121212","golfer","cheese","princess","martin","chelsea","patrick","richard","diamond","yellow","bigdog","secret","asdfgh","sparky","cowboy","camaro","anthony","matrix","falcon","iloveyou","bailey","guitar","jackson","purple","scooter","phoenix","aaaaaa","morgan","tigers","porsche","mickey","maverick","cookie","nascar","peanut","justin","131313","money","horny","samantha","panties","steelers","joseph","snoopy","boomer","whatever","iceman","smokey","gateway","dakota","cowboys","eagles","chicken","dick","black","zxcvbn","please","andrea","ferrari","knight","hardcore","melissa","compaq","coffee","booboo","bitch","johnny","bulldog","xxxxxx","welcome","james","player","ncc1701","wizard","scooby","charles","junior","internet","bigdick","mike","brandy","tennis","blowjob","banana","monster","spider","lakers","miller","rabbit","enter","mercedes","brandon","steven","fender","john","yamaha","diablo","chris","boston","tiger","marine","chicago","rangers","gandalf","winter","bigtits","barney","edward","raiders","porn","badboy","blowme","spanky","bigdaddy","johnson","chester","london","midnight","blue","fishing","000000","hannah","slayer","11111111","rachel","sexsex","redsox","thx1138","asdf","marlboro","panther","zxcvbnm","arsenal","oliver","qazwsx","mother","victoria","7777777","jasper","angel","david","winner","crystal","golden","butthead","viking","jack","iwantu","shannon","murphy","angels","prince","cameron","girls","madison","wilson","carlos","hooters","willie","startrek","captain","maddog","jasmine","butter","booger","angela","golf","lauren","rocket","tiffany","theman","dennis","liverpoo","flower","forever","green","jackie","muffin","turtle","sophie","danielle","redskins","toyota","jason","sierra","winston","debbie","giants","packers","newyork","jeremy","casper","bubba","112233","sandra","lovers","mountain","united","cooper","driver","tucker","helpme","fucking","pookie","lucky","maxwell","8675309","bear","suckit","gators","5150","222222","shithead","fuckoff","jaguar","monica","fred","happy","hotdog","tits","gemini","lover","xxxxxxxx","777777","canada","nathan","victor","florida","88888888","nicholas","rosebud","metallic","doctor","trouble","success","stupid","tomcat","warrior","peaches","apples","fish","qwertyui","magic","buddy","dolphins","rainbow","gunner","987654","freddy","alexis","braves","cock","2112","1212","cocacola","xavier","dolphin","testing","bond007","member","calvin","voodoo","7777","samson","alex","apollo","fire","tester","walter","beavis","voyager","peter","porno","bonnie","rush2112","beer","apple","scorpio","jonathan","skippy","sydney","scott","red123","power","gordon","travis","beaver","star","jackass","flyers","boobs","232323","zzzzzz","steve","rebecca","scorpion","doggie","legend","ou812","yankee","blazer","bill","runner","birdie","bitches","555555","parker","topgun","asdfasdf","heaven","viper","animal","2222","bigboy","4444","arthur","baby","private","godzilla","donald","williams","lifehack","phantom","dave","rock","august","sammy","cool","brian","platinum","jake","bronco","paul","mark","frank","heka6w2","copper","billy","cumshot","garfield","willow","cunt","little","carter","slut","albert","69696969","kitten","super","jordan23","eagle1","shelby","america","11111","jessie","house","free","123321","chevy","bullshit","white","broncos","horney","surfer","nissan","999999","saturn","airborne","elephant","marvin","shit","action","adidas","qwert","kevin","1313","explorer","walker","police","christin","december","benjamin","wolf","sweet","therock","king","online","dickhead","brooklyn","teresa","cricket","sharon","dexter","racing","penis","gregory","0000","teens","redwings","dreams","michigan","hentai","magnum","87654321","nothing","donkey","trinity","digital","333333","stella","cartman","guinness","123abc","speedy","buffalo","kitty","pimpin","eagle","einstein","kelly","nelson","nirvana","vampire","xxxx","playboy","louise","pumpkin","snowball","test123","girl","sucker","mexico","beatles","fantasy","ford","gibson","celtic","marcus","cherry","cassie","888888","natasha","sniper","chance","genesis","hotrod","reddog","alexande","college","jester","passw0rd","bigcock","smith","lasvegas","carmen","slipknot","3333","death","kimberly","1q2w3e","eclipse","1q2w3e4r","stanley","samuel","drummer","homer","montana","music","aaaa","spencer","jimmy","carolina","colorado","creative","hello1","rocky","goober","friday","bollocks","scotty","abcdef","bubbles","hawaii","fluffy","mine","stephen","horses","thumper","5555","pussies","darkness","asdfghjk","pamela","boobies","buddha","vanessa","sandman","naughty","douglas","honda","matt","azerty","6666","shorty","money1","beach","loveme","4321","simple","poohbear","444444","badass","destiny","sarah","denise","vikings","lizard","melanie","assman","sabrina","nintendo","water","good","howard","time","123qwe","november","xxxxx","october","leather","bastard","young","101010","extreme","hard","password1","vincent","pussy1","lacrosse","hotmail","spooky","amateur","alaska","badger","paradise","maryjane","poop","crazy","mozart","video","russell","vagina","spitfire","anderson","norman","eric","cherokee","cougar","barbara","long","420420","family","horse","enigma","allison","raider","brazil","blonde","jones","55555","dude","drowssap","jeff","school","marshall","lovely","1qaz2wsx","jeffrey","caroline","franklin","booty","molly","snickers","leslie","nipples","courtney","diesel","rocks","eminem","westside","suzuki","daddy","passion","hummer","ladies","zachary","frankie","elvis","reggie","alpha","suckme","simpson","patricia","147147","pirate","tommy","semperfi","jupiter","redrum","freeuser","wanker","stinky","ducati","paris","natalie","babygirl","bishop","windows","spirit","pantera","monday","patches","brutus","houston","smooth","penguin","marley","forest","cream","212121","flash","maximus","nipple","bobby","bradley","vision","pokemon","champion","fireman","indian","softball","picard","system","clinton","cobra","enjoy","lucky1","claire","claudia","boogie","timothy","marines","security","dirty","admin","wildcats","pimp","dancer","hardon","veronica","fucked","abcd1234","abcdefg","ironman","wolverin","remember","great","freepass","bigred","squirt","justice","francis","hobbes","kermit","pearljam","mercury","domino","9999","denver","brooke","rascal","hitman","mistress","simon","tony","bbbbbb","friend","peekaboo","naked","budlight","electric","sluts","stargate","saints","bondage","brittany","bigman","zombie","swimming","duke","qwerty1","babes","scotland","disney","rooster","brenda","mookie","swordfis","candy","duncan","olivia","hunting","blink182","alicia","8888","samsung","bubba1","whore","virginia","general","passport","aaaaaaaa","erotic","liberty","arizona","jesus","abcd","newport","skipper","rolltide","balls","happy1","galore","christ","weasel","242424","wombat","digger","classic","bulldogs","poopoo","accord","popcorn","turkey","jenny","amber","bunny","mouse","007007","titanic","liverpool","dreamer","everton","friends","chevelle","carrie","gabriel","psycho","nemesis","burton","pontiac","connor","eatme","lickme","roland","cumming","mitchell","ireland","lincoln","arnold","spiderma","patriots","goblue","devils","eugene","empire","asdfg","cardinal","brown","shaggy","froggy","qwer","kawasaki","kodiak","people","phpbb","light","54321","kramer","chopper","hooker","honey","whynot","lesbian","lisa","baxter","adam","snake","teen","ncc1701d","qqqqqq","airplane","britney","avalon","sandy","sugar","sublime","stewart","wildcat","raven","scarface","elizabet","123654","trucks","wolfpack","pervert","lawrence","raymond","redhead","american","alyssa","bambam","movie","woody","shaved","snowman","tiger1","chicks","raptor","1969","stingray","shooter","france","stars","madmax","kristen","sports","jerry","789456","garcia","simpsons","lights","ryan","looking","chronic","alison","hahaha","packard","hendrix","perfect","service","spring","srinivas","spike","katie","252525","oscar","brother","bigmac","suck","single","cannon","georgia","popeye","tattoo","texas","party","bullet","taurus","sailor","wolves","panthers","japan","strike","flowers","pussycat","chris1","loverboy","berlin","sticky","marina","tarheels","fisher","russia","connie","wolfgang","testtest","mature","bass","catch22","juice","michael1","nigger","159753","women","alpha1","trooper","hawkeye","head","freaky","dodgers","pakistan","machine","pyramid","vegeta","katana","moose","tinker","coyote","infinity","inside","pepsi","letmein1","bang","control","hercules","morris","james1","tickle","outlaw","browns","billybob","pickle","test1","michele","antonio","sucks","pavilion","changeme","caesar","prelude","tanner","adrian","darkside","bowling","wutang","sunset","robbie","alabama","danger","zeppelin","juan","rusty","pppppp","nick","2001","ping","darkstar","madonna","qwe123","bigone","casino","cheryl","charlie1","mmmmmm","integra","wrangler","apache","tweety","qwerty12","bobafett","simone","none","business","sterling","trevor","transam","dustin","harvey","england","2323","seattle","ssssss","rose","harry","openup","pandora","pussys","trucker","wallace","indigo","storm","malibu","weed","review","babydoll","doggy","dilbert","pegasus","joker","catfish","flipper","valerie","herman","fuckit","detroit","kenneth","cheyenne","bruins","stacey","smoke","joey","seven","marino","fetish","xfiles","wonder","stinger","pizza","babe","pretty","stealth","manutd","gracie","gundam","cessna","longhorn","presario","mnbvcxz","wicked","mustang1","victory","21122112","shelly","awesome","athena","q1w2e3r4","help","holiday","knicks","street","redneck","12341234","casey","gizmo","scully","dragon1","devildog","triumph","eddie","bluebird","shotgun","peewee","ronnie","angel1","daisy","special","metallica","madman","country","impala","lennon","roscoe","omega","access14","enterpri","miranda","search","smitty","blizzard","unicorn","tight","rick","ronald","asdf1234","harrison","trigger","truck","danny","home","winnie","beauty","thailand","1234567890","cadillac","castle","tyler","bobcat","buddy1","sunny","stones","asian","freddie","chuck","butt","loveyou","norton","hellfire","hotsex","indiana","short","panzer","lonewolf","trumpet","colors","blaster","12121212","fireball","logan","precious","aaron","elaine","jungle","atlanta","gold","corona","curtis","nikki","polaris","timber","theone","baller","chipper","orlando","island","skyline","dragons","dogs","benson","licker","goldie","engineer","kong","pencil","basketba","open","hornet","world","linda","barbie","chan","farmer","valentin","wetpussy","indians","larry","redman","foobar","travel","morpheus","bernie","target","141414","hotstuff","photos","laura","savage","holly","rocky1","fuck_inside","dollar","turbo","design","newton","hottie","moon","202020","blondes","4128","lestat","avatar","future","goforit","random","abgrtyu","jjjjjj","cancer","q1w2e3","smiley","goldberg","express","virgin","zipper","wrinkle1","stone","andy","babylon","dong","powers","consumer","dudley","monkey1","serenity","samurai","99999999","bigboobs","skeeter","lindsay","joejoe","master1","aaaaa","chocolat","christia","birthday","stephani","tang","1234qwer","alfred","ball","98765432","maria","sexual","maxima","77777777","sampson","buckeye","highland","kristin","seminole","reaper","bassman","nugget","lucifer","airforce","nasty","watson","warlock","2121","philip","always","dodge","chrissy","burger","bird","snatch","missy","pink","gang","maddie","holmes","huskers","piglet","photo","joanne","hamilton","dodger","paladin","christy","chubby","buckeyes","hamlet","abcdefgh","bigfoot","sunday","manson","goldfish","garden","deftones","icecream","blondie","spartan","julie","harold","charger","brandi","stormy","sherry","pleasure","juventus","rodney","galaxy","holland","escort","zxcvb","planet","jerome","wesley","blues","song","peace","david1","ncc1701e","1966","51505150","cavalier","gambit","karen","sidney","ripper","oicu812","jamie","sister","marie","martha","nylons","aardvark","nadine","minnie","whiskey","bing","plastic","anal","babylon5","chang","savannah","loser","racecar","insane","yankees1","mememe","hansolo","chiefs","fredfred","freak","frog","salmon","concrete","yvonne","zxcv","shamrock","atlantis","warren","wordpass","julian","mariah","rommel","1010","harris","predator","sylvia","massive","cats","sammy1","mister","stud","marathon","rubber","ding","trunks","desire","montreal","justme","faster","kathleen","irish","1999","bertha","jessica1","alpine","sammie","diamonds","tristan","00000","swinger","shan","stallion","pitbull","letmein2","roberto","ready","april","palmer","ming","shadow1","audrey","chong","clitoris","wang","shirley","fuckers","jackoff","bluesky","sundance","renegade","hollywoo","151515","bernard","wolfman","soldier","picture","pierre","ling","goddess","manager","nikita","sweety","titans","hang","fang","ficken","niners","bottom","bubble","hello123","ibanez","webster","sweetpea","stocking","323232","tornado","lindsey","content","bruce","buck","aragorn","griffin","chen","campbell","trojan","christop","newman","wayne","tina","rockstar","father","geronimo","pascal","crimson","brooks","hector","penny","anna","google","camera","chandler","fatcat","lovelove","cody","cunts","waters","stimpy","finger","cindy","wheels","viper1","latin","robin","greenday","987654321","creampie","brendan","hiphop","willy","snapper","funtime","duck","trombone","adult","cotton","cookies","kaiser","mulder","westham","latino","jeep","ravens","aurora","drizzt","madness","energy","kinky","314159","sophia","stefan","slick","rocker","55555555","freeman","french","mongoose","speed","dddddd","hong","henry","hungry","yang","catdog","cheng","ghost","gogogo","randy","tottenha","curious","butterfl","mission","january","singer","sherman","shark","techno","lancer","lalala","autumn","chichi","orion","trixie","clifford","delta","bobbob","bomber","holden","kang","kiss","1968","spunky","liquid","mary","beagle","granny","network","bond","kkkkkk","millie","1973","biggie","beetle","teacher","susan","toronto","anakin","genius","dream","cocks","dang","bush","karate","snakes","bangkok","callie","fuckyou2","pacific","daytona","kelsey","infantry","skywalke","foster","felix","sailing","raistlin","vanhalen","huang","herbert","jacob","blackie","tarzan","strider","sherlock","lang","gong","sang","dietcoke","ultimate","tree","shai","sprite","ting","artist","chai","chao","devil","python","ninja","misty","ytrewq","sweetie","superfly","456789","tian","jing","jesus1","freedom1","dian","drpepper","potter","chou","darren","hobbit","violet","yong","shen","phillip","maurice","gloria","nolimit","mylove","biscuit","yahoo","shasta","sex4me","smoker","smile","pebbles","pics","philly","tong","tintin","lesbians","marlin","cactus","frank1","tttttt","chun","danni","emerald","showme","pirates","lian","dogg","colleen","xiao","xian","tazman","tanker","patton","toshiba","richie","alberto","gotcha","graham","dillon","rang","emily","keng","jazz","bigguy","yuan","woman","tomtom","marion","greg","chaos","fossil","flight","racerx","tuan","creamy","boss","bobo","musicman","warcraft","window","blade","shuang","sheila","shun","lick","jian","microsoft","rong","allen","feng","getsome","sally","quality","kennedy","morrison","1977","beng","wwwwww","yoyoyo","zhang","seng","teddy","joanna","andreas","harder","luke","qazxsw","qian","cong","chuan","deng","nang","boeing","keeper","western","isabelle","1963","subaru","sheng","thuglife","teng","jiong","miao","martina","mang","maniac","pussie","tracey","a1b2c3","clayton","zhou","zhuang","xing","stonecol","snow","spyder","liang","jiang","memphis","regina","ceng","magic1","logitech","chuang","dark","million","blow","sesame","shao","poison","titty","terry","kuan","kuai","kyle","mian","guan","hamster","guai","ferret","florence","geng","duan","pang","maiden","quan","velvet","nong","neng","nookie","buttons","bian","bingo","biao","zhong","zeng","xiong","zhun","ying","zong","xuan","zang","0.0.000","suan","shei","shui","sharks","shang","shua","small","peng","pian","piao","liao","meng","miami","reng","guang","cang","change","ruan","diao","luan","lucas","qing","chui","chuo","cuan","nuan","ning","heng","huan","kansas","muscle","monroe","weng","whitney","1passwor","bluemoon","zhui","zhua","xiang","zheng","zhen","zhei","zhao","zhan","yomama","zhai","zhuo","zuan","tarheel","shou","shuo","tiao","lady","leonard","leng","kuang","jiao","13579","basket","qiao","qiong","qiang","chuai","nian","niao","niang","huai","22222222","bianca","zhuan","zhuai","shuan","shuai","stardust","jumper","margaret","archie","66666666","charlott","forget","qwertz","bones","history","milton","waterloo","2002","stuff","11223344","office","oldman","preston","trains","murray","vertigo","246810","black1","swallow","smiles","standard","alexandr","parrot","luther","user","nicolas","1976","surfing","pioneer","pete","masters","apple1","asdasd","auburn","hannibal","frontier","panama","lucy","buffy","brianna","welcome1","vette","blue22","shemale","111222","baggins","groovy","global","turner","181818","1979","blades","spanking","life","byteme","lobster","collins","dawg","hilton","japanese","1970","1964","2424","polo","markus","coco","deedee","mikey","1972","171717","1701","strip","jersey","green1","capital","sasha","sadie","putter","vader","seven7","lester","marcel","banshee","grendel","gilbert","dicks","dead","hidden","iloveu","1980","sound","ledzep","michel","147258","female","bugger","buffett","bryan","hell","kristina","molson","2020","wookie","sprint","thanks","jericho","102030","grace","fuckin","mandy","ranger1","trebor","deepthroat","bonehead","molly1","mirage","models","1984","2468","stuart","showtime","squirrel","pentium","mario","anime","gator","powder","twister","connect","neptune","bruno","butts","engine","eatshit","mustangs","woody1","shogun","septembe","pooh","jimbo","roger","annie","bacon","center","russian","sabine","damien","mollie","voyeur","2525","363636","leonardo","camel","chair","germany","giant","qqqq","nudist","bone","sleepy","tequila","megan","fighter","garrett","dominic","obiwan","makaveli","vacation","walnut","1974","ladybug","cantona","ccbill","satan","rusty1","passwor1","columbia","napoleon","dusty","kissme","motorola","william1","1967","zzzz","skater","smut","play","matthew1","robinson","valley","coolio","dagger","boner","bull","horndog","jason1","blake","penguins","rescue","griffey","8j4ye3uz","californ","champs","qwertyuiop","portland","queen","colt45","boat","xxxxxxx","xanadu","tacoma","mason","carpet","gggggg","safety","palace","italia","stevie","picturs","picasso","thongs","tempest","ricardo","roberts","asd123","hairy","foxtrot","gary","nimrod","hotboy","343434","1111111","asdfghjkl","goose","overlord","blood","wood","stranger","454545","shaolin","sooners","socrates","spiderman","peanuts","maxine","rogers","13131313","andrew1","filthy","donnie","ohyeah","africa","national","kenny","keith","monique","intrepid","jasmin","pickles","assass","fright","potato","darwin","hhhhhh","kingdom","weezer","424242","pepsi1","throat","romeo","gerard","looker","puppy","butch","monika","suzanne","sweets","temple","laurie","josh","megadeth","analsex","nymets","ddddddd","bigballs","support","stick","today","down","oakland","oooooo","qweasd","chucky","bridge","carrot","chargers","discover","dookie","condor","night","butler","hoover","horny1","isabella","sunrise","sinner","jojo","megapass","martini","assfuck","grateful","ffffff","abigail","esther","mushroom","janice","jamaica","wright","sims","space","there","timmy","7654321","77777","cccccc","gizmodo","roxanne","ralph","tractor","cristina","dance","mypass","hongkong","helena","1975","blue123","pissing","thomas1","redred","rich","basketball","attack","cash","satan666","drunk","dixie","dublin","bollox","kingkong","katrina","miles","1971","22222","272727","sexx","penelope","thompson","anything","bbbb","battle","grizzly","passat","porter","tracy","defiant","bowler","knickers","monitor","wisdom","wild","slappy","thor","letsgo","robert1","feet","rush","brownie","hudson","098765","playing","playtime","lightnin","melvin","atomic","bart","hawk","goku","glory","llllll","qwaszx","cosmos","bosco","knights","bentley","beast","slapshot","lewis","assword","frosty","gillian","sara","dumbass","mallard","dddd","deanna","elwood","wally","159357","titleist","angelo","aussie","guest","golfing","doobie","loveit","chloe","elliott","werewolf","vipers","janine","1965","blabla","surf","sucking","tardis","serena","shelley","thegame","legion","rebels","fernando","fast","gerald","sarah1","double","onelove","loulou","toto","crash","blackcat","0007","tacobell","soccer1","jedi","manuel","method","river","chase","ludwig","poopie","derrick","boob","breast","kittycat","isabel","belly","pikachu","thunder1","thankyou","jose","celeste","celtics","frances","frogger","scoobydo","sabbath","coltrane","budman","willis","jackal","bigger","zzzzz","silvia","sooner","licking","gopher","geheim","lonestar","primus","pooper","newpass","brasil","heather1","husker","element","moomoo","beefcake","zzzzzzzz","tammy","shitty","smokin","personal","jjjj","anthony1","anubis","backup","gorilla","fuckface","painter","lowrider","punkrock","traffic","claude","daniela","dale","delta1","nancy","boys","easy","kissing","kelley","wendy","theresa","amazon","alan","fatass","dodgeram","dingdong","malcolm","qqqqqqqq","breasts","boots","honda1","spidey","poker","temp","johnjohn","miguel","147852","archer","asshole1","dogdog","tricky","crusader","weather","syracuse","spankme","speaker","meridian","amadeus","back","harley1","falcons","dorothy","turkey50","kenwood","keyboard","ilovesex","1978","blackman","shazam","shalom","lickit","jimbob","richmond","roller","carson","check","fatman","funny","garbage","sandiego","loving","magnus","cooldude","clover","mobile","bell","payton","plumber","texas1","tool","topper","jenna","mariners","rebel","harmony","caliente","celica","fletcher","german","diana","oxford","osiris","orgasm","punkin","porsche9","tuesday","close","breeze","bossman","kangaroo","billie","latinas","judith","astros","scruffy","donna","qwertyu","davis","hearts","kathy","jammer","java","springer","rhonda","ricky","1122","goodtime","chelsea1","freckles","flyboy","doodle","city","nebraska","bootie","kicker","webmaster","vulcan","iverson","191919","blueeyes","stoner","321321","farside","rugby","director","pussy69","power1","bobbie","hershey","hermes","monopoly","west","birdman","blessed","blackjac","southern","peterpan","thumbs","lawyer","melinda","fingers","fuckyou1","rrrrrr","a1b2c3d4","coke","nicola","bohica","heart","elvis1","kids","blacky","stories","sentinel","snake1","phoebe","jesse","richard1","1234abcd","guardian","candyman","fisting","scarlet","dildo","pancho","mandingo","lucky7","condom","munchkin","billyboy","summer1","student","sword","skiing","sergio","site","sony","thong","rootbeer","assassin","cassidy","frederic","fffff","fitness","giovanni","scarlett","durango","postal","achilles","dawn","dylan","kisses","warriors","imagine","plymouth","topdog","asterix","hallo","cameltoe","fuckfuck","bridget","eeeeee","mouth","weird","will","sithlord","sommer","toby","theking","juliet","avenger","backdoor","goodbye","chevrole","faith","lorraine","trance","cosworth","brad","houses","homers","eternity","kingpin","verbatim","incubus","1961","blond","zaphod","shiloh","spurs","station","jennie","maynard","mighty","aliens","hank","charly","running","dogman","omega1","printer","aggies","chocolate","deadhead","hope","javier","bitch1","stone55","pineappl","thekid","lizzie","rockets","ashton","camels","formula","forrest","rosemary","oracle","rain","pussey","porkchop","abcde","clancy","nellie","mystic","inferno","blackdog","steve1","pauline","alexander","alice","alfa","grumpy","flames","scream","lonely","puffy","proxy","valhalla","unreal","cynthia","herbie","engage","yyyyyy","010101","solomon","pistol","melody","celeb","flying","gggg","santiago","scottie","oakley","portugal","a12345","newbie","mmmm","venus","1qazxsw2","beverly","zorro","work","writer","stripper","sebastia","spread","phil","tobias","links","members","metal","1221","andre","565656","funfun","trojans","again","cyber","hurrican","moneys","1x2zkg8w","zeus","thing","tomato","lion","atlantic","celine","usa123","trans","account","aaaaaaa","homerun","hyperion","kevin1","blacks","44444444","skittles","sean","hastings","fart","gangbang","fubar","sailboat","older","oilers","craig","conrad","church","damian","dean","broken","buster1","hithere","immortal","sticks","pilot","peters","lexmark","jerkoff","maryland","anders","cheers","possum","columbus","cutter","muppet","beautiful","stolen","swordfish","sport","sonic","peter1","jethro","rockon","asdfghj","pass123","paper","pornos","ncc1701a","bootys","buttman","bonjour","escape","1960","becky","bears","362436","spartans","tinman","threesom","lemons","maxmax","1414","bbbbb","camelot","chad","chewie","gogo","fusion","saint","dilligaf","nopass","myself","hustler","hunter1","whitey","beast1","yesyes","spank","smudge","pinkfloy","patriot","lespaul","annette","hammers","catalina","finish","formula1","sausage","scooter1","orioles","oscar1","over","colombia","cramps","natural","eating","exotic","iguana","bella","suckers","strong","sheena","start","slave","pearl","topcat","lancelot","angelica","magelan","racer","ramona","crunch","british","button","eileen","steph","456123","skinny","seeking","rockhard","chief","filter","first","freaks","sakura","pacman","poontang","dalton","newlife","homer1","klingon","watcher","walleye","tasha","tasty","sinatra","starship","steel","starbuck","poncho","amber1","gonzo","grover","catherin","carol","candle","firefly","goblin","scotch","diver","usmc","huskies","eleven","kentucky","kitkat","israel","beckham","bicycle","yourmom","studio","tara","33333333","shane","splash","jimmy1","reality","12344321","caitlin","focus","sapphire","mailman","raiders1","clark","ddddd","hopper","excalibu","more","wilbur","illini","imperial","phillips","lansing","maxx","gothic","golfball","carlton","camille","facial","front242","macdaddy","qwer1234","vectra","cowboys1","crazy1","dannyboy","jane","betty","benny","bennett","leader","martinez","aquarius","barkley","hayden","caught","franky","ffff","floyd","sassy","pppp","pppppppp","prodigy","clarence","noodle","eatpussy","vortex","wanking","beatrice","billy1","siemens","pedro","phillies","research","groups","carolyn","chevy1","cccc","fritz","gggggggg","doughboy","dracula","nurses","loco","madrid","lollipop","trout","utopia","chrono","cooler","conner","nevada","wibble","werner","summit","marco","marilyn","1225","babies","capone","fugazi","panda","mama","qazwsxed","puppies","triton","9876","command","nnnnnn","ernest","momoney","iforgot","wolfie","studly","shawn","renee","alien","hamburg","81fukkc","741852","catman","china","forgot","gagging","scott1","drew","oregon","qweqwe","train","crazybab","daniel1","cutlass","brothers","holes","heidi","mothers","music1","what","walrus","1957","bigtime","bike","xtreme","simba","ssss","rookie","angie","bathing","fresh","sanchez","rotten","maestro","luis","look","turbo1","99999","butthole","hhhh","elijah","monty","bender","yoda","shania","shock","phish","thecat","rightnow","reagan","baddog","asia","greatone","gateway1","randall","abstr","napster","brian1","bogart","high","hitler","emma","kill","weaver","wildfire","jackson1","isaiah","1981","belinda","beaner","yoyo","0.0.0.000","super1","select","snuggles","slutty","some","phoenix1","technics","toon","raven1","rayray","123789","1066","albion","greens","fashion","gesperrt","santana","paint","powell","credit","darling","mystery","bowser","bottle","brucelee","hehehe","kelly1","mojo","1998","bikini","woofwoof","yyyy","strap","sites","spears","theodore","julius","richards","amelia","central","f**k","nyjets","punisher","username","vanilla","twisted","bryant","brent","bunghole","here","elizabeth","erica","kimber","viagra","veritas","pony","pool","titts","labtec","lifetime","jenny1","masterbate","mayhem","redbull","govols","gremlin","505050","gmoney","rupert","rovers","diamond1","lorenzo","trident","abnormal","davidson","deskjet","cuddles","nice","bristol","karina","milano","vh5150","jarhead","1982","bigbird","bizkit","sixers","slider","star69","starfish","penetration","tommy1","john316","meghan","michaela","market","grant","caligula","carl","flicks","films","madden","railroad","cosmo","cthulhu","bradford","br0d3r","military","bearbear","swedish","spawn","patrick1","polly","these","todd","reds","anarchy","groove","franco","fuckher","oooo","tyrone","vegas","airbus","cobra1","christine","clips","delete","duster","kitty1","mouse1","monkeys","jazzman","1919","262626","swinging","stroke","stocks","sting","pippen","labrador","jordan1","justdoit","meatball","females","saturday","park","vector","cooter","defender","desert","demon","nike","bubbas","bonkers","english","kahuna","wildman","4121","sirius","static","piercing","terror","teenage","leelee","marissa","microsof","mechanic","robotech","rated","hailey","chaser","sanders","salsero","nuts","macross","quantum","rachael","tsunami","universe","daddy1","cruise","nguyen","newpass6","nudes","hellyeah","vernon","1959","zaq12wsx","striker","sixty","steele","spice","spectrum","smegma","thumb","jjjjjjjj","mellow","astrid","cancun","cartoon","sabres","samiam","pants","oranges","oklahoma","lust","coleman","denali","nude","noodles","buzz","brest","hooter","mmmmmmmm","warthog","bloody","blueblue","zappa","wolverine","sniffing","lance","jean","jjjjj","harper","calico","freee","rover","door","pooter","closeup","bonsai","evelyn","emily1","kathryn","keystone","iiii","1955","yzerman","theboss","tolkien","jill","megaman","rasta","bbbbbbbb","bean","handsome","hal9000","goofy","gringo","gofish","gizmo1","samsam","scuba","onlyme","tttttttt","corrado","clown","clapton","deborah","boris","bulls","vivian","jayhawk","bethany","wwww","sharky","seeker","ssssssss","somethin","pillow","thesims","lighter","lkjhgf","melissa1","marcius2","barry","guiness","gymnast","casey1","goalie","godsmack","doug","lolo","rangers1","poppy","abby","clemson","clipper","deeznuts","nobody","holly1","elliot","eeee","kingston","miriam","belle","yosemite","sucked","sex123","sexy69","pic's","tommyboy","lamont","meat","masterbating","marianne","marc","gretzky","happyday","frisco","scratch","orchid","orange1","manchest","quincy","unbelievable","aberdeen","dawson","nathalie","ne1469","boxing","hill","korn","intercourse","161616","1985","ziggy","supersta","stoney","senior","amature","barber","babyboy","bcfields","goliath","hack","hardrock","children","frodo","scout","scrappy","rosie","qazqaz","tracker","active","craving","commando","cohiba","deep","cyclone","dana","bubba69","katie1","mpegs","vsegda","jade","irish1","better","sexy1","sinclair","smelly","squerting","lions","jokers","jeanette","julia","jojojo","meathead","ashley1","groucho","cheetah","champ","firefox","gandalf1","packer","magnolia","love69","tyler1","typhoon","tundra","bobby1","kenworth","village","volley","beth","wolf359","0420","000007","swimmer","skydive","smokes","patty","peugeot","pompey","legolas","kristy","redhot","rodman","redalert","having","grapes","4runner","carrera","floppy","dollars","ou8122","quattro","adams","cloud9","davids","nofear","busty","homemade","mmmmm","whisper","vermont","webmaste","wives","insertion","jayjay","philips","phone","topher","tongue","temptress","midget","ripken","havefun","gretchen","canon","celebrity","five","getting","ghetto","direct","otto","ragnarok","trinidad","usnavy","conover","cruiser","dalshe","nicole1","buzzard","hottest","kingfish","misfit","moore","milfnew","warlord","wassup","bigsexy","blackhaw","zippy","shearer","tights","thursday","kungfu","labia","journey","meatloaf","marlene","rider","area51","batman1","bananas","636363","cancel","ggggg","paradox","mack","lynn","queens","adults","aikido","cigars","nova","hoosier","eeyore","moose1","warez","interacial","streaming","313131","pertinant","pool6123","mayday","rivers","revenge","animated","banker","baddest","gordon24","ccccc","fortune","fantasies","touching","aisan","deadman","homepage","ejaculation","whocares","iscool","jamesbon","1956","1pussy","womam","sweden","skidoo","spock","sssss","petra","pepper1","pinhead","micron","allsop","amsterda","army","aside","gunnar","666999","chip","foot","fowler","february","face","fletch","george1","sapper","science","sasha1","luckydog","lover1","magick","popopo","public","ultima","derek","cypress","booker","businessbabe","brandon1","edwards","experience","vulva","vvvv","jabroni","bigbear","yummy","010203","searay","secret1","showing","sinbad","sexxxx","soleil","software","piccolo","thirteen","leopard","legacy","jensen","justine","memorex","marisa","mathew","redwing","rasputin","134679","anfield","greenbay","gore","catcat","feather","scanner","pa55word","contortionist","danzig","daisy1","hores","erik","exodus","vinnie","iiiiii","zero","1001","subway","tank","second","snapple","sneakers","sonyfuck","picks","poodle","test1234","their","llll","junebug","june","marker","mellon","ronaldo","roadkill","amanda1","asdfjkl","beaches","greene","great1","cheerleaers","force","doitnow","ozzy","madeline","radio","tyson","christian","daphne","boxster","brighton","housewifes","emmanuel","emerson","kkkk","mnbvcx","moocow","vides","wagner","janet","1717","bigmoney","blonds","1000","storys","stereo","4545","420247","seductive","sexygirl","lesbean","live","justin1","124578","animals","balance","hansen","cabbage","canadian","gangbanged","dodge1","dimas","lori","loud","malaka","puss","probes","adriana","coolman","crawford","dante","nacked","hotpussy","erotica","kool","mirror","wearing","implants","intruder","bigass","zenith","woohoo","womans","tanya","tango","stacy","pisces","laguna","krystal","maxell","andyod22","barcelon","chainsaw","chickens","flash1","downtown","orgasms","magicman","profit","pusyy","pothead","coconut","chuckie","contact","clevelan","designer","builder","budweise","hotshot","horizon","hole","experienced","mondeo","wifes","1962","strange","stumpy","smiths","sparks","slacker","piper","pitchers","passwords","laptop","jeremiah","allmine","alliance","bbbbbbb","asscock","halflife","grandma","hayley","88888","cecilia","chacha","saratoga","sandy1","santos","doogie","number","positive","qwert40","transexual","crow","close-up","darrell","bonita","ib6ub9","volvo","jacob1","iiiii","beastie","sunnyday","stoned","sonics","starfire","snapon","pictuers","pepe","testing1","tiberius","lisalisa","lesbain","litle","retard","ripple","austin1","badgirl","golfgolf","flounder","garage","royals","dragoon","dickie","passwor","ocean","majestic","poppop","trailers","dammit","nokia","bobobo","br549","emmitt","knock","minime","mikemike","whitesox","1954","3232","353535","seamus","solo","sparkle","sluttey","pictere","titten","lback","1024","angelina","goodluck","charlton","fingerig","gallaries","goat","ruby","passme","oasis","lockerroom","logan1","rainman","twins","treasure","absolutely","club","custom","cyclops","nipper","bucket","homepage-","hhhhh","momsuck","indain","2345","beerbeer","bimmer","susanne","stunner","stevens","456456","shell","sheba","tootsie","tiny","testerer","reefer","really","1012","harcore","gollum","545454","chico","caveman","carole","fordf150","fishes","gaymen","saleen","doodoo","pa55w0rd","looney","presto","qqqqq","cigar","bogey","brewer","helloo","dutch","kamikaze","monte","wasser","vietnam","visa","japanees","0123","swords","slapper","peach","jump","marvel","masterbaiting","march","redwood","rolling","1005","ametuer","chiks","cathy","callaway","fucing","sadie1","panasoni","mamas","race","rambo","unknown","absolut","deacon","dallas1","housewife","kristi","keywest","kirsten","kipper","morning","wings","idiot","18436572","1515","beating","zxczxc","sullivan","303030","shaman","sparrow","terrapin","jeffery","masturbation","mick","redfish","1492","angus","barrett","goirish","hardcock","felicia","forfun","galary","freeporn","duchess","olivier","lotus","pornographic","ramses","purdue","traveler","crave","brando","enter1","killme","moneyman","welder","windsor","wifey","indon","yyyyy","stretch","taylor1","4417","shopping","picher","pickup","thumbnils","johnboy","jets","jess","maureen","anne","ameteur","amateurs","apollo13","hambone","goldwing","5050","charley","sally1","doghouse","padres","pounding","quest","truelove","underdog","trader","crack","climber","bolitas","bravo","hohoho","model","italian","beanie","beretta","wrestlin","stroker","tabitha","sherwood","sexyman","jewels","johannes","mets","marcos","rhino","bdsm","balloons","goodman","grils","happy123","flamingo","games","route66","devo","dino","outkast","paintbal","magpie","llllllll","twilight","critter","christie","cupcake","nickel","bullseye","krista","knickerless","mimi","murder","videoes","binladen","xerxes","slim","slinky","pinky","peterson","thanatos","meister","menace","ripley","retired","albatros","balloon","bank","goten","5551212","getsdown","donuts","divorce","nwo4life","lord","lost","underwear","tttt","comet","deer","damnit","dddddddd","deeznutz","nasty1","nonono","nina","enterprise","eeeee","misfit99","milkman","vvvvvv","isaac","1818","blueboy","beans","bigbutt","wyatt","tech","solution","poetry","toolman","laurel","juggalo","jetski","meredith","barefoot","50spanks","gobears","scandinavian","original","truman","cubbies","nitram","briana","ebony","kings","warner","bilbo","yumyum","zzzzzzz","stylus","321654","shannon1","server","secure","silly","squash","starman","steeler","staples","phrases","techniques","laser","135790","allan","barker","athens","cbr600","chemical","fester","gangsta","fucku2","freeze","game","salvador","droopy","objects","passwd","lllll","loaded","louis","manchester","losers","vedder","clit","chunky","darkman","damage","buckshot","buddah","boobed","henti","hillary","webber","winter1","ingrid","bigmike","beta","zidane","talon","slave1","pissoff","person","thegreat","living","lexus","matador","readers","riley","roberta","armani","ashlee","goldstar","5656","cards","fmale","ferris","fuking","gaston","fucku","ggggggg","sauron","diggler","pacers","looser","pounded","premier","pulled","town","trisha","triangle","cornell","collin","cosmic","deeper","depeche","norway","bright","helmet","kristine","kendall","mustard","misty1","watch","jagger","bertie","berger","word","3x7pxr","silver1","smoking","snowboar","sonny","paula","penetrating","photoes","lesbens","lambert","lindros","lillian","roadking","rockford","1357","143143","asasas","goodboy","898989","chicago1","card","ferrari1","galeries","godfathe","gawker","gargoyle","gangster","rubble","rrrr","onetime","pussyman","pooppoop","trapper","twenty","abraham","cinder","company","newcastl","boricua","bunny1","boxer","hotred","hockey1","hooper","edward1","evan","kris","misery","moscow","milk","mortgage","bigtit","show","snoopdog","three","lionel","leanne","joshua1","july","1230","assholes","cedric","fallen","farley","gene","frisky","sanity","script","divine","dharma","lucky13","property","tricia","akira","desiree","broadway","butterfly","hunt","hotbox","hootie","heat","howdy","earthlink","karma","kiteboy","motley","westwood","1988","bert","blackbir","biggles","wrench","working","wrestle","slippery","pheonix","penny1","pianoman","tomorrow","thedude","jenn","jonjon","jones1","mattie","memory","micheal","roadrunn","arrow","attitude","azzer","seahawks","diehard","dotcom","lola","tunafish","chivas","cinnamon","clouds","deluxe","northern","nuclear","north","boom","boobie","hurley","krishna","momomo","modles","volume","23232323","bluedog","wwwwwww","zerocool","yousuck","pluto","limewire","link","joung","marcia","awnyce","gonavy","haha","films+pic+galeries","fabian","francois","girsl","fuckthis","girfriend","rufus","drive","uncencored","a123456","airport","clay","chrisbln","combat","cygnus","cupoi","never","netscape","brett","hhhhhhhh","eagles1","elite","knockers","kendra","mommy","1958","tazmania","shonuf","piano","pharmacy","thedog","lips","jillian","jenkins","midway","arsenal1","anaconda","australi","gromit","gotohell","787878","66666","carmex2","camber","gator1","ginger1","fuzzy","seadoo","dorian","lovesex","rancid","uuuuuu","911911","nature","bulldog1","helen","health","heater","higgins","kirk","monalisa","mmmmmmm","whiteout","virtual","ventura","jamie1","japanes","james007","2727","2469","blam","bitchass","believe","zephyr","stiffy","sweet1","silent","southpar","spectre","tigger1","tekken","lenny","lakota","lionking","jjjjjjj","medical","megatron","1369","hawaiian","gymnastic","golfer1","gunners","7779311","515151","famous","glass","screen","rudy","royal","sanfran","drake","optimus","panther1","love1","mail","maggie1","pudding","venice","aaron1","delphi","niceass","bounce","busted","house1","killer1","miracle","momo","musashi","jammin","2003","234567","wp2003wp","submit","silence","sssssss","state","spikes","sleeper","passwort","toledo","kume","media","meme","medusa","mantis","remote","reading","reebok","1017","artemis","hampton","harry1","cafc91","fettish","friendly","oceans","oooooooo","mango","ppppp","trainer","troy","uuuu","909090","cross","death1","news","bullfrog","hokies","holyshit","eeeeeee","mitch","jasmine1","&","&","sergeant","spinner","leon","jockey","records","right","babyblue","hans","gooner","474747","cheeks","cars","candice","fight","glow","pass1234","parola","okokok","pablo","magical","major","ramsey","poseidon","989898","confused","circle","crusher","cubswin","nnnn","hollywood","erin","kotaku","milo","mittens","whatsup","vvvvv","iomega","insertions","bengals","bermuda","biit","yellow1","012345","spike1","south","sowhat","pitures","peacock","pecker","theend","juliette","jimmie","romance","augusta","hayabusa","hawkeyes","castro","florian","geoffrey","dolly","lulu","qaz123","usarmy","twinkle","cloud","chuckles","cold","hounddog","hover","hothot","europa","ernie","kenshin","kojak","mikey1","water1","196969","because","wraith","zebra","wwwww","33333","simon1","spider1","snuffy","philippe","thunderb","teddy1","lesley","marino13","maria1","redline","renault","aloha","antoine","handyman","cerberus","gamecock","gobucks","freesex","duffman","ooooo","papa","nuggets","magician","longbow","preacher","porno1","county","chrysler","contains","dalejr","darius","darlene","dell","navy","buffy1","hedgehog","hoosiers","honey1","hott","heyhey","europe","dutchess","everest","wareagle","ihateyou","sunflowe","3434","senators","shag","spoon","sonoma","stalker","poochie","terminal","terefon","laurence","maradona","maryann","marty","roman","1007","142536","alibaba","america1","bartman","astro","goth","century","chicken1","cheater","four","ghost1","passpass","oral","r2d2c3po","civic","cicero","myxworld","kkkkk","missouri","wishbone","infiniti","jameson","1a2b3c","1qwerty","wonderboy","skip","shojou","stanford","sparky1","smeghead","poiuy","titanium","torres","lantern","jelly","jeanne","meier","1213","bayern","basset","gsxr750","cattle","charlene","fishing1","fullmoon","gilles","dima","obelix","popo","prissy","ramrod","unique","absolute","bummer","hotone","dynasty","entry","konyor","missy1","moses","282828","yeah","xyz123","stop","426hemi","404040","seinfeld","simmons","pingpong","lazarus","matthews","marine1","manning","recovery","12345a","beamer","babyface","greece","gustav","7007","charity","camilla","ccccccc","faggot","foxy","frozen","gladiato","duckie","dogfood","paranoid","packers1","longjohn","radical","tuna","clarinet","claudio","circus","danny1","novell","nights","bonbon","kashmir","kiki","mortimer","modelsne","moondog","monaco","vladimir","insert","1953","zxc123","supreme","3131","sexxx","selena","softail","poipoi","pong","together","mars","martin1","rogue","alone","avalanch","audia4","55bgates","cccccccc","chick","came11","figaro","geneva","dogboy","dnsadm","dipshit","paradigm","othello","operator","officer","malone","post","rafael","valencia","tripod","choice","chopin","coucou","coach","cocksuck","common","creature","borussia","book","browning","heritage","hiziad","homerj","eight","earth","millions","mullet","whisky","jacques","store","4242","speedo","starcraf","skylar","spaceman","piggy","pierce","tiger2","legos","lala","jezebel","judy","joker1","mazda","barton","baker","727272","chester1","fishman","food","rrrrrrrr","sandwich","dundee","lumber","magazine","radar","ppppppp","tranny","aaliyah","admiral","comics","cleo","delight","buttfuck","homeboy","eternal","kilroy","kellie","khan","violin","wingman","walmart","bigblue","blaze","beemer","beowulf","bigfish","yyyyyyy","woodie","yeahbaby","0123456","tbone","style","syzygy","starter","lemon","linda1","merlot","mexican","11235813","anita","banner","bangbang","badman","barfly","grease","carla","charles1","ffffffff","screw","doberman","diane","dogshit","overkill","counter","coolguy","claymore","demons","demo","nomore","normal","brewster","hhhhhhh","hondas","iamgod","enterme","everett","electron","eastside","kayla","minimoni","mybaby","wildbill","wildcard","ipswich","200000","bearcat","zigzag","yyyyyyyy","xander","sweetnes","369369","skyler","skywalker","pigeon","peyton","tipper","lilly","asdf123","alphabet","asdzxc","babybaby","banane","barnes","guyver","graphics","grand","chinook","florida1","flexible","fuckinside","otis","ursitesux","tototo","trust","tower","adam12","christma","corey","chrome","buddie","bombers","bunker","hippie","keegan","misfits","vickie","292929","woofer","wwwwwwww","stubby","sheep","secrets","sparta","stang","spud","sporty","pinball","jorge","just4fun","johanna","maxxxx","rebecca1","gunther","fatima","fffffff","freeway","garion","score","rrrrr","sancho","outback","maggot","puddin","trial","adrienne","987456","colton","clyde","brain","brains","hoops","eleanor","dwayne","kirby","mydick","villa","19691969","bigcat","becker","shiner","silverad","spanish","templar","lamer","juicy","marsha","mike1","maximum","rhiannon","real","1223","10101010","arrows","andres","alucard","baldwin","baron","avenue","ashleigh","haggis","channel","cheech","safari","ross","dog123","orion1","paloma","qwerasdf","presiden","vegitto","trees","969696","adonis","colonel","cookie1","newyork1","brigitte","buddyboy","hellos","heineken","dwight","eraser","kerstin","motion","moritz","millwall","visual","jaybird","1983","beautifu","bitter","yvette","zodiac","steven1","sinister","slammer","smashing","slick1","sponge","teddybea","theater","this","ticklish","lipstick","jonny","massage","mann","reynolds","ring","1211","amazing","aptiva","applepie","bailey1","guitar1","chanel","canyon","gagged","fuckme1","rough","digital1","dinosaur","punk","98765","90210","clowns","cubs","daniels","deejay","nigga","naruto","boxcar","icehouse","hotties","electra","kent","widget","india","insanity","1986","2004","best","bluefish","bingo1","*****","stratus","strength","sultan","storm1","44444","4200","sentnece","season","sexyboy","sigma","smokie","spam","point","pippo","ticket","temppass","joel","manman","medicine","1022","anton","almond","bacchus","aztnm","axio","awful","bamboo","hakr","gregor","hahahaha","5678","casanova","caprice","camero1","fellow","fountain","dupont","dolphin1","dianne","paddle","magnet","qwert1","pyon","porsche1","tripper","vampires","coming","noway","burrito","bozo","highheel","hughes","hookem","eddie1","ellie","entropy","kkkkkkkk","kkkkkkk","illinois","jacobs","1945","1951","24680","21212121","100000","stonecold","taco","subzero","sharp","sexxxy","skolko","shanna","skyhawk","spurs1","sputnik","piazza","testpass","letter","lane","kurt","jiggaman","matilda","1224","harvard","hannah1","525252","4ever","carbon","chef","federico","ghosts","gina","scorpio1","rt6ytere","madison1","loki","raquel","promise","coolness","christina","coldbeer","citadel","brittney","highway","evil","monarch","morgan1","washingt","1997","bella1","berry","yaya","yolanda","superb","taxman","studman","stephanie","3636","sherri","sheriff","shepherd","poland","pizzas","tiffany1","toilet","latina","lassie","larry1","joseph1","mephisto","meagan","marian","reptile","rico","razor","1013","barron","hammer1","gypsy","grande","carroll","camper","chippy","cat123","call","chimera","fiesta","glock","glenn","domain","dieter","dragonba","onetwo","nygiants","odessa","password2","louie","quartz","prowler","prophet","towers","ultra","cocker","corleone","dakota1","cumm","nnnnnnn","natalia","boxers","hugo","heynow","hollow","iceberg","elvira","kittykat","kate","kitchen","wasabi","vikings1","impact","beerman","string","sleep","splinter","snoopy1","pipeline","pocket","legs","maple","mickey1","manuela","mermaid","micro","meowmeow","redbird","alisha","baura","battery","grass","chevys","chestnut","caravan","carina","charmed","fraser","frogman","diving","dogger","draven","drifter","oatmeal","paris1","longdong","quant4307s","rachel1","vegitta","cole","cobras","corsair","dadada","noelle","mylife","nine","bowwow","body","hotrats","eastwood","moonligh","modena","wave","illusion","iiiiiii","jayhawks","birgit","zone","sutton","susana","swingers","shocker","shrimp","sexgod","squall","stefanie","squeeze","soul","patrice","poiu","players","tigers1","toejam","tickler","line","julie1","jimbo1","jefferso","juanita","michael2","rodeo","robot","1023","annie1","bball","guess","happy2","charter","farm","flasher","falcon1","fiction","fastball","gadget","scrabble","diaper","dirtbike","dinner","oliver1","partner","paco","lucille","macman","poopy","popper","postman","ttttttt","ursula","acura","cowboy1","conan","daewoo","cyrus","customer","nation","nemrac58","nnnnn","nextel","bolton","bobdylan","hopeless","eureka","extra","kimmie","kcj9wx5n","killbill","musica","volkswag","wage","windmill","wert","vintage","iloveyou1","itsme","bessie","zippo","311311","starligh","smokey1","spot","snappy","soulmate","plasma","thelma","tonight","krusty","just4me","mcdonald","marius","rochelle","rebel1","1123","alfredo","aubrey","audi","chantal","fick","goaway","roses","sales","rusty2","dirt","dogbone","doofus","ooooooo","oblivion","mankind","luck","mahler","lllllll","pumper","puck","pulsar","valkyrie","tupac","compass","concorde","costello","cougars","delaware","niceguy","nocturne","bob123","boating","bronze","hopkins","herewego","hewlett","houhou","hubert","earnhard","eeeeeeee","keller","mingus","mobydick","venture","verizon","imation","1950","1948","1949","223344","bigbig","blossom","zack","wowwow","sissy","skinner","spiker","square","snooker","sluggo","player1","junk","jeannie","jsbach","jumbo","jewel","medic","robins","reddevil","reckless","123456a","1125","1031","beacon","astra","gumby","hammond","hassan","757575","585858","chillin","fuck1","sander","lowell","radiohea","upyours","trek","courage","coolcool","classics","choochoo","darryl","nikki1","nitro","bugs","boytoy","ellen","excite","kirsty","kane","wingnut","wireless","icu812","1master","beatle","bigblock","blanca","wolfen","summer99","sugar1","tartar","sexysexy","senna","sexman","sick","someone","soprano","pippin","platypus","pixies","telephon","land","laura1","laurent","rimmer","road","report","1020","12qwaszx","arturo","around","hamish","halifax","fishhead","forum","dododo","doit","outside","paramedi","lonesome","mandy1","twist","uuuuu","uranus","ttttt","butcher","bruce1","helper","hopeful","eduard","dusty1","kathy1","katherin","moonbeam","muscles","monster1","monkeybo","morton","windsurf","vvvvvvv","vivid","install","1947","187187","1941","1952","tatiana","susan1","31415926","sinned","sexxy","senator","sebastian","shadows","smoothie","snowflak","playstat","playa","playboy1","toaster","jerry1","marie1","mason1","merlin1","roger1","roadster","112358","1121","andrea1","bacardi","auto","hardware","hardy","789789","5555555","captain1","flores","fergus","sascha","rrrrrrr","dome","onion","nutter","lololo","qqqqqqq","quick","undertak","uuuuuuuu","uuuuuuu","criminal","cobain","cindy1","coors","dani","descent","nimbus","nomad","nanook","norwich","bomb","bombay","broker","hookup","kiwi","winners","jackpot","1a2b3c4d","1776","beardog","bighead","blast","bird33","0987","stress","shot","spooge","pelican","peepee","perry","pointer","titan","thedoors","jeremy1","annabell","altima","baba","hallie","hate","hardone","5454","candace","catwoman","flip","faithful","finance","farmboy","farscape","genesis1","salomon","destroy","papers","option","page","loser1","lopez","r2d2","pumpkins","training","chriss","cumcum","ninjas","ninja1","hung","erika","eduardo","killers","miller1","islander","jamesbond","intel","jarvis","19841984","2626","bizzare","blue12","biker","yoyoma","sushi","styles","shitface","series","shanti","spanker","steffi","smart","sphinx","please1","paulie","pistons","tiburon","limited","maxwell1","mdogg","rockies","armstron","alexia","arlene","alejandr","arctic","banger","audio","asimov","augustus","grandpa","753951","4you","chilly","care1839","chapman","flyfish","fantasia","freefall","santa","sandrine","oreo","ohshit","macbeth","madcat","loveya","mallory","rage","quentin","qwerqwer","project","ramirez","colnago","citizen","chocha","cobalt","crystal1","dabears","nevets","nineinch","broncos1","helene","huge","edgar","epsilon","easter","kestrel","moron","virgil","winston1","warrior1","iiiiiiii","iloveyou2","1616","beat","bettina","woowoo","zander","straight","shower","sloppy","specialk","tinkerbe","jellybea","reader","romero","redsox1","ride","1215","1112","annika","arcadia","answer","baggio","base","guido","555666","carmel","cayman","cbr900rr","chips","gabriell","gertrude","glennwei","roxy","sausages","disco","pass1","luna","lovebug","macmac","queenie","puffin","vanguard","trip","trinitro","airwolf","abbott","aaa111","cocaine","cisco","cottage","dayton","deadly","datsun","bricks","bumper","eldorado","kidrock","wizard1","whiskers","wind","wildwood","istheman","interest","italy","25802580","benoit","bigones","woodland","wolfpac","strawber","suicide","3030","sheba1","sixpack","peace1","physics","pearson","tigger2","toad","megan1","meow","ringo","roll","amsterdam","717171","686868","5424","catherine","canuck","football1","footjob","fulham","seagull","orgy","lobo","mancity","truth","trace","vancouve","vauxhall","acidburn","derf","myspace1","boozer","buttercu","howell","hola","easton","minemine","munch","jared","1dragon","biology","bestbuy","bigpoppa","blackout","blowfish","bmw325","bigbob","stream","talisman","tazz","sundevil","3333333","skate","shutup","shanghai","shop","spencer1","slowhand","polish","pinky1","tootie","thecrow","leroy","jonathon","jubilee","jingle","martine","matrix1","manowar","michaels","messiah","mclaren","resident","reilly","redbaron","rollins","romans","return","rivera","andromed","athlon","beach1","badgers","guitars","harald","harddick","gotribe","6996","7grout","5wr2i7h8","635241","chase1","carver","charlotte","fallout","fiddle","fredrick","fenris","francesc","fortuna","ferguson","fairlane","felipe","felix1","forward","gasman","frost","fucks","sahara","sassy1","dogpound","dogbert","divx1","manila","loretta","priest","pornporn","quasar","venom","987987","access1","clippers","daylight","decker","daman","data","dentist","crusty","nathan1","nnnnnnnn","bruno1","bucks","brodie","budapest","kittens","kerouac","mother1","waldo1","wedding","whistler","whatwhat","wanderer","idontkno","1942","1946","bigdawg","bigpimp","zaqwsx","414141","3000gt","434343","shoes","serpent","starr","smurf","pasword","tommie","thisisit","lake","john1","robotics","redeye","rebelz","1011","alatam","asses","asians","bama","banzai","harvest","gonzalez","hair","hanson","575757","5329","cascade","chinese","fatty","fender1","flower2","funky","sambo","drummer1","dogcat","dottie","oedipus","osama","macleod","prozac","private1","rampage","punch","presley","concord","cook","cinema","cornwall","cleaner","christopher","ciccio","corinne","clutch","corvet07","daemon","bruiser","boiler","hjkl","eyes","egghead","expert","ethan","kasper","mordor","wasted","jamess","iverson3","bluesman","zouzou","090909","1002","switch","stone1","4040","sisters","sexo","shawna","smith1","sperma","sneaky","polska","thewho","terminat","krypton","lawson","library","lekker","jules","johnson1","johann","justus","rockie","romano","aspire","bastards","goodie","cheese1","fenway","fishon","fishin","fuckoff1","girls1","sawyer","dolores","desmond","duane","doomsday","pornking","ramones","rabbits","transit","aaaaa1","clock","delilah","noel","boyz","bookworm","bongo","bunnies","brady","buceta","highbury","henry1","heels","eastern","krissy","mischief","mopar","ministry","vienna","weston","wildone","vodka","jayson","bigbooty","beavis1","betsy","xxxxxx1","yogibear","000001","0815","zulu","420000","september","sigmar","sprout","stalin","peggy","patch","lkjhgfds","lagnaf","rolex","redfox","referee","123123123","1231","angus1","ariana","ballin","attila","hall","greedy","grunt","747474","carpedie","cecile","caramel","foxylady","field","gatorade","gidget","futbol","frosch","saiyan","schmidt","drums","donner","doggy1","drum","doudou","pack","pain","nutmeg","quebec","valdepen","trash","triple","tosser","tuscl","track","comfort","choke","comein","cola","deputy","deadpool","bremen","borders","bronson","break","hotass","hotmail1","eskimo","eggman","koko","kieran","katrin","kordell1","komodo","mone","munich","vvvvvvvv","winger","jaeger","ivan","jackson5","2222222","bergkamp","bennie","bigben","zanzibar","worm","xxx123","sunny1","373737","services","sheridan","slater","slayer1","snoop","stacie","peachy","thecure","times","little1","jennaj","marquis","middle","rasta69","1114","aries","havana","gratis","calgary","checkers","flanker","salope","dirty1","draco","dogface","luv2epus","rainbow6","qwerty123","umpire","turnip","vbnm","tucson","troll","aileen","codered","commande","damon","nana","neon","nico","nightwin","neil","boomer1","bushido","hotmail0","horace","enternow","kaitlyn","keepout","karen1","mindy","mnbv","viewsoni","volcom","wizards","wine","1995","berkeley","bite","zach","woodstoc","tarpon","shinobi","starstar","phat","patience","patrol","toolbox","julien","johnny1","joebob","marble","riders","reflex","120676","1235","angelus","anthrax","atlas","hawks","grandam","harlem","hawaii50","gorgeous","655321","cabron","challeng","callisto","firewall","firefire","fischer","flyer","flower1","factory","federal","gambler","frodo1","funk","sand","sam123","scania","dingo","papito","passmast","olive","palermo","ou8123","lock","ranch","pride","randy1","twiggy","travis1","transfer","treetop","addict","admin1","963852","aceace","clarissa","cliff","cirrus","clifton","colin","bobdole","bonner","bogus","bonjovi","bootsy","boater","elway7","edison","kelvin","kenny1","moonshin","montag","moreno","wayne1","white1","jazzy","jakejake","1994","1991","2828","blunt","bluejays","beau","belmont","worthy","systems","sensei","southpark","stan","peeper","pharao","pigpen","tomahawk","teensex","leedsutd","larkin","jermaine","jeepster","jimjim","josephin","melons","marlon","matthias","marriage","robocop","1003","1027","antelope","azsxdc","gordo","hazard","granada","8989","7894","ceasar","cabernet","cheshire","california","chelle","candy1","fergie","fanny","fidelio","giorgio","fuckhead","ruth","sanford","diego","dominion","devon","panic","longer","mackie","qawsed","trucking","twelve","chloe1","coral","daddyo","nostromo","boyboy","booster","bucky","honolulu","esquire","dynamite","motor","mollydog","wilder","windows1","waffle","wallet","warning","virus","washburn","wealth","vincent1","jabber","jaguars","javelin","irishman","idefix","bigdog1","blue42","blanked","blue32","biteme1","bearcats","blaine","yessir","sylveste","team","stephan","sunfire","tbird","stryker","3ip76k2","sevens","sheldon","pilgrim","tenchi","titman","leeds","lithium","lander","linkin","landon","marijuan","mariner","markie","midnite","reddwarf","1129","123asd","12312312","allstar","albany","asdf12","antonia","aspen","hardball","goldfing","7734","49ers","carlo","chambers","cable","carnage","callum","carlos1","fitter","fandango","festival","flame","gofast","gamma","fucmy69","scrapper","dogwood","django","magneto","loose","premium","addison","9999999","abc1234","cromwell","newyear","nichole","bookie","burns","bounty","brown1","bologna","earl","entrance","elway","killjoy","kerry","keenan","kick","klondike","mini","mouser","mohammed","wayer","impreza","irene","insomnia","24682468","2580","24242424","billbill","bellaco","blessing","blues1","bedford","blanco","blunts","stinks","teaser","streets","sf49ers","shovel","solitude","spikey","sonia","pimpdadd","timeout","toffee","lefty","johndoe","johndeer","mega","manolo","mentor","margie","ratman","ridge","record","rhodes","robin1","1124","1210","1028","1226","another","babylove","barbados","harbor","gramma","646464","carpente","chaos1","fishbone","fireblad","glasgow","frogs","scissors","screamer","salem","scuba1","ducks","driven","doggies","dicky","donovan","obsidian","rams","progress","tottenham","aikman","comanche","corolla","clarke","conway","cumslut","cyborg","dancing","boston1","bong","houdini","helmut","elvisp","edge","keksa12","misha","monty1","monsters","wetter","watford","wiseguy","veronika","visitor","janelle","1989","1987","20202020","biatch","beezer","bigguns","blueball","bitchy","wyoming","yankees2","wrestler","stupid1","sealteam","sidekick","simple1","smackdow","sporting","spiral","smeller","sperm","plato","tophat","test2","theatre","thick","toomuch","leigh","jello","jewish","junkie","maxim","maxime","meadow","remingto","roofer","124038","1018","1269","1227","123457","arkansas","alberta","aramis","andersen","beaker","barcelona","baltimor","googoo","goochi","852456","4711","catcher","carman","champ1","chess","fortress","fishfish","firefigh","geezer","rsalinas","samuel1","saigon","scooby1","doors","dick1","devin","doom","dirk","doris","dontknow","load","magpies","manfred","raleigh","vader1","universa","tulips","defense","mygirl","burn","bowtie","bowman","holycow","heinrich","honeys","enforcer","katherine","minerva","wheeler","witch","waterboy","jaime","irving","1992","23skidoo","bimbo","blue11","birddog","woodman","womble","zildjian","030303","stinker","stoppedby","sexybabe","speakers","slugger","spotty","smoke1","polopolo","perfect1","things","torpedo","tender","thrasher","lakeside","lilith","jimmys","jerk","junior1","marsh","masamune","rice","root","1214","april1","allgood","bambi","grinch","767676","5252","cherries","chipmunk","cezer121","carnival","capecod","finder","flint","fearless","goats","funstuff","gideon","savior","seabee","sandro","schalke","salasana","disney1","duckman","options","pancake","pantera1","malice","lookin","love123","lloyd","qwert123","puppet","prayers","union","tracer","crap","creation","cwoui","nascar24","hookers","hollie","hewitt","estrella","erection","ernesto","ericsson","edthom","kaylee","kokoko","kokomo","kimball","morales","mooses","monk","walton","weekend","inter","internal","1michael","1993","19781978","25252525","worker","summers","surgery","shibby","shamus","skibum","sheepdog","sex69","spliff","slipper","spoons","spanner","snowbird","slow","toriamos","temp123","tennesse","lakers1","jomama","julio","mazdarx7","rosario","recon","riddle","room","revolver","1025","1101","barney1","babycake","baylor","gotham","gravity","hallowee","hancock","616161","515000","caca","cannabis","castor","chilli","fdsa","getout","fuck69","gators1","sail","sable","rumble","dolemite","dork","dickens","duffer","dodgers1","painting","onions","logger","lorena","lookout","magic32","port","poon","prime","twat","coventry","citroen","christmas","civicsi","cocksucker","coochie","compaq1","nancy1","buzzer","boulder","butkus","bungle","hogtied","honor","hero","hotgirls","hilary","heidi1","eggplant","mustang6","mortal","monkey12","wapapapa","wendy1","volleyba","vibrate","vicky","bledsoe","blink","birthday4","woof","xxxxx1","talk","stephen1","suburban","stock","tabatha","sheeba","start1","soccer10","something","starcraft","soccer12","peanut1","plastics","penthous","peterbil","tools","tetsuo","torino","tennis1","termite","ladder","last","lemmein","lakewood","jughead","melrose","megane","reginald","redone","request","angela1","alive","alissa","goodgirl","gonzo1","golden1","gotyoass","656565","626262","capricor","chains","calvin1","foolish","fallon","getmoney","godfather","gabber","gilligan","runaway","salami","dummy","dungeon","dudedude","dumb","dope","opus","paragon","oxygen","panhead","pasadena","opendoor","odyssey","magellan","lottie","printing","pressure","prince1","trustme","christa","court","davies","neville","nono","bread","buffet","hound","kajak","killkill","mona","moto","mildred","winner1","vixen","whiteboy","versace","winona","voyager1","instant","indy","jackjack","bigal","beech","biggun","blake1","blue99","big1","woods","synergy","success1","336699","sixty9","shark1","skin","simba1","sharpe","sebring","spongebo","spunk","springs","sliver","phialpha","password9","pizza1","plane","perkins","pookey","tickling","lexingky","lawman","joe123","jolly","mike123","romeo1","redheads","reserve","apple123","alanis","ariane","antony","backbone","aviation","band","hand","green123","haley","carlitos","byebye","cartman1","camden","chewy","camaross","favorite6","forumwp","franks","ginscoot","fruity","sabrina1","devil666","doughnut","pantie","oldone","paintball","lumina","rainbow1","prosper","total","true","umbrella","ajax","951753","achtung","abc12345","compact","color","corn","complete","christi","closer","corndog","deerhunt","darklord","dank","nimitz","brandy1","bowl","breanna","holidays","hetfield","holein1","hillbill","hugetits","east","evolutio","kenobi","whiplash","waldo","wg8e3wjf","wing","istanbul","invis","1996","benton","bigjohn","bluebell","beef","beater","benji","bluejay","xyzzy","wrestling","storage","superior","suckdick","taichi","stellar","stephane","shaker","skirt","seymour","semper","splurge","squeak","pearls","playball","pitch","phyllis","pooky","piss","tomas","titfuck","joemama","johnny5","marcello","marjorie","married","maxi","rhubarb","rockwell","ratboy","reload","rooney","redd","1029","1030","1220","anchor","bbking","baritone","gryphon","gone","57chevy","494949","celeron","fishy","gladiator","fucker1","roswell","dougie","downer","dicker","diva","domingo","donjuan","nympho","omar","praise","racers","trick","trauma","truck1","trample","acer","corwin","cricket1","clemente","climax","denmark","cuervo","notnow","nittany","neutron","native","bosco1","buffa","breaker","hello2","hydro","estelle","exchange","explore","kisskiss","kittys","kristian","montecar","modem","mississi","mooney","weiner","washington","20012001","bigdick1","bibi","benfica","yahoo1","striper","tabasco","supra","383838","456654","seneca","serious","shuttle","socks","stanton","penguin1","pathfind","testibil","thethe","listen","lightning","lighting","jeter2","marma","mark1","metoo","republic","rollin","redleg","redbone","redskin","rocco","1245","armand","anthony7","altoids","andrews","barley","away","asswipe","bauhaus","bbbbbb1","gohome","harrier","golfpro","goldeney","818181","6666666","5000","5rxypn","cameron1","calling","checker","calibra","fields","freefree","faith1","fist","fdm7ed","finally","giraffe","glasses","giggles","fringe","gate","georgie","scamper","rrpass1","screwyou","duffy","deville","dimples","pacino","ontario","passthie","oberon","quest1","postov1000","puppydog","puffer","raining","protect","qwerty7","trey","tribe","ulysses","tribal","adam25","a1234567","compton","collie","cleopatr","contract","davide","norris","namaste","myrtle","buffalo1","bonovox","buckley","bukkake","burning","burner","bordeaux","burly","hun999","emilie","elmo","enters","enrique","keisha","mohawk","willard","vgirl","whale","vince","jayden","jarrett","1812","1943","222333","bigjim","bigd","zoom","wordup","ziggy1","yahooo","workout","young1","written","xmas","zzzzzz1","surfer1","strife","sunlight","tasha1","skunk","shauna","seth","soft","sprinter","peaches1","planes","pinetree","plum","pimping","theforce","thedon","toocool","leeann","laddie","list","lkjh","lara","joke","jupiter1","mckenzie","matty","rene","redrose","1200","102938","annmarie","alexa","antares","austin31","ground","goose1","737373","78945612","789987","6464","calimero","caster","casper1","cement","chevrolet","chessie","caddy","chill","child","canucks","feeling","favorite","fellatio","f00tball","francine","gateway2","gigi","gamecube","giovanna","rugby1","scheisse","dshade","dudes","dixie1","owen","offshore","olympia","lucas1","macaroni","manga","pringles","puff","tribble","trouble1","ussy","core","clint","coolhand","colonial","colt","debra","darthvad","dealer","cygnusx1","natalie1","newark","husband","hiking","errors","eighteen","elcamino","emmett","emilia","koolaid","knight1","murphy1","volcano","idunno","2005","2233","block","benito","blueberr","biguns","yamahar1","zapper","zorro1","0911","3006","sixsix","shopper","siobhan","sextoy","stafford","snowboard","speedway","sounds","pokey","peabody","playboy2","titi","think","toast","toonarmy","lister","lambda","joecool","jonas","joyce","juniper","mercer","max123","manny","massimo","mariposa","met2002","reggae","ricky1","1236","1228","1016","all4one","arianna","baberuth","asgard","gonzales","484848","5683","6669","catnip","chiquita","charisma","capslock","cashmone","chat","figure","galant","frenchy","gizmodo1","girlies","gabby","garner","screwy","doubled","divers","dte4uw","done","dragonfl","maker","locks","rachelle","treble","twinkie","trailer","tropical","acid","crescent","cooking","cococo","cory","dabomb","daffy","dandfa","cyrano","nathanie","briggs","boners","helium","horton","hoffman","hellas","espresso","emperor","killa","kikimora","wanda","w4g8at","verona","ilikeit","iforget","1944","20002000","birthday1","beatles1","blue1","bigdicks","beethove","blacklab","blazers","benny1","woodwork","0069","0101","taffy","susie","survivor","swim","stokes","4567","shodan","spoiled","steffen","pissed","pavlov","pinnacle","place","petunia","terrell","thirty","toni","tito","teenie","lemonade","lily","lillie","lalakers","lebowski","lalalala","ladyboy","jeeper","joyjoy","mercury1","mantle","mannn","rocknrol","riversid","reeves","123aaa","11112222","121314","1021","1004","1120","allen1","ambers","amstel","ambrose","alice1","alleycat","allegro","ambrosia","alley","australia","hatred","gspot","graves","goodsex","hattrick","harpoon","878787","8inches","4wwvte","cassandr","charlie123","case","chavez","fighting","gabriela","gatsby","fudge","gerry","generic","gareth","fuckme2","samm","sage","seadog","satchmo","scxakv","santafe","dipper","dingle","dizzy","outoutout","madmad","london1","qbg26i","pussy123","randolph","vaughn","tzpvaw","vamp","comedy","comp","cowgirl","coldplay","dawgs","delaney","nt5d27","novifarm","needles","notredam","newness","mykids","bryan1","bouncer","hihihi","honeybee","iceman1","herring","horn","hook","hotlips","dynamo","klaus","kittie","kappa","kahlua","muffy","mizzou","mohamed","musical","wannabe","wednesda","whatup","weller","waterfal","willy1","invest","blanche","bear1","billabon","youknow","zelda","yyyyyy1","zachary1","01234567","070462","zurich","superstar","storms","tail","stiletto","strat","427900","sigmachi","shelter","shells","sexy123","smile1","sophie1","stefano","stayout","somerset","smithers","playmate","pinkfloyd","phish1","payday","thebear","telefon","laetitia","kswbdu","larson","jetta","jerky","melina","metro","revoluti","retire","respect","1216","1201","1204","1222","1115","archange","barry1","handball","676767","chandra","chewbacc","flesh","furball","gocubs","fruit","fullback","gman","gentle","dunbar","dewalt","dominiqu","diver1","dhip6a","olemiss","ollie","mandrake","mangos","pretzel","pusssy","tripleh","valdez","vagabond","clean","comment","crew","clovis","deaths","dandan","csfbr5yy","deadspin","darrel","ninguna","noah","ncc74656","bootsie","bp2002","bourbon","brennan","bumble","books","hose","heyyou","houston1","hemlock","hippo","hornets","hurricane","horseman","hogan","excess","extensa","muffin1","virginie","werdna","idontknow","info","iron","jack1","1bitch","151nxjmt","bendover","bmwbmw","bills","zaq123","wxcvbn","surprise","supernov","tahoe","talbot","simona","shakur","sexyone","seviyi","sonja","smart1","speed1","pepito","phantom1","playoffs","terry1","terrier","laser1","lite","lancia","johngalt","jenjen","jolene","midori","message","maserati","matteo","mental","miami1","riffraff","ronald1","reason","rhythm","1218","1026","123987","1015","1103","armada","architec","austria","gotmilk","hawkins","gray","camila","camp","cambridg","charge","camero","flex","foreplay","getoff","glacier","glotest","froggie","gerbil","rugger","sanity72","salesman","donna1","dreaming","deutsch","orchard","oyster","palmtree","ophelia","pajero","m5wkqf","magenta","luckyone","treefrog","vantage","usmarine","tyvugq","uptown","abacab","aaaaaa1","advance","chuck1","delmar","darkange","cyclones","nate","navajo","nope","border","bubba123","building","iawgk2","hrfzlz","dylan1","enrico","encore","emilio","eclipse1","killian","kayleigh","mutant","mizuno","mustang2","video1","viewer","weed420","whales","jaguar1","insight","1990","159159","1love","bliss","bears1","bigtruck","binder","bigboss","blitz","xqgann","yeahyeah","zeke","zardoz","stickman","table","3825","signal","sentra","side","shiva","skipper1","singapor","southpaw","sonora","squid","slamdunk","slimjim","placid","photon","placebo","pearl1","test12","therock1","tiger123","leinad","legman","jeepers","joeblow","mccarthy","mike23","redcar","rhinos","rjw7x4","1102","13576479","112211","alcohol","gwju3g","greywolf","7bgiqk","7878","535353","4snz9g","candyass","cccccc1","carola","catfight","cali","fister","fosters","finland","frankie1","gizzmo","fuller","royalty","rugrat","sandie","rudolf","dooley","dive","doreen","dodo","drop","oemdlg","out3xf","paddy","opennow","puppy1","qazwsxedc","pregnant","quinn","ramjet","under","uncle","abraxas","corner","creed","cocoa","crown","cows","cn42qj","dancer1","death666","damned","nudity","negative","nimda2k","buick","bobb","braves1","brook","henrik","higher","hooligan","dust","everlast","karachi","mortis","mulligan","monies","motocros","wally1","weapon","waterman","view","willie1","vicki","inspiron","1test","2929","bigblack","xytfu7","yackwin","zaq1xsw2","yy5rbfsc","100100","0660","tahiti","takehana","talks","332211","3535","sedona","seawolf","skydiver","shine","spleen","slash","spjfet","special1","spooner","slimshad","sopranos","spock1","penis1","patches1","terri","thierry","thething","toohot","large","limpone","johnnie","mash4077","matchbox","masterp","maxdog","ribbit","reed","rita","rockin","redhat","rising","1113","14789632","1331","allday","aladin","andrey","amethyst","ariel","anytime","baseball1","athome","basil","goofy1","greenman","gustavo","goofball","ha8fyp","goodday","778899","charon","chappy","castillo","caracas","cardiff","capitals","canada1","cajun","catter","freddy1","favorite2","frazier","forme","follow","forsaken","feelgood","gavin","gfxqx686","garlic","sarge","saskia","sanjose","russ","salsa","dilbert1","dukeduke","downhill","longhair","loop","locutus","lockdown","malachi","mamacita","lolipop","rainyday","pumpkin1","punker","prospect","rambo1","rainbows","quake","twin","trinity1","trooper1","aimee","citation","coolcat","crappy","default","dental","deniro","d9ungl","daddys","napoli","nautica","nermal","bukowski","brick","bubbles1","bogota","board","branch","breath","buds","hulk","humphrey","hitachi","evans","ender","export","kikiki","kcchiefs","kram","morticia","montrose","mongo","waqw3p","wizzard","visited","whdbtp","whkzyc","image","154ugeiu","1fuck","binky","blind","bigred1","blubber","benz","becky1","year2005","wonderfu","wooden","xrated","0001","tampabay","survey","tammy1","stuffer","3mpz4r","3000","3some","selina","sierra1","shampoo","silk","shyshy","slapnuts","standby","spartan1","sprocket","sometime","stanley1","poker1","plus","thought","theshit","torture","thinking","lavalamp","light1","laserjet","jediknig","jjjjj1","jocelyn","mazda626","menthol","maximo","margaux","medic1","release","richter","rhino1","roach","renate","repair","reveal","1209","1234321","amigos","apricot","alexandra","asdfgh1","hairball","hatter","graduate","grimace","7xm5rq","6789","cartoons","capcom","cheesy","cashflow","carrots","camping","fanatic","fool","format","fleming","girlie","glover","gilmore","gardner","safeway","ruthie","dogfart","dondon","diapers","outsider","odin","opiate","lollol","love12","loomis","mallrats","prague","primetime21","pugsley","program","r29hqq","touch","valleywa","airman","abcdefg1","darkone","cummer","dempsey","damn","nadia","natedogg","nineball","ndeyl5","natchez","newone","normandy","nicetits","buddy123","buddys","homely","husky","iceland","hr3ytm","highlife","holla","earthlin","exeter","eatmenow","kimkim","karine","k2trix","kernel","kirkland","money123","moonman","miles1","mufasa","mousey","wilma","wilhelm","whites","warhamme","instinct","jackass1","2277","20spanks","blobby","blair","blinky","bikers","blackjack","becca","blue23","xman","wyvern","085tzzqi","zxzxzx","zsmj2v","suede","t26gn4","sugars","sylvie","tantra","swoosh","swiss","4226","4271","321123","383pdjvl","shoe","shane1","shelby1","spades","spain","smother","soup","sparhawk","pisser","photo1","pebble","phones","peavey","picnic","pavement","terra","thistle","tokyo","therapy","lives","linden","kronos","lilbit","linux","johnston","material","melanie1","marbles","redlight","reno","recall","1208","1138","1008","alchemy","aolsucks","alexalex","atticus","auditt","ballet","b929ezzh","goodyear","hanna","griffith","gubber","863abgsg","7474","797979","464646","543210","4zqauf","4949","ch5nmk","carlito","chewey","carebear","caleb","checkmat","cheddar","chachi","fever","forgetit","fine","forlife","giants1","gates","getit","gamble","gerhard","galileo","g3ujwg","ganja","rufus1","rushmore","scouts","discus","dudeman","olympus","oscars","osprey","madcow","locust","loyola","mammoth","proton","rabbit1","question","ptfe3xxp","pwxd5x","purple1","punkass","prophecy","uyxnyd","tyson1","aircraft","access99","abcabc","cocktail","colts","civilwar","cleveland","claudia1","contour","clement","dddddd1","cypher","denied","dapzu455","dagmar","daisydog","name","noles","butters","buford","hoochie","hotel","hoser","eddy","ellis","eldiablo","kingrich","mudvayne","motown","mp8o6d","wife","vipergts","italiano","innocent","2055","2211","beavers","bloke","blade1","yamato","zooropa","yqlgr667","050505","zxcvbnm1","zw6syj","suckcock","tango1","swing","stern","stephens","swampy","susanna","tammie","445566","333666","380zliki","sexpot","sexylady","sixtynin","sickboy","spiffy","sleeping","skylark","sparkles","slam","pintail","phreak","places","teller","timtim","tires","thighs","left","latex","llamas","letsdoit","lkjhg","landmark","letters","lizzard","marlins","marauder","metal1","manu","register","righton","1127","alain","alcat","amigo","basebal1","azertyui","attract","azrael","hamper","gotenks","golfgti","gutter","hawkwind","h2slca","harman","grace1","6chid8","789654","canine","casio","cazzo","chamber","cbr900","cabrio","calypso","capetown","feline","flathead","fisherma","flipmode","fungus","goal","g9zns4","full","giggle","gabriel1","fuck123","saffron","dogmeat","dreamcas","dirtydog","dunlop","douche","dresden","dickdick","destiny1","pappy","oaktree","lydia","luft4","puta","prayer","ramada","trumpet1","vcradq","tulip","tracy71","tycoon","aaaaaaa1","conquest","click","chitown","corps","creepers","constant","couples","code","cornhole","danman","dada","density","d9ebk7","cummins","darth","cute","nash","nirvana1","nixon","norbert","nestle","brenda1","bonanza","bundy","buddies","hotspur","heavy","horror","hufmqw","electro","erasure","enough","elisabet","etvww4","ewyuza","eric1","kinder","kenken","kismet","klaatu","musician","milamber","willi","waiting","isacs155","igor","1million","1letmein","x35v8l","yogi","ywvxpz","xngwoj","zippy1","020202","****","stonewal","sweeney","story","sentry","sexsexsex","spence","sonysony","smirnoff","star12","solace","sledge","states","snyder","star1","paxton","pentagon","pkxe62","pilot1","pommes","paulpaul","plants","tical","tictac","toes","lighthou","lemans","kubrick","letmein22","letmesee","jys6wz","jonesy","jjjjjj1","jigga","joelle","mate","merchant","redstorm","riley1","rosa","relief","14141414","1126","allison1","badboy1","asthma","auggie","basement","hartley","hartford","hardwood","gumbo","616913","57np39","56qhxs","4mnveh","cake","forbes","fatluvr69","fqkw5m","fidelity","feathers","fresno","godiva","gecko","gladys","gibson1","gogators","fridge","general1","saxman","rowing","sammys","scotts","scout1","sasasa","samoht","dragon69","ducky","dragonball","driller","p3wqaw","nurse","papillon","oneone","openit","optimist","longshot","portia","rapier","pussy2","ralphie","tuxedo","ulrike","undertow","trenton","copenhag","come","delldell","culinary","deltas","mytime","nicky","nickie","noname","noles1","bucker","bopper","bullock","burnout","bryce","hedges","ibilltes","hihje863","hitter","ekim","espana","eatme69","elpaso","envelope","express1","eeeeee1","eatme1","karaoke","kara","mustang5","misses","wellingt","willem","waterski","webcam","jasons","infinite","iloveyou!","jakarta","belair","bigdad","beerme","yoshi","yinyang","zimmer","x24ik3","063dyjuy","0000007","ztmfcq","stopit","stooges","survival","stockton","symow8","strato","2hot4u","ship","simons","skins","shakes","sex1","shield","snacks","softtail","slimed123","pizzaman","pipe","pitt","pathetic","pinto","tigercat","tonton","lager","lizzy","juju","john123","jennings","josiah","jesse1","jordon","jingles","martian","mario1","rootedit","rochard","redwine","requiem","riverrat","rats","1117","1014","1205","althea","allie","amor","amiga","alpina","alert","atreides","banana1","bahamut","hart","golfman","happines","7uftyx","5432","5353","5151","4747","byron","chatham","chadwick","cherie","foxfire","ffvdj474","freaked","foreskin","gayboy","gggggg1","glenda","gameover","glitter","funny1","scoobydoo","scroll","rudolph","saddle","saxophon","dingbat","digimon","omicron","parsons","ohio","panda1","loloxx","macintos","lululu","lollypop","racer1","queen1","qwertzui","prick","upnfmc","tyrant","trout1","9skw5g","aceman","adelaide","acls2h","aaabbb","acapulco","aggie","comcast","craft","crissy","cloudy","cq2kph","custer","d6o8pm","cybersex","davecole","darian","crumbs","daisey","davedave","dasani","needle","mzepab","myporn","narnia","nineteen","booger1","bravo1","budgie","btnjey","highlander","hotel6","humbug","edwin","ewtosi","kristin1","kobe","knuckles","keith1","katarina","muff","muschi","montana1","wingchun","wiggle","whatthe","walking","watching","vette1","vols","virago","intj3a","ishmael","intern","jachin","illmatic","199999","2010","beck","blender","bigpenis","bengal","blue1234","your","zaqxsw","xray","xxxxxxx1","zebras","yanks","worlds","tadpole","stripes","svetlana","3737","4343","3728","4444444","368ejhih","solar","sonne","smalls","sniffer","sonata","squirts","pitcher","playstation","pktmxr","pescator","points","texaco","lesbos","lilian","l8v53x","jo9k2jw2","jimbeam","josie","jimi","jupiter2","jurassic","marines1","maya","rocket1","ringer","14725836","12345679","1219","123098","1233","alessand","althor","angelika","arch","armando","alpha123","basher","barefeet","balboa","bbbbb1","banks","badabing","harriet","gopack","golfnut","gsxr1000","gregory1","766rglqy","8520","753159","8dihc6","69camaro","666777","cheeba","chino","calendar","cheeky","camel1","fishcake","falling","flubber","giuseppe","gianni","gloves","gnasher23","frisbee","fuzzy1","fuzzball","sauce","save13tx","schatz","russell1","sandra1","scrotum","scumbag","sabre","samdog","dripping","dragon12","dragster","paige","orwell","mainland","lunatic","lonnie","lotion","maine","maddux","qn632o","poophead","rapper","porn4life","producer","rapunzel","tracks","velocity","vanessa1","ulrich","trueblue","vampire1","abacus","902100","crispy","corky","crane","chooch","d6wnro","cutie","deal","dabulls","dehpye","navyseal","njqcw4","nownow","nigger1","nightowl","nonenone","nightmar","bustle","buddy2","boingo","bugman","bulletin","bosshog","bowie","hybrid","hillside","hilltop","hotlegs","honesty","hzze929b","hhhhh1","hellohel","eloise","evilone","edgewise","e5pftu","eded","embalmer","excalibur","elefant","kenzie","karl","karin","killah","kleenex","mouses","mounta1n","motors","mutley","muffdive","vivitron","winfield","wednesday","w00t88","iloveit","jarjar","incest","indycar","17171717","1664","17011701","222777","2663","beelch","benben","yitbos","yyyyy1","yasmin","zapata","zzzzz1","stooge","tangerin","taztaz","stewart1","summer69","sweetness","system1","surveyor","stirling","3qvqod","3way","456321","sizzle","simhrq","shrink","shawnee","someday","sparty","ssptx452","sphere","spark","slammed","sober","persian","peppers","ploppy","pn5jvw","poobear","pianos","plaster","testme","tiff","thriller","larissa","lennox","jewell","master12","messier","rockey","1229","1217","1478","1009","anastasi","almighty","amonra","aragon","argentin","albino","azazel","grinder","6uldv8","83y6pv","8888888","4tlved","515051","carsten","changes","flanders","flyers88","ffffff1","firehawk","foreman","firedog","flashman","ggggg1","gerber","godspeed","galway","giveitup","funtimes","gohan","giveme","geryfe","frenchie","sayang","rudeboy","savanna","sandals","devine","dougal","drag0n","dga9la","disaster","desktop","only","onlyone","otter","pandas","mafia","lombard","luckys","lovejoy","lovelife","manders","product","qqh92r","qcmfd454","pork","radar1","punani","ptbdhw","turtles","undertaker","trs8f7","tramp","ugejvp","abba","911turbo","acdc","abcd123","clever","corina","cristian","create","crash1","colony","crosby","delboy","daniele","davinci","daughter","notebook","niki","nitrox","borabora","bonzai","budd","brisbane","hotter","heeled","heroes","hooyah","hotgirl","i62gbq","horse1","hills","hpk2qc","epvjb6","echo","korean","kristie","mnbvc","mohammad","mind","mommy1","munster","wade","wiccan","wanted","jacket","2369","bettyboo","blondy","bismark","beanbag","bjhgfi","blackice","yvtte545","ynot","yess","zlzfrh","wolvie","007bond","******","tailgate","tanya1","sxhq65","stinky1","3234412","3ki42x","seville","shimmer","sheryl","sienna","shitshit","skillet","seaman","sooners1","solaris","smartass","pastor","pasta","pedros","pennywis","pfloyd","tobydog","thetruth","lethal","letme1n","leland","jenifer","mario66","micky","rocky2","rewq","ripped","reindeer","1128","1207","1104","1432","aprilia","allstate","alyson","bagels","basic","baggies","barb","barrage","greatest","gomez","guru","guard","72d5tn","606060","4wcqjn","caldwell","chance1","catalog","faust","film","flange","fran","fartman","geil","gbhcf2","fussball","glen","fuaqz4","gameboy","garnet","geneviev","rotary","seahawk","russel","saab","seal","samadams","devlt4","ditto","drevil","drinker","deuce","dipstick","donut","octopus","ottawa","losangel","loverman","porky","q9umoz","rapture","pump","pussy4me","university","triplex","ue8fpw","trent","trophy","turbos","troubles","agent","aaa340","churchil","crazyman","consult","creepy","craven","class","cutiepie","ddddd1","dejavu","cuxldv","nettie","nbvibt","nikon","niko","norwood","nascar1","nolan","bubba2","boobear","boogers","buff","bullwink","bully","bulldawg","horsemen","escalade","editor","eagle2","dynamic","ella","efyreg","edition","kidney","minnesot","mogwai","morrow","msnxbi","moonlight","mwq6qlzo","wars","werder","verygood","voodoo1","wheel","iiiiii1","159951","1624","1911a1","2244","bellagio","bedlam","belkin","bill1","woodrow","xirt2k","worship","??????","tanaka","swift","susieq","sundown","sukebe","tales","swifty","2fast4u","senate","sexe","sickness","shroom","shaun","seaweed","skeeter1","status","snicker","sorrow","spanky1","spook","patti","phaedrus","pilots","pinch","peddler","theo","thumper1","tessie","tiger7","tmjxn151","thematri","l2g7k3","letmeinn","lazy","jeffjeff","joan","johnmish","mantra","mariana","mike69","marshal","mart","mazda6","riptide","robots","rental","1107","1130","142857","11001001","1134","armored","alvin","alec","allnight","alright","amatuers","bartok","attorney","astral","baboon","bahamas","balls1","bassoon","hcleeb","happyman","granite","graywolf","golf1","gomets","8vjzus","7890","789123","8uiazp","5757","474jdvff","551scasi","50cent","camaro1","cherry1","chemist","final","firenze","fishtank","farrell","freewill","glendale","frogfrog","gerhardt","ganesh","same","scirocco","devilman","doodles","dinger","okinawa","olympic","nursing","orpheus","ohmygod","paisley","pallmall","null","lounge","lunchbox","manhatta","mahalo","mandarin","qwqwqw","qguvyt","pxx3eftp","president","rambler","puzzle","poppy1","turk182","trotter","vdlxuc","trish","tugboat","valiant","tracie","uwrl7c","chris123","coaster","cmfnpu","decimal","debbie1","dandy","daedalus","dede","natasha1","nissan1","nancy123","nevermin","napalm","newcastle","boats","branden","britt","bonghit","hester","ibxnsm","hhhhhh1","holger","durham","edmonton","erwin","equinox","dvader","kimmy","knulla","mustafa","monsoon","mistral","morgana","monica1","mojave","month","monterey","mrbill","vkaxcs","victor1","wacker","wendell","violator","vfdhif","wilson1","wavpzt","verena","wildstar","winter99","iqzzt580","jarrod","imback","1914","19741974","1monkey","1q2w3e4r5t","2500","2255","blank","bigshow","bigbucks","blackcoc","zoomer","wtcacq","wobble","xmen","xjznq5","yesterda","yhwnqc","zzzxxx","streak","393939","2fchbg","skinhead","skilled","shakira","shaft","shadow12","seaside","sigrid","sinful","silicon","smk7366","snapshot","sniper1","soccer11","staff","slap","smutty","peepers","pleasant","plokij","pdiddy","pimpdaddy","thrust","terran","topaz","today1","lionhear","littlema","lauren1","lincoln1","lgnu9d","laughing","juneau","methos","medina","merlyn","rogue1","romulus","redshift","1202","1469","12locked","arizona1","alfarome","al9agd","aol123","altec","apollo1","arse","baker1","bbb747","bach","axeman","astro1","hawthorn","goodfell","hawks1","gstring","hannes","8543852","868686","4ng62t","554uzpad","5401","567890","5232","catfood","frame","flow","fire1","flipflop","fffff1","fozzie","fluff","garrison","fzappa","furious","round","rustydog","sandberg","scarab","satin","ruger","samsung1","destin","diablo2","dreamer1","detectiv","dominick","doqvq3","drywall","paladin1","papabear","offroad","panasonic","nyyankee","luetdi","qcfmtz","pyf8ah","puddles","privacy","rainer","pussyeat","ralph1","princeto","trivia","trewq","tri5a3","advent","9898","agyvorc","clarkie","coach1","courier","contest","christo","corinna","chowder","concept","climbing","cyzkhw","davidb","dad2ownu","days","daredevi","de7mdf","nose","necklace","nazgul","booboo1","broad","bonzo","brenna","boot","butch1","huskers1","hgfdsa","hornyman","elmer","elektra","england1","elodie","kermit1","knife","kaboom","minute","modern","motherfucker","morten","mocha","monday1","morgoth","ward","weewee","weenie","walters","vorlon","website","wahoo","ilovegod","insider","jayman","1911","1dallas","1900","1ranger","201jedlz","2501","1qaz","bertram","bignuts","bigbad","beebee","billows","belize","bebe","wvj5np","wu4etd","yamaha1","wrinkle5","zebra1","yankee1","zoomzoom","09876543","0311","?????","stjabn","tainted","3tmnej","shoot","skooter","skelter","sixteen","starlite","smack","spice1","stacey1","smithy","perrin","pollux","peternorth","pixie","paulina","piston","pick","poets","pine","toons","tooth","topspin","kugm7b","legends","jeepjeep","juliana","joystick","junkmail","jojojojo","jonboy","judge","midland","meteor","mccabe","matter","mayfair","meeting","merrill","raul","riches","reznor","rockrock","reboot","reject","robyn","renee1","roadway","rasta220","1411","1478963","1019","archery","allman","andyandy","barks","bagpuss","auckland","gooseman","hazmat","gucci","guns","grammy","happydog","greek","7kbe9d","7676","6bjvpe","5lyedn","5858","5291","charlie2","chas","c7lrwu","candys","chateau","ccccc1","cardinals","fear","fihdfv","fortune12","gocats","gaelic","fwsadn","godboy","gldmeo","fx3tuo","fubar1","garland","generals","gforce","rxmtkp","rulz","sairam","dunhill","division","dogggg","detect","details","doll","drinks","ozlq6qwm","ov3ajy","lockout","makayla","macgyver","mallorca","loves","prima","pvjegu","qhxbij","raphael","prelude1","totoro","tusymo","trousers","tunnel","valeria","tulane","turtle1","tracy1","aerosmit","abbey1","address","clticic","clueless","cooper1","comets","collect","corbin","delpiero","derick","cyprus","dante1","dave1","nounours","neal","nexus6","nero","nogard","norfolk","brent1","booyah","bootleg","buckaroo","bulls23","bulls1","booper","heretic","icecube","hellno","hounds","honeydew","hooters1","hoes","howie","hevnm4","hugohugo","eighty","epson","evangeli","eeeee1","eyphed"] From 0fe5f5d9569c68897bb13f33c11c1b87d28002e8 Mon Sep 17 00:00:00 2001 From: Keith Irwin Date: Mon, 8 May 2017 16:53:48 -0400 Subject: [PATCH 13/24] #74 Fixed admin page --- config/routes/admin.js | 57 +++++++++++++----------------- views/admin.html | 79 ++++++++++++++++++++++-------------------- 2 files changed, 65 insertions(+), 71 deletions(-) diff --git a/config/routes/admin.js b/config/routes/admin.js index a32ab64..db1c39d 100644 --- a/config/routes/admin.js +++ b/config/routes/admin.js @@ -4,41 +4,32 @@ const router = require('express').Router(), mw = require('../middleware.js'), User = require('../models.js').user; -router.route('/') - .all(mw.ensureAdmin, (req,res,next)=>{ - next(); - } ) +router.get('/', mw.ensureAdmin, (req,res)=>{ - .get( (req,res)=>{ + User.find({}).sort({lastLogin:-1}) + .then( (found)=>{ + res.render('admin', { + noFooter: '1', + users: found, + total: found.length + }); + }) + .catch( (err)=>{ mw.throwErr(err,req); }); - User.find({}).sort({lastLogin:-1}) - .then( (found)=>{ - res.render('admin', { - noFooter: '1', - users: found - }); - }) - .catch( (err)=>{ mw.throwErr(err,req); }); - - } ) +}); - .post( (req,res,next)=>{ - if (req.body.delete) { - User.findOneAndRemove({'_id':req.body.delete}) - .then( (user)=>{ - req.flash('success', ''+user.name+' deleted.'); - res.redirect('/admin#users'); - }) - .catch( (err)=>{ - mw.throwErr(err,req); - res.redirect('/admin#users'); - }); - } - else { - let err = new Error('POST without action sent. '); - err.status = 500; - next(); - } - } ); +router.get('/delete/:usrid', mw.ensureAdmin, (req,res,next)=>{ + + User.findOneAndRemove({'_id':req.params.usrid}) + .then( (user)=>{ + req.flash('success', ''+user.name+' deleted.'); + res.redirect('/admin'); + }) + .catch( (err)=>{ + mw.throwErr(err,req); + res.redirect('/admin'); + }); + +}); module.exports = router; \ No newline at end of file diff --git a/views/admin.html b/views/admin.html index b9da0e4..06f42e5 100644 --- a/views/admin.html +++ b/views/admin.html @@ -3,53 +3,56 @@ {% block head %} {{ super() }} - + {% endblock %} {% block main %} -
-
+
-
-

Users

- - - - - - - - - - - - {% for usr in users %} - - - - - - - - - - {% endfor %} - -
NameSlugJoinedLast loginMovedAccountsEdit
{{usr.name}}/{{usr.slug}} - {% if usr.googleID %} - Google - {% endif %} -
- -
+
+ +

Users

+
+

Users: {{total}}

+ + + + + + + + + + + + + + {% for usr in users %} + + + + + + + + + + {% endfor %} + +
NameSlugJoinedLast loginMovedSocialEdit
{{usr.name}}/{{usr.slug}} + {% if usr.auth.google %}G{% endif %} + {% if usr.auth.facebook %}F{% endif %} + {% if usr.auth.twitter %}T{% endif %} + + DELETE +
+
- + +{% endblock %} + {% block main %}

Contact

+ +
+ + + + +
-{% endblock %} \ No newline at end of file +{% endblock %} + +{% block javascript %} +{{super()}} + +{% endblock %} From 212ccfec5b87f677a3b1a60415f0f57c31f034da Mon Sep 17 00:00:00 2001 From: Keith Irwin Date: Mon, 8 May 2017 17:45:06 -0400 Subject: [PATCH 18/24] Renamed noReply in mail.js --- config/mail.js | 2 +- config/routes/auth.js | 4 ++-- config/routes/settings.js | 4 ++-- config/routes/test.js | 2 +- 4 files changed, 6 insertions(+), 6 deletions(-) diff --git a/config/mail.js b/config/mail.js index fe4a578..9270a66 100644 --- a/config/mail.js +++ b/config/mail.js @@ -34,7 +34,7 @@ module.exports = { return `

+Tracman

${text}

Do not reply to this email. For information about why you recieved this email, see our privacy policy.

`; }, - from: `"Tracman" `, + noReply: `"Tracman" `, to: (user)=>{ return `"${user.name}" <${user.email}>`; diff --git a/config/routes/auth.js b/config/routes/auth.js index 2ccbe37..c7dffe0 100644 --- a/config/routes/auth.js +++ b/config/routes/auth.js @@ -80,7 +80,7 @@ module.exports = (app, passport) => { // Email the instructions to continue mail.send({ - from: mail.from, + from: mail.noReply, to: `<${user.email}>`, subject: 'Complete your Tracman registration', text: mail.text(`Welcome to Tracman! \n\nTo complete your registration, follow this link and set your password:\n${env.url}/settings/password/${token}\n\nThis link will expire at ${expirationTimeString}. `), @@ -238,7 +238,7 @@ module.exports = (app, passport) => { // Email reset link mail.send({ - from: mail.from, + from: mail.noReply, to: mail.to(user), subject: 'Reset your Tracman password', text: mail.text(`Hi, \n\nDid you request to reset your Tracman password? If so, follow this link to do so:\n${env.url}/settings/password/${token}\n\nIf you didn't initiate this request, just ignore this email. `), diff --git a/config/routes/settings.js b/config/routes/settings.js index 1ab18e0..ff9bdc5 100644 --- a/config/routes/settings.js +++ b/config/routes/settings.js @@ -71,7 +71,7 @@ router.route('/') debug(`Mailing new email token to ${req.body.email}...`); mail.send({ to: `"${req.user.name}" <${req.body.email}>`, - from: mail.from, + from: mail.noReply, subject: 'Confirm your new email address for Tracman', text: mail.text(`A request has been made to change your Tracman email address. If you did not initiate this request, please disregard it. \n\nTo confirm your email, follow this link:\n${env.url}/settings/email/${token}. `), html: mail.html(`

A request has been made to change your Tracman email address. If you did not initiate this request, please disregard it.

To confirm your email, follow this link:
${env.url}/settings/email/${token}.

`) @@ -241,7 +241,7 @@ router.route('/password') // Confirm password change request by email. mail.send({ to: mail.to(req.user), - from: mail.from, + from: mail.noReply, subject: 'Request to change your Tracman password', text: mail.text(`A request has been made to change your tracman password. If you did not initiate this request, please contact support at keith@tracman.org. \n\nTo change your password, follow this link:\n${env.url}/settings/password/${token}. \n\nThis request will expire at ${expirationTimeString}. `), html: mail.html(`

A request has been made to change your tracman password. If you did not initiate this request, please contact support at keith@tracman.org.

To change your password, follow this link:
${env.url}/settings/password/${token}.

This request will expire at ${expirationTimeString}.

`) diff --git a/config/routes/test.js b/config/routes/test.js index bbb4d18..5f8066c 100644 --- a/config/routes/test.js +++ b/config/routes/test.js @@ -10,7 +10,7 @@ router .get('/mail', (req,res,next)=>{ mail.send({ to: `"Keith Irwin" `, - from: mail.from, + from: mail.noReply, subject: 'Test email', text: mail.text("Looks like everything's working! "), html: mail.html("

Looks like everything's working!

") From bae3b10a1829a34db4ddcb0e3000c2ae1dd6fa99 Mon Sep 17 00:00:00 2001 From: Keith Irwin Date: Mon, 8 May 2017 19:01:35 -0400 Subject: [PATCH 19/24] #59 Finished contact form --- config/env/sample.js | 5 ++-- config/routes/index.js | 65 ++++++++++++++++++++++++++++++++++++++---- package.json | 1 + static/css/contact.css | 31 ++++++++++++++++++++ views/contact.html | 14 ++++++--- 5 files changed, 105 insertions(+), 11 deletions(-) create mode 100644 static/css/contact.css diff --git a/config/env/sample.js b/config/env/sample.js index 8074a8c..f1bf2a7 100644 --- a/config/env/sample.js +++ b/config/env/sample.js @@ -29,9 +29,10 @@ module.exports = { googleClientSecret: 'XXXXXXXXX_XXXXXXXXXXXXXX', // Google maps API key - googleMapsAPI: 'XXXXXXXXXXXXXXX_XXXXXXXXXXXXXXXXXXXXXXX', + googleMapsAPI: 'XXXXXXXXXXXXXXX_XXXXXXXXXXXXXXXXXXXXXXX' // reCaptcha API key - recaptcha: 'XXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXX' + recaptchaSitekey: 'XXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXX', + recaptchaSecret: 'XXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXX', }; diff --git a/config/routes/index.js b/config/routes/index.js index 3a4050c..d3e81ac 100644 --- a/config/routes/index.js +++ b/config/routes/index.js @@ -1,10 +1,13 @@ 'use strict'; -const env = require('../env/env.js'), +const mw = require('../middleware.js'), + env = require('../env/env.js'), + mail = require('../mail.js'), router = require('express').Router(), + request = require('request'), slug = require('slug'), xss = require('xss'), - User = require('../models.js').user; + User = require('../models.js').user; module.exports = router @@ -21,11 +24,63 @@ module.exports = router // Contact .get('/contact', (req,res)=>{ res.render('contact',{ - sitekey: env.recaptcha + sitekey: env.recaptchaSitekey }); }) - .post('/contact', (req,res)=>{ - //TODO: Get contact stuff + .post('/contact', (req,res,next)=>{ + + // Confirm captcha + request.post( 'https://www.google.com/recaptcha/api/siteverify', {form:{ + secret: env.recaptchaSecret, + response: req.body['g-recaptcha-response'], + remoteip: req.ip + }}, (err, response, body)=>{ + + // Check for errors + if (err){ + mw.throwErr(err,req); + res.redirect('/contact'); + } + if (response.statusCode!==200) { + let err = new Error('Bad response from reCaptcha service'); + mw.throwErr(err,req); + res.redirect('/contact'); + } + else { + + // Captcha succeeded + if (JSON.parse(body).success){ + mail.send({ + from: `${req.body.name} <${req.body.email}>`, + to: `Tracman Contact `, + subject: req.body.subject||'A message', + text: req.body.message + }) + .then(()=>{ + req.flash('success', `Your message has been sent. `); + res.redirect(req.session.next || '/'); + }) + .catch((err)=>{ + mw.throwErr(err,req); + res.redirect('/contact'); + }); + } + + // Captcha failed + else { + let err = new Error('Failed reCaptcha'); + mw.throwErr(err,req); + res.redirect('/contact'); + } + + } + } +); + + //TODO: Check req.body.g-recaptcha-response + + + }) // Terms of Service and Privacy Policy diff --git a/package.json b/package.json index b981674..99d7c84 100644 --- a/package.json +++ b/package.json @@ -29,6 +29,7 @@ "passport-local": "^1.0.0", "passport-twitter": "^1.0.4", "passport-twitter-token": "^1.3.0", + "request": "^2.81.0", "slug": "^0.9.1", "socket.io": "^1.4.4", "xss": "^0.3.3" diff --git a/static/css/contact.css b/static/css/contact.css new file mode 100644 index 0000000..c37d518 --- /dev/null +++ b/static/css/contact.css @@ -0,0 +1,31 @@ +input, textarea { + margin-bottom: 3%; +} + +#subject, #message { + width: 100%; +} + +@media (max-width:250px) { + #name, #email { + width: 100%; + } +} +@media (min-width:250px) { + #name, #email { + min-width: 45%; + } + #name { + float: left; + } + #email { + float: right; + } +} + +button.btn { + display: block; + margin: auto; + min-width: 60%; + min-height: 12vh; +} \ No newline at end of file diff --git a/views/contact.html b/views/contact.html index 849a999..5a69bf4 100644 --- a/views/contact.html +++ b/views/contact.html @@ -3,7 +3,9 @@ {% block head %} {{super()}} - + + + {% endblock %} {% block main %} @@ -11,11 +13,15 @@

Contact

-
+ + + - - + + + +
From 9bac5a585fbba2bab14260c0d2cb2c1ea1f37d58 Mon Sep 17 00:00:00 2001 From: Keith Irwin Date: Mon, 8 May 2017 19:06:06 -0400 Subject: [PATCH 20/24] #59 Fixed formatting --- static/css/contact.css | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/static/css/contact.css b/static/css/contact.css index c37d518..6fcb4c8 100644 --- a/static/css/contact.css +++ b/static/css/contact.css @@ -6,12 +6,12 @@ input, textarea { width: 100%; } -@media (max-width:250px) { +@media (max-width:600px) { #name, #email { width: 100%; } } -@media (min-width:250px) { +@media (min-width:600px) { #name, #email { min-width: 45%; } From 62427efb91c2d453d7899c87adee8d34b6cc7759 Mon Sep 17 00:00:00 2001 From: Keith Irwin Date: Mon, 8 May 2017 20:12:58 -0400 Subject: [PATCH 21/24] #30 Added welcome message --- config/routes/map.js | 11 +++++++++-- config/routes/settings.js | 3 ++- views/map.html | 32 ++++++++++++++++++++++++++++++++ 3 files changed, 43 insertions(+), 3 deletions(-) diff --git a/config/routes/map.js b/config/routes/map.js index 3c657b3..1cbbf25 100644 --- a/config/routes/map.js +++ b/config/routes/map.js @@ -4,10 +4,16 @@ const router = require('express').Router(), mw = require('../middleware.js'), env = require('../env/env.js'), User = require('../models.js').user; + // Redirect to real slug router.get('/', mw.ensureAuth, (req,res)=>{ - res.redirect(`/map/${req.user.slug}`); + if (req.query.new){ + res.redirect(`/map/${req.user.slug}?new=1`); + } + else { + res.redirect(`/map/${req.user.slug}`); + } }); // Show map @@ -23,7 +29,8 @@ router.get('/:slug?', (req,res,next)=>{ user: req.user, noFooter: '1', noHeader: (req.query.noheader)?req.query.noheader.match(/\d/)[0]:0, - disp: (req.query.disp)?req.query.disp.match(/\d/)[0]:2 // 0=map, 1=streetview, 2=both + disp: (req.query.disp)?req.query.disp.match(/\d/)[0]:2, // 0=map, 1=streetview, 2=both + newuserurl: (req.query.new)? env.url+'/map/'+req.params.slug : '' }); } }).catch( (err)=>{ diff --git a/config/routes/settings.js b/config/routes/settings.js index ff9bdc5..c1851ee 100644 --- a/config/routes/settings.js +++ b/config/routes/settings.js @@ -316,10 +316,11 @@ router.route('/password/:token') req.flash('success', 'Your password has been changed. '); res.redirect('/settings'); } + // New user created password else { req.flash('success', 'Password set. You can use it to log in now. '); - res.redirect('/login?next=/settings'); + res.redirect('/login?next=/map?new=1'); } } ); diff --git a/views/map.html b/views/map.html index 1fabb19..a4b0227 100644 --- a/views/map.html +++ b/views/map.html @@ -44,6 +44,38 @@ {% block main %} + {% if user and newuserurl %} +
+ + +

Welcome!

+ ✖️ +

This is your map. It's avaliable at {{newuserurl}}. You can change that and other settings in settings. Set your location by clicking set below. Clear it by clicking clear. To track your location, click track or download the android app. For more information, see the help page.

+ +
+ {% endif %} +
From 8cc7d4e90cb0ab152c0dad874f9e3588f1cf251a Mon Sep 17 00:00:00 2001 From: Keith Irwin Date: Mon, 8 May 2017 22:30:39 -0400 Subject: [PATCH 22/24] Bumped version --- CHANGELOG.md | 2 +- README.md | 2 +- package.json | 2 +- 3 files changed, 3 insertions(+), 3 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 600330f..3c23ef2 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,5 +1,5 @@ # Tracman Server Changelog -###### v 0.6.3 +###### v 0.6.4 #### v0.6.3 diff --git a/README.md b/README.md index 63c07d3..edd16a0 100644 --- a/README.md +++ b/README.md @@ -1,5 +1,5 @@ # []Tracman -###### v 0.6.3 +###### v 0.6.4 node.js application to display a sharable map with user's location. diff --git a/package.json b/package.json index 99d7c84..98b8810 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "tracman", - "version": "0.6.3", + "version": "0.6.4", "description": "Tracks user's GPS location", "main": "server.js", "dependencies": { From 62de567e2f2a3ea8fc358b1e2673153efddb34ae Mon Sep 17 00:00:00 2001 From: Keith Irwin Date: Mon, 8 May 2017 22:53:15 -0400 Subject: [PATCH 23/24] #92 fixed --- static/js/map.js | 12 ++++++------ 1 file changed, 6 insertions(+), 6 deletions(-) diff --git a/static/js/map.js b/static/js/map.js index ef30380..a10c1ee 100644 --- a/static/js/map.js +++ b/static/js/map.js @@ -62,7 +62,8 @@ function toggleMaps(loc) { $('#map').hide(); $('#pano').hide(); $('#notset').show(); - } else { + } + else { $('#map').show(); $('#pano').show(); $('#notset').hide(); @@ -83,6 +84,7 @@ window.gmapsCb = function() { // Create map if (disp!=='1') { //console.log("Creating map..."); + map = new google.maps.Map( mapElem, { center: new google.maps.LatLng( mapuser.last.lat, mapuser.last.lon ), panControl: false, @@ -185,17 +187,15 @@ socket.on('get', function(loc) { // Parse location loc = parseLoc(loc); - + // Update map if (disp!=='1') { - + // Update time $('#timestamp').text('location updated '+loc.tim); - // Show or hide map - toggleMaps(loc); - // Update marker and map center + google.maps.event.trigger(map,'resize'); map.setCenter({ lat:loc.lat, lng:loc.lon }); marker.setPosition({ lat:loc.lat, lng:loc.lon }); From dd97f1fba4712a5773056b5fb32d1af72e5d0ed8 Mon Sep 17 00:00:00 2001 From: Keith Irwin Date: Mon, 8 May 2017 22:54:16 -0400 Subject: [PATCH 24/24] Updated changelog --- CHANGELOG.md | 4 ++++ README.md | 3 +++ 2 files changed, 7 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index 3c23ef2..a9e2499 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,6 +1,10 @@ # Tracman Server Changelog ###### v 0.6.4 +#### v0.6.4 + +* [#92](https://github.com/Tracman-org/Server/issues/92) Fixed blank map issue + #### v0.6.3 * [#84](https://github.com/Tracman-org/Server/issues/84) Fixed password reset page diff --git a/README.md b/README.md index edd16a0..6d67e88 100644 --- a/README.md +++ b/README.md @@ -52,6 +52,9 @@ Tracman will be updated according to [this branching model](http://nvie.com/post [view full changelog](CHANGELOG.md) +#### v0.6.4 + +* [#92](https://github.com/Tracman-org/Server/issues/92) Fixed blank map issue #### v0.6.3